wireshark-filter - Wireshark filter syntax and reference
wireshark [other options] [ -R ``filter expression'' ]
tshark [other options] [ -R ``filter expression'' ]
Wireshark and TShark share a powerful filter engine that helps remove the noise from a packet trace and lets you see only the packets that interest you. If a packet meets the requirements expressed in your filter, then it is displayed in the list of packets. Display filters let you compare the fields within a protocol against a specific value, compare fields against fields, and check the existence of specified fields or protocols.
Filters are also used by other features such as statistics generation and packet list colorization (the latter is only available to Wireshark). This manual page describes their syntax and provides a comprehensive reference of filter fields.
The simplest filter allows you to check for the existence of a protocol or field. If you want to see all packets which contain the IP protocol, the filter would be ``ip'' (without the quotation marks). To see all packets that contain a Token-Ring RIF field, use ``tr.rif''.
Think of a protocol or field in a filter as implicitly having the ``exists'' operator.
Note: all protocol and field names that are available in Wireshark and TShark filters are listed in the comprehensive FILTER PROTOCOL REFERENCE (see below).
Fields can also be compared against values. The comparison operators can be expressed either through English-like abbreviations or through C-like symbols:
eq, == Equal ne, != Not Equal gt, > Greater Than lt, < Less Than ge, >= Greater than or Equal to le, <= Less than or Equal to
Additional operators exist expressed only in English, not C-like syntax:
contains Does the protocol, field or slice contain a value matches Does the protocol or text string match the given Perl regular expression
The ``contains'' operator allows a filter to search for a sequence of characters, expressed as a string (quoted or unquoted), or bytes, expressed as a byte array. For example, to search for a given HTTP URL in a capture, the following filter can be used:
http contains "http://www.wireshark.org"
The ``contains'' operator cannot be used on atomic fields, such as numbers or IP addresses.
The ``matches'' operator allows a filter to apply to a specified Perl-compatible regular expression (PCRE). The ``matches'' operator is only implemented for protocols and for protocol fields with a text string representation. For example, to search for a given WAP WSP User-Agent, you can write:
wsp.user_agent matches "(?i)cldc"
This example shows an interesting PCRE feature: pattern match options have to
be specified with the (?option) construct. For instance, (?i) performs
a case-insensitive pattern match. More information on PCRE can be found in the
pcrepattern(3)
man page (Perl Regular Expressions are explained in
http://www.perldoc.com/perl5.8.0/pod/perlre.html).
Note: the ``matches'' operator is only available if Wireshark or TShark have been compiled with the PCRE library. This can be checked by running:
wireshark -v tshark -v
or selecting the ``About Wireshark'' item from the ``Help'' menu in Wireshark.
The filter language has the following functions:
upper(string-field) - converts a string field to uppercase lower(string-field) - converts a string field to lowercase
upper()
and lower()
are useful for performing case-insensitive string
comparisons. For example:
upper(ncp.nds_stream_name) contains "MACRO" lower(mount.dump.hostname) == "angel"
Each protocol field is typed. The types are:
Unsigned integer (8-bit, 16-bit, 24-bit, or 32-bit) Signed integer (8-bit, 16-bit, 24-bit, or 32-bit) Boolean Ethernet address (6 bytes) Byte array IPv4 address IPv6 address IPX network number Text string Double-precision floating point number
An integer may be expressed in decimal, octal, or hexadecimal notation. The following three display filters are equivalent:
frame.pkt_len > 10 frame.pkt_len > 012 frame.pkt_len > 0xa
Boolean values are either true or false. In a display filter expression testing the value of a Boolean field, ``true'' is expressed as 1 or any other non-zero value, and ``false'' is expressed as zero. For example, a token-ring packet's source route field is Boolean. To find any source-routed packets, a display filter would be:
tr.sr == 1
Non source-routed packets can be found with:
tr.sr == 0
Ethernet addresses and byte arrays are represented by hex digits. The hex digits may be separated by colons, periods, or hyphens:
eth.dst eq ff:ff:ff:ff:ff:ff aim.data == 0.1.0.d fddi.src == aa-aa-aa-aa-aa-aa echo.data == 7a
IPv4 addresses can be represented in either dotted decimal notation or by using the hostname:
ip.dst eq www.mit.edu ip.src == 192.168.1.1
IPv4 addresses can be compared with the same logical relations as numbers: eq, ne, gt, ge, lt, and le. The IPv4 address is stored in host order, so you do not have to worry about the endianness of an IPv4 address when using it in a display filter.
Classless InterDomain Routing (CIDR) notation can be used to test if an IPv4 address is in a certain subnet. For example, this display filter will find all packets in the 129.111 Class-B network:
ip.addr == 129.111.0.0/16
Remember, the number after the slash represents the number of bits used to represent the network. CIDR notation can also be used with hostnames, as in this example of finding IP addresses on the same Class C network as 'sneezy':
ip.addr eq sneezy/24
The CIDR notation can only be used on IP addresses or hostnames, not in variable names. So, a display filter like ``ip.src/24 == ip.dst/24'' is not valid (yet).
IPX networks are represented by unsigned 32-bit integers. Most likely you will be using hexadecimal when testing IPX network values:
ipx.src.net == 0xc0a82c00
Strings are enclosed in double quotes:
http.request.method == "POST"
Inside double quotes, you may use a backslash to embed a double quote or an arbitrary byte represented in either octal or hexadecimal.
browser.comment == "An embedded \" double-quote"
Use of hexadecimal to look for ``HEAD'':
http.request.method == "\x48EAD"
Use of octal to look for ``HEAD'':
http.request.method == "\110EAD"
This means that you must escape backslashes with backslashes inside double quotes.
smb.path contains "\\\\SERVER\\SHARE"
looks for \\SERVER\SHARE in ``smb.path''.
You can take a slice of a field if the field is a text string or a byte array. For example, you can filter on the vendor portion of an ethernet address (the first three bytes) like this:
eth.src[0:3] == 00:00:83
Another example is:
http.content_type[0:4] == "text"
You can use the slice operator on a protocol name, too. The ``frame'' protocol can be useful, encompassing all the data captured by Wireshark or TShark.
token[0:5] ne 0.0.0.1.1 llc[0] eq aa frame[100-199] contains "wireshark"
The following syntax governs slices:
[i:j] i = start_offset, j = length [i-j] i = start_offset, j = end_offset, inclusive. [i] i = start_offset, length = 1 [:j] start_offset = 0, length = j [i:] start_offset = i, end_offset = end_of_field
Offsets can be negative, in which case they indicate the offset from the end of the field. The last byte of the field is at offset -1, the last but one byte is at offset -2, and so on. Here's how to check the last four bytes of a frame:
frame[-4:4] == 0.1.2.3
or
frame[-4:] == 0.1.2.3
You can concatenate slices using the comma operator:
ftp[1,3-5,9:] == 01:03:04:05:09:0a:0b
This concatenates offset 1, offsets 3-5, and offset 9 to the end of the ftp data.
If a field is a text string or a byte array, it can be expressed in whichever way is most convenient.
So, for instance, the following filters are equivalent:
http.request.method == "GET" http.request.method == 47.45.54
A range can also be expressed in either way:
frame[60:2] gt 50.51 frame[60:2] gt "PQ"
It is also possible to define tests with bit field operations. Currently the following bit field operation is supported:
bitwise_and, & Bitwise AND
The bitwise AND operation allows testing to see if one or more bits are set. Bitwise AND operates on integer protocol fields and slices.
When testing for TCP SYN packets, you can write:
tcp.flags & 0x02
That expression will match all packets that contain a ``tcp.flags'' field with the 0x02 bit, i.e. the SYN bit, set.
Similarly, filtering for all WSP GET and extended GET methods is achieved with:
wsp.pdu_type & 0x40
When using slices, the bit mask must be specified as a byte string, and it must have the same number of bytes as the slice itself, as in:
ip[42:2] & 40:ff
Tests can be combined using logical expressions. These too are expressable in C-like syntax or with English-like abbreviations:
and, && Logical AND or, || Logical OR not, ! Logical NOT
Expressions can be grouped by parentheses as well. The following are all valid display filter expressions:
tcp.port == 80 and ip.src == 192.168.2.1 not llc http and frame[100-199] contains "wireshark" (ipx.src.net == 0xbad && ipx.src.node == 0.0.0.0.0.1) || ip
Remember that whenever a protocol or field name occurs in an expression, the ``exists'' operator is implicitly called. The ``exists'' operator has the highest priority. This means that the first filter expression must be read as ``show me the packets for which tcp.port exists and equals 80, and ip.src exists and equals 192.168.2.1''. The second filter expression means ``show me the packets where not (llc exists)'', or in other words ``where llc does not exist'' and hence will match all packets that do not contain the llc protocol. The third filter expression includes the constraint that offset 199 in the frame exists, in other words the length of the frame is at least 200.
A special caveat must be given regarding fields that occur more than once per packet. ``ip.addr'' occurs twice per IP packet, once for the source address, and once for the destination address. Likewise, ``tr.rif.ring'' fields can occur more than once per packet. The following two expressions are not equivalent:
ip.addr ne 192.168.4.1 not ip.addr eq 192.168.4.1
The first filter says ``show me packets where an ip.addr exists that does not equal 192.168.4.1''. That is, as long as one ip.addr in the packet does not equal 192.168.4.1, the packet passes the display filter. The other ip.addr could equal 192.168.4.1 and the packet would still be displayed. The second filter says ``don't show me any packets that have an ip.addr field equal to 192.168.4.1''. If one ip.addr is 192.168.4.1, the packet does not pass. If neither ip.addr field is 192.168.4.1, then the packet is displayed.
It is easy to think of the 'ne' and 'eq' operators as having an implict ``exists'' modifier when dealing with multiply-recurring fields. ``ip.addr ne 192.168.4.1'' can be thought of as ``there exists an ip.addr that does not equal 192.168.4.1''. ``not ip.addr eq 192.168.4.1'' can be thought of as ``there does not exist an ip.addr equal to 192.168.4.1''.
Be careful with multiply-recurring fields; they can be confusing.
Care must also be taken when using the display filter to remove noise from the packet trace. If, for example, you want to filter out all IP multicast packets to address 224.1.2.3, then using:
ip.dst ne 224.1.2.3
may be too restrictive. Filtering with ``ip.dst'' selects only those IP packets that satisfy the rule. Any other packets, including all non-IP packets, will not be displayed. To display the non-IP packets as well, you can use one of the following two expressions:
not ip or ip.dst ne 224.1.2.3 not ip.addr eq 224.1.2.3
The first filter uses ``not ip'' to include all non-IP packets and then lets ``ip.dst ne 224.1.2.3'' filter out the unwanted IP packets. The second filter has already been explained above where filtering with multiply occuring fields was discussed.
Each entry below provides an abbreviated protocol or field name. Every one of these fields can be used in a display filter. The type of the field is also given.
xnsllc.type Type Unsigned 16-bit integer
a11.ackstat Reply Status Unsigned 8-bit integer A11 Registration Ack Status.
a11.auth.auth Authenticator Byte array Authenticator.
a11.auth.spi SPI Unsigned 32-bit integer Authentication Header Security Parameter Index.
a11.b Broadcast Datagrams Boolean Broadcast Datagrams requested
a11.coa Care of Address IPv4 address Care of Address.
a11.code Reply Code Unsigned 8-bit integer A11 Registration Reply code.
a11.d Co-located Care-of Address Boolean MN using Co-located Care-of address
a11.ext.apptype Application Type Unsigned 8-bit integer Application Type.
a11.ext.ase.key GRE Key Unsigned 32-bit integer GRE Key.
a11.ext.ase.len Entry Length Unsigned 8-bit integer Entry Length.
a11.ext.ase.pcfip PCF IP Address IPv4 address PCF IP Address.
a11.ext.ase.ptype GRE Protocol Type Unsigned 16-bit integer GRE Protocol Type.
a11.ext.ase.srid Service Reference ID (SRID) Unsigned 8-bit integer Service Reference ID (SRID).
a11.ext.ase.srvopt Service Option Unsigned 16-bit integer Service Option.
a11.ext.auth.subtype Gen Auth Ext SubType Unsigned 8-bit integer Mobile IP Auth Extension Sub Type.
a11.ext.canid CANID Byte array CANID
a11.ext.code Reply Code Unsigned 8-bit integer PDSN Code.
a11.ext.dormant All Dormant Indicator Unsigned 16-bit integer All Dormant Indicator.
a11.ext.fqi.dscp Forward DSCP Unsigned 8-bit integer Forward Flow DSCP.
a11.ext.fqi.entrylen Entry Length Unsigned 8-bit integer Forward Entry Length.
a11.ext.fqi.flags Flags Unsigned 8-bit integer Forward Flow Entry Flags.
a11.ext.fqi.flowcount Forward Flow Count Unsigned 8-bit integer Forward Flow Count.
a11.ext.fqi.flowid Forward Flow Id Unsigned 8-bit integer Forward Flow Id.
a11.ext.fqi.flowstate Forward Flow State Unsigned 8-bit integer Forward Flow State.
a11.ext.fqi.graqos Granted QoS Byte array Forward Granted QoS.
a11.ext.fqi.graqoslen Granted QoS Length Unsigned 8-bit integer Forward Granted QoS Length.
a11.ext.fqi.reqqos Requested QoS Byte array Forward Requested QoS.
a11.ext.fqi.reqqoslen Requested QoS Length Unsigned 8-bit integer Forward Requested QoS Length.
a11.ext.fqi.srid SRID Unsigned 8-bit integer Forward Flow Entry SRID.
a11.ext.fqui.flowcount Forward QoS Update Flow Count Unsigned 8-bit integer Forward QoS Update Flow Count.
a11.ext.fqui.updatedqos Foward Updated QoS Sub-Blob Byte array Foward Updated QoS Sub-Blob.
a11.ext.fqui.updatedqoslen Foward Updated QoS Sub-Blob Length Unsigned 8-bit integer Foward Updated QoS Sub-Blob Length.
a11.ext.key Key Unsigned 32-bit integer Session Key.
a11.ext.len Extension Length Unsigned 16-bit integer Mobile IP Extension Length.
a11.ext.mnsrid MNSR-ID Unsigned 16-bit integer MNSR-ID
a11.ext.msid MSID(BCD) String MSID(BCD).
a11.ext.msid_len MSID Length Unsigned 8-bit integer MSID Length.
a11.ext.msid_type MSID Type Unsigned 16-bit integer MSID Type.
a11.ext.panid PANID Byte array PANID
a11.ext.ppaddr Anchor P-P Address IPv4 address Anchor P-P Address.
a11.ext.ptype Protocol Type Unsigned 16-bit integer Protocol Type.
a11.ext.qosmode QoS Mode Unsigned 8-bit integer QoS Mode.
a11.ext.rqi.entrylen Entry Length Unsigned 8-bit integer Reverse Flow Entry Length.
a11.ext.rqi.flowcount Reverse Flow Count Unsigned 8-bit integer Reverse Flow Count.
a11.ext.rqi.flowid Reverse Flow Id Unsigned 8-bit integer Reverse Flow Id.
a11.ext.rqi.flowstate Flow State Unsigned 8-bit integer Reverse Flow State.
a11.ext.rqi.graqos Granted QoS Byte array Reverse Granted QoS.
a11.ext.rqi.graqoslen Granted QoS Length Unsigned 8-bit integer Reverse Granted QoS Length.
a11.ext.rqi.reqqos Requested QoS Byte array Reverse Requested QoS.
a11.ext.rqi.reqqoslen Requested QoS Length Unsigned 8-bit integer Reverse Requested QoS Length.
a11.ext.rqi.srid SRID Unsigned 8-bit integer Reverse Flow Entry SRID.
a11.ext.rqui.flowcount Reverse QoS Update Flow Count Unsigned 8-bit integer Reverse QoS Update Flow Count.
a11.ext.rqui.updatedqos Reverse Updated QoS Sub-Blob Byte array Reverse Updated QoS Sub-Blob.
a11.ext.rqui.updatedqoslen Reverse Updated QoS Sub-Blob Length Unsigned 8-bit integer Reverse Updated QoS Sub-Blob Length.
a11.ext.sidver Session ID Version Unsigned 8-bit integer Session ID Version
a11.ext.sqp.profile Subscriber QoS Profile Byte array Subscriber QoS Profile.
a11.ext.sqp.profilelen Subscriber QoS Profile Length Byte array Subscriber QoS Profile Length.
a11.ext.srvopt Service Option Unsigned 16-bit integer Service Option.
a11.ext.type Extension Type Unsigned 8-bit integer Mobile IP Extension Type.
a11.ext.vid Vendor ID Unsigned 32-bit integer Vendor ID.
a11.extension Extension Byte array Extension
a11.flags Flags Unsigned 8-bit integer
a11.g GRE Boolean MN wants GRE encapsulation
a11.haaddr Home Agent IPv4 address Home agent IP Address.
a11.homeaddr Home Address IPv4 address Mobile Node's home address.
a11.ident Identification Byte array MN Identification.
a11.life Lifetime Unsigned 16-bit integer A11 Registration Lifetime.
a11.m Minimal Encapsulation Boolean MN wants Minimal encapsulation
a11.nai NAI String NAI
a11.s Simultaneous Bindings Boolean Simultaneous Bindings Allowed
a11.t Reverse Tunneling Boolean Reverse tunneling requested
a11.type Message Type Unsigned 8-bit integer A11 Message type.
a11.v Van Jacobson Boolean Van Jacobson
njack.getresp.unknown1 Unknown1 Unsigned 8-bit integer
njack.magic Magic String
njack.set.length SetLength Unsigned 16-bit integer
njack.set.salt Salt Unsigned 32-bit integer
njack.setresult SetResult Unsigned 8-bit integer
njack.tlv.addtagscheme TlvAddTagScheme Unsigned 8-bit integer
njack.tlv.authdata Authdata Byte array
njack.tlv.contermode TlvTypeCountermode Unsigned 8-bit integer
njack.tlv.data TlvData Byte array
njack.tlv.devicemac TlvTypeDeviceMAC 6-byte Hardware (MAC) Address
njack.tlv.dhcpcontrol TlvTypeDhcpControl Unsigned 8-bit integer
njack.tlv.length TlvLength Unsigned 8-bit integer
njack.tlv.maxframesize TlvTypeMaxframesize Unsigned 8-bit integer
njack.tlv.portingressmode TlvTypePortingressmode Unsigned 8-bit integer
njack.tlv.powerforwarding TlvTypePowerforwarding Unsigned 8-bit integer
njack.tlv.scheduling TlvTypeScheduling Unsigned 8-bit integer
njack.tlv.snmpwrite TlvTypeSnmpwrite Unsigned 8-bit integer
njack.tlv.type TlvType Unsigned 8-bit integer
njack.tlv.typeip TlvTypeIP IPv4 address
njack.tlv.typestring TlvTypeString String
njack.tlv.version TlvFwVersion IPv4 address
njack.type Type Unsigned 8-bit integer
vlan.cfi CFI Unsigned 16-bit integer CFI
vlan.etype Type Unsigned 16-bit integer Type
vlan.id ID Unsigned 16-bit integer ID
vlan.len Length Unsigned 16-bit integer Length
vlan.priority Priority Unsigned 16-bit integer Priority
vlan.trailer Trailer Byte array VLAN Trailer
eapol.keydes.data WPA Key Byte array WPA Key Data
eapol.keydes.datalen WPA Key Length Unsigned 16-bit integer WPA Key Data Length
eapol.keydes.id WPA Key ID Byte array WPA Key ID(RSN Reserved)
eapol.keydes.index.indexnum Index Number Unsigned 8-bit integer Key Index number
eapol.keydes.index.keytype Key Type Boolean Key Type (unicast/broadcast)
eapol.keydes.key Key Byte array Key
eapol.keydes.key_info Key Information Unsigned 16-bit integer WPA key info
eapol.keydes.key_info.encr_key_data Encrypted Key Data flag Boolean Encrypted Key Data flag
eapol.keydes.key_info.error Error flag Boolean Error flag
eapol.keydes.key_info.install Install flag Boolean Install flag
eapol.keydes.key_info.key_ack Key Ack flag Boolean Key Ack flag
eapol.keydes.key_info.key_index Key Index Unsigned 16-bit integer Key Index (0-3) (RSN: Reserved)
eapol.keydes.key_info.key_mic Key MIC flag Boolean Key MIC flag
eapol.keydes.key_info.key_type Key Type Boolean Key Type (Pairwise or Group)
eapol.keydes.key_info.keydes_ver Key Descriptor Version Unsigned 16-bit integer Key Descriptor Version Type
eapol.keydes.key_info.request Request flag Boolean Request flag
eapol.keydes.key_info.secure Secure flag Boolean Secure flag
eapol.keydes.key_iv Key IV Byte array Key Initialization Vector
eapol.keydes.key_signature Key Signature Byte array Key Signature
eapol.keydes.keylen Key Length Unsigned 16-bit integer Key Length
eapol.keydes.mic WPA Key MIC Byte array WPA Key Message Integrity Check
eapol.keydes.nonce Nonce Byte array WPA Key Nonce
eapol.keydes.replay_counter Replay Counter Unsigned 64-bit integer Replay Counter
eapol.keydes.rsc WPA Key RSC Byte array WPA Key Receive Sequence Counter
eapol.keydes.type Descriptor Type Unsigned 8-bit integer Key Descriptor Type
eapol.len Length Unsigned 16-bit integer Length
eapol.type Type Unsigned 8-bit integer
eapol.version Version Unsigned 8-bit integer
alcap.acc.level Congestion Level Unsigned 8-bit integer
alcap.alc.bitrate.avg.bw Average Backwards Bit Rate Unsigned 16-bit integer
alcap.alc.bitrate.avg.fw Average Forward Bit Rate Unsigned 16-bit integer
alcap.alc.bitrate.max.bw Maximum Backwards Bit Rate Unsigned 16-bit integer
alcap.alc.bitrate.max.fw Maximum Forward Bit Rate Unsigned 16-bit integer
alcap.alc.sdusize.avg.bw Average Backwards CPS SDU Size Unsigned 8-bit integer
alcap.alc.sdusize.avg.fw Average Forward CPS SDU Size Unsigned 8-bit integer
alcap.alc.sdusize.max.bw Maximum Backwards CPS SDU Size Unsigned 8-bit integer
alcap.alc.sdusize.max.fw Maximum Forward CPS SDU Size Unsigned 8-bit integer
alcap.cau.coding Cause Coding Unsigned 8-bit integer
alcap.cau.diag Diagnostic Byte array
alcap.cau.diag.field_num Field Number Unsigned 8-bit integer
alcap.cau.diag.len Length Unsigned 8-bit integer Diagnostics Length
alcap.cau.diag.msg Message Identifier Unsigned 8-bit integer
alcap.cau.diag.param Parameter Identifier Unsigned 8-bit integer
alcap.cau.value Cause Value (ITU) Unsigned 8-bit integer
alcap.ceid.cid CID Unsigned 8-bit integer
alcap.ceid.pathid Path ID Unsigned 32-bit integer
alcap.compat Message Compatibility Byte array
alcap.compat.general.ii General II Unsigned 8-bit integer Instruction Indicator
alcap.compat.general.sni General SNI Unsigned 8-bit integer Send Notificaation Indicator
alcap.compat.pass.ii Pass-On II Unsigned 8-bit integer Instruction Indicator
alcap.compat.pass.sni Pass-On SNI Unsigned 8-bit integer Send Notificaation Indicator
alcap.cp.level Level Unsigned 8-bit integer
alcap.dnsea.addr Address Byte array
alcap.dsaid DSAID Unsigned 32-bit integer Destination Service Association ID
alcap.fbw.bitrate.bw CPS Backwards Bitrate Unsigned 24-bit integer
alcap.fbw.bitrate.fw CPS Forward Bitrate Unsigned 24-bit integer
alcap.fbw.bucket_size.bw Backwards CPS Bucket Size Unsigned 16-bit integer
alcap.fbw.bucket_size.fw Forward CPS Bucket Size Unsigned 16-bit integer
alcap.fbw.max_size.bw Backwards CPS Packet Size Unsigned 8-bit integer
alcap.fbw.max_size.fw Forward CPS Packet Size Unsigned 8-bit integer
alcap.hc.codepoint Codepoint Unsigned 8-bit integer
alcap.leg.cause Leg's cause value in REL Unsigned 8-bit integer
alcap.leg.cid Leg's channel id Unsigned 32-bit integer
alcap.leg.dnsea Leg's destination NSAP String
alcap.leg.dsaid Leg's ECF OSA id Unsigned 32-bit integer
alcap.leg.msg a message of this leg Frame number
alcap.leg.onsea Leg's originating NSAP String
alcap.leg.osaid Leg's ERQ OSA id Unsigned 32-bit integer
alcap.leg.pathid Leg's path id Unsigned 32-bit integer
alcap.leg.sugr Leg's SUGR Unsigned 32-bit integer
alcap.msg_type Message Type Unsigned 8-bit integer
alcap.onsea.addr Address Byte array
alcap.osaid OSAID Unsigned 32-bit integer Originating Service Association ID
alcap.param Parameter Unsigned 8-bit integer Parameter Id
alcap.param.len Length Unsigned 8-bit integer Parameter Length
alcap.pfbw.bitrate.bw CPS Backwards Bitrate Unsigned 24-bit integer
alcap.pfbw.bitrate.fw CPS Forward Bitrate Unsigned 24-bit integer
alcap.pfbw.bucket_size.bw Backwards CPS Bucket Size Unsigned 16-bit integer
alcap.pfbw.bucket_size.fw Forward CPS Bucket Size Unsigned 16-bit integer
alcap.pfbw.max_size.bw Backwards CPS Packet Size Unsigned 8-bit integer
alcap.pfbw.max_size.fw Forward CPS Packet Size Unsigned 8-bit integer
alcap.plc.bitrate.avg.bw Average Backwards Bit Rate Unsigned 16-bit integer
alcap.plc.bitrate.avg.fw Average Forward Bit Rate Unsigned 16-bit integer
alcap.plc.bitrate.max.bw Maximum Backwards Bit Rate Unsigned 16-bit integer
alcap.plc.bitrate.max.fw Maximum Forward Bit Rate Unsigned 16-bit integer
alcap.plc.sdusize.max.bw Maximum Backwards CPS SDU Size Unsigned 8-bit integer
alcap.plc.sdusize.max.fw Maximum Forward CPS SDU Size Unsigned 8-bit integer
alcap.pssiae.cas CAS Unsigned 8-bit integer Channel Associated Signalling
alcap.pssiae.cmd Circuit Mode Unsigned 8-bit integer
alcap.pssiae.dtmf DTMF Unsigned 8-bit integer
alcap.pssiae.fax Fax Unsigned 8-bit integer Facsimile
alcap.pssiae.frm Frame Mode Unsigned 8-bit integer
alcap.pssiae.lb Loopback Unsigned 8-bit integer
alcap.pssiae.mfr1 Multi-Frequency R1 Unsigned 8-bit integer
alcap.pssiae.mfr2 Multi-Frequency R2 Unsigned 8-bit integer
alcap.pssiae.oui OUI Byte array Organizational Unique Identifier
alcap.pssiae.pcm PCM Mode Unsigned 8-bit integer
alcap.pssiae.profile.id Profile Id Unsigned 8-bit integer
alcap.pssiae.profile.type Profile Type Unsigned 8-bit integer I.366.2 Profile Type
alcap.pssiae.rc Rate Conctrol Unsigned 8-bit integer
alcap.pssiae.syn Syncronization Unsigned 8-bit integer Transport of synchronization of change in SSCS operation
alcap.pssime.frm Frame Mode Unsigned 8-bit integer
alcap.pssime.lb Loopback Unsigned 8-bit integer
alcap.pssime.max Max Len Unsigned 16-bit integer
alcap.pssime.mult Multiplier Unsigned 8-bit integer
alcap.pt.codepoint QoS Codepoint Unsigned 8-bit integer
alcap.pvbws.bitrate.bw Peak CPS Backwards Bitrate Unsigned 24-bit integer
alcap.pvbws.bitrate.fw Peak CPS Forward Bitrate Unsigned 24-bit integer
alcap.pvbws.bucket_size.bw Peak Backwards CPS Bucket Size Unsigned 16-bit integer
alcap.pvbws.bucket_size.fw Peak Forward CPS Bucket Size Unsigned 16-bit integer
alcap.pvbws.max_size.bw Backwards CPS Packet Size Unsigned 8-bit integer
alcap.pvbws.max_size.fw Forward CPS Packet Size Unsigned 8-bit integer
alcap.pvbws.stt Source Traffic Type Unsigned 8-bit integer
alcap.pvbwt.bitrate.bw Peak CPS Backwards Bitrate Unsigned 24-bit integer
alcap.pvbwt.bitrate.fw Peak CPS Forward Bitrate Unsigned 24-bit integer
alcap.pvbwt.bucket_size.bw Peak Backwards CPS Bucket Size Unsigned 16-bit integer
alcap.pvbwt.bucket_size.fw Peak Forward CPS Bucket Size Unsigned 16-bit integer
alcap.pvbwt.max_size.bw Backwards CPS Packet Size Unsigned 8-bit integer
alcap.pvbwt.max_size.fw Forward CPS Packet Size Unsigned 8-bit integer
alcap.ssia.cas CAS Unsigned 8-bit integer Channel Associated Signalling
alcap.ssia.cmd Circuit Mode Unsigned 8-bit integer
alcap.ssia.dtmf DTMF Unsigned 8-bit integer
alcap.ssia.fax Fax Unsigned 8-bit integer Facsimile
alcap.ssia.frm Frame Mode Unsigned 8-bit integer
alcap.ssia.max_fmdata_len Max Len of FM Data Unsigned 16-bit integer
alcap.ssia.mfr1 Multi-Frequency R1 Unsigned 8-bit integer
alcap.ssia.mfr2 Multi-Frequency R2 Unsigned 8-bit integer
alcap.ssia.oui OUI Byte array Organizational Unique Identifier
alcap.ssia.pcm PCM Mode Unsigned 8-bit integer
alcap.ssia.profile.id Profile Id Unsigned 8-bit integer
alcap.ssia.profile.type Profile Type Unsigned 8-bit integer I.366.2 Profile Type
alcap.ssiae.cas CAS Unsigned 8-bit integer Channel Associated Signalling
alcap.ssiae.cmd Circuit Mode Unsigned 8-bit integer
alcap.ssiae.dtmf DTMF Unsigned 8-bit integer
alcap.ssiae.fax Fax Unsigned 8-bit integer Facsimile
alcap.ssiae.frm Frame Mode Unsigned 8-bit integer
alcap.ssiae.lb Loopback Unsigned 8-bit integer
alcap.ssiae.mfr1 Multi-Frequency R1 Unsigned 8-bit integer
alcap.ssiae.mfr2 Multi-Frequency R2 Unsigned 8-bit integer
alcap.ssiae.oui OUI Byte array Organizational Unique Identifier
alcap.ssiae.pcm PCM Mode Unsigned 8-bit integer
alcap.ssiae.profile.id Profile Id Unsigned 8-bit integer
alcap.ssiae.profile.type Profile Type Unsigned 8-bit integer I.366.2 Profile Type
alcap.ssiae.rc Rate Conctrol Unsigned 8-bit integer
alcap.ssiae.syn Syncronization Unsigned 8-bit integer Transport of synchronization of change in SSCS operation
alcap.ssim.frm Frame Mode Unsigned 8-bit integer
alcap.ssim.max Max Len Unsigned 16-bit integer
alcap.ssim.mult Multiplier Unsigned 8-bit integer
alcap.ssime.frm Frame Mode Unsigned 8-bit integer
alcap.ssime.lb Loopback Unsigned 8-bit integer
alcap.ssime.max Max Len Unsigned 16-bit integer
alcap.ssime.mult Multiplier Unsigned 8-bit integer
alcap.ssisa.sscop.max_sdu_len.bw Maximum Len of SSSAR-SDU Backwards Unsigned 16-bit integer
alcap.ssisa.sscop.max_sdu_len.fw Maximum Len of SSSAR-SDU Forward Unsigned 16-bit integer
alcap.ssisa.sscop.max_uu_len.bw Maximum Len of SSSAR-SDU Backwards Unsigned 16-bit integer
alcap.ssisa.sscop.max_uu_len.fw Maximum Len of SSSAR-SDU Forward Unsigned 16-bit integer
alcap.ssisa.sssar.max_len.fw Maximum Len of SSSAR-SDU Forward Unsigned 24-bit integer
alcap.ssisu.sssar.max_len.fw Maximum Len of SSSAR-SDU Forward Unsigned 24-bit integer
alcap.ssisu.ted Transmission Error Detection Unsigned 8-bit integer
alcap.suci SUCI Unsigned 8-bit integer Served User Correlation Id
alcap.sugr SUGR Byte array Served User Generated Reference
alcap.sut.sut_len SUT Length Unsigned 8-bit integer
alcap.sut.transport SUT Byte array Served User Transport
alcap.unknown.field Unknown Field Data Byte array
alcap.vbws.bitrate.bw CPS Backwards Bitrate Unsigned 24-bit integer
alcap.vbws.bitrate.fw CPS Forward Bitrate Unsigned 24-bit integer
alcap.vbws.bucket_size.bw Backwards CPS Bucket Size Unsigned 16-bit integer
alcap.vbws.bucket_size.fw Forward CPS Bucket Size Unsigned 16-bit integer
alcap.vbws.max_size.bw Backwards CPS Packet Size Unsigned 8-bit integer
alcap.vbws.max_size.fw Forward CPS Packet Size Unsigned 8-bit integer
alcap.vbws.stt Source Traffic Type Unsigned 8-bit integer
alcap.vbwt.bitrate.bw Peak CPS Backwards Bitrate Unsigned 24-bit integer
alcap.vbwt.bitrate.fw Peak CPS Forward Bitrate Unsigned 24-bit integer
alcap.vbwt.bucket_size.bw Peak Backwards CPS Bucket Size Unsigned 16-bit integer
alcap.vbwt.bucket_size.fw Peak Forward CPS Bucket Size Unsigned 16-bit integer
alcap.vbwt.max_size.bw Backwards CPS Packet Size Unsigned 8-bit integer
alcap.vbwt.max_size.fw Forward CPS Packet Size Unsigned 8-bit integer
acp133.ACPLegacyFormat ACPLegacyFormat Signed 32-bit integer acp133.ACPLegacyFormat
acp133.ACPPreferredDelivery ACPPreferredDelivery Unsigned 32-bit integer acp133.ACPPreferredDelivery
acp133.ALType ALType Signed 32-bit integer acp133.ALType
acp133.AddressCapabilities AddressCapabilities No value acp133.AddressCapabilities
acp133.Addressees Addressees Unsigned 32-bit integer acp133.Addressees
acp133.Addressees_item Item String acp133.PrintableString_SIZE_1_55
acp133.Capability Capability No value acp133.Capability
acp133.Classification Classification Unsigned 32-bit integer acp133.Classification
acp133.Community Community Unsigned 32-bit integer acp133.Community
acp133.DLPolicy DLPolicy No value acp133.DLPolicy
acp133.DLSubmitPermission DLSubmitPermission Unsigned 32-bit integer acp133.DLSubmitPermission
acp133.DistributionCode DistributionCode String acp133.DistributionCode
acp133.JPEG JPEG Byte array acp133.JPEG
acp133.Kmid Kmid Byte array acp133.Kmid
acp133.MLReceiptPolicy MLReceiptPolicy Unsigned 32-bit integer acp133.MLReceiptPolicy
acp133.MonthlyUKMs MonthlyUKMs No value acp133.MonthlyUKMs
acp133.OnSupported OnSupported Byte array acp133.OnSupported
acp133.RIParameters RIParameters No value acp133.RIParameters
acp133.Remarks Remarks Unsigned 32-bit integer acp133.Remarks
acp133.Remarks_item Item String acp133.PrintableString
acp133.acp127-nn acp127-nn Boolean
acp133.acp127-pn acp127-pn Boolean
acp133.acp127-tn acp127-tn Boolean
acp133.address address No value x411.ORAddress
acp133.algorithm_identifier algorithm-identifier No value x509af.AlgorithmIdentifier
acp133.capabilities capabilities Unsigned 32-bit integer acp133.SET_OF_Capability
acp133.capabilities_item Item No value acp133.Capability
acp133.classification classification Unsigned 32-bit integer acp133.Classification
acp133.content_types content-types Unsigned 32-bit integer acp133.SET_OF_ExtendedContentType
acp133.content_types_item Item x411.ExtendedContentType
acp133.conversion_with_loss_prohibited conversion-with-loss-prohibited Unsigned 32-bit integer acp133.T_conversion_with_loss_prohibited
acp133.date date String acp133.UTCTime
acp133.description description String acp133.GeneralString
acp133.disclosure_of_other_recipients disclosure-of-other-recipients Unsigned 32-bit integer acp133.T_disclosure_of_other_recipients
acp133.edition edition Signed 32-bit integer acp133.INTEGER
acp133.encoded_information_types_constraints encoded-information-types-constraints No value x411.EncodedInformationTypesConstraints
acp133.encrypted encrypted Byte array acp133.BIT_STRING
acp133.further_dl_expansion_allowed further-dl-expansion-allowed Boolean acp133.BOOLEAN
acp133.implicit_conversion_prohibited implicit-conversion-prohibited Unsigned 32-bit integer acp133.T_implicit_conversion_prohibited
acp133.inAdditionTo inAdditionTo Unsigned 32-bit integer acp133.SEQUENCE_OF_GeneralNames
acp133.inAdditionTo_item Item Unsigned 32-bit integer x509ce.GeneralNames
acp133.individual individual No value x411.ORName
acp133.insteadOf insteadOf Unsigned 32-bit integer acp133.SEQUENCE_OF_GeneralNames
acp133.insteadOf_item Item Unsigned 32-bit integer x509ce.GeneralNames
acp133.kmid kmid Byte array acp133.Kmid
acp133.maximum_content_length maximum-content-length Unsigned 32-bit integer x411.ContentLength
acp133.member_of_dl member-of-dl No value x411.ORName
acp133.member_of_group member-of-group Unsigned 32-bit integer x509if.Name
acp133.minimize minimize Boolean acp133.BOOLEAN
acp133.none none No value acp133.NULL
acp133.originating_MTA_report originating-MTA-report Signed 32-bit integer acp133.T_originating_MTA_report
acp133.originator_certificate_selector originator-certificate-selector No value x509ce.CertificateAssertion
acp133.originator_report originator-report Signed 32-bit integer acp133.T_originator_report
acp133.originator_requested_alternate_recipient_removed originator-requested-alternate-recipient-removed Boolean acp133.BOOLEAN
acp133.pattern_match pattern-match No value acp133.ORNamePattern
acp133.priority priority Signed 32-bit integer acp133.T_priority
acp133.proof_of_delivery proof-of-delivery Signed 32-bit integer acp133.T_proof_of_delivery
acp133.rI rI String acp133.PrintableString
acp133.rIType rIType Unsigned 32-bit integer acp133.T_rIType
acp133.recipient_certificate_selector recipient-certificate-selector No value x509ce.CertificateAssertion
acp133.removed removed No value acp133.NULL
acp133.replaced replaced Unsigned 32-bit integer x411.RequestedDeliveryMethod
acp133.report_from_dl report-from-dl Signed 32-bit integer acp133.T_report_from_dl
acp133.report_propagation report-propagation Signed 32-bit integer acp133.T_report_propagation
acp133.requested_delivery_method requested-delivery-method Unsigned 32-bit integer acp133.T_requested_delivery_method
acp133.return_of_content return-of-content Unsigned 32-bit integer acp133.T_return_of_content
acp133.sHD sHD String acp133.PrintableString
acp133.security_labels security-labels Unsigned 32-bit integer x411.SecurityContext
acp133.tag tag No value acp133.PairwiseTag
acp133.token_encryption_algorithm_preference token-encryption-algorithm-preference Unsigned 32-bit integer acp133.SEQUENCE_OF_AlgorithmInformation
acp133.token_encryption_algorithm_preference_item Item No value acp133.AlgorithmInformation
acp133.token_signature_algorithm_preference token-signature-algorithm-preference Unsigned 32-bit integer acp133.SEQUENCE_OF_AlgorithmInformation
acp133.token_signature_algorithm_preference_item Item No value acp133.AlgorithmInformation
acp133.ukm ukm Byte array acp133.OCTET_STRING
acp133.ukm_entries ukm-entries Unsigned 32-bit integer acp133.SEQUENCE_OF_UKMEntry
acp133.ukm_entries_item Item No value acp133.UKMEntry
acp133.unchanged unchanged No value acp133.NULL
rep_proc.opnum Operation Unsigned 16-bit integer Operation
admin.confirm_status Confirmation status Unsigned 16-bit integer
aim.acctinfo.code Account Information Request Code Unsigned 16-bit integer
aim.acctinfo.permissions Account Permissions Unsigned 16-bit integer
aim.client_verification.hash Client Verification MD5 Hash Byte array
aim.client_verification.length Client Verification Request Length Unsigned 32-bit integer
aim.client_verification.offset Client Verification Request Offset Unsigned 32-bit integer
aim.evil.new_warn_level New warning level Unsigned 16-bit integer
aim.ext_status.data Extended Status Data Byte array
aim.ext_status.flags Extended Status Flags Unsigned 8-bit integer
aim.ext_status.length Extended Status Length Unsigned 8-bit integer
aim.ext_status.type Extended Status Type Unsigned 16-bit integer
aim.idle_time Idle time (seconds) Unsigned 32-bit integer
aim.migrate.numfams Number of families to migrate Unsigned 16-bit integer
aim.privilege_flags Privilege flags Unsigned 32-bit integer
aim.privilege_flags.allow_idle Allow other users to see idle time Boolean
aim.privilege_flags.allow_member Allow other users to see how long account has been a member Boolean
aim.ratechange.msg Rate Change Message Unsigned 16-bit integer
aim.rateinfo.class.alertlevel Alert Level Unsigned 32-bit integer
aim.rateinfo.class.clearlevel Clear Level Unsigned 32-bit integer
aim.rateinfo.class.currentlevel Current Level Unsigned 32-bit integer
aim.rateinfo.class.curstate Current State Unsigned 8-bit integer
aim.rateinfo.class.disconnectlevel Disconnect Level Unsigned 32-bit integer
aim.rateinfo.class.id Class ID Unsigned 16-bit integer
aim.rateinfo.class.lasttime Last Time Unsigned 32-bit integer
aim.rateinfo.class.limitlevel Limit Level Unsigned 32-bit integer
aim.rateinfo.class.maxlevel Max Level Unsigned 32-bit integer
aim.rateinfo.class.numpairs Number of Family/Subtype pairs Unsigned 16-bit integer
aim.rateinfo.class.window_size Window Size Unsigned 32-bit integer
aim.rateinfo.numclasses Number of Rateinfo Classes Unsigned 16-bit integer
aim.rateinfoack.class Acknowledged Rate Class Unsigned 16-bit integer
aim.selfinfo.warn_level Warning level Unsigned 16-bit integer
generic.motd.motdtype MOTD Type Unsigned 16-bit integer
generic.servicereq.service Requested Service Unsigned 16-bit integer
aim_icq.chunk_size Data chunk size Unsigned 16-bit integer
aim_icq.offline_msgs.dropped_flag Dropped messages flag Unsigned 8-bit integer
aim_icq.owner_uid Owner UID Unsigned 32-bit integer
aim_icq.request_seq_number Request Sequence Number Unsigned 16-bit integer
aim_icq.request_type Request Type Unsigned 16-bit integer
aim_icq.subtype Meta Request Subtype Unsigned 16-bit integer
aim.snac.location.request_user_info.infotype Infotype Unsigned 16-bit integer
aim.clientautoresp.client_caps_flags Client Capabilities Flags Unsigned 32-bit integer
aim.clientautoresp.protocol_version Version Unsigned 16-bit integer
aim.clientautoresp.reason Reason Unsigned 16-bit integer
aim.evil.warn_level Old warning level Unsigned 16-bit integer
aim.evilreq.origin Send Evil Bit As Unsigned 16-bit integer
aim.icbm.channel Channel to setup Unsigned 16-bit integer
aim.icbm.extended_data.message.flags Message Flags Unsigned 8-bit integer
aim.icbm.extended_data.message.flags.auto Auto Message Boolean
aim.icbm.extended_data.message.flags.normal Normal Message Boolean
aim.icbm.extended_data.message.priority_code Priority Code Unsigned 16-bit integer
aim.icbm.extended_data.message.status_code Status Code Unsigned 16-bit integer
aim.icbm.extended_data.message.text Text String
aim.icbm.extended_data.message.text_length Text Length Unsigned 16-bit integer
aim.icbm.extended_data.message.type Message Type Unsigned 8-bit integer
aim.icbm.flags Message Flags Unsigned 32-bit integer
aim.icbm.max_receiver_warnlevel max receiver warn level Unsigned 16-bit integer
aim.icbm.max_sender_warn-level Max sender warn level Unsigned 16-bit integer
aim.icbm.max_snac Max SNAC Size Unsigned 16-bit integer
aim.icbm.min_msg_interval Minimum message interval (seconds) Unsigned 16-bit integer
aim.icbm.rendezvous.extended_data.message.flags.multi Multiple Recipients Message Boolean
aim.icbm.unknown Unknown parameter Unsigned 16-bit integer
aim.messaging.channelid Message Channel ID Unsigned 16-bit integer
aim.messaging.icbmcookie ICBM Cookie Byte array
aim.notification.channel Notification Channel Unsigned 16-bit integer
aim.notification.cookie Notification Cookie Byte array
aim.notification.type Notification Type Unsigned 16-bit integer
aim.rendezvous.msg_type Message Type Unsigned 16-bit integer
aim.bos.userclass User class Unsigned 32-bit integer
aim.fnac.ssi.bid SSI Buddy ID Unsigned 16-bit integer
aim.fnac.ssi.buddyname Buddy Name String
aim.fnac.ssi.buddyname_len SSI Buddy Name length Unsigned 16-bit integer
aim.fnac.ssi.data SSI Buddy Data Unsigned 16-bit integer
aim.fnac.ssi.gid SSI Buddy Group ID Unsigned 16-bit integer
aim.fnac.ssi.last_change_time SSI Last Change Time Unsigned 32-bit integer
aim.fnac.ssi.numitems SSI Object count Unsigned 16-bit integer
aim.fnac.ssi.tlvlen SSI TLV Len Unsigned 16-bit integer
aim.fnac.ssi.type SSI Buddy type Unsigned 16-bit integer
aim.fnac.ssi.version SSI Version Unsigned 8-bit integer
aim.sst.icon Icon Byte array
aim.sst.icon_size Icon Size Unsigned 16-bit integer
aim.sst.md5 MD5 Hash Byte array
aim.sst.md5.size MD5 Hash Size Unsigned 8-bit integer
aim.sst.ref_num Reference Number Unsigned 16-bit integer
aim.sst.unknown Unknown Data Byte array
aim.userlookup.email Email address looked for String Email address
ansi_a.bsmap_msgtype BSMAP Message Type Unsigned 8-bit integer
ansi_a.cell_ci Cell CI Unsigned 16-bit integer
ansi_a.cell_lac Cell LAC Unsigned 16-bit integer
ansi_a.cell_mscid Cell MSCID Unsigned 24-bit integer
ansi_a.cld_party_ascii_num Called Party ASCII Number String
ansi_a.cld_party_bcd_num Called Party BCD Number String
ansi_a.clg_party_ascii_num Calling Party ASCII Number String
ansi_a.clg_party_bcd_num Calling Party BCD Number String
ansi_a.dtap_msgtype DTAP Message Type Unsigned 8-bit integer
ansi_a.elem_id Element ID Unsigned 8-bit integer
ansi_a.esn ESN Unsigned 32-bit integer
ansi_a.imsi IMSI String
ansi_a.len Length Unsigned 8-bit integer
ansi_a.min MIN String
ansi_a.none Sub tree No value
ansi_a.pdsn_ip_addr PDSN IP Address IPv4 address IP Address
ansi_637.bin_addr Binary Address Byte array
ansi_637.len Length Unsigned 8-bit integer
ansi_637.none Sub tree No value
ansi_637.tele_msg_id Message ID Unsigned 24-bit integer
ansi_637.tele_msg_rsvd Reserved Unsigned 24-bit integer
ansi_637.tele_msg_type Message Type Unsigned 24-bit integer
ansi_637.tele_subparam_id Teleservice Subparam ID Unsigned 8-bit integer
ansi_637.trans_msg_type Message Type Unsigned 24-bit integer
ansi_637.trans_param_id Transport Param ID Unsigned 8-bit integer
ansi_683.for_msg_type Forward Link Message Type Unsigned 8-bit integer
ansi_683.len Length Unsigned 8-bit integer
ansi_683.none Sub tree No value
ansi_683.rev_msg_type Reverse Link Message Type Unsigned 8-bit integer
ansi_801.for_req_type Forward Request Type Unsigned 8-bit integer
ansi_801.for_rsp_type Forward Response Type Unsigned 8-bit integer
ansi_801.for_sess_tag Forward Session Tag Unsigned 8-bit integer
ansi_801.rev_req_type Reverse Request Type Unsigned 8-bit integer
ansi_801.rev_rsp_type Reverse Response Type Unsigned 8-bit integer
ansi_801.rev_sess_tag Reverse Session Tag Unsigned 8-bit integer
ansi_801.sess_tag Session Tag Unsigned 8-bit integer
ansi_map.billing_id Billing ID Signed 32-bit integer
ansi_map.id Value Unsigned 8-bit integer
ansi_map.ios401_elem_id IOS 4.0.1 Element ID No value
ansi_map.len Length Unsigned 8-bit integer
ansi_map.min MIN String
ansi_map.number Number String
ansi_map.oprcode Operation Code Signed 32-bit integer
ansi_map.param_id Param ID Unsigned 32-bit integer
ansi_map.tag Tag Unsigned 8-bit integer
aim.buddyname Buddy Name String
aim.buddynamelen Buddyname len Unsigned 8-bit integer
aim.channel Channel ID Unsigned 8-bit integer
aim.cmd_start Command Start Unsigned 8-bit integer
aim.data Data Byte array
aim.datalen Data Field Length Unsigned 16-bit integer
aim.dcinfo.addr Internal IP address IPv4 address
aim.dcinfo.auth_cookie Authorization Cookie Byte array
aim.dcinfo.client_futures Client Futures Unsigned 32-bit integer
aim.dcinfo.last_ext_info_update Last Extended Info Update Unsigned 32-bit integer
aim.dcinfo.last_ext_status_update Last Extended Status Update Unsigned 32-bit integer
aim.dcinfo.last_info_update Last Info Update Unsigned 32-bit integer
aim.dcinfo.proto_version Protocol Version Unsigned 16-bit integer
aim.dcinfo.tcpport TCP Port Unsigned 32-bit integer
aim.dcinfo.type Type Unsigned 8-bit integer
aim.dcinfo.unknown Unknown Unsigned 16-bit integer
aim.dcinfo.webport Web Front Port Unsigned 32-bit integer
aim.fnac.family FNAC Family ID Unsigned 16-bit integer
aim.fnac.flags FNAC Flags Unsigned 16-bit integer
aim.fnac.flags.contains_version Contains Version of Family this SNAC is in Boolean
aim.fnac.flags.next_is_related Followed By SNAC with related information Boolean
aim.fnac.id FNAC ID Unsigned 32-bit integer
aim.fnac.subtype FNAC Subtype ID Unsigned 16-bit integer
aim.infotype Infotype Unsigned 16-bit integer
aim.messageblock.charset Block Character set Unsigned 16-bit integer
aim.messageblock.charsubset Block Character subset Unsigned 16-bit integer
aim.messageblock.features Features Byte array
aim.messageblock.featuresdes Features Unsigned 16-bit integer
aim.messageblock.featureslen Features Length Unsigned 16-bit integer
aim.messageblock.info Block info Unsigned 16-bit integer
aim.messageblock.length Block length Unsigned 16-bit integer
aim.messageblock.message Message String
aim.seqno Sequence Number Unsigned 16-bit integer
aim.signon.challenge Signon challenge String
aim.signon.challengelen Signon challenge length Unsigned 16-bit integer
aim.snac.error SNAC Error Unsigned 16-bit integer
aim.tlvcount TLV Count Unsigned 16-bit integer
aim.userclass.administrator AOL Administrator flag Boolean
aim.userclass.away AOL away status flag Boolean
aim.userclass.commercial AOL commercial account flag Boolean
aim.userclass.icq ICQ user sign Boolean
aim.userclass.noncommercial ICQ non-commercial account flag Boolean
aim.userclass.staff AOL Staff User Flag Boolean
aim.userclass.unconfirmed AOL Unconfirmed user flag Boolean
aim.userclass.unknown100 Unknown bit Boolean
aim.userclass.unknown200 Unknown bit Boolean
aim.userclass.unknown400 Unknown bit Boolean
aim.userclass.unknown800 Unknown bit Boolean
aim.userclass.wireless AOL wireless user Boolean
aim.userinfo.warninglevel Warning Level Unsigned 16-bit integer
aim.version Protocol Version Byte array
arcnet.dst Dest Unsigned 8-bit integer Dest ID
arcnet.exception_flag Exception Flag Unsigned 8-bit integer Exception flag
arcnet.offset Offset Byte array Offset
arcnet.protID Protocol ID Unsigned 8-bit integer Proto type
arcnet.sequence Sequence Unsigned 16-bit integer Sequence number
arcnet.split_flag Split Flag Unsigned 8-bit integer Split flag
arcnet.src Source Unsigned 8-bit integer Source ID
aoe.aflags.a A Boolean Whether this is an asynchronous write or not
aoe.aflags.d D Boolean
aoe.aflags.e E Boolean Whether this is a normal or LBA48 command
aoe.aflags.w W Boolean Is this a command writing data to the device or not
aoe.ata.cmd ATA Cmd Unsigned 8-bit integer ATA command opcode
aoe.ata.status ATA Status Unsigned 8-bit integer ATA status bits
aoe.cmd Command Unsigned 8-bit integer AOE Command
aoe.err_feature Err/Feature Unsigned 8-bit integer Err/Feature
aoe.error Error Unsigned 8-bit integer Error code
aoe.lba Lba Unsigned 64-bit integer Lba address
aoe.major Major Unsigned 16-bit integer Major address
aoe.minor Minor Unsigned 8-bit integer Minor address
aoe.response Response flag Boolean Whether this is a response PDU or not
aoe.response_in Response In Frame number The response to this packet is in this frame
aoe.response_to Response To Frame number This is a response to the ATA command in this frame
aoe.sector_count Sector Count Unsigned 8-bit integer Sector Count
aoe.tag Tag Unsigned 32-bit integer Command Tag
aoe.time Time from request Time duration Time between Request and Reply for ATA calls
aoe.version Version Unsigned 8-bit integer Version of the AOE protocol
atm.aal AAL Unsigned 8-bit integer
atm.vci VCI Unsigned 16-bit integer
atm.vpi VPI Unsigned 8-bit integer
wlancap.antenna Antenna Unsigned 32-bit integer
wlancap.channel Channel Unsigned 32-bit integer
wlancap.datarate Data rate Unsigned 32-bit integer
wlancap.drops Known Dropped Frames Unsigned 32-bit integer
wlancap.encoding Encoding Type Unsigned 32-bit integer
wlancap.hosttime Host timestamp Unsigned 64-bit integer
wlancap.length Header length Unsigned 32-bit integer
wlancap.mactime MAC timestamp Unsigned 64-bit integer
wlancap.phytype PHY type Unsigned 32-bit integer
wlancap.preamble Preamble Unsigned 32-bit integer
wlancap.priority Priority Unsigned 32-bit integer
wlancap.sequence Receive sequence Unsigned 32-bit integer
wlancap.sniffer_addr Sniffer Address 6-byte Hardware (MAC) Address Sniffer Hardware Address
wlancap.ssi_noise SSI Noise Signed 32-bit integer
wlancap.ssi_signal SSI Signal Signed 32-bit integer
wlancap.ssi_type SSI Type Unsigned 32-bit integer
wlancap.version Header revision Unsigned 32-bit integer
ax4000.chassis Chassis Number Unsigned 8-bit integer
ax4000.crc CRC (unchecked) Unsigned 16-bit integer
ax4000.fill Fill Type Unsigned 8-bit integer
ax4000.index Index Unsigned 16-bit integer
ax4000.port Port Number Unsigned 8-bit integer
ax4000.seq Sequence Number Unsigned 32-bit integer
ax4000.timestamp Timestamp Unsigned 32-bit integer
dssetup.dssetup_DsRoleFlags.DS_ROLE_PRIMARY_DOMAIN_GUID_PRESENT Ds Role Primary Domain Guid Present Boolean
dssetup.dssetup_DsRoleFlags.DS_ROLE_PRIMARY_DS_MIXED_MODE Ds Role Primary Ds Mixed Mode Boolean
dssetup.dssetup_DsRoleFlags.DS_ROLE_PRIMARY_DS_RUNNING Ds Role Primary Ds Running Boolean
dssetup.dssetup_DsRoleFlags.DS_ROLE_UPGRADE_IN_PROGRESS Ds Role Upgrade In Progress Boolean
dssetup.dssetup_DsRoleGetPrimaryDomainInformation.info Info No value
dssetup.dssetup_DsRoleGetPrimaryDomainInformation.level Level Unsigned 16-bit integer
dssetup.dssetup_DsRoleInfo.basic Basic No value
dssetup.dssetup_DsRoleInfo.opstatus Opstatus No value
dssetup.dssetup_DsRoleInfo.upgrade Upgrade No value
dssetup.dssetup_DsRoleOpStatus.status Status Unsigned 16-bit integer
dssetup.dssetup_DsRolePrimaryDomInfoBasic.dns_domain Dns Domain String
dssetup.dssetup_DsRolePrimaryDomInfoBasic.domain Domain String
dssetup.dssetup_DsRolePrimaryDomInfoBasic.domain_guid Domain Guid
dssetup.dssetup_DsRolePrimaryDomInfoBasic.flags Flags Unsigned 32-bit integer
dssetup.dssetup_DsRolePrimaryDomInfoBasic.forest Forest String
dssetup.dssetup_DsRolePrimaryDomInfoBasic.role Role Unsigned 16-bit integer
dssetup.dssetup_DsRoleUpgradeStatus.previous_role Previous Role Unsigned 16-bit integer
dssetup.dssetup_DsRoleUpgradeStatus.upgrading Upgrading Unsigned 32-bit integer
dssetup.opnum Operation Unsigned 16-bit integer
dssetup.werror Windows Error Unsigned 32-bit integer
aodv.dest_ip Destination IP IPv4 address Destination IP Address
aodv.dest_ipv6 Destination IPv6 IPv6 address Destination IPv6 Address
aodv.dest_seqno Destination Sequence Number Unsigned 32-bit integer Destination Sequence Number
aodv.destcount Destination Count Unsigned 8-bit integer Unreachable Destinations Count
aodv.ext_length Extension Length Unsigned 8-bit integer Extension Data Length
aodv.ext_type Extension Type Unsigned 8-bit integer Extension Format Type
aodv.flags Flags Unsigned 16-bit integer Flags
aodv.flags.rerr_nodelete RERR No Delete Boolean
aodv.flags.rrep_ack RREP Acknowledgement Boolean
aodv.flags.rrep_repair RREP Repair Boolean
aodv.flags.rreq_destinationonly RREQ Destination only Boolean
aodv.flags.rreq_gratuitous RREQ Gratuitous RREP Boolean
aodv.flags.rreq_join RREQ Join Boolean
aodv.flags.rreq_repair RREQ Repair Boolean
aodv.flags.rreq_unknown RREQ Unknown Sequence Number Boolean
aodv.hello_interval Hello Interval Unsigned 32-bit integer Hello Interval Extension
aodv.hopcount Hop Count Unsigned 8-bit integer Hop Count
aodv.lifetime Lifetime Unsigned 32-bit integer Lifetime
aodv.orig_ip Originator IP IPv4 address Originator IP Address
aodv.orig_ipv6 Originator IPv6 IPv6 address Originator IPv6 Address
aodv.orig_seqno Originator Sequence Number Unsigned 32-bit integer Originator Sequence Number
aodv.prefix_sz Prefix Size Unsigned 8-bit integer Prefix Size
aodv.rreq_id RREQ Id Unsigned 32-bit integer RREQ Id
aodv.timestamp Timestamp Unsigned 64-bit integer Timestamp Extension
aodv.type Type Unsigned 8-bit integer AODV packet type
aodv.unreach_dest_ip Unreachable Destination IP IPv4 address Unreachable Destination IP Address
aodv.unreach_dest_ipv6 Unreachable Destination IPv6 IPv6 address Unreachable Destination IPv6 Address
aodv.unreach_dest_seqno Unreachable Destination Sequence Number Unsigned 32-bit integer Unreachable Destination Sequence Number
amr.cmr CMR Unsigned 8-bit integer codec mode request
amr.fqi FQI Boolean Frame quality indicator bit
amr.if1.ft Frame Type Unsigned 8-bit integer Frame Type
amr.if1.modereq Mode Type request Unsigned 8-bit integer Mode Type request
amr.if1.sti SID Type Indicator Boolean SID Type Indicator
amr.if2.ft Frame Type Unsigned 8-bit integer Frame Type
amr.reserved Reserved Unsigned 8-bit integer Reserved bits
amr.sti SID Type Indicator Boolean SID Type Indicator
amr.toc.f F bit Boolean F bit
amr.toc.f.ual1 F bit Boolean F bit
amr.toc.f.ual2 F bit Boolean F bit
amr.toc.ft FT bits Unsigned 8-bit integer FT bits
amr.toc.ft.ual1 FT bits Unsigned 16-bit integer FT bits
amr.toc.ft.ual2 FT bits Unsigned 16-bit integer FT bits
amr.toc.q Q bit Boolean Frame quality indicator bit
amr.toc.ua1.q.ual1 Q bit Boolean Frame quality indicator bit
amr.toc.ua1.q.ual2 Q bit Boolean Frame quality indicator bit
arp.dst.atm_num_e164 Target ATM number (E.164) String
arp.dst.atm_num_nsap Target ATM number (NSAP) Byte array
arp.dst.atm_subaddr Target ATM subaddress Byte array
arp.dst.hlen Target ATM number length Unsigned 8-bit integer
arp.dst.htype Target ATM number type Boolean
arp.dst.hw Target hardware address Byte array
arp.dst.hw_mac Target MAC address 6-byte Hardware (MAC) Address
arp.dst.pln Target protocol size Unsigned 8-bit integer
arp.dst.proto Target protocol address Byte array
arp.dst.proto_ipv4 Target IP address IPv4 address
arp.dst.slen Target ATM subaddress length Unsigned 8-bit integer
arp.dst.stype Target ATM subaddress type Boolean
arp.hw.size Hardware size Unsigned 8-bit integer
arp.hw.type Hardware type Unsigned 16-bit integer
arp.opcode Opcode Unsigned 16-bit integer
arp.proto.size Protocol size Unsigned 8-bit integer
arp.proto.type Protocol type Unsigned 16-bit integer
arp.src.atm_num_e164 Sender ATM number (E.164) String
arp.src.atm_num_nsap Sender ATM number (NSAP) Byte array
arp.src.atm_subaddr Sender ATM subaddress Byte array
arp.src.hlen Sender ATM number length Unsigned 8-bit integer
arp.src.htype Sender ATM number type Boolean
arp.src.hw Sender hardware address Byte array
arp.src.hw_mac Sender MAC address 6-byte Hardware (MAC) Address
arp.src.pln Sender protocol size Unsigned 8-bit integer
arp.src.proto Sender protocol address Byte array
arp.src.proto_ipv4 Sender IP address IPv4 address
arp.src.slen Sender ATM subaddress length Unsigned 8-bit integer
arp.src.stype Sender ATM subaddress type Boolean
asap.cause_code Cause code Unsigned 16-bit integer
asap.cause_info Cause info Byte array
asap.cause_length Cause length Unsigned 16-bit integer
asap.cause_padding Padding Byte array
asap.cookie Cookie Byte array
asap.h_bit H bit Boolean
asap.ipv4_address IP Version 4 address IPv4 address
asap.ipv6_address IP Version 6 address IPv6 address
asap.message_flags Flags Unsigned 8-bit integer
asap.message_length Length Unsigned 16-bit integer
asap.message_type Type Unsigned 8-bit integer
asap.parameter_length Parameter length Unsigned 16-bit integer
asap.parameter_padding Padding Byte array
asap.parameter_type Parameter Type Unsigned 16-bit integer
asap.parameter_value Parameter value Byte array
asap.pe_checksum PE checksum Unsigned 32-bit integer
asap.pe_checksum_reserved Reserved Unsigned 16-bit integer
asap.pe_identifier PE identifier Unsigned 32-bit integer
asap.pool_element_home_enrp_server_identifier Home ENRP server identifier Unsigned 32-bit integer
asap.pool_element_pe_identifier PE identifier Unsigned 32-bit integer
asap.pool_element_registration_life Registration life Signed 32-bit integer
asap.pool_handle_pool_handle Pool handle Byte array
asap.pool_member_slection_policy_type Policy type Unsigned 8-bit integer
asap.pool_member_slection_policy_value Policy value Signed 24-bit integer
asap.r_bit R bit Boolean
asap.sctp_transport_port Port Unsigned 16-bit integer
asap.server_identifier Server identifier Unsigned 32-bit integer
asap.server_information_m_bit M-Bit Boolean
asap.server_information_reserved Reserved Unsigned 32-bit integer
asap.tcp_transport_port Port Unsigned 16-bit integer
asap.transport_use Transport use Unsigned 16-bit integer
asap.udp_transport_port Port Unsigned 16-bit integer
asap.udp_transport_reserved Reserved Unsigned 16-bit integer
asf.iana IANA Enterprise Number Unsigned 32-bit integer ASF IANA Enterprise Number
asf.len Data Length Unsigned 8-bit integer ASF Data Length
asf.tag Message Tag Unsigned 8-bit integer ASF Message Tag
asf.type Message Type Unsigned 8-bit integer ASF Message Type
tpcp.caddr Client Source IP address IPv4 address
tpcp.cid Client indent Unsigned 16-bit integer
tpcp.cport Client Source Port Unsigned 16-bit integer
tpcp.flags.redir No Redirect Boolean Don't redirect client
tpcp.flags.tcp UDP/TCP Boolean Protocol type
tpcp.flags.xoff XOFF Boolean
tpcp.flags.xon XON Boolean
tpcp.rasaddr RAS server IP address IPv4 address
tpcp.saddr Server IP address IPv4 address
tpcp.type Type Unsigned 8-bit integer PDU type
tpcp.vaddr Virtual Server IP address IPv4 address
tpcp.version Version Unsigned 8-bit integer TPCP version
afs.backup Backup Boolean Backup Server
afs.backup.errcode Error Code Unsigned 32-bit integer Error Code
afs.backup.opcode Operation Unsigned 32-bit integer Operation
afs.bos BOS Boolean Basic Oversee Server
afs.bos.baktime Backup Time Date/Time stamp Backup Time
afs.bos.cell Cell String Cell
afs.bos.cmd Command String Command
afs.bos.content Content String Content
afs.bos.data Data Byte array Data
afs.bos.date Date Unsigned 32-bit integer Date
afs.bos.errcode Error Code Unsigned 32-bit integer Error Code
afs.bos.error Error String Error
afs.bos.file File String File
afs.bos.flags Flags Unsigned 32-bit integer Flags
afs.bos.host Host String Host
afs.bos.instance Instance String Instance
afs.bos.key Key Byte array key
afs.bos.keychecksum Key Checksum Unsigned 32-bit integer Key Checksum
afs.bos.keymodtime Key Modification Time Date/Time stamp Key Modification Time
afs.bos.keyspare2 Key Spare 2 Unsigned 32-bit integer Key Spare 2
afs.bos.kvno Key Version Number Unsigned 32-bit integer Key Version Number
afs.bos.newtime New Time Date/Time stamp New Time
afs.bos.number Number Unsigned 32-bit integer Number
afs.bos.oldtime Old Time Date/Time stamp Old Time
afs.bos.opcode Operation Unsigned 32-bit integer Operation
afs.bos.parm Parm String Parm
afs.bos.path Path String Path
afs.bos.size Size Unsigned 32-bit integer Size
afs.bos.spare1 Spare1 String Spare1
afs.bos.spare2 Spare2 String Spare2
afs.bos.spare3 Spare3 String Spare3
afs.bos.status Status Signed 32-bit integer Status
afs.bos.statusdesc Status Description String Status Description
afs.bos.type Type String Type
afs.bos.user User String User
afs.cb Callback Boolean Callback
afs.cb.callback.expires Expires Date/Time stamp Expires
afs.cb.callback.type Type Unsigned 32-bit integer Type
afs.cb.callback.version Version Unsigned 32-bit integer Version
afs.cb.errcode Error Code Unsigned 32-bit integer Error Code
afs.cb.fid.uniq FileID (Uniqifier) Unsigned 32-bit integer File ID (Uniqifier)
afs.cb.fid.vnode FileID (VNode) Unsigned 32-bit integer File ID (VNode)
afs.cb.fid.volume FileID (Volume) Unsigned 32-bit integer File ID (Volume)
afs.cb.opcode Operation Unsigned 32-bit integer Operation
afs.error Error Boolean Error
afs.error.opcode Operation Unsigned 32-bit integer Operation
afs.fs File Server Boolean File Server
afs.fs.acl.a _A_dminister Boolean Administer
afs.fs.acl.count.negative ACL Count (Negative) Unsigned 32-bit integer Number of Negative ACLs
afs.fs.acl.count.positive ACL Count (Positive) Unsigned 32-bit integer Number of Positive ACLs
afs.fs.acl.d _D_elete Boolean Delete
afs.fs.acl.datasize ACL Size Unsigned 32-bit integer ACL Data Size
afs.fs.acl.entity Entity (User/Group) String ACL Entity (User/Group)
afs.fs.acl.i _I_nsert Boolean Insert
afs.fs.acl.k _L_ock Boolean Lock
afs.fs.acl.l _L_ookup Boolean Lookup
afs.fs.acl.r _R_ead Boolean Read
afs.fs.acl.w _W_rite Boolean Write
afs.fs.callback.expires Expires Time duration Expires
afs.fs.callback.type Type Unsigned 32-bit integer Type
afs.fs.callback.version Version Unsigned 32-bit integer Version
afs.fs.cps.spare1 CPS Spare1 Unsigned 32-bit integer CPS Spare1
afs.fs.cps.spare2 CPS Spare2 Unsigned 32-bit integer CPS Spare2
afs.fs.cps.spare3 CPS Spare3 Unsigned 32-bit integer CPS Spare3
afs.fs.data Data Byte array Data
afs.fs.errcode Error Code Unsigned 32-bit integer Error Code
afs.fs.fid.uniq FileID (Uniqifier) Unsigned 32-bit integer File ID (Uniqifier)
afs.fs.fid.vnode FileID (VNode) Unsigned 32-bit integer File ID (VNode)
afs.fs.fid.volume FileID (Volume) Unsigned 32-bit integer File ID (Volume)
afs.fs.flength FLength Unsigned 32-bit integer FLength
afs.fs.flength64 FLength64 Unsigned 64-bit integer FLength64
afs.fs.length Length Unsigned 32-bit integer Length
afs.fs.length64 Length64 Unsigned 64-bit integer Length64
afs.fs.motd Message of the Day String Message of the Day
afs.fs.name Name String Name
afs.fs.newname New Name String New Name
afs.fs.offlinemsg Offline Message String Volume Name
afs.fs.offset Offset Unsigned 32-bit integer Offset
afs.fs.offset64 Offset64 Unsigned 64-bit integer Offset64
afs.fs.oldname Old Name String Old Name
afs.fs.opcode Operation Unsigned 32-bit integer Operation
afs.fs.status.anonymousaccess Anonymous Access Unsigned 32-bit integer Anonymous Access
afs.fs.status.author Author Unsigned 32-bit integer Author
afs.fs.status.calleraccess Caller Access Unsigned 32-bit integer Caller Access
afs.fs.status.clientmodtime Client Modification Time Date/Time stamp Client Modification Time
afs.fs.status.dataversion Data Version Unsigned 32-bit integer Data Version
afs.fs.status.dataversionhigh Data Version (High) Unsigned 32-bit integer Data Version (High)
afs.fs.status.filetype File Type Unsigned 32-bit integer File Type
afs.fs.status.group Group Unsigned 32-bit integer Group
afs.fs.status.interfaceversion Interface Version Unsigned 32-bit integer Interface Version
afs.fs.status.length Length Unsigned 32-bit integer Length
afs.fs.status.linkcount Link Count Unsigned 32-bit integer Link Count
afs.fs.status.mask Mask Unsigned 32-bit integer Mask
afs.fs.status.mask.fsync FSync Boolean FSync
afs.fs.status.mask.setgroup Set Group Boolean Set Group
afs.fs.status.mask.setmode Set Mode Boolean Set Mode
afs.fs.status.mask.setmodtime Set Modification Time Boolean Set Modification Time
afs.fs.status.mask.setowner Set Owner Boolean Set Owner
afs.fs.status.mask.setsegsize Set Segment Size Boolean Set Segment Size
afs.fs.status.mode Unix Mode Unsigned 32-bit integer Unix Mode
afs.fs.status.owner Owner Unsigned 32-bit integer Owner
afs.fs.status.parentunique Parent Unique Unsigned 32-bit integer Parent Unique
afs.fs.status.parentvnode Parent VNode Unsigned 32-bit integer Parent VNode
afs.fs.status.segsize Segment Size Unsigned 32-bit integer Segment Size
afs.fs.status.servermodtime Server Modification Time Date/Time stamp Server Modification Time
afs.fs.status.spare2 Spare 2 Unsigned 32-bit integer Spare 2
afs.fs.status.spare3 Spare 3 Unsigned 32-bit integer Spare 3
afs.fs.status.spare4 Spare 4 Unsigned 32-bit integer Spare 4
afs.fs.status.synccounter Sync Counter Unsigned 32-bit integer Sync Counter
afs.fs.symlink.content Symlink Content String Symlink Content
afs.fs.symlink.name Symlink Name String Symlink Name
afs.fs.timestamp Timestamp Date/Time stamp Timestamp
afs.fs.token Token Byte array Token
afs.fs.viceid Vice ID Unsigned 32-bit integer Vice ID
afs.fs.vicelocktype Vice Lock Type Unsigned 32-bit integer Vice Lock Type
afs.fs.volid Volume ID Unsigned 32-bit integer Volume ID
afs.fs.volname Volume Name String Volume Name
afs.fs.volsync.spare1 Volume Creation Timestamp Date/Time stamp Volume Creation Timestamp
afs.fs.volsync.spare2 Spare 2 Unsigned 32-bit integer Spare 2
afs.fs.volsync.spare3 Spare 3 Unsigned 32-bit integer Spare 3
afs.fs.volsync.spare4 Spare 4 Unsigned 32-bit integer Spare 4
afs.fs.volsync.spare5 Spare 5 Unsigned 32-bit integer Spare 5
afs.fs.volsync.spare6 Spare 6 Unsigned 32-bit integer Spare 6
afs.fs.xstats.clientversion Client Version Unsigned 32-bit integer Client Version
afs.fs.xstats.collnumber Collection Number Unsigned 32-bit integer Collection Number
afs.fs.xstats.timestamp XStats Timestamp Unsigned 32-bit integer XStats Timestamp
afs.fs.xstats.version XStats Version Unsigned 32-bit integer XStats Version
afs.kauth KAuth Boolean Kerberos Auth Server
afs.kauth.data Data Byte array Data
afs.kauth.domain Domain String Domain
afs.kauth.errcode Error Code Unsigned 32-bit integer Error Code
afs.kauth.kvno Key Version Number Unsigned 32-bit integer Key Version Number
afs.kauth.name Name String Name
afs.kauth.opcode Operation Unsigned 32-bit integer Operation
afs.kauth.princ Principal String Principal
afs.kauth.realm Realm String Realm
afs.prot Protection Boolean Protection Server
afs.prot.count Count Unsigned 32-bit integer Count
afs.prot.errcode Error Code Unsigned 32-bit integer Error Code
afs.prot.flag Flag Unsigned 32-bit integer Flag
afs.prot.gid Group ID Unsigned 32-bit integer Group ID
afs.prot.id ID Unsigned 32-bit integer ID
afs.prot.maxgid Maximum Group ID Unsigned 32-bit integer Maximum Group ID
afs.prot.maxuid Maximum User ID Unsigned 32-bit integer Maximum User ID
afs.prot.name Name String Name
afs.prot.newid New ID Unsigned 32-bit integer New ID
afs.prot.oldid Old ID Unsigned 32-bit integer Old ID
afs.prot.opcode Operation Unsigned 32-bit integer Operation
afs.prot.pos Position Unsigned 32-bit integer Position
afs.prot.uid User ID Unsigned 32-bit integer User ID
afs.repframe Reply Frame Frame number Reply Frame
afs.reqframe Request Frame Frame number Request Frame
afs.rmtsys Rmtsys Boolean Rmtsys
afs.rmtsys.opcode Operation Unsigned 32-bit integer Operation
afs.time Time from request Time duration Time between Request and Reply for AFS calls
afs.ubik Ubik Boolean Ubik
afs.ubik.activewrite Active Write Unsigned 32-bit integer Active Write
afs.ubik.addr Address IPv4 address Address
afs.ubik.amsyncsite Am Sync Site Unsigned 32-bit integer Am Sync Site
afs.ubik.anyreadlocks Any Read Locks Unsigned 32-bit integer Any Read Locks
afs.ubik.anywritelocks Any Write Locks Unsigned 32-bit integer Any Write Locks
afs.ubik.beaconsincedown Beacon Since Down Unsigned 32-bit integer Beacon Since Down
afs.ubik.currentdb Current DB Unsigned 32-bit integer Current DB
afs.ubik.currenttran Current Transaction Unsigned 32-bit integer Current Transaction
afs.ubik.epochtime Epoch Time Date/Time stamp Epoch Time
afs.ubik.errcode Error Code Unsigned 32-bit integer Error Code
afs.ubik.file File Unsigned 32-bit integer File
afs.ubik.interface Interface Address IPv4 address Interface Address
afs.ubik.isclone Is Clone Unsigned 32-bit integer Is Clone
afs.ubik.lastbeaconsent Last Beacon Sent Date/Time stamp Last Beacon Sent
afs.ubik.lastvote Last Vote Unsigned 32-bit integer Last Vote
afs.ubik.lastvotetime Last Vote Time Date/Time stamp Last Vote Time
afs.ubik.lastyesclaim Last Yes Claim Date/Time stamp Last Yes Claim
afs.ubik.lastyeshost Last Yes Host IPv4 address Last Yes Host
afs.ubik.lastyesstate Last Yes State Unsigned 32-bit integer Last Yes State
afs.ubik.lastyesttime Last Yes Time Date/Time stamp Last Yes Time
afs.ubik.length Length Unsigned 32-bit integer Length
afs.ubik.lockedpages Locked Pages Unsigned 32-bit integer Locked Pages
afs.ubik.locktype Lock Type Unsigned 32-bit integer Lock Type
afs.ubik.lowesthost Lowest Host IPv4 address Lowest Host
afs.ubik.lowesttime Lowest Time Date/Time stamp Lowest Time
afs.ubik.now Now Date/Time stamp Now
afs.ubik.nservers Number of Servers Unsigned 32-bit integer Number of Servers
afs.ubik.opcode Operation Unsigned 32-bit integer Operation
afs.ubik.position Position Unsigned 32-bit integer Position
afs.ubik.recoverystate Recovery State Unsigned 32-bit integer Recovery State
afs.ubik.site Site IPv4 address Site
afs.ubik.state State Unsigned 32-bit integer State
afs.ubik.synchost Sync Host IPv4 address Sync Host
afs.ubik.syncsiteuntil Sync Site Until Date/Time stamp Sync Site Until
afs.ubik.synctime Sync Time Date/Time stamp Sync Time
afs.ubik.tidcounter TID Counter Unsigned 32-bit integer TID Counter
afs.ubik.up Up Unsigned 32-bit integer Up
afs.ubik.version.counter Counter Unsigned 32-bit integer Counter
afs.ubik.version.epoch Epoch Date/Time stamp Epoch
afs.ubik.voteend Vote Ends Date/Time stamp Vote Ends
afs.ubik.votestart Vote Started Date/Time stamp Vote Started
afs.ubik.votetype Vote Type Unsigned 32-bit integer Vote Type
afs.ubik.writelockedpages Write Locked Pages Unsigned 32-bit integer Write Locked Pages
afs.ubik.writetran Write Transaction Unsigned 32-bit integer Write Transaction
afs.update Update Boolean Update Server
afs.update.opcode Operation Unsigned 32-bit integer Operation
afs.vldb VLDB Boolean Volume Location Database Server
afs.vldb.bkvol Backup Volume ID Unsigned 32-bit integer Read-Only Volume ID
afs.vldb.bump Bumped Volume ID Unsigned 32-bit integer Bumped Volume ID
afs.vldb.clonevol Clone Volume ID Unsigned 32-bit integer Clone Volume ID
afs.vldb.count Volume Count Unsigned 32-bit integer Volume Count
afs.vldb.errcode Error Code Unsigned 32-bit integer Error Code
afs.vldb.flags Flags Unsigned 32-bit integer Flags
afs.vldb.flags.bkexists Backup Exists Boolean Backup Exists
afs.vldb.flags.dfsfileset DFS Fileset Boolean DFS Fileset
afs.vldb.flags.roexists Read-Only Exists Boolean Read-Only Exists
afs.vldb.flags.rwexists Read/Write Exists Boolean Read/Write Exists
afs.vldb.id Volume ID Unsigned 32-bit integer Volume ID
afs.vldb.index Volume Index Unsigned 32-bit integer Volume Index
afs.vldb.name Volume Name String Volume Name
afs.vldb.nextindex Next Volume Index Unsigned 32-bit integer Next Volume Index
afs.vldb.numservers Number of Servers Unsigned 32-bit integer Number of Servers
afs.vldb.opcode Operation Unsigned 32-bit integer Operation
afs.vldb.partition Partition String Partition
afs.vldb.rovol Read-Only Volume ID Unsigned 32-bit integer Read-Only Volume ID
afs.vldb.rwvol Read-Write Volume ID Unsigned 32-bit integer Read-Only Volume ID
afs.vldb.server Server IPv4 address Server
afs.vldb.serverflags Server Flags Unsigned 32-bit integer Server Flags
afs.vldb.serverip Server IP IPv4 address Server IP
afs.vldb.serveruniq Server Unique Address Unsigned 32-bit integer Server Unique Address
afs.vldb.serveruuid Server UUID Byte array Server UUID
afs.vldb.spare1 Spare 1 Unsigned 32-bit integer Spare 1
afs.vldb.spare2 Spare 2 Unsigned 32-bit integer Spare 2
afs.vldb.spare3 Spare 3 Unsigned 32-bit integer Spare 3
afs.vldb.spare4 Spare 4 Unsigned 32-bit integer Spare 4
afs.vldb.spare5 Spare 5 Unsigned 32-bit integer Spare 5
afs.vldb.spare6 Spare 6 Unsigned 32-bit integer Spare 6
afs.vldb.spare7 Spare 7 Unsigned 32-bit integer Spare 7
afs.vldb.spare8 Spare 8 Unsigned 32-bit integer Spare 8
afs.vldb.spare9 Spare 9 Unsigned 32-bit integer Spare 9
afs.vldb.type Volume Type Unsigned 32-bit integer Volume Type
afs.vol Volume Server Boolean Volume Server
afs.vol.count Volume Count Unsigned 32-bit integer Volume Count
afs.vol.errcode Error Code Unsigned 32-bit integer Error Code
afs.vol.id Volume ID Unsigned 32-bit integer Volume ID
afs.vol.name Volume Name String Volume Name
afs.vol.opcode Operation Unsigned 32-bit integer Operation
ajp13.code Code String Type Code
ajp13.data Data String Data
ajp13.hname HNAME String Header Name
ajp13.hval HVAL String Header Value
ajp13.len Length Unsigned 16-bit integer Data Length
ajp13.magic Magic Byte array Magic Number
ajp13.method Method String HTTP Method
ajp13.nhdr NHDR Unsigned 16-bit integer Num Headers
ajp13.port PORT Unsigned 16-bit integer Port
ajp13.raddr RADDR String Remote Address
ajp13.reusep REUSEP Unsigned 8-bit integer Reuse Connection?
ajp13.rhost RHOST String Remote Host
ajp13.rlen RLEN Unsigned 16-bit integer Requested Length
ajp13.rmsg RSMSG String HTTP Status Message
ajp13.rstatus RSTATUS Unsigned 16-bit integer HTTP Status Code
ajp13.srv SRV String Server
ajp13.sslp SSLP Unsigned 8-bit integer Is SSL?
ajp13.uri URI String HTTP URI
ajp13.ver Version String HTTP Version
afp.AFPVersion AFP Version String Client AFP version
afp.UAM UAM String User Authentication Method
afp.access Access mode Unsigned 8-bit integer Fork access mode
afp.access.deny_read Deny read Boolean Deny read
afp.access.deny_write Deny write Boolean Deny write
afp.access.read Read Boolean Open for reading
afp.access.write Write Boolean Open for writing
afp.access_bitmap Bitmap Unsigned 16-bit integer Bitmap (reserved)
afp.ace_applicable ACE Byte array ACE applicable
afp.ace_flags Flags Unsigned 32-bit integer ACE flags
afp.ace_flags.allow Allow Boolean Allow rule
afp.ace_flags.deny Deny Boolean Deny rule
afp.ace_flags.directory_inherit Dir inherit Boolean Dir inherit
afp.ace_flags.file_inherit File inherit Boolean File inherit
afp.ace_flags.inherited Inherited Boolean Inherited
afp.ace_flags.limit_inherit Limit inherit Boolean Limit inherit
afp.ace_flags.only_inherit Only inherit Boolean Only inherit
afp.ace_rights Rights Unsigned 32-bit integer ACE flags
afp.acl_access_bitmap Bitmap Unsigned 32-bit integer ACL access bitmap
afp.acl_access_bitmap.append_data Append data/create subdir Boolean Append data to a file / create a subdirectory
afp.acl_access_bitmap.change_owner Change owner Boolean Change owner
afp.acl_access_bitmap.delete Delete Boolean Delete
afp.acl_access_bitmap.delete_child Delete dir Boolean Delete directory
afp.acl_access_bitmap.execute Execute/Search Boolean Execute a program
afp.acl_access_bitmap.generic_all Generic all Boolean Generic all
afp.acl_access_bitmap.generic_execute Generic execute Boolean Generic execute
afp.acl_access_bitmap.generic_read Generic read Boolean Generic read
afp.acl_access_bitmap.generic_write Generic write Boolean Generic write
afp.acl_access_bitmap.read_attrs Read attributes Boolean Read attributes
afp.acl_access_bitmap.read_data Read/List Boolean Read data / list directory
afp.acl_access_bitmap.read_extattrs Read extended attributes Boolean Read extended attributes
afp.acl_access_bitmap.read_security Read security Boolean Read access rights
afp.acl_access_bitmap.synchronize Synchronize Boolean Synchronize
afp.acl_access_bitmap.write_attrs Write attributes Boolean Write attributes
afp.acl_access_bitmap.write_data Write/Add file Boolean Write data to a file / add a file to a directory
afp.acl_access_bitmap.write_extattrs Write extended attributes Boolean Write extended attributes
afp.acl_access_bitmap.write_security Write security Boolean Write access rights
afp.acl_entrycount Count Unsigned 32-bit integer Number of ACL entries
afp.acl_flags ACL flags Unsigned 32-bit integer ACL flags
afp.acl_list_bitmap ACL bitmap Unsigned 16-bit integer ACL control list bitmap
afp.acl_list_bitmap.ACL ACL Boolean ACL
afp.acl_list_bitmap.GRPUUID GRPUUID Boolean Group UUID
afp.acl_list_bitmap.Inherit Inherit Boolean Inherit ACL
afp.acl_list_bitmap.REMOVEACL Remove ACL Boolean Remove ACL
afp.acl_list_bitmap.UUID UUID Boolean User UUID
afp.actual_count Count Signed 32-bit integer Number of bytes returned by read/write
afp.afp_login_flags Flags Unsigned 16-bit integer Login flags
afp.appl_index Index Unsigned 16-bit integer Application index
afp.appl_tag Tag Unsigned 32-bit integer Application tag
afp.backup_date Backup date Date/Time stamp Backup date
afp.cat_count Cat count Unsigned 32-bit integer Number of structures returned
afp.cat_position Position Byte array Reserved
afp.cat_req_matches Max answers Signed 32-bit integer Maximum number of matches to return.
afp.command Command Unsigned 8-bit integer AFP function
afp.comment Comment String File/folder comment
afp.create_flag Hard create Boolean Soft/hard create file
afp.creation_date Creation date Date/Time stamp Creation date
afp.data_fork_len Data fork size Unsigned 32-bit integer Data fork size
afp.did DID Unsigned 32-bit integer Parent directory ID
afp.dir_ar Access rights Unsigned 32-bit integer Directory access rights
afp.dir_ar.blank Blank access right Boolean Blank access right
afp.dir_ar.e_read Everyone has read access Boolean Everyone has read access
afp.dir_ar.e_search Everyone has search access Boolean Everyone has search access
afp.dir_ar.e_write Everyone has write access Boolean Everyone has write access
afp.dir_ar.g_read Group has read access Boolean Group has read access
afp.dir_ar.g_search Group has search access Boolean Group has search access
afp.dir_ar.g_write Group has write access Boolean Group has write access
afp.dir_ar.o_read Owner has read access Boolean Owner has read access
afp.dir_ar.o_search Owner has search access Boolean Owner has search access
afp.dir_ar.o_write Owner has write access Boolean Gwner has write access
afp.dir_ar.u_owner User is the owner Boolean Current user is the directory owner
afp.dir_ar.u_read User has read access Boolean User has read access
afp.dir_ar.u_search User has search access Boolean User has search access
afp.dir_ar.u_write User has write access Boolean User has write access
afp.dir_attribute.backup_needed Backup needed Boolean Directory needs to be backed up
afp.dir_attribute.delete_inhibit Delete inhibit Boolean Delete inhibit
afp.dir_attribute.in_exported_folder Shared area Boolean Directory is in a shared area
afp.dir_attribute.invisible Invisible Boolean Directory is not visible
afp.dir_attribute.mounted Mounted Boolean Directory is mounted
afp.dir_attribute.rename_inhibit Rename inhibit Boolean Rename inhibit
afp.dir_attribute.set_clear Set Boolean Clear/set attribute
afp.dir_attribute.share Share point Boolean Directory is a share point
afp.dir_attribute.system System Boolean Directory is a system directory
afp.dir_bitmap Directory bitmap Unsigned 16-bit integer Directory bitmap
afp.dir_bitmap.UTF8_name UTF-8 name Boolean Return UTF-8 name if directory
afp.dir_bitmap.access_rights Access rights Boolean Return access rights if directory
afp.dir_bitmap.attributes Attributes Boolean Return attributes if directory
afp.dir_bitmap.backup_date Backup date Boolean Return backup date if directory
afp.dir_bitmap.create_date Creation date Boolean Return creation date if directory
afp.dir_bitmap.did DID Boolean Return parent directory ID if directory
afp.dir_bitmap.fid File ID Boolean Return file ID if directory
afp.dir_bitmap.finder_info Finder info Boolean Return finder info if directory
afp.dir_bitmap.group_id Group id Boolean Return group id if directory
afp.dir_bitmap.long_name Long name Boolean Return long name if directory
afp.dir_bitmap.mod_date Modification date Boolean Return modification date if directory
afp.dir_bitmap.offspring_count Offspring count Boolean Return offspring count if directory
afp.dir_bitmap.owner_id Owner id Boolean Return owner id if directory
afp.dir_bitmap.short_name Short name Boolean Return short name if directory
afp.dir_bitmap.unix_privs UNIX privileges Boolean Return UNIX privileges if directory
afp.dir_group_id Group ID Signed 32-bit integer Directory group ID
afp.dir_offspring Offspring Unsigned 16-bit integer Directory offspring
afp.dir_owner_id Owner ID Signed 32-bit integer Directory owner ID
afp.dt_ref DT ref Unsigned 16-bit integer Desktop database reference num
afp.ext_data_fork_len Extended data fork size Unsigned 64-bit integer Extended (>2GB) data fork length
afp.ext_resource_fork_len Extended resource fork size Unsigned 64-bit integer Extended (>2GB) resource fork length
afp.extattr.data Data Byte array Extendend attribute data
afp.extattr.len Length Unsigned 32-bit integer Extended attribute length
afp.extattr.name Name String Extended attribute name
afp.extattr.namelen Length Unsigned 16-bit integer Extended attribute name length
afp.extattr.reply_size Reply size Unsigned 32-bit integer Reply size
afp.extattr.req_count Request Count Unsigned 16-bit integer Request Count.
afp.extattr.start_index Index Unsigned 32-bit integer Start index
afp.extattr_bitmap Bitmap Unsigned 16-bit integer Extended attributes bitmap
afp.extattr_bitmap.create Create Boolean Create extended attribute
afp.extattr_bitmap.nofollow No follow symlinks Boolean Do not follow symlink
afp.extattr_bitmap.replace Replace Boolean Replace extended attribute
afp.file_attribute.backup_needed Backup needed Boolean File needs to be backed up
afp.file_attribute.copy_protect Copy protect Boolean copy protect
afp.file_attribute.delete_inhibit Delete inhibit Boolean delete inhibit
afp.file_attribute.df_open Data fork open Boolean Data fork already open
afp.file_attribute.invisible Invisible Boolean File is not visible
afp.file_attribute.multi_user Multi user Boolean multi user
afp.file_attribute.rename_inhibit Rename inhibit Boolean rename inhibit
afp.file_attribute.rf_open Resource fork open Boolean Resource fork already open
afp.file_attribute.set_clear Set Boolean Clear/set attribute
afp.file_attribute.system System Boolean File is a system file
afp.file_attribute.write_inhibit Write inhibit Boolean Write inhibit
afp.file_bitmap File bitmap Unsigned 16-bit integer File bitmap
afp.file_bitmap.UTF8_name UTF-8 name Boolean Return UTF-8 name if file
afp.file_bitmap.attributes Attributes Boolean Return attributes if file
afp.file_bitmap.backup_date Backup date Boolean Return backup date if file
afp.file_bitmap.create_date Creation date Boolean Return creation date if file
afp.file_bitmap.data_fork_len Data fork size Boolean Return data fork size if file
afp.file_bitmap.did DID Boolean Return parent directory ID if file
afp.file_bitmap.ex_data_fork_len Extended data fork size Boolean Return extended (>2GB) data fork size if file
afp.file_bitmap.ex_resource_fork_len Extended resource fork size Boolean Return extended (>2GB) resource fork size if file
afp.file_bitmap.fid File ID Boolean Return file ID if file
afp.file_bitmap.finder_info Finder info Boolean Return finder info if file
afp.file_bitmap.launch_limit Launch limit Boolean Return launch limit if file
afp.file_bitmap.long_name Long name Boolean Return long name if file
afp.file_bitmap.mod_date Modification date Boolean Return modification date if file
afp.file_bitmap.resource_fork_len Resource fork size Boolean Return resource fork size if file
afp.file_bitmap.short_name Short name Boolean Return short name if file
afp.file_bitmap.unix_privs UNIX privileges Boolean Return UNIX privileges if file
afp.file_creator File creator String File creator
afp.file_flag Dir Boolean Is a dir
afp.file_id File ID Unsigned 32-bit integer File/directory ID
afp.file_type File type String File type
afp.finder_info Finder info Byte array Finder info
afp.flag From Unsigned 8-bit integer Offset is relative to start/end of the fork
afp.fork_type Resource fork Boolean Data/resource fork
afp.group_ID Group ID Unsigned 32-bit integer Group ID
afp.grpuuid GRPUUID Byte array Group UUID
afp.icon_index Index Unsigned 16-bit integer Icon index in desktop database
afp.icon_length Size Unsigned 16-bit integer Size for icon bitmap
afp.icon_tag Tag Unsigned 32-bit integer Icon tag
afp.icon_type Icon type Unsigned 8-bit integer Icon type
afp.last_written Last written Unsigned 32-bit integer Offset of the last byte written
afp.last_written64 Last written Unsigned 64-bit integer Offset of the last byte written (64 bits)
afp.lock_from End Boolean Offset is relative to the end of the fork
afp.lock_len Length Signed 32-bit integer Number of bytes to be locked/unlocked
afp.lock_len64 Length Signed 64-bit integer Number of bytes to be locked/unlocked (64 bits)
afp.lock_offset Offset Signed 32-bit integer First byte to be locked
afp.lock_offset64 Offset Signed 64-bit integer First byte to be locked (64 bits)
afp.lock_op unlock Boolean Lock/unlock op
afp.lock_range_start Start Signed 32-bit integer First byte locked/unlocked
afp.lock_range_start64 Start Signed 64-bit integer First byte locked/unlocked (64 bits)
afp.long_name_offset Long name offset Unsigned 16-bit integer Long name offset in packet
afp.map_id ID Unsigned 32-bit integer User/Group ID
afp.map_id_type Type Unsigned 8-bit integer Map ID type
afp.map_name Name String User/Group name
afp.map_name_type Type Unsigned 8-bit integer Map name type
afp.message Message String Message
afp.message_bitmap Bitmap Unsigned 16-bit integer Message bitmap
afp.message_bitmap.requested Request message Boolean Message Requested
afp.message_bitmap.utf8 Message is UTF8 Boolean Message is UTF8
afp.message_length Len Unsigned 32-bit integer Message length
afp.message_type Type Unsigned 16-bit integer Type of server message
afp.modification_date Modification date Date/Time stamp Modification date
afp.newline_char Newline char Unsigned 8-bit integer Value to compare ANDed bytes with when looking for newline
afp.newline_mask Newline mask Unsigned 8-bit integer Value to AND bytes with when looking for newline
afp.offset Offset Signed 32-bit integer Offset
afp.offset64 Offset Signed 64-bit integer Offset (64 bits)
afp.ofork Fork Unsigned 16-bit integer Open fork reference number
afp.ofork_len New length Signed 32-bit integer New length
afp.ofork_len64 New length Signed 64-bit integer New length (64 bits)
afp.pad Pad No value Pad Byte
afp.passwd Password String Password
afp.path_len Len Unsigned 8-bit integer Path length
afp.path_name Name String Path name
afp.path_type Type Unsigned 8-bit integer Type of names
afp.path_unicode_hint Unicode hint Unsigned 32-bit integer Unicode hint
afp.path_unicode_len Len Unsigned 16-bit integer Path length (unicode)
afp.random Random number Byte array UAM random number
afp.reply_size Reply size Unsigned 16-bit integer Reply size
afp.reply_size32 Reply size Unsigned 32-bit integer Reply size
afp.req_count Req count Unsigned 16-bit integer Maximum number of structures returned
afp.reqcount64 Count Signed 64-bit integer Request Count (64 bits)
afp.request_bitmap Request bitmap Unsigned 32-bit integer Request bitmap
afp.request_bitmap.UTF8_name UTF-8 name Boolean Search UTF-8 name
afp.request_bitmap.attributes Attributes Boolean Search attributes
afp.request_bitmap.backup_date Backup date Boolean Search backup date
afp.request_bitmap.create_date Creation date Boolean Search creation date
afp.request_bitmap.data_fork_len Data fork size Boolean Search data fork size
afp.request_bitmap.did DID Boolean Search parent directory ID
afp.request_bitmap.ex_data_fork_len Extended data fork size Boolean Search extended (>2GB) data fork size
afp.request_bitmap.ex_resource_fork_len Extended resource fork size Boolean Search extended (>2GB) resource fork size
afp.request_bitmap.finder_info Finder info Boolean Search finder info
afp.request_bitmap.long_name Long name Boolean Search long name
afp.request_bitmap.mod_date Modification date Boolean Search modification date
afp.request_bitmap.offspring_count Offspring count Boolean Search offspring count
afp.request_bitmap.partial_names Match on partial names Boolean Match on partial names
afp.request_bitmap.resource_fork_len Resource fork size Boolean Search resource fork size
afp.reserved Reserved Byte array Reserved
afp.resource_fork_len Resource fork size Unsigned 32-bit integer Resource fork size
afp.response_in Response in Frame number The response to this packet is in this packet
afp.response_to Response to Frame number This packet is a response to the packet in this frame
afp.rw_count Count Signed 32-bit integer Number of bytes to be read/written
afp.rw_count64 Count Signed 64-bit integer Number of bytes to be read/written (64 bits)
afp.server_time Server time Date/Time stamp Server time
afp.session_token Token Byte array Session token
afp.session_token_len Len Unsigned 32-bit integer Session token length
afp.session_token_timestamp Time stamp Unsigned 32-bit integer Session time stamp
afp.session_token_type Type Unsigned 16-bit integer Session token type
afp.short_name_offset Short name offset Unsigned 16-bit integer Short name offset in packet
afp.start_index Start index Unsigned 16-bit integer First structure returned
afp.start_index32 Start index Unsigned 32-bit integer First structure returned
afp.struct_size Struct size Unsigned 8-bit integer Sizeof of struct
afp.struct_size16 Struct size Unsigned 16-bit integer Sizeof of struct
afp.time Time from request Time duration Time between Request and Response for AFP cmds
afp.unicode_name_offset Unicode name offset Unsigned 16-bit integer Unicode name offset in packet
afp.unix_privs.gid GID Unsigned 32-bit integer Group ID
afp.unix_privs.permissions Permissions Unsigned 32-bit integer Permissions
afp.unix_privs.ua_permissions User's access rights Unsigned 32-bit integer User's access rights
afp.unix_privs.uid UID Unsigned 32-bit integer User ID
afp.user User String User
afp.user_ID User ID Unsigned 32-bit integer User ID
afp.user_bitmap Bitmap Unsigned 16-bit integer User Info bitmap
afp.user_bitmap.GID Primary group ID Boolean Primary group ID
afp.user_bitmap.UID User ID Boolean User ID
afp.user_bitmap.UUID UUID Boolean UUID
afp.user_flag Flag Unsigned 8-bit integer User Info flag
afp.user_len Len Unsigned 16-bit integer User name length (unicode)
afp.user_name User String User name (unicode)
afp.user_type Type Unsigned 8-bit integer Type of user name
afp.uuid UUID Byte array UUID
afp.vol_attribute.acls ACLs Boolean Supports access control lists
afp.vol_attribute.blank_access_privs Blank access privileges Boolean Supports blank access privileges
afp.vol_attribute.cat_search Catalog search Boolean Supports catalog search operations
afp.vol_attribute.extended_attributes Extended Attributes Boolean Supports Extended Attributes
afp.vol_attribute.fileIDs File IDs Boolean Supports file IDs
afp.vol_attribute.inherit_parent_privs Inherit parent privileges Boolean Inherit parent privileges
afp.vol_attribute.network_user_id No Network User ID Boolean No Network User ID
afp.vol_attribute.no_exchange_files No exchange files Boolean Exchange files not supported
afp.vol_attribute.passwd Volume password Boolean Has a volume password
afp.vol_attribute.read_only Read only Boolean Read only volume
afp.vol_attribute.unix_privs UNIX access privileges Boolean Supports UNIX access privileges
afp.vol_attribute.utf8_names UTF-8 names Boolean Supports UTF-8 names
afp.vol_attributes Attributes Unsigned 16-bit integer Volume attributes
afp.vol_backup_date Backup date Date/Time stamp Volume backup date
afp.vol_bitmap Bitmap Unsigned 16-bit integer Volume bitmap
afp.vol_bitmap.attributes Attributes Boolean Volume attributes
afp.vol_bitmap.backup_date Backup date Boolean Volume backup date
afp.vol_bitmap.block_size Block size Boolean Volume block size
afp.vol_bitmap.bytes_free Bytes free Boolean Volume free bytes
afp.vol_bitmap.bytes_total Bytes total Boolean Volume total bytes
afp.vol_bitmap.create_date Creation date Boolean Volume creation date
afp.vol_bitmap.ex_bytes_free Extended bytes free Boolean Volume extended (>2GB) free bytes
afp.vol_bitmap.ex_bytes_total Extended bytes total Boolean Volume extended (>2GB) total bytes
afp.vol_bitmap.id ID Boolean Volume ID
afp.vol_bitmap.mod_date Modification date Boolean Volume modification date
afp.vol_bitmap.name Name Boolean Volume name
afp.vol_bitmap.signature Signature Boolean Volume signature
afp.vol_block_size Block size Unsigned 32-bit integer Volume block size
afp.vol_bytes_free Bytes free Unsigned 32-bit integer Free space
afp.vol_bytes_total Bytes total Unsigned 32-bit integer Volume size
afp.vol_creation_date Creation date Date/Time stamp Volume creation date
afp.vol_ex_bytes_free Extended bytes free Unsigned 64-bit integer Extended (>2GB) free space
afp.vol_ex_bytes_total Extended bytes total Unsigned 64-bit integer Extended (>2GB) volume size
afp.vol_flag_passwd Password Boolean Volume is password-protected
afp.vol_flag_unix_priv Unix privs Boolean Volume has unix privileges
afp.vol_id Volume id Unsigned 16-bit integer Volume id
afp.vol_modification_date Modification date Date/Time stamp Volume modification date
afp.vol_name Volume String Volume name
afp.vol_name_offset Volume name offset Unsigned 16-bit integer Volume name offset in packet
afp.vol_signature Signature Unsigned 16-bit integer Volume signature
ap1394.dst Destination Byte array Destination address
ap1394.src Source Byte array Source address
ap1394.type Type Unsigned 16-bit integer
asp.attn_code Attn code Unsigned 16-bit integer asp attention code
asp.error asp error Signed 32-bit integer return error code
asp.function asp function Unsigned 8-bit integer asp function
asp.init_error Error Unsigned 16-bit integer asp init error
asp.seq Sequence Unsigned 16-bit integer asp sequence number
asp.server_addr.len Length Unsigned 8-bit integer Address length.
asp.server_addr.type Type Unsigned 8-bit integer Address type.
asp.server_addr.value Value Byte array Address value
asp.server_directory Directory service String Server directory service
asp.server_flag Flag Unsigned 16-bit integer Server capabilities flag
asp.server_flag.copyfile Support copyfile Boolean Server support copyfile
asp.server_flag.directory Support directory services Boolean Server support directory services
asp.server_flag.fast_copy Support fast copy Boolean Server support fast copy
asp.server_flag.no_save_passwd Don't allow save password Boolean Don't allow save password
asp.server_flag.notify Support server notifications Boolean Server support notifications
asp.server_flag.passwd Support change password Boolean Server support change password
asp.server_flag.reconnect Support server reconnect Boolean Server support reconnect
asp.server_flag.srv_msg Support server message Boolean Support server message
asp.server_flag.srv_sig Support server signature Boolean Support server signature
asp.server_flag.tcpip Support TCP/IP Boolean Server support TCP/IP
asp.server_flag.utf8_name Support UTF8 server name Boolean Server support UTF8 server name
asp.server_icon Icon bitmap Byte array Server icon bitmap
asp.server_name Server name String Server name
asp.server_signature Server signature Byte array Server signature
asp.server_type Server type String Server type
asp.server_uams UAM String UAM
asp.server_utf8_name Server name (UTF8) String Server name (UTF8)
asp.server_utf8_name_len Server name length Unsigned 16-bit integer UTF8 server name length
asp.server_vers AFP version String AFP version
asp.session_id Session ID Unsigned 8-bit integer asp session id
asp.size size Unsigned 16-bit integer asp available size for reply
asp.socket Socket Unsigned 8-bit integer asp socket
asp.version Version Unsigned 16-bit integer asp version
asp.zero_value Pad (0) Byte array Pad
atp.bitmap Bitmap Unsigned 8-bit integer Bitmap or sequence number
atp.ctrlinfo Control info Unsigned 8-bit integer control info
atp.eom EOM Boolean End-of-message
atp.fragment ATP Fragment Frame number ATP Fragment
atp.fragments ATP Fragments No value ATP Fragments
atp.function Function Unsigned 8-bit integer function code
atp.reassembled_in Reassembled ATP in frame Frame number This ATP packet is reassembled in this frame
atp.segment.error Desegmentation error Frame number Desegmentation error due to illegal segments
atp.segment.multipletails Multiple tail segments found Boolean Several tails were found when desegmenting the packet
atp.segment.overlap Segment overlap Boolean Segment overlaps with other segments
atp.segment.overlap.conflict Conflicting data in segment overlap Boolean Overlapping segments contained conflicting data
atp.segment.toolongsegment Segment too long Boolean Segment contained data past end of packet
atp.sts STS Boolean Send transaction status
atp.tid TID Unsigned 16-bit integer Transaction id
atp.treltimer TRel timer Unsigned 8-bit integer TRel timer
atp.user_bytes User bytes Unsigned 32-bit integer User bytes
atp.xo XO Boolean Exactly-once flag
aarp.dst.hw Target hardware address Byte array
aarp.dst.hw_mac Target MAC address 6-byte Hardware (MAC) Address
aarp.dst.proto Target protocol address Byte array
aarp.dst.proto_id Target ID Byte array
aarp.hard.size Hardware size Unsigned 8-bit integer
aarp.hard.type Hardware type Unsigned 16-bit integer
aarp.opcode Opcode Unsigned 16-bit integer
aarp.proto.size Protocol size Unsigned 8-bit integer
aarp.proto.type Protocol type Unsigned 16-bit integer
aarp.src.hw Sender hardware address Byte array
aarp.src.hw_mac Sender MAC address 6-byte Hardware (MAC) Address
aarp.src.proto Sender protocol address Byte array
aarp.src.proto_id Sender ID Byte array
acap.request Request Boolean TRUE if ACAP request
acap.response Response Boolean TRUE if ACAP response
adp.id Transaction ID Unsigned 16-bit integer ADP transaction ID
adp.mac MAC address 6-byte Hardware (MAC) Address MAC address
adp.switch Switch IP IPv4 address Switch IP address
adp.type Type Unsigned 16-bit integer ADP type
adp.version Version Unsigned 16-bit integer ADP version
v120.address Link Address Unsigned 16-bit integer
v120.control Control Field Unsigned 16-bit integer
v120.control.f Final Boolean
v120.control.ftype Frame type Unsigned 16-bit integer
v120.control.n_r N(R) Unsigned 16-bit integer
v120.control.n_s N(S) Unsigned 16-bit integer
v120.control.p Poll Boolean
v120.control.s_ftype Supervisory frame type Unsigned 16-bit integer
v120.control.u_modifier_cmd Command Unsigned 8-bit integer
v120.control.u_modifier_resp Response Unsigned 8-bit integer
v120.header Header Field String
alc.fec Forward Error Correction (FEC) header No value
alc.fec.encoding_id FEC Encoding ID Unsigned 8-bit integer
alc.fec.esi Encoding Symbol ID Unsigned 32-bit integer
alc.fec.fti FEC Object Transmission Information No value
alc.fec.fti.encoding_symbol_length Encoding Symbol Length Unsigned 32-bit integer
alc.fec.fti.max_number_encoding_symbols Maximum Number of Encoding Symbols Unsigned 32-bit integer
alc.fec.fti.max_source_block_length Maximum Source Block Length Unsigned 32-bit integer
alc.fec.fti.transfer_length Transfer Length Unsigned 64-bit integer
alc.fec.instance_id FEC Instance ID Unsigned 8-bit integer
alc.fec.sbl Source Block Length Unsigned 32-bit integer
alc.fec.sbn Source Block Number Unsigned 32-bit integer
alc.lct Layered Coding Transport (LCT) header No value
alc.lct.cci Congestion Control Information Byte array
alc.lct.codepoint Codepoint Unsigned 8-bit integer
alc.lct.ert Expected Residual Time Time duration
alc.lct.ext Extension count Unsigned 8-bit integer
alc.lct.flags Flags No value
alc.lct.flags.close_object Close Object flag Boolean
alc.lct.flags.close_session Close Session flag Boolean
alc.lct.flags.ert_present Expected Residual Time present flag Boolean
alc.lct.flags.sct_present Sender Current Time present flag Boolean
alc.lct.fsize Field sizes (bytes) No value
alc.lct.fsize.cci Congestion Control Information field size Unsigned 8-bit integer
alc.lct.fsize.toi Transport Object Identifier field size Unsigned 8-bit integer
alc.lct.fsize.tsi Transport Session Identifier field size Unsigned 8-bit integer
alc.lct.hlen Header length Unsigned 16-bit integer
alc.lct.sct Sender Current Time Time duration
alc.lct.toi Transport Object Identifier (up to 64 bites) Unsigned 64-bit integer
alc.lct.toi_extended Transport Object Identifier (up to 112 bits) Byte array
alc.lct.tsi Transport Session Identifier Unsigned 64-bit integer
alc.lct.version Version Unsigned 8-bit integer
alc.payload Payload No value
alc.version Version Unsigned 8-bit integer
actrace.cas.bchannel BChannel Signed 32-bit integer BChannel
actrace.cas.conn_id Connection ID Signed 32-bit integer Connection ID
actrace.cas.curr_state Current State Signed 32-bit integer Current State
actrace.cas.event Event Signed 32-bit integer New Event
actrace.cas.function Function Signed 32-bit integer Function
actrace.cas.next_state Next State Signed 32-bit integer Next State
actrace.cas.par0 Parameter 0 Signed 32-bit integer Parameter 0
actrace.cas.par1 Parameter 1 Signed 32-bit integer Parameter 1
actrace.cas.par2 Parameter 2 Signed 32-bit integer Parameter 2
actrace.cas.source Source Signed 32-bit integer Source
actrace.cas.time Time Signed 32-bit integer Capture Time
actrace.cas.trunk Trunk Number Signed 32-bit integer Trunk Number
actrace.isdn.dir Direction Signed 32-bit integer Direction
actrace.isdn.length Length Signed 16-bit integer Length
actrace.isdn.trunk Trunk Number Signed 16-bit integer Trunk Number
ah.sequence Sequence Unsigned 32-bit integer
ah.spi SPI Unsigned 32-bit integer
bvlc.bdt_ip IP IPv4 address BDT IP
bvlc.bdt_mask Mask Byte array BDT Broadcast Distribution Mask
bvlc.bdt_port Port Unsigned 16-bit integer BDT Port
bvlc.fdt_ip IP IPv4 address FDT IP
bvlc.fdt_port Port Unsigned 16-bit integer FDT Port
bvlc.fdt_timeout Timeout Unsigned 16-bit integer Foreign Device Timeout (seconds)
bvlc.fdt_ttl TTL Unsigned 16-bit integer Foreign Device Time To Live
bvlc.function Function Unsigned 8-bit integer BVLC Function
bvlc.fwd_ip IP IPv4 address FWD IP
bvlc.fwd_port Port Unsigned 16-bit integer FWD Port
bvlc.length BVLC-Length Unsigned 16-bit integer Length of BVLC
bvlc.reg_ttl TTL Unsigned 16-bit integer Foreign Device Time To Live
bvlc.result Result Unsigned 16-bit integer Result Code
bvlc.type Type Unsigned 8-bit integer Type
tuxedo.magic Magic Unsigned 32-bit integer TUXEDO magic
tuxedo.opcode Opcode Unsigned 32-bit integer TUXEDO opcode
bsap.dlci.cc Control Channel Unsigned 8-bit integer
bsap.dlci.rsvd Reserved Unsigned 8-bit integer
bsap.dlci.sapi SAPI Unsigned 8-bit integer
bsap.pdu_type Message Type Unsigned 8-bit integer
bssap.Gs_cause_ie Gs Cause IE No value Gs Cause IE
bssap.Tom_prot_disc TOM Protocol Discriminator Unsigned 8-bit integer TOM Protocol Discriminator
bssap.cell_global_id_ie Cell global identity IE No value Cell global identity IE
bssap.cn_id CN-Id Unsigned 16-bit integer CN-Id
bssap.dlci.cc Control Channel Unsigned 8-bit integer
bssap.dlci.sapi SAPI Unsigned 8-bit integer
bssap.dlci.spare Spare Unsigned 8-bit integer
bssap.dlink_tnl_pld_cntrl_amd_inf_ie Downlink Tunnel Payload Control and Info IE No value Downlink Tunnel Payload Control and Info IE
bssap.emlpp_prio_ie eMLPP Priority IE No value eMLPP Priority IE
bssap.erroneous_msg_ie Erroneous message IE No value Erroneous message IE
bssap.extension Extension Boolean Extension
bssap.global_cn_id Global CN-Id Byte array Global CN-Id
bssap.global_cn_id_ie Global CN-Id IE No value Global CN-Id IE
bssap.gprs_loc_upd_type eMLPP Priority Unsigned 8-bit integer eMLPP Priority
bssap.ie_data IE Data Byte array IE Data
bssap.imei IMEI String IMEI
bssap.imei_ie IMEI IE No value IMEI IE
bssap.imeisv IMEISV String IMEISV
bssap.imesiv IMEISV IE No value IMEISV IE
bssap.imsi IMSI String IMSI
bssap.imsi_det_from_gprs_serv_type IMSI detach from GPRS service type Unsigned 8-bit integer IMSI detach from GPRS service type
bssap.imsi_ie IMSI IE No value IMSI IE
bssap.info_req Information requested Unsigned 8-bit integer Information requested
bssap.info_req_ie Information requested IE No value Information requested IE
bssap.length Length Unsigned 8-bit integer
bssap.loc_area_id_ie Location area identifier IE No value Location area identifier IE
bssap.loc_inf_age Location information age IE No value Location information age IE
bssap.loc_upd_type_ie GPRS location update type IE No value GPRS location update type IE
bssap.mm_information MM information IE No value MM information IE
bssap.mobile_id_ie Mobile identity IE No value Mobile identity IE
bssap.mobile_station_state Mobile station state Unsigned 8-bit integer Mobile station state
bssap.mobile_station_state_ie Mobile station state IE No value Mobile station state IE
bssap.mobile_stn_cls_mrk1_ie Mobile station classmark 1 IE No value Mobile station classmark 1 IE
bssap.msi_det_from_gprs_serv_type_ie IMSI detach from GPRS service type IE No value IMSI detach from GPRS service type IE
bssap.msi_det_from_non_gprs_serv_type_ie IMSI detach from non-GPRS servic IE No value IMSI detach from non-GPRS servic IE
bssap.number_plan Numbering plan identification Unsigned 8-bit integer Numbering plan identification
bssap.pdu_type Message Type Unsigned 8-bit integer
bssap.plmn_id PLMN-Id Byte array PLMN-Id
bssap.ptmsi PTMSI Byte array PTMSI
bssap.ptmsi_ie PTMSI IE No value PTMSI IE
bssap.reject_cause_ie Reject cause IE No value Reject cause IE
bssap.sgsn_number SGSN number String SGSN number
bssap.tmsi TMSI Byte array TMSI
bssap.tmsi_ie TMSI IE No value TMSI IE
bssap.tmsi_status TMSI status Boolean TMSI status
bssap.tmsi_status_ie TMSI status IE No value TMSI status IE
bssap.tunnel_prio Tunnel Priority Unsigned 8-bit integer Tunnel Priority
bssap.type_of_number Type of number Unsigned 8-bit integer Type of number
bssap.ulink_tnl_pld_cntrl_amd_inf_ie Uplink Tunnel Payload Control and Info IE No value Uplink Tunnel Payload Control and Info IE
bssap.vlr_number VLR number String VLR number
bssap.vlr_number_ie VLR number IE No value VLR number IE
bssap_plus.iei IEI Unsigned 8-bit integer
bssap_plus.msg_type Message Type Unsigned 8-bit integer Message Type
vines_ip.protocol Protocol Unsigned 8-bit integer Vines protocol
bssgp.appid Application ID Unsigned 8-bit integer Application ID
bssgp.bvci BVCI Unsigned 16-bit integer
bssgp.ci CI Unsigned 16-bit integer Cell Identity
bssgp.ie_type NACC Cause Unsigned 8-bit integer NACC Cause
bssgp.iei.nacc_cause IE Type Unsigned 8-bit integer Information element type
bssgp.imei IMEI String
bssgp.imeisv IMEISV String
bssgp.imsi IMSI String
bssgp.lac LAC Unsigned 16-bit integer
bssgp.mcc MCC Unsigned 8-bit integer
bssgp.mnc MNC Unsigned 8-bit integer
bssgp.nri NRI Unsigned 16-bit integer
bssgp.nsei NSEI Unsigned 16-bit integer
bssgp.pdu_type PDU Type Unsigned 8-bit integer
bssgp.rac RAC Unsigned 8-bit integer
bssgp.rad Routing Address Discriminator Unsigned 8-bit integer Routing Address Discriminator
bssgp.ran_inf_req_pdu_type_ext PDU Type Extension Unsigned 8-bit integer PDU Type Extension
bssgp.ran_req_pdu_type_ext PDU Type Extension Unsigned 8-bit integer PDU Type Extension
bssgp.rcid Reporting Cell Identity Unsigned 64-bit integer Reporting Cell Identity
bssgp.rrc_si_type RRC SI type Unsigned 8-bit integer RRC SI type
bssgp.tlli TLLI Unsigned 32-bit integer
bssgp.tmsi_ptmsi TMSI/PTMSI Unsigned 32-bit integer
ber.bitstring.padding Padding Unsigned 8-bit integer Number of unsused bits in the last octet of the bitstring
ber.id.class Class Unsigned 8-bit integer Class of BER TLV Identifier
ber.id.pc P/C Boolean Primitive or Constructed BER encoding
ber.id.tag Tag Unsigned 8-bit integer Tag value for non-Universal classes
ber.id.uni_tag Tag Unsigned 8-bit integer Universal tag type
ber.length Length Unsigned 32-bit integer Length of contents
ber.unknown.BITSTRING BITSTRING Byte array This is an unknown BITSTRING
ber.unknown.BOOLEAN BOOLEAN Unsigned 8-bit integer This is an unknown BOOLEAN
ber.unknown.ENUMERATED ENUMERATED Unsigned 32-bit integer This is an unknown ENUMERATED
ber.unknown.GRAPHICSTRING GRAPHICSTRING String This is an unknown GRAPHICSTRING
ber.unknown.GeneralizedTime GeneralizedTime String This is an unknown GeneralizedTime
ber.unknown.IA5String IA5String String This is an unknown IA5String
ber.unknown.INTEGER INTEGER Unsigned 32-bit integer This is an unknown INTEGER
ber.unknown.NumericString NumericString String This is an unknown NumericString
ber.unknown.OCTETSTRING OCTETSTRING Byte array This is an unknown OCTETSTRING
ber.unknown.OID OID This is an unknown Object Identifier
ber.unknown.PrintableString PrintableString String This is an unknown PrintableString
ber.unknown.TeletexString TeletexString String This is an unknown TeletexString
ber.unknown.UTCTime UTCTime String This is an unknown UTCTime
ber.unknown.UTF8String UTF8String String This is an unknown UTF8String
bicc.cic Call identification Code (CIC) Unsigned 32-bit integer
bfd.desired_min_tx_interval Desired Min TX Interval Unsigned 32-bit integer
bfd.detect_time_multiplier Detect Time Multiplier Unsigned 8-bit integer
bfd.diag Diagnostic Code Unsigned 8-bit integer
bfd.flags Message Flags Unsigned 8-bit integer
bfd.flags.a Authentication Present Boolean
bfd.flags.c Control Plane Independent Boolean
bfd.flags.d Demand Boolean
bfd.flags.f Final Boolean
bfd.flags.h I hear you Boolean
bfd.flags.p Poll Boolean
bfd.my_discriminator My Discriminator Unsigned 32-bit integer
bfd.required_min_echo_interval Required Min Echo Interval Unsigned 32-bit integer
bfd.required_min_rx_interval Required Min RX Interval Unsigned 32-bit integer
bfd.sta Session State Unsigned 8-bit integer
bfd.version Protocol Version Unsigned 8-bit integer
bfd.your_discriminator Your Discriminator Unsigned 32-bit integer
bittorrent.azureus_msg Azureus Message No value
bittorrent.bdict Dictionary No value
bittorrent.bdict.entry Entry No value
bittorrent.bint Integer Signed 32-bit integer
bittorrent.blist List No value
bittorrent.bstr String String
bittorrent.bstr.length String Length Unsigned 32-bit integer
bittorrent.info_hash SHA1 Hash of info dictionary Byte array
bittorrent.jpc.addr Cache Address String
bittorrent.jpc.addr.length Cache Address Length Unsigned 32-bit integer
bittorrent.jpc.port Port Unsigned 32-bit integer
bittorrent.jpc.session Session ID Unsigned 32-bit integer
bittorrent.length Field Length Unsigned 32-bit integer
bittorrent.msg Message No value
bittorrent.msg.aztype Message Type String
bittorrent.msg.bitfield Bitfield data Byte array
bittorrent.msg.length Message Length Unsigned 32-bit integer
bittorrent.msg.prio Message Priority Unsigned 8-bit integer
bittorrent.msg.type Message Type Unsigned 8-bit integer
bittorrent.msg.typelen Message Type Length Unsigned 32-bit integer
bittorrent.peer_id Peer ID Byte array
bittorrent.piece.begin Begin offset of piece Unsigned 32-bit integer
bittorrent.piece.data Data in a piece Byte array
bittorrent.piece.index Piece index Unsigned 32-bit integer
bittorrent.piece.length Piece Length Unsigned 32-bit integer
bittorrent.protocol.name Protocol Name String
bittorrent.protocol.name.length Protocol Name Length Unsigned 8-bit integer
bittorrent.reserved Reserved Extension Bytes Byte array
beep.ansno Ansno Unsigned 32-bit integer
beep.channel Channel Unsigned 32-bit integer
beep.end End Boolean
beep.more.complete Complete Boolean
beep.more.intermediate Intermediate Boolean
beep.msgno Msgno Unsigned 32-bit integer
beep.req Request Boolean
beep.req.channel Request Channel Number Unsigned 32-bit integer
beep.rsp Response Boolean
beep.rsp.channel Response Channel Number Unsigned 32-bit integer
beep.seq Sequence Boolean
beep.seq.ackno Ackno Unsigned 32-bit integer
beep.seq.channel Sequence Channel Number Unsigned 32-bit integer
beep.seq.window Window Unsigned 32-bit integer
beep.seqno Seqno Unsigned 32-bit integer
beep.size Size Unsigned 32-bit integer
beep.status.negative Negative Boolean
beep.status.positive Positive Boolean
beep.violation Protocol Violation Boolean
manolito.checksum Checksum Unsigned 32-bit integer Checksum used for verifying integrity
manolito.dest Destination IP Address IPv4 address Destination IPv4 address
manolito.options Options Unsigned 32-bit integer Packet-dependent data
manolito.seqno Sequence Number Unsigned 32-bit integer Incremental sequence number
manolito.src Forwarded IP Address IPv4 address Host packet was forwarded from (or 0)
btacl.bc_flag BC Flag Unsigned 16-bit integer Broadcast Flag
btacl.chandle Connection Handle Unsigned 16-bit integer Connection Handle
btacl.continuation_to This is a continuation to the PDU in frame Frame number This is a continuation to the PDU in frame #
btacl.data Data No value Data
btacl.length Data Total Length Unsigned 16-bit integer Data Total Length
btacl.pb_flag PB Flag Unsigned 16-bit integer Packet Boundary Flag
btacl.reassembled_in This PDU is reassembled in frame Frame number This PDU is reassembled in frame #
bthci_cmd.air_coding_format Air Coding Format Unsigned 16-bit integer Air Coding Format
bthci_cmd.allow_role_switch Allow Role Switch Unsigned 8-bit integer Allow Role Switch
bthci_cmd.auth_enable Authentication Enable Unsigned 8-bit integer Authentication Enable
bthci_cmd.auto_accept_flag Auto Accept Flag Unsigned 8-bit integer Class of Device of Interest
bthci_cmd.bd_addr BD_ADDR 6-byte Hardware (MAC) Address Bluetooth Device Address
bthci_cmd.beacon_max_int Beacon Max Interval Unsigned 16-bit integer Maximal acceptable number of Baseband slots between consecutive beacons.
bthci_cmd.beacon_min_int Beacon Min Interval Unsigned 16-bit integer Minimum acceptable number of Baseband slots between consecutive beacons.
bthci_cmd.class_of_device Class of Device Unsigned 24-bit integer Class of Device
bthci_cmd.class_of_device_mask Class of Device Mask Unsigned 24-bit integer Bit Mask used to determine which bits of the Class of Device parameter are of interest.
bthci_cmd.clock_offset Clock Offset Unsigned 16-bit integer Bit 2-16 of the Clock Offset between CLKmaster-CLKslave
bthci_cmd.clock_offset_valid Clock_Offset_Valid_Flag Unsigned 16-bit integer Indicates if clock offset is valid
bthci_cmd.connection_handle Connection Handle Unsigned 16-bit integer Connection Handle
bthci_cmd.delay_variation Delay Variation Unsigned 32-bit integer Delay Variation, in microseconds
bthci_cmd.delete_all_flag Delete All Flag Unsigned 8-bit integer Delete All Flag
bthci_cmd.encrypt_mode Encryption Mode Unsigned 8-bit integer Encryption Mode
bthci_cmd.encryption_enable Encryption Enable Unsigned 8-bit integer Encryption Enable
bthci_cmd.evt_mask_01 Inquiry Complete Unsigned 32-bit integer Inquiry Complete Bit
bthci_cmd.evt_mask_02 Inquiry Result Unsigned 32-bit integer Inquiry Result Bit
bthci_cmd.evt_mask_03 Connect Complete Unsigned 32-bit integer Connection Complete Bit
bthci_cmd.evt_mask_04 Connect Request Unsigned 32-bit integer Connect Request Bit
bthci_cmd.evt_mask_05 Disconnect Complete Unsigned 32-bit integer Disconnect Complete Bit
bthci_cmd.evt_mask_06 Auth Complete Unsigned 32-bit integer Auth Complete Bit
bthci_cmd.evt_mask_07 Remote Name Req Complete Unsigned 32-bit integer Remote Name Req Complete Bit
bthci_cmd.evt_mask_08 Encrypt Change Unsigned 32-bit integer Encrypt Change Bit
bthci_cmd.evt_mask_09 Change Connection Link Key Complete Unsigned 32-bit integer Change Connection Link Key Complete Bit
bthci_cmd.evt_mask_0a Master Link Key Complete Unsigned 32-bit integer Master Link Key Complete Bit
bthci_cmd.evt_mask_0b Read Remote Supported Features Unsigned 32-bit integer Read Remote Supported Features Bit
bthci_cmd.evt_mask_0c Read Remote Ver Info Complete Unsigned 32-bit integer Read Remote Ver Info Complete Bit
bthci_cmd.evt_mask_0d QoS Setup Complete Unsigned 32-bit integer QoS Setup Complete Bit
bthci_cmd.evt_mask_0e Command Complete Unsigned 32-bit integer Command Complete Bit
bthci_cmd.evt_mask_0f Command Status Unsigned 32-bit integer Command Status Bit
bthci_cmd.evt_mask_10 Hardware Error Unsigned 32-bit integer Hardware Error Bit
bthci_cmd.evt_mask_11 Flush Occurred Unsigned 32-bit integer Flush Occurred Bit
bthci_cmd.evt_mask_12 Role Change Unsigned 32-bit integer Role Change Bit
bthci_cmd.evt_mask_13 Number of Completed Packets Unsigned 32-bit integer Number of Completed Packets Bit
bthci_cmd.evt_mask_14 Mode Change Unsigned 32-bit integer Mode Change Bit
bthci_cmd.evt_mask_15 Return Link Keys Unsigned 32-bit integer Return Link Keys Bit
bthci_cmd.evt_mask_16 PIN Code Request Unsigned 32-bit integer PIN Code Request Bit
bthci_cmd.evt_mask_17 Link Key Request Unsigned 32-bit integer Link Key Request Bit
bthci_cmd.evt_mask_18 Link Key Notification Unsigned 32-bit integer Link Key Notification Bit
bthci_cmd.evt_mask_19 Loopback Command Unsigned 32-bit integer Loopback Command Bit
bthci_cmd.evt_mask_1a Data Buffer Overflow Unsigned 32-bit integer Data Buffer Overflow Bit
bthci_cmd.evt_mask_1b Max Slots Change Unsigned 32-bit integer Max Slots Change Bit
bthci_cmd.evt_mask_1c Read Clock Offset Complete Unsigned 32-bit integer Read Clock Offset Complete Bit
bthci_cmd.evt_mask_1d Connection Packet Type Changed Unsigned 32-bit integer Connection Packet Type Changed Bit
bthci_cmd.evt_mask_1e QoS Violation Unsigned 32-bit integer QoS Violation Bit
bthci_cmd.evt_mask_1f Page Scan Mode Change Unsigned 32-bit integer Page Scan Mode Change Bit
bthci_cmd.evt_mask_20 Page Scan Repetition Mode Change Unsigned 32-bit integer Page Scan Repetition Mode Change Bit
bthci_cmd.filter_condition_type Filter Condition Type Unsigned 8-bit integer Filter Condition Type
bthci_cmd.filter_type Filter Type Unsigned 8-bit integer Filter Type
bthci_cmd.flags Flags Unsigned 8-bit integer Flags
bthci_cmd.flow_contr_enable Flow Control Enable Unsigned 8-bit integer Flow Control Enable
bthci_cmd.flow_control SCO Flow Control Unsigned 8-bit integer SCO Flow Control
bthci_cmd.hold_mode_inquiry Suspend Inquiry Scan Unsigned 8-bit integer Device can enter low power state
bthci_cmd.hold_mode_max_int Hold Mode Max Interval Unsigned 16-bit integer Maximal acceptable number of Baseband slots to wait in Hold Mode.
bthci_cmd.hold_mode_min_int Hold Mode Min Interval Unsigned 16-bit integer Minimum acceptable number of Baseband slots to wait in Hold Mode.
bthci_cmd.hold_mode_page Suspend Page Scan Unsigned 8-bit integer Device can enter low power state
bthci_cmd.hold_mode_periodic Suspend Periodic Inquiries Unsigned 8-bit integer Device can enter low power state
bthci_cmd.input_coding Input Coding Unsigned 16-bit integer Authentication Enable
bthci_cmd.input_data_format Input Data Format Unsigned 16-bit integer Input Data Format
bthci_cmd.input_sample_size Input Sample Size Unsigned 16-bit integer Input Sample Size
bthci_cmd.inq_length Inquiry Length Unsigned 8-bit integer Inquiry Length (*1.28s)
bthci_cmd.interval Interval Unsigned 16-bit integer Interval
bthci_cmd.key_flag Key Flag Unsigned 8-bit integer Key Flag
bthci_cmd.lap LAP Unsigned 24-bit integer LAP for the inquiry access code
bthci_cmd.latency Latecy Unsigned 32-bit integer Latency, in microseconds
bthci_cmd.lin_pcm_bit_pos Linear PCM Bit Pos Unsigned 16-bit integer # bit pos. that MSB of sample is away from starting at MSB
bthci_cmd.link_key Link Key Byte array Link Key for the associated BD_ADDR
bthci_cmd.link_policy_hold Enable Hold Mode Unsigned 16-bit integer Enable Hold Mode
bthci_cmd.link_policy_park Enable Park Mode Unsigned 16-bit integer Enable Park Mode
bthci_cmd.link_policy_sniff Enable Sniff Mode Unsigned 16-bit integer Enable Sniff Mode
bthci_cmd.link_policy_switch Enable Master Slave Switch Unsigned 16-bit integer Enable Master Slave Switch
bthci_cmd.local_name Remote Name String Userfriendly descriptive name for the device
bthci_cmd.loopback_mode Loopback Mode Unsigned 8-bit integer Loopback Mode
bthci_cmd.max_data_length_acl Host ACL Data Packet Length (bytes) Unsigned 16-bit integer Max Host ACL Data Packet length of data portion host is able to accept
bthci_cmd.max_data_length_sco Host SCO Data Packet Length (bytes) Unsigned 8-bit integer Max Host SCO Data Packet length of data portion host is able to accept
bthci_cmd.max_data_num_acl Host Total Num ACL Data Packets Unsigned 16-bit integer Total Number of HCI ACL Data Packets that can be stored in the data buffers of the Host
bthci_cmd.max_data_num_sco Host Total Num SCO Data Packets Unsigned 16-bit integer Total Number of HCI SCO Data Packets that can be stored in the data buffers of the Host
bthci_cmd.max_period_length Max Period Length Unsigned 16-bit integer Maximum amount of time specified between consecutive inquiries.
bthci_cmd.min_period_length Min Period Length Unsigned 16-bit integer Minimum amount of time specified between consecutive inquiries.
bthci_cmd.num_broad_retran Num Broadcast Retran Unsigned 8-bit integer Number of Broadcast Retransmissions
bthci_cmd.num_compl_packets Number of Completed Packets Unsigned 16-bit integer Number of Completed HCI Data Packets
bthci_cmd.num_curr_iac Number of Current IAC Unsigned 8-bit integer Number of IACs which are currently in use
bthci_cmd.num_handles Number of Handles Unsigned 8-bit integer Number of Handles
bthci_cmd.num_responses Num Responses Unsigned 8-bit integer Number of Responses
bthci_cmd.ocf ocf Unsigned 16-bit integer Opcode Command Field
bthci_cmd.ogf ogf Unsigned 16-bit integer Opcode Group Field
bthci_cmd.opcode Command Opcode Unsigned 16-bit integer HCI Command Opcode
bthci_cmd.packet_type_dh1 Packet Type DH1 Unsigned 16-bit integer Packet Type DH1
bthci_cmd.packet_type_dh3 Packet Type DH3 Unsigned 16-bit integer Packet Type DH3
bthci_cmd.packet_type_dh5 Packet Type DH5 Unsigned 16-bit integer Packet Type DH5
bthci_cmd.packet_type_dm1 Packet Type DM1 Unsigned 16-bit integer Packet Type DM1
bthci_cmd.packet_type_dm3 Packet Type DM3 Unsigned 16-bit integer Packet Type DM3
bthci_cmd.packet_type_dm5 Packet Type DM5 Unsigned 16-bit integer Packet Type DM5
bthci_cmd.packet_type_hv1 Packet Type HV1 Unsigned 16-bit integer Packet Type HV1
bthci_cmd.packet_type_hv2 Packet Type HV2 Unsigned 16-bit integer Packet Type HV2
bthci_cmd.packet_type_hv3 Packet Type HV3 Unsigned 16-bit integer Packet Type HV3
bthci_cmd.page_scan_mode Page Scan Mode Unsigned 8-bit integer Page Scan Mode
bthci_cmd.page_scan_period_mode Page Scan Period Mode Unsigned 8-bit integer Page Scan Period Mode
bthci_cmd.page_scan_repetition_mode Page Scan Repetition Mode Unsigned 8-bit integer Page Scan Repetition Mode
bthci_cmd.param_length Parameter Total Length Unsigned 8-bit integer Parameter Total Length
bthci_cmd.params Command Parameters Byte array Command Parameters
bthci_cmd.peak_bandwidth Peak Bandwidth Unsigned 32-bit integer Peak Bandwidth, in bytes per second
bthci_cmd.pin_code PIN Code String PIN Code
bthci_cmd.pin_code_length PIN Code Length Unsigned 8-bit integer PIN Code Length
bthci_cmd.pin_type PIN Type Unsigned 8-bit integer PIN Types
bthci_cmd.power_level_type Type Unsigned 8-bit integer Type
bthci_cmd.read_all_flag Read All Flag Unsigned 8-bit integer Read All Flag
bthci_cmd.reason Reason Unsigned 8-bit integer Reason
bthci_cmd.role Role Unsigned 8-bit integer Role
bthci_cmd.scan_enable Scan Enable Unsigned 8-bit integer Scan Enable
bthci_cmd.service_type Service Type Unsigned 8-bit integer Service Type
bthci_cmd.sniff_attempt Sniff Attempt Unsigned 16-bit integer Number of Baseband receive slots for sniff attempt.
bthci_cmd.sniff_max_int Sniff Max Interval Unsigned 16-bit integer Maximal acceptable number of Baseband slots between each sniff period.
bthci_cmd.sniff_min_int Sniff Min Interval Unsigned 16-bit integer Minimum acceptable number of Baseband slots between each sniff period.
bthci_cmd.status Status Unsigned 8-bit integer Status
bthci_cmd.timeout Timeout Unsigned 16-bit integer Number of Baseband slots for timeout.
bthci_cmd.token_rate Available Token Rate Unsigned 32-bit integer Token Rate, in bytes per second
bthci_cmd.window Interval Unsigned 16-bit integer Window
bthci_cmd_num_link_keys Number of Link Keys Unsigned 8-bit integer Number of Link Keys
bthci_evt.auth_enable Authentication Unsigned 8-bit integer Authentication Enable
bthci_evt.bd_addr BD_ADDR 6-byte Hardware (MAC) Address Bluetooth Device Address
bthci_evt.class_of_device Class of Device Signed 24-bit integer Class of Device for the Device, which requested the connection
bthci_evt.clock_offset Clock Offset Unsigned 16-bit integer Bit 2-16 of the Clock Offset between CLKmaster-CLKslave
bthci_evt.code Event Code Unsigned 8-bit integer Event Code
bthci_evt.com_opcode Command Opcode Unsigned 16-bit integer Command Opcode
bthci_evt.comp_id Manufacturer Name Unsigned 16-bit integer Manufacturer Name of Bluetooth Hardware
bthci_evt.connection_handle Connection Handle Unsigned 16-bit integer Connection Handle
bthci_evt.country_code Country Code Unsigned 8-bit integer Country Code
bthci_evt.current_mode Current Mode Unsigned 8-bit integer Current Mode
bthci_evt.delay_variation Available Delay Variation Unsigned 32-bit integer Available Delay Variation, in microseconds
bthci_evt.encryption_enable Encryption Enable Unsigned 8-bit integer Encryption Enable
bthci_evt.encryption_mode Encryption Mode Unsigned 8-bit integer Encryption Mode
bthci_evt.failed_contact_counter Failed Contact Counter Unsigned 16-bit integer Failed Contact Counter
bthci_evt.flags Flags Unsigned 8-bit integer Flags
bthci_evt.hardware_code Hardware Code Unsigned 8-bit integer Hardware Code (implementation specific)
bthci_evt.hci_vers_nr HCI Version Unsigned 8-bit integer Version of the Current HCI
bthci_evt.hold_mode_inquiry Suspend Inquiry Scan Unsigned 8-bit integer Device can enter low power state
bthci_evt.hold_mode_page Suspend Page Scan Unsigned 8-bit integer Device can enter low power state
bthci_evt.hold_mode_periodic Suspend Periodic Inquiries Unsigned 8-bit integer Device can enter low power state
bthci_evt.input_coding Input Coding Unsigned 16-bit integer Authentication Enable
bthci_evt.input_data_format Input Data Format Unsigned 16-bit integer Input Data Format
bthci_evt.input_sample_size Input Sample Size Unsigned 16-bit integer Input Sample Size
bthci_evt.interval Interval Unsigned 16-bit integer Interval - Number of Baseband slots
bthci_evt.key_flag Key Flag Unsigned 8-bit integer Key Flag
bthci_evt.key_type Key Type Unsigned 8-bit integer Key Type
bthci_evt.latency Available Latecy Unsigned 32-bit integer Available Latency, in microseconds
bthci_evt.link_key Link Key Byte array Link Key for the associated BD_ADDR
bthci_evt.link_policy_hold Enable Hold Mode Unsigned 16-bit integer Enable Hold Mode
bthci_evt.link_policy_park Enable Park Mode Unsigned 16-bit integer Enable Park Mode
bthci_evt.link_policy_sniff Enable Sniff Mode Unsigned 16-bit integer Enable Sniff Mode
bthci_evt.link_policy_switch Enable Master Slave Switch Unsigned 16-bit integer Enable Master Slave Switch
bthci_evt.link_quality Link Quality Unsigned 8-bit integer Link Quality (0x00 - 0xFF Higher Value = Better Link)
bthci_evt.link_type Link Type Unsigned 8-bit integer Link Type
bthci_evt.link_type_dh1 ACL Link Type DH1 Unsigned 16-bit integer ACL Link Type DH1
bthci_evt.link_type_dh3 ACL Link Type DH3 Unsigned 16-bit integer ACL Link Type DH3
bthci_evt.link_type_dh5 ACL Link Type DH5 Unsigned 16-bit integer ACL Link Type DH5
bthci_evt.link_type_dm1 ACL Link Type DM1 Unsigned 16-bit integer ACL Link Type DM1
bthci_evt.link_type_dm3 ACL Link Type DM3 Unsigned 16-bit integer ACL Link Type DM3
bthci_evt.link_type_dm5 ACL Link Type DM5 Unsigned 16-bit integer ACL Link Type DM5
bthci_evt.link_type_hv1 SCO Link Type HV1 Unsigned 16-bit integer SCO Link Type HV1
bthci_evt.link_type_hv2 SCO Link Type HV2 Unsigned 16-bit integer SCO Link Type HV2
bthci_evt.link_type_hv3 SCO Link Type HV3 Unsigned 16-bit integer SCO Link Type HV3
bthci_evt.lmp_feature 3-slot packets Unsigned 8-bit integer 3-slot packets
bthci_evt.lmp_sub_vers_nr LMP Subversion Unsigned 16-bit integer Subversion of the Current LMP
bthci_evt.lmp_vers_nr LMP Version Unsigned 8-bit integer Version of the Current LMP
bthci_evt.local_name Name String Userfriendly descriptive name for the device
bthci_evt.loopback_mode Loopback Mode Unsigned 8-bit integer Loopback Mode
bthci_evt.max_data_length_acl Host ACL Data Packet Length (bytes) Unsigned 16-bit integer Max Host ACL Data Packet length of data portion host is able to accept
bthci_evt.max_data_length_sco Host SCO Data Packet Length (bytes) Unsigned 8-bit integer Max Host SCO Data Packet length of data portion host is able to accept
bthci_evt.max_data_num_acl Host Total Num ACL Data Packets Unsigned 16-bit integer Total Number of HCI ACL Data Packets that can be stored in the data buffers of the Host
bthci_evt.max_data_num_sco Host Total Num SCO Data Packets Unsigned 16-bit integer Total Number of HCI SCO Data Packets that can be stored in the data buffers of the Host
bthci_evt.max_num_keys Max Num Keys Unsigned 16-bit integer Total Number of Link Keys that the Host Controller can store
bthci_evt.max_slots Maximum Number of Slots Unsigned 8-bit integer Maximum Number of slots allowed for baseband packets
bthci_evt.num_broad_retran Num Broadcast Retran Unsigned 8-bit integer Number of Broadcast Retransmissions
bthci_evt.num_command_packets Number of Allowed Command Packets Unsigned 8-bit integer Number of Allowed Command Packets
bthci_evt.num_compl_packets Number of Completed Packets Unsigned 16-bit integer The number of HCI Data Packets that have been completed
bthci_evt.num_curr_iac Num Current IAC Unsigned 8-bit integer Num of IACs currently in use to simultaneously listen
bthci_evt.num_handles Number of Connection Handles Unsigned 8-bit integer Number of Connection Handles and Num_HCI_Data_Packets parameter pairs
bthci_evt.num_keys Number of Link Keys Unsigned 8-bit integer Number of Link Keys contained
bthci_evt.num_keys_deleted Number of Link Keys Deleted Unsigned 16-bit integer Number of Link Keys Deleted
bthci_evt.num_keys_read Number of Link Keys Read Unsigned 16-bit integer Number of Link Keys Read
bthci_evt.num_keys_written Number of Link Keys Written Unsigned 8-bit integer Number of Link Keys Written
bthci_evt.num_responses Number of responses Unsigned 8-bit integer Number of Responses from Inquiry
bthci_evt.num_supp_iac Num Support IAC Unsigned 8-bit integer Num of supported IAC the device can simultaneously listen
bthci_evt.ocf ocf Unsigned 16-bit integer Opcode Command Field
bthci_evt.ogf ogf Unsigned 16-bit integer Opcode Group Field
bthci_evt.page_scan_mode Page Scan Mode Unsigned 8-bit integer Page Scan Mode
bthci_evt.page_scan_period_mode Page Scan Period Mode Unsigned 8-bit integer Page Scan Period Mode
bthci_evt.page_scan_repetition_mode Page Scan Repetition Mode Unsigned 8-bit integer Page Scan Repetition Mode
bthci_evt.param_length Parameter Total Length Unsigned 8-bit integer Parameter Total Length
bthci_evt.params Event Parameter No value Event Parameter
bthci_evt.peak_bandwidth Available Peak Bandwidth Unsigned 32-bit integer Available Peak Bandwidth, in bytes per second
bthci_evt.pin_type PIN Type Unsigned 8-bit integer PIN Types
bthci_evt.reason Reason Unsigned 8-bit integer Reason
bthci_evt.remote_name Remote Name String Userfriendly descriptive name for the remote device
bthci_evt.ret_params Return Parameter No value Return Parameter
bthci_evt.role Role Unsigned 8-bit integer Role
bthci_evt.rssi RSSI (dB) Signed 8-bit integer RSSI (dB)
bthci_evt.scan_enable Scan Unsigned 8-bit integer Scan Enable
bthci_evt.sco_flow_cont_enable SCO Flow Control Unsigned 8-bit integer SCO Flow Control Enable
bthci_evt.service_type Service Type Unsigned 8-bit integer Service Type
bthci_evt.status Status Unsigned 8-bit integer Status
bthci_evt.timeout Timeout Unsigned 16-bit integer Number of Baseband slots for timeout.
bthci_evt.token_rate Available Token Rate Unsigned 32-bit integer Available Token Rate, in bytes per second
bthci_evt.transmit_power_level Transmit Power Level (dBm) Signed 8-bit integer Transmit Power Level (dBm)
bthci_evt.window Interval Unsigned 16-bit integer Window
bthci_evt_curr_role Current Role Unsigned 8-bit integer Current role for this connection handle
hci_h4.direction Direction Unsigned 8-bit integer HCI Packet Direction Sent/Rcvd
hci_h4.type HCI Packet Type Unsigned 8-bit integer HCI Packet Type
btsco.chandle Connection Handle Unsigned 16-bit integer Connection Handle
btsco.data Data No value Data
btsco.length Data Total Length Unsigned 8-bit integer Data Total Length
btl2cap.cid CID Unsigned 16-bit integer L2CAP Channel Identifier
btl2cap.cmd_code Command Code Unsigned 8-bit integer L2CAP Command Code
btl2cap.cmd_data Command Data No value L2CAP Command Data
btl2cap.cmd_ident Command Identifier Unsigned 8-bit integer L2CAP Command Identifier
btl2cap.cmd_length Command Length Unsigned 8-bit integer L2CAP Command Length
btl2cap.command Command No value L2CAP Command
btl2cap.conf_param_option Configuration Parameter Option No value Configuration Parameter Option
btl2cap.conf_result Result Unsigned 16-bit integer Configuration Result
btl2cap.continuation Continuation Flag Boolean Continuation Flag
btl2cap.dcid Destination CID Unsigned 16-bit integer Destination Channel Identifier
btl2cap.info_mtu Remote Entity MTU Unsigned 16-bit integer Remote entitiys acceptable connectionless MTU
btl2cap.info_result Result Unsigned 16-bit integer Information about the success of the request
btl2cap.info_type Information Type Unsigned 16-bit integer Type of implementation-specific information
btl2cap.length Length Unsigned 16-bit integer L2CAP Payload Length
btl2cap.option_dealyvar Delay Variation (microseconds) Unsigned 32-bit integer Difference between maximum and minimum delay (microseconds)
btl2cap.option_flags Flags Unsigned 8-bit integer Flags - must be set to 0 (Reserved for future use)
btl2cap.option_flushto Flush Timeout (ms) Unsigned 16-bit integer Flush Timeout in milliseconds
btl2cap.option_latency Latency (microseconds) Unsigned 32-bit integer Maximal acceptable dealy (microseconds)
btl2cap.option_length Length Unsigned 8-bit integer Number of octets in option payload
btl2cap.option_mtu MTU Unsigned 16-bit integer Maximum Transmission Unit
btl2cap.option_peakbandwidth Peak Bandwidth (bytes/s) Unsigned 32-bit integer Limit how fast packets may be sent (bytes/s)
btl2cap.option_servicetype Service Type Unsigned 8-bit integer Level of service required
btl2cap.option_tokenbsize Token Bucket Size (bytes) Unsigned 32-bit integer Size of the token bucket (bytes)
btl2cap.option_tokenrate Token Rate (bytes/s) Unsigned 32-bit integer Rate at which traffic credits are granted (bytes/s)
btl2cap.option_type Type Unsigned 8-bit integer Type of option
btl2cap.payload Payload Byte array L2CAP Payload
btl2cap.psm PSM Unsigned 16-bit integer Protocol/Service Multiplexor
btl2cap.rej_reason Reason Unsigned 16-bit integer Reason
btl2cap.result Result Unsigned 16-bit integer Result
btl2cap.scid Source CID Unsigned 16-bit integer Source Channel Identifier
btl2cap.sig_mtu Maximum Signalling MTU Unsigned 16-bit integer Maximum Signalling MTU
btl2cap.status Status Unsigned 16-bit integer Status
btrfcomm.cr C/R Flag Unsigned 8-bit integer Command/Response flag
btrfcomm.credits Credits Unsigned 8-bit integer Flow control: number of UIH frames allowed to send
btrfcomm.dlci DLCI Unsigned 8-bit integer RFCOMM DLCI
btrfcomm.ea EA Flag Unsigned 8-bit integer EA flag (should be always 1)
btrfcomm.error_recovery_mode Error Recovery Mode Unsigned 8-bit integer Error Recovery Mode
btrfcomm.fcs Frame Check Sequence Unsigned 8-bit integer Checksum over frame
btrfcomm.frame_type Frame type Unsigned 8-bit integer Command/Response flag
btrfcomm.len Payload length Unsigned 16-bit integer Frame length
btrfcomm.max_frame_size Max Frame Size Unsigned 16-bit integer Maximum Frame Size
btrfcomm.max_retrans Max Retrans Unsigned 8-bit integer Maximum number of retransmissions
btrfcomm.mcc.cmd C/R Flag Unsigned 8-bit integer Command/Response flag
btrfcomm.mcc.cr C/R Flag Unsigned 8-bit integer Command/Response flag
btrfcomm.mcc.ea EA Flag Unsigned 8-bit integer EA flag (should be always 1)
btrfcomm.mcc.len MCC Length Unsigned 16-bit integer Length of MCC data
btrfcomm.msc.bl Length of break in units of 200ms Unsigned 8-bit integer Length of break in units of 200ms
btrfcomm.msc.dv Data Valid (DV) Unsigned 8-bit integer Data Valid
btrfcomm.msc.fc Flow Control (FC) Unsigned 8-bit integer Flow Control
btrfcomm.msc.ic Incoming Call Indicator (IC) Unsigned 8-bit integer Incoming Call Indicator
btrfcomm.msc.rtc Ready To Communicate (RTC) Unsigned 8-bit integer Ready To Communicate
btrfcomm.msc.rtr Ready To Receive (RTR) Unsigned 8-bit integer Ready To Receive
btrfcomm.pf P/F flag Unsigned 8-bit integer Poll/Final bit
btrfcomm.pn.cl Convergence layer Unsigned 8-bit integer Convergence layer used for that particular DLCI
btrfcomm.pn.i Type of frame Unsigned 8-bit integer Type of information frames used for that particular DLCI
btrfcomm.priority Priority Unsigned 8-bit integer Priority
btsdp.error_code ErrorCode Unsigned 16-bit integer Error Code
btsdp.len ParameterLength Unsigned 16-bit integer ParameterLength
btsdp.pdu PDU Unsigned 8-bit integer PDU type
btsdp.ssares.byte_count AttributeListsByteCount Unsigned 16-bit integer count of bytes in attribute list response
btsdp.ssr.current_count CurrentServiceRecordCount Unsigned 16-bit integer count of service records in this message
btsdp.ssr.total_count TotalServiceRecordCount Unsigned 16-bit integer Total count of service records
btsdp.tid TransactionID Unsigned 16-bit integer Transaction ID
brdwlk.drop Packet Dropped Boolean
brdwlk.eof EOF Unsigned 8-bit integer EOF
brdwlk.error Error Unsigned 8-bit integer Error
brdwlk.error.crc CRC Boolean
brdwlk.error.ctrl Ctrl Char Inside Frame Boolean
brdwlk.error.ef Empty Frame Boolean
brdwlk.error.ff Fifo Full Boolean
brdwlk.error.jumbo Jumbo FC Frame Boolean
brdwlk.error.nd No Data Boolean
brdwlk.error.plp Packet Length Present Boolean
brdwlk.error.tr Truncated Boolean
brdwlk.pktcnt Packet Count Unsigned 16-bit integer
brdwlk.plen Original Packet Length Unsigned 32-bit integer
brdwlk.sof SOF Unsigned 8-bit integer SOF
brdwlk.vsan VSAN Unsigned 16-bit integer
bootparams.domain Client Domain String Client Domain
bootparams.fileid File ID String File ID
bootparams.filepath File Path String File Path
bootparams.host Client Host String Client Host
bootparams.hostaddr Client Address IPv4 address Address
bootparams.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
bootparams.routeraddr Router Address IPv4 address Router Address
bootparams.type Address Type Unsigned 32-bit integer Address Type
bootp.client_id_uuid Client Identifier (UUID) Client Machine Identifier (UUID)
bootp.client_network_id_major Client Network ID Major Version Unsigned 8-bit integer Client Machine Identifier, Major Version
bootp.client_network_id_minor Client Network ID Minor Version Unsigned 8-bit integer Client Machine Identifier, Major Version
bootp.cookie Magic cookie IPv4 address
bootp.dhcp Frame is DHCP Boolean
bootp.file Boot file name String
bootp.flags Bootp flags Unsigned 16-bit integer
bootp.flags.bc Broadcast flag Boolean
bootp.flags.reserved Reserved flags Unsigned 16-bit integer
bootp.fqdn.e Encoding Boolean If true, name is binary encoded
bootp.fqdn.mbz Reserved flags Unsigned 8-bit integer
bootp.fqdn.n Server DDNS Boolean If true, server should not do any DDNS updates
bootp.fqdn.name Client name Byte array Name to register via DDNS
bootp.fqdn.o Server overrides Boolean If true, server insists on doing DDNS update
bootp.fqdn.rcode1 A-RR result Unsigned 8-bit integer Result code of A-RR update
bootp.fqdn.rcode2 PTR-RR result Unsigned 8-bit integer Result code of PTR-RR update
bootp.fqdn.s Server Boolean If true, server should do DDNS update
bootp.hops Hops Unsigned 8-bit integer
bootp.hw.addr Client hardware address Byte array
bootp.hw.len Hardware address length Unsigned 8-bit integer
bootp.hw.mac_addr Client MAC address 6-byte Hardware (MAC) Address
bootp.hw.type Hardware type Unsigned 8-bit integer
bootp.id Transaction ID Unsigned 32-bit integer
bootp.ip.client Client IP address IPv4 address
bootp.ip.relay Relay agent IP address IPv4 address
bootp.ip.server Next server IP address IPv4 address
bootp.ip.your Your (client) IP address IPv4 address
bootp.option.length Length Unsigned 8-bit integer Bootp/Dhcp option length
bootp.option.type Option Unsigned 8-bit integer Bootp/Dhcp option type
bootp.option.value Value Byte array Bootp/Dhcp option value
bootp.secs Seconds elapsed Unsigned 16-bit integer
bootp.server Server host name String
bootp.type Message type Unsigned 8-bit integer
bootp.vendor Bootp Vendor Options Byte array
bootp.vendor.alcatel.vid Voice VLAN ID Unsigned 16-bit integer Alcatel VLAN ID to define Voice VLAN
bootp.vendor.docsis.cmcap_len CM DC Length Unsigned 8-bit integer DOCSIS Cable Modem Device Capabilities Length
bootp.vendor.pktc.mtacap_len MTA DC Length Unsigned 8-bit integer PacketCable MTA Device Capabilities Length
bgp.aggregator_as Aggregator AS Unsigned 16-bit integer
bgp.aggregator_origin Aggregator origin IPv4 address
bgp.as_path AS Path Unsigned 16-bit integer
bgp.cluster_identifier Cluster identifier IPv4 address
bgp.cluster_list Cluster List Byte array
bgp.community_as Community AS Unsigned 16-bit integer
bgp.community_value Community value Unsigned 16-bit integer
bgp.local_pref Local preference Unsigned 32-bit integer
bgp.mp_nlri_tnl_id MP Reach NLRI Tunnel Identifier Unsigned 16-bit integer
bgp.mp_reach_nlri_ipv4_prefix MP Reach NLRI IPv4 prefix IPv4 address
bgp.mp_unreach_nlri_ipv4_prefix MP Unreach NLRI IPv4 prefix IPv4 address
bgp.multi_exit_disc Multiple exit discriminator Unsigned 32-bit integer
bgp.next_hop Next hop IPv4 address
bgp.nlri_prefix NLRI prefix IPv4 address
bgp.origin Origin Unsigned 8-bit integer
bgp.originator_id Originator identifier IPv4 address
bgp.ssa_l2tpv3_Unused Unused Boolean Unused Flags
bgp.ssa_l2tpv3_cookie Cookie Byte array Cookie
bgp.ssa_l2tpv3_cookie_len Cookie Length Unsigned 8-bit integer Cookie Length
bgp.ssa_l2tpv3_pref Preference Unsigned 16-bit integer Preference
bgp.ssa_l2tpv3_s Sequencing bit Boolean Sequencing S-bit
bgp.ssa_l2tpv3_session_id Session ID Unsigned 32-bit integer Session ID
bgp.ssa_len Length Unsigned 16-bit integer SSA Length
bgp.ssa_t Transitive bit Boolean SSA Transitive bit
bgp.ssa_type SSA Type Unsigned 16-bit integer SSA Type
bgp.ssa_value Value Byte array SSA Value
bgp.type Type Unsigned 8-bit integer BGP message type
bgp.withdrawn_prefix Withdrawn prefix IPv4 address
bacapp.LVT Length Value Type Unsigned 8-bit integer Length Value Type
bacapp.NAK NAK Boolean negativ ACK
bacapp.SA SA Boolean Segmented Response accepted
bacapp.SRV SRV Boolean Server
bacapp.abort_reason Abort Reason Unsigned 8-bit integer Abort Reason
bacapp.application_tag_number Application Tag Number Unsigned 8-bit integer Application Tag Number
bacapp.confirmed_service Service Choice Unsigned 8-bit integer Service Choice
bacapp.context_tag_number Context Tag Number Unsigned 8-bit integer Context Tag Number
bacapp.extended_tag_number Extended Tag Number Unsigned 8-bit integer Extended Tag Number
bacapp.instance_number Instance Number Unsigned 32-bit integer Instance Number
bacapp.invoke_id Invoke ID Unsigned 8-bit integer Invoke ID
bacapp.max_adpu_size Size of Maximum ADPU accepted Unsigned 8-bit integer Size of Maximum ADPU accepted
bacapp.more_segments More Segments Boolean More Segments Follow
bacapp.named_tag Named Tag Unsigned 8-bit integer Named Tag
bacapp.objectType Object Type Unsigned 32-bit integer Object Type
bacapp.pduflags PDU Flags Unsigned 8-bit integer PDU Flags
bacapp.processId ProcessIdentifier Unsigned 32-bit integer Process Identifier
bacapp.reject_reason Reject Reason Unsigned 8-bit integer Reject Reason
bacapp.response_segments Max Response Segments accepted Unsigned 8-bit integer Max Response Segments accepted
bacapp.segmented_request Segmented Request Boolean Segmented Request
bacapp.sequence_number Sequence Number Unsigned 8-bit integer Sequence Number
bacapp.string_character_set String Character Set Unsigned 8-bit integer String Character Set
bacapp.tag BACnet Tag Byte array BACnet Tag
bacapp.tag_class Tag Class Boolean Tag Class
bacapp.tag_value16 Tag Value 16-bit Unsigned 16-bit integer Tag Value 16-bit
bacapp.tag_value32 Tag Value 32-bit Unsigned 32-bit integer Tag Value 32-bit
bacapp.tag_value8 Tag Value Unsigned 8-bit integer Tag Value
bacapp.type APDU Type Unsigned 8-bit integer APDU Type
bacapp.unconfirmed_service Unconfirmed Service Choice Unsigned 8-bit integer Unconfirmed Service Choice
bacapp.variable_part BACnet APDU variable part: No value BACnet APDU variable part
bacapp.window_size Proposed Window Size Unsigned 8-bit integer Proposed Window Size
bacnet.control Control Unsigned 8-bit integer BACnet Control
bacnet.control_dest Destination Specifier Boolean BACnet Control
bacnet.control_expect Expecting Reply Boolean BACnet Control
bacnet.control_net NSDU contains Boolean BACnet Control
bacnet.control_prio_high Priority Boolean BACnet Control
bacnet.control_prio_low Priority Boolean BACnet Control
bacnet.control_res1 Reserved Boolean BACnet Control
bacnet.control_res2 Reserved Boolean BACnet Control
bacnet.control_src Source specifier Boolean BACnet Control
bacnet.dadr_eth Destination ISO 8802-3 MAC Address 6-byte Hardware (MAC) Address Destination ISO 8802-3 MAC Address
bacnet.dadr_mstp DADR Unsigned 8-bit integer Destination MS/TP or ARCNET MAC Address
bacnet.dadr_tmp Unknown Destination MAC Byte array Unknown Destination MAC
bacnet.dlen Destination MAC Layer Address Length Unsigned 8-bit integer Destination MAC Layer Address Length
bacnet.dnet Destination Network Address Unsigned 16-bit integer Destination Network Address
bacnet.hopc Hop Count Unsigned 8-bit integer Hop Count
bacnet.mesgtyp Network Layer Message Type Unsigned 8-bit integer Network Layer Message Type
bacnet.perf Performance Index Unsigned 8-bit integer Performance Index
bacnet.pinfo Port Info Unsigned 8-bit integer Port Info
bacnet.pinfolen Port Info Length Unsigned 8-bit integer Port Info Length
bacnet.portid Port ID Unsigned 8-bit integer Port ID
bacnet.rejectreason Reject Reason Unsigned 8-bit integer Reject Reason
bacnet.rportnum Number of Port Mappings Unsigned 8-bit integer Number of Port Mappings
bacnet.sadr_eth SADR 6-byte Hardware (MAC) Address Source ISO 8802-3 MAC Address
bacnet.sadr_mstp SADR Unsigned 8-bit integer Source MS/TP or ARCNET MAC Address
bacnet.sadr_tmp Unknown Source MAC Byte array Unknown Source MAC
bacnet.slen Source MAC Layer Address Length Unsigned 8-bit integer Source MAC Layer Address Length
bacnet.snet Source Network Address Unsigned 16-bit integer Source Network Address
bacnet.vendor Vendor ID Unsigned 16-bit integer Vendor ID
bacnet.version Version Unsigned 8-bit integer BACnet Version
ccsds.apid APID Unsigned 16-bit integer Represents APID
ccsds.checkword checkword indicator Unsigned 8-bit integer checkword indicator
ccsds.dcc Data Cycle Counter Unsigned 16-bit integer Data Cycle Counter
ccsds.length packet length Unsigned 16-bit integer packet length
ccsds.packtype packet type Unsigned 8-bit integer Packet Type - Unused in Ku-Band
ccsds.secheader secondary header Boolean secondary header present
ccsds.seqflag sequence flags Unsigned 16-bit integer sequence flags
ccsds.seqnum sequence number Unsigned 16-bit integer sequence number
ccsds.time time Byte array time
ccsds.timeid time identifier Unsigned 8-bit integer time identifier
ccsds.type type Unsigned 16-bit integer type
ccsds.version version Unsigned 16-bit integer version
ccsds.vid version identifier Unsigned 16-bit integer version identifier
ccsds.zoe ZOE TLM Unsigned 8-bit integer CONTAINS S-BAND ZOE PACKETS
cds_clerkserver.opnum Operation Unsigned 16-bit integer Operation
csm_encaps.channel Channel Number Unsigned 16-bit integer CSM_ENCAPS Channel Number
csm_encaps.class Class Unsigned 8-bit integer CSM_ENCAPS Class
csm_encaps.ctrl Control Unsigned 8-bit integer CSM_ENCAPS Control
csm_encaps.ctrl.ack Packet Bit Boolean Message Packet/ACK Packet
csm_encaps.ctrl.ack_suppress ACK Suppress Bit Boolean ACK Required/ACK Suppressed
csm_encaps.ctrl.endian Endian Bit Boolean Little Endian/Big Endian
csm_encaps.function_code Function Code Unsigned 16-bit integer CSM_ENCAPS Function Code
csm_encaps.index Index Unsigned 8-bit integer CSM_ENCAPS Index
csm_encaps.length Length Unsigned 8-bit integer CSM_ENCAPS Length
csm_encaps.opcode Opcode Unsigned 16-bit integer CSM_ENCAPS Opcode
csm_encaps.param Parameter Unsigned 16-bit integer CSM_ENCAPS Parameter
csm_encaps.param1 Parameter 1 Unsigned 16-bit integer CSM_ENCAPS Parameter 1
csm_encaps.param10 Parameter 10 Unsigned 16-bit integer CSM_ENCAPS Parameter 10
csm_encaps.param11 Parameter 11 Unsigned 16-bit integer CSM_ENCAPS Parameter 11
csm_encaps.param12 Parameter 12 Unsigned 16-bit integer CSM_ENCAPS Parameter 12
csm_encaps.param13 Parameter 13 Unsigned 16-bit integer CSM_ENCAPS Parameter 13
csm_encaps.param14 Parameter 14 Unsigned 16-bit integer CSM_ENCAPS Parameter 14
csm_encaps.param15 Parameter 15 Unsigned 16-bit integer CSM_ENCAPS Parameter 15
csm_encaps.param16 Parameter 16 Unsigned 16-bit integer CSM_ENCAPS Parameter 16
csm_encaps.param17 Parameter 17 Unsigned 16-bit integer CSM_ENCAPS Parameter 17
csm_encaps.param18 Parameter 18 Unsigned 16-bit integer CSM_ENCAPS Parameter 18
csm_encaps.param19 Parameter 19 Unsigned 16-bit integer CSM_ENCAPS Parameter 19
csm_encaps.param2 Parameter 2 Unsigned 16-bit integer CSM_ENCAPS Parameter 2
csm_encaps.param20 Parameter 20 Unsigned 16-bit integer CSM_ENCAPS Parameter 20
csm_encaps.param21 Parameter 21 Unsigned 16-bit integer CSM_ENCAPS Parameter 21
csm_encaps.param22 Parameter 22 Unsigned 16-bit integer CSM_ENCAPS Parameter 22
csm_encaps.param23 Parameter 23 Unsigned 16-bit integer CSM_ENCAPS Parameter 23
csm_encaps.param24 Parameter 24 Unsigned 16-bit integer CSM_ENCAPS Parameter 24
csm_encaps.param25 Parameter 25 Unsigned 16-bit integer CSM_ENCAPS Parameter 25
csm_encaps.param26 Parameter 26 Unsigned 16-bit integer CSM_ENCAPS Parameter 26
csm_encaps.param27 Parameter 27 Unsigned 16-bit integer CSM_ENCAPS Parameter 27
csm_encaps.param28 Parameter 28 Unsigned 16-bit integer CSM_ENCAPS Parameter 28
csm_encaps.param29 Parameter 29 Unsigned 16-bit integer CSM_ENCAPS Parameter 29
csm_encaps.param3 Parameter 3 Unsigned 16-bit integer CSM_ENCAPS Parameter 3
csm_encaps.param30 Parameter 30 Unsigned 16-bit integer CSM_ENCAPS Parameter 30
csm_encaps.param31 Parameter 31 Unsigned 16-bit integer CSM_ENCAPS Parameter 31
csm_encaps.param32 Parameter 32 Unsigned 16-bit integer CSM_ENCAPS Parameter 32
csm_encaps.param33 Parameter 33 Unsigned 16-bit integer CSM_ENCAPS Parameter 33
csm_encaps.param34 Parameter 34 Unsigned 16-bit integer CSM_ENCAPS Parameter 34
csm_encaps.param35 Parameter 35 Unsigned 16-bit integer CSM_ENCAPS Parameter 35
csm_encaps.param36 Parameter 36 Unsigned 16-bit integer CSM_ENCAPS Parameter 36
csm_encaps.param37 Parameter 37 Unsigned 16-bit integer CSM_ENCAPS Parameter 37
csm_encaps.param38 Parameter 38 Unsigned 16-bit integer CSM_ENCAPS Parameter 38
csm_encaps.param39 Parameter 39 Unsigned 16-bit integer CSM_ENCAPS Parameter 39
csm_encaps.param4 Parameter 4 Unsigned 16-bit integer CSM_ENCAPS Parameter 4
csm_encaps.param40 Parameter 40 Unsigned 16-bit integer CSM_ENCAPS Parameter 40
csm_encaps.param5 Parameter 5 Unsigned 16-bit integer CSM_ENCAPS Parameter 5
csm_encaps.param6 Parameter 6 Unsigned 16-bit integer CSM_ENCAPS Parameter 6
csm_encaps.param7 Parameter 7 Unsigned 16-bit integer CSM_ENCAPS Parameter 7
csm_encaps.param8 Parameter 8 Unsigned 16-bit integer CSM_ENCAPS Parameter 8
csm_encaps.param9 Parameter 9 Unsigned 16-bit integer CSM_ENCAPS Parameter 9
csm_encaps.reserved Reserved Unsigned 16-bit integer CSM_ENCAPS Reserved
csm_encaps.seq_num Sequence Number Unsigned 8-bit integer CSM_ENCAPS Sequence Number
csm_encaps.type Type Unsigned 8-bit integer CSM_ENCAPS Type
calcappprotocol.message_completed Completed Unsigned 64-bit integer
calcappprotocol.message_jobid JobID Unsigned 32-bit integer
calcappprotocol.message_jobsize JobSize Unsigned 64-bit integer
calcappprotocol.message_length Length Unsigned 16-bit integer
calcappprotocol.message_type Type Unsigned 8-bit integer
calcppprotocol.message_flags Flags Unsigned 8-bit integer
camel.BCSMEventArray_item Item No value camel.BCSMEvent
camel.CellGlobalIdOrServiceAreaIdFixedLength CellGlobalIdOrServiceAreaIdFixedLength Byte array LocationInformationGPRS/CellGlobalIdOrServiceAreaIdOrLAI
camel.ChangeOfPositionControlInfo_item Item Unsigned 32-bit integer camel.ChangeOfLocation
camel.DestinationRoutingAddress_item Item Byte array camel.CalledPartyNumber
camel.ExtensionsArray_item Item No value camel.ExtensionField
camel.Extensions_item Item No value camel.ExtensionField
camel.GPRSEventArray_item Item No value camel.GPRSEvent
camel.GenericNumbers_item Item Byte array camel.GenericNumber
camel.MetDPCriteriaList_item Item Unsigned 32-bit integer camel.MetDPCriterion
camel.PDPAddress_IPv4 PDPAddress IPv4 IPv4 address IPAddress IPv4
camel.PDPAddress_IPv6 PDPAddress IPv6 IPv6 address IPAddress IPv6
camel.PDPTypeNumber_etsi ETSI defined PDP Type Value Unsigned 8-bit integer ETSI defined PDP Type Value
camel.PDPTypeNumber_ietf IETF defined PDP Type Value Unsigned 8-bit integer IETF defined PDP Type Value
camel.PrivateExtensionList_item Item No value camel.PrivateExtension
camel.RequestedInformationList_item Item No value camel.RequestedInformation
camel.RequestedInformationTypeList_item Item Unsigned 32-bit integer camel.RequestedInformationType
camel.SMSEventArray_item Item No value camel.SMSEvent
camel.VariablePartsArray_item Item Unsigned 32-bit integer camel.VariablePart
camel.aChBillingChargingCharacteristics aChBillingChargingCharacteristics Unsigned 32-bit integer camel.AChBillingChargingCharacteristics
camel.aChChargingAddress aChChargingAddress Unsigned 32-bit integer camel.AChChargingAddress
camel.aOCAfterAnswer aOCAfterAnswer No value camel.AOCSubsequent
camel.aOCBeforeAnswer aOCBeforeAnswer No value camel.AOCBeforeAnswer
camel.aOCGPRS aOCGPRS No value camel.AOCGprs
camel.aOCInitial aOCInitial No value camel.CAI_Gsm0224
camel.aOCSubsequent aOCSubsequent No value camel.AOCSubsequent
camel.aOC_extension aOC-extension No value camel.CAMEL_SCIBillingChargingCharacteristicsAlt
camel.absent absent No value InvokeId/absent
camel.accessPointName accessPointName Byte array camel.AccessPointName
camel.actimeDurationCharging actimeDurationCharging No value camel.T_actimeDurationCharging
camel.active active Boolean camel.BOOLEAN
camel.actone actone Boolean camel.BOOLEAN
camel.additionalCallingPartyNumber additionalCallingPartyNumber Byte array camel.AdditionalCallingPartyNumber
camel.addr_extension Extension Boolean Extension
camel.addr_nature_of_addr Nature of address Unsigned 8-bit integer Nature of address
camel.addr_numbering_plan Numbering plan indicator Unsigned 8-bit integer Numbering plan indicator
camel.address address Byte array camel.OCTET_STRING_SIZE_4_16
camel.addressLength addressLength Unsigned 32-bit integer camel.INTEGER_4_16
camel.address_digits Address digits String Address digits
camel.alertingDP alertingDP Boolean
camel.alertingPattern alertingPattern Byte array camel.AlertingPattern
camel.allRequests allRequests No value camel.NULL
camel.aoc aoc Signed 32-bit integer camel.INTEGER
camel.appendFreeFormatData appendFreeFormatData Unsigned 32-bit integer camel.AppendFreeFormatData
camel.applicationTimer applicationTimer Unsigned 32-bit integer camel.ApplicationTimer
camel.assistingSSPIPRoutingAddress assistingSSPIPRoutingAddress Byte array camel.AssistingSSPIPRoutingAddress
camel.assumedIdle assumedIdle No value camel.NULL
camel.attachChangeOfPositionSpecificInformation attachChangeOfPositionSpecificInformation No value camel.T_attachChangeOfPositionSpecificInformation
camel.attributes attributes Byte array camel.OCTET_STRING_SIZE_2_10
camel.audibleIndicator audibleIndicator Unsigned 32-bit integer camel.AudibleIndicator
camel.automaticRearm automaticRearm No value camel.NULL
camel.bCSM_Failure bCSM-Failure No value camel.BCSM_Failure
camel.backwardServiceInteractionInd backwardServiceInteractionInd No value camel.BackwardServiceInteractionInd
camel.basicGapCriteria basicGapCriteria Unsigned 32-bit integer camel.BasicGapCriteria
camel.bcsmEvents bcsmEvents Unsigned 32-bit integer camel.BCSMEventArray
camel.bearerCap bearerCap Byte array camel.BearerCap
camel.bearerCapability bearerCapability Unsigned 32-bit integer camel.BearerCapability
camel.bearerCapability2 bearerCapability2 Unsigned 32-bit integer camel.BearerCapability
camel.bilateralPart bilateralPart Byte array camel.OCTET_STRING_SIZE_0_3
camel.bor_InterrogationRequested bor-InterrogationRequested No value camel.NULL
camel.bothwayThroughConnectionInd bothwayThroughConnectionInd Unsigned 32-bit integer camel.BothwayThroughConnectionInd
camel.burstInterval burstInterval Unsigned 32-bit integer camel.INTEGER_1_1200
camel.burstList burstList No value camel.BurstList
camel.bursts bursts No value camel.Burst
camel.busyCause busyCause Byte array camel.Cause
camel.cAI_GSM0224 cAI-GSM0224 No value camel.CAI_Gsm0224
camel.cGEncountered cGEncountered Unsigned 32-bit integer camel.CGEncountered
camel.callAcceptedSpecificInfo callAcceptedSpecificInfo No value camel.T_callAcceptedSpecificInfo
camel.callAttemptElapsedTimeValue callAttemptElapsedTimeValue Unsigned 32-bit integer camel.INTEGER_0_255
camel.callCompletionTreatmentIndicator callCompletionTreatmentIndicator Byte array camel.OCTET_STRING_SIZE_1
camel.callConnectedElapsedTimeValue callConnectedElapsedTimeValue Unsigned 32-bit integer camel.Integer4
camel.callDiversionTreatmentIndicator callDiversionTreatmentIndicator Byte array camel.OCTET_STRING_SIZE_1
camel.callForwarded callForwarded No value camel.NULL
camel.callLegReleasedAtTcpExpiry callLegReleasedAtTcpExpiry No value camel.NULL
camel.callReferenceNumber callReferenceNumber Byte array camel.CallReferenceNumber
camel.callSegmentFailure callSegmentFailure No value camel.CallSegmentFailure
camel.callSegmentID callSegmentID Unsigned 32-bit integer camel.CallSegmentID
camel.callSegmentToCancel callSegmentToCancel No value camel.CallSegmentToCancel
camel.callStopTimeValue callStopTimeValue String camel.DateAndTime
camel.calledAddressAndService calledAddressAndService No value camel.T_calledAddressAndService
camel.calledAddressValue calledAddressValue Byte array camel.Digits
camel.calledPartyBCDNumber calledPartyBCDNumber Byte array camel.CalledPartyBCDNumber
camel.calledPartyNumber calledPartyNumber Byte array camel.CalledPartyNumber
camel.callingAddressAndService callingAddressAndService No value camel.T_callingAddressAndService
camel.callingAddressValue callingAddressValue Byte array camel.Digits
camel.callingPartyNumber callingPartyNumber Byte array camel.CallingPartyNumber
camel.callingPartyNumberas callingPartyNumberas Byte array camel.ISDN_AddressString
camel.callingPartyRestrictionIndicator callingPartyRestrictionIndicator Byte array camel.OCTET_STRING_SIZE_1
camel.callingPartysCategory callingPartysCategory Unsigned 16-bit integer camel.CallingPartysCategory
camel.callingPartysNumber callingPartysNumber Byte array camel.ISDN_AddressString
camel.callresultOctet callresultOctet Byte array camel.CallresultoctetPDU
camel.camelBusy camelBusy No value camel.NULL
camel.cancelDigit cancelDigit Byte array camel.OCTET_STRING_SIZE_1_2
camel.carrier carrier Byte array camel.Carrier
camel.cause cause Byte array camel.Cause
camel.causeValue causeValue Signed 32-bit integer camel.INTEGER
camel.cause_indicator Cause indicator Unsigned 8-bit integer
camel.cellGlobalId cellGlobalId Byte array gsm_map.CellGlobalIdOrServiceAreaIdFixedLength
camel.cellGlobalIdOrServiceAreaIdOrLAI cellGlobalIdOrServiceAreaIdOrLAI Byte array camel.CellGlobalIdOrServiceAreaIdOrLAI
camel.cellIdFixedLength cellIdFixedLength Byte array camel.CellIdFixedLength
camel.cf-Enhancements cf-Enhancements Boolean
camel.changeOfLocationAlt changeOfLocationAlt No value camel.ChangeOfLocationAlt
camel.changeOfPositionControlInfo changeOfPositionControlInfo Unsigned 32-bit integer camel.ChangeOfPositionControlInfo
camel.changeOfPositionDP changeOfPositionDP Boolean
camel.chargeIndicator chargeIndicator Byte array camel.ChargeIndicator
camel.chargeNumber chargeNumber Byte array camel.ChargeNumber
camel.chargingCharacteristics chargingCharacteristics Unsigned 32-bit integer camel.ChargingCharacteristics
camel.chargingID chargingID Byte array gsm_map.GPRSChargingID
camel.chargingIndicator chargingIndicator Boolean
camel.chargingResult chargingResult Unsigned 32-bit integer camel.ChargingResult
camel.chargingRollOver chargingRollOver Unsigned 32-bit integer camel.ChargingRollOver
camel.codingStandard codingStandard Signed 32-bit integer camel.INTEGER
camel.collectedDigits collectedDigits No value camel.CollectedDigits
camel.collectedInfo collectedInfo Unsigned 32-bit integer camel.CollectedInfo
camel.compoundGapCriteria compoundGapCriteria No value camel.CompoundCriteria
camel.conferenceTreatmentIndicator conferenceTreatmentIndicator Byte array camel.OCTET_STRING_SIZE_1
camel.connectedNumberTreatmentInd connectedNumberTreatmentInd Unsigned 32-bit integer camel.ConnectedNumberTreatmentInd
camel.continueWithArgumentArgExtension continueWithArgumentArgExtension No value camel.ContinueWithArgumentArgExtension
camel.controlType controlType Unsigned 32-bit integer camel.ControlType
camel.correlationID correlationID Byte array camel.CorrelationID
camel.counter counter Signed 32-bit integer camel.INTEGER
camel.criteriaForChangeOfPositionDP criteriaForChangeOfPositionDP Boolean
camel.criticality criticality Unsigned 32-bit integer camel.CriticalityType
camel.cug_Index cug-Index Unsigned 32-bit integer camel.CUG_Index
camel.cug_Interlock cug-Interlock Byte array camel.CUG_Interlock
camel.cug_OutgoingAccess cug-OutgoingAccess No value camel.NULL
camel.cwTreatmentIndicator cwTreatmentIndicator Byte array camel.OCTET_STRING_SIZE_1
camel.dTMFDigitsCompleted dTMFDigitsCompleted Byte array camel.Digits
camel.dTMFDigitsTimeOut dTMFDigitsTimeOut Byte array camel.Digits
camel.date date Byte array camel.OCTET_STRING_SIZE_4
camel.degreesOfLatitude degreesOfLatitude Byte array camel.OCTET_STRING_SIZE_3
camel.degreesOfLongitude degreesOfLongitude Byte array camel.OCTET_STRING_SIZE_3
camel.destinationAddress destinationAddress Byte array camel.CalledPartyNumber
camel.destinationReference destinationReference Unsigned 32-bit integer camel.Integer4
camel.destinationRoutingAddress destinationRoutingAddress Unsigned 32-bit integer camel.DestinationRoutingAddress
camel.destinationSubscriberNumber destinationSubscriberNumber Byte array camel.CalledPartyBCDNumber
camel.detachSpecificInformation detachSpecificInformation No value camel.T_detachSpecificInformation
camel.dfc-WithArgument dfc-WithArgument Boolean
camel.diagnostics diagnostics Byte array camel.OCTET_STRING_SIZE_0_30
camel.digit_value Digit Value Unsigned 8-bit integer Digit Value
camel.digits1 digits1 Byte array camel.OCTET_STRING_SIZE_0_19
camel.digits2 digits2 Byte array camel.OCTET_STRING_SIZE_0_8
camel.digits3 digits3 Byte array camel.OCTET_STRING_SIZE_0_16
camel.digits4 digits4 Byte array camel.OCTET_STRING_SIZE_0_8
camel.digits5 digits5 Byte array camel.OCTET_STRING_SIZE_1_10
camel.digits6 digits6 Byte array camel.OCTET_STRING_SIZE_0_8
camel.digits7 digits7 Byte array camel.OCTET_STRING_SIZE_0_8
camel.digits8 digits8 Byte array camel.OCTET_STRING_SIZE_0_40
camel.digitsResponse digitsResponse Byte array camel.Digits
camel.disconnectFromIPForbidden disconnectFromIPForbidden Boolean camel.BOOLEAN
camel.disconnectLeg disconnectLeg Boolean
camel.disconnectSpecificInformation disconnectSpecificInformation No value camel.T_disconnectSpecificInformation
camel.dpSpecificCriteria dpSpecificCriteria Unsigned 32-bit integer camel.DpSpecificCriteria
camel.dpSpecificCriteriaAlt dpSpecificCriteriaAlt No value camel.DpSpecificCriteriaAlt
camel.dpSpecificInfoAlt dpSpecificInfoAlt No value camel.DpSpecificInfoAlt
camel.dtmf-MidCall dtmf-MidCall Boolean
camel.duration1 duration1 Signed 32-bit integer camel.Duration
camel.duration2 duration2 Unsigned 32-bit integer camel.INTEGER_0_32767
camel.duration3 duration3 Unsigned 32-bit integer camel.Integer4
camel.e1 e1 Unsigned 32-bit integer camel.INTEGER_0_8191
camel.e2 e2 Unsigned 32-bit integer camel.INTEGER_0_8191
camel.e3 e3 Unsigned 32-bit integer camel.INTEGER_0_8191
camel.e4 e4 Unsigned 32-bit integer camel.INTEGER_0_8191
camel.e5 e5 Unsigned 32-bit integer camel.INTEGER_0_8191
camel.e6 e6 Unsigned 32-bit integer camel.INTEGER_0_8191
camel.e7 e7 Unsigned 32-bit integer camel.INTEGER_0_8191
camel.ectTreatmentIndicator ectTreatmentIndicator Byte array camel.OCTET_STRING_SIZE_1
camel.elapsedTime elapsedTime Unsigned 32-bit integer camel.ElapsedTime
camel.elapsedTimeRollOver elapsedTimeRollOver Unsigned 32-bit integer camel.ElapsedTimeRollOver
camel.elementaryMessageID elementaryMessageID Unsigned 32-bit integer camel.Integer4
camel.elementaryMessageIDs elementaryMessageIDs Unsigned 32-bit integer camel.SEQUENCE_SIZE_1_16_OF_Integer4
camel.elementaryMessageIDs_item Item Unsigned 32-bit integer camel.Integer4
camel.endOfReplyDigit endOfReplyDigit Byte array camel.OCTET_STRING_SIZE_1_2
camel.enhancedDialledServicesAllowed enhancedDialledServicesAllowed No value camel.NULL
camel.enteringCellGlobalId enteringCellGlobalId Byte array gsm_map.CellGlobalIdOrServiceAreaIdFixedLength
camel.enteringLocationAreaId enteringLocationAreaId Byte array gsm_map.LAIFixedLength
camel.enteringServiceAreaId enteringServiceAreaId Byte array gsm_map.CellGlobalIdOrServiceAreaIdFixedLength
camel.entityReleased entityReleased Boolean
camel.errorTreatment errorTreatment Unsigned 32-bit integer camel.ErrorTreatment
camel.eventSpecificInformationBCSM eventSpecificInformationBCSM Unsigned 32-bit integer camel.EventSpecificInformationBCSM
camel.eventSpecificInformationSMS eventSpecificInformationSMS Unsigned 32-bit integer camel.EventSpecificInformationSMS
camel.eventTypeBCSM eventTypeBCSM Unsigned 32-bit integer camel.EventTypeBCSM
camel.eventTypeSMS eventTypeSMS Unsigned 32-bit integer camel.EventTypeSMS
camel.ext ext Signed 32-bit integer camel.INTEGER
camel.extId extId camel.ExtensionSetextensionId
camel.ext_basicServiceCode ext-basicServiceCode Unsigned 32-bit integer gsm_map.Ext_BasicServiceCode
camel.ext_basicServiceCode2 ext-basicServiceCode2 Unsigned 32-bit integer gsm_map.Ext_BasicServiceCode
camel.extension extension Unsigned 32-bit integer camel.INTEGER_1
camel.extensionContainer extensionContainer No value camel.ExtensionContainer
camel.extensions extensions Unsigned 32-bit integer camel.ExtensionsArray
camel.fCIBCCCAMELsequence1 fCIBCCCAMELsequence1 No value camel.T_fCIBCCCAMELsequence1
camel.fCIBCCCAMELsequence2 fCIBCCCAMELsequence2 No value camel.T_fCIBCCCAMELsequence2
camel.fCIBCCCAMELsequence3 fCIBCCCAMELsequence3 No value camel.T_fCIBCCCAMELsequence3
camel.failureCause failureCause Byte array camel.Cause
camel.firstDigitTimeOut firstDigitTimeOut Unsigned 32-bit integer camel.INTEGER_1_127
camel.firstExtensionExtensionType firstExtensionExtensionType No value camel.NULL
camel.foo foo Unsigned 32-bit integer camel.INTEGER_0
camel.forwardServiceInteractionInd forwardServiceInteractionInd No value camel.ForwardServiceInteractionInd
camel.forwardedCall forwardedCall No value camel.NULL
camel.forwardingDestinationNumber forwardingDestinationNumber Byte array camel.CalledPartyNumber
camel.freeFormatData freeFormatData Byte array camel.FreeFormatData
camel.gGSNAddress gGSNAddress Byte array gsm_map.GSN_Address
camel.gPRSCause gPRSCause Byte array camel.GPRSCause
camel.gPRSEvent gPRSEvent Unsigned 32-bit integer camel.GPRSEventArray
camel.gPRSEventSpecificInformation gPRSEventSpecificInformation Unsigned 32-bit integer camel.GPRSEventSpecificInformation
camel.gPRSEventType gPRSEventType Unsigned 32-bit integer camel.GPRSEventType
camel.gPRSMSClass gPRSMSClass No value camel.GPRSMSClass
camel.gapCriteria gapCriteria Unsigned 32-bit integer camel.GapCriteria
camel.gapIndicators gapIndicators No value camel.GapIndicators
camel.gapInterval gapInterval Signed 32-bit integer camel.Interval
camel.gapOnService gapOnService No value camel.GapOnService
camel.gapTreatment gapTreatment Unsigned 32-bit integer camel.GapTreatment
camel.genOfVoiceAnn genOfVoiceAnn Signed 32-bit integer camel.INTEGER
camel.genericNumbers genericNumbers Unsigned 32-bit integer camel.GenericNumbers
camel.geographicalInformation geographicalInformation Byte array gsm_map.GeographicalInformation
camel.global global camel.OBJECT_IDENTIFIER
camel.gmscAddress gmscAddress Byte array camel.ISDN_AddressString
camel.gprsCause gprsCause Byte array camel.GPRSCause
camel.gsmSCFAddress gsmSCFAddress Byte array camel.ISDN_AddressString
camel.gsm_ForwardingPending gsm-ForwardingPending No value camel.NULL
camel.highLayerCompatibility highLayerCompatibility Byte array camel.HighLayerCompatibility
camel.highLayerCompatibility2 highLayerCompatibility2 Byte array camel.HighLayerCompatibility
camel.holdTreatmentIndicator holdTreatmentIndicator Byte array camel.OCTET_STRING_SIZE_1
camel.iMEI iMEI Byte array gsm_map.IMEI
camel.iMSI iMSI Byte array gsm_map.IMSI
camel.iPRoutAdd iPRoutAdd Signed 32-bit integer camel.INTEGER
camel.iPSSPCapabilities iPSSPCapabilities Byte array camel.IPSSPCapabilities
camel.imsi_digits Imsi digits String Imsi digits
camel.inbandInfo inbandInfo No value camel.InbandInfo
camel.indicator indicator Signed 32-bit integer camel.INTEGER
camel.informationToSend informationToSend Unsigned 32-bit integer camel.InformationToSend
camel.initialDPArgExtension initialDPArgExtension No value camel.InitialDPArgExtension
camel.initiateCallAttempt initiateCallAttempt Boolean
camel.inititatingEntity inititatingEntity Unsigned 32-bit integer camel.InitiatingEntity
camel.innInd innInd Signed 32-bit integer camel.INTEGER
camel.integer integer Unsigned 32-bit integer camel.Integer4
camel.interDigitTimeOut interDigitTimeOut Unsigned 32-bit integer camel.INTEGER_1_127
camel.interDigitTimeout interDigitTimeout Unsigned 32-bit integer camel.INTEGER_1_127
camel.inter_MSCHandOver inter-MSCHandOver No value camel.NULL
camel.inter_PLMNHandOver inter-PLMNHandOver No value camel.NULL
camel.inter_SystemHandOver inter-SystemHandOver No value camel.NULL
camel.inter_SystemHandOverToGSM inter-SystemHandOverToGSM No value camel.NULL
camel.inter_SystemHandOverToUMTS inter-SystemHandOverToUMTS No value camel.NULL
camel.interruptableAnnInd interruptableAnnInd Boolean camel.BOOLEAN
camel.interval interval Unsigned 32-bit integer camel.INTEGER_0_32767
camel.invoke invoke No value camelPDU/invoke
camel.invokeCmd invokeCmd Unsigned 32-bit integer InvokePDU/invokeCmd
camel.invokeID invokeID Signed 32-bit integer camel.InvokeID
camel.invokeId invokeId Unsigned 32-bit integer InvokePDU/invokeId
camel.invokeid invokeid Signed 32-bit integer InvokeId/invokeid
camel.ipRoutingAddress ipRoutingAddress Byte array camel.IPRoutingAddress
camel.laiFixedLength laiFixedLength Byte array gsm_map.LAIFixedLength
camel.leavingCellGlobalId leavingCellGlobalId Byte array gsm_map.CellGlobalIdOrServiceAreaIdFixedLength
camel.leavingLocationAreaId leavingLocationAreaId Byte array gsm_map.LAIFixedLength
camel.leavingServiceAreaId leavingServiceAreaId Byte array gsm_map.CellGlobalIdOrServiceAreaIdFixedLength
camel.legActive legActive Boolean camel.BOOLEAN
camel.legID legID Unsigned 32-bit integer camel.LegID
camel.legID3 legID3 Unsigned 32-bit integer camel.SendingSideID
camel.legID4 legID4 Unsigned 32-bit integer camel.ReceivingSideID
camel.legID5 legID5 Unsigned 32-bit integer camel.ReceivingSideID
camel.legID6 legID6 Unsigned 32-bit integer camel.LegID
camel.legIDToMove legIDToMove Unsigned 32-bit integer camel.LegID
camel.legOrCallSegment legOrCallSegment Unsigned 32-bit integer camel.LegOrCallSegment
camel.legToBeCreated legToBeCreated Unsigned 32-bit integer camel.LegID
camel.legToBeReleased legToBeReleased Unsigned 32-bit integer camel.LegID
camel.legToBeSplit legToBeSplit Unsigned 32-bit integer camel.LegID
camel.linkedid linkedid Signed 32-bit integer LinkedId/linkedid
camel.local local Signed 32-bit integer camel.INTEGER
camel.location location Signed 32-bit integer camel.INTEGER
camel.locationAreaId locationAreaId Byte array gsm_map.LAIFixedLength
camel.locationAtAlerting locationAtAlerting Boolean
camel.locationInformation locationInformation No value gsm_map.LocationInformation
camel.locationInformationGPRS locationInformationGPRS No value camel.LocationInformationGPRS
camel.locationInformationMSC locationInformationMSC No value gsm_map.LocationInformation
camel.locationNumber locationNumber Byte array camel.LocationNumber
camel.long_QoS_format long-QoS-format Byte array gsm_map.Ext_QoS_Subscribed
camel.lowLayerCompatibility lowLayerCompatibility Byte array camel.LowLayerCompatibility
camel.lowLayerCompatibility2 lowLayerCompatibility2 Byte array camel.LowLayerCompatibility
camel.mSISDN mSISDN Byte array camel.ISDN_AddressString
camel.mSNetworkCapability mSNetworkCapability Byte array camel.MSNetworkCapability
camel.mSRadioAccessCapability mSRadioAccessCapability Byte array camel.MSRadioAccessCapability
camel.maxCallPeriodDuration maxCallPeriodDuration Unsigned 32-bit integer camel.INTEGER_1_864000
camel.maxElapsedTime maxElapsedTime Unsigned 32-bit integer camel.INTEGER_1_86400
camel.maxTransferredVolume maxTransferredVolume Unsigned 32-bit integer camel.INTEGER_1_2147483647
camel.maximumNbOfDigits maximumNbOfDigits Unsigned 32-bit integer camel.INTEGER_1_30
camel.maximumNumberOfDigits maximumNumberOfDigits Unsigned 32-bit integer camel.INTEGER_1_30
camel.messageContent messageContent String camel.IA5String_SIZE_1_127
camel.messageID messageID Unsigned 32-bit integer camel.MessageID
camel.messageType messageType Unsigned 32-bit integer camel.T_messageType
camel.metDPCriteriaList metDPCriteriaList Unsigned 32-bit integer camel.MetDPCriteriaList
camel.metDPCriterionAlt metDPCriterionAlt No value camel.MetDPCriterionAlt
camel.midCallControlInfo midCallControlInfo No value camel.MidCallControlInfo
camel.midCallEvents midCallEvents Unsigned 32-bit integer camel.T_midCallEvents
camel.minimumNbOfDigits minimumNbOfDigits Unsigned 32-bit integer camel.INTEGER_1_30
camel.minimumNumberOfDigits minimumNumberOfDigits Unsigned 32-bit integer camel.INTEGER_1_30
camel.miscCallInfo miscCallInfo No value camel.MiscCallInfo
camel.miscGPRSInfo miscGPRSInfo No value camel.MiscCallInfo
camel.monitorMode monitorMode Unsigned 32-bit integer camel.MonitorMode
camel.moveLeg moveLeg Boolean
camel.ms_Classmark2 ms-Classmark2 Byte array gsm_map.MS_Classmark2
camel.mscAddress mscAddress Byte array camel.ISDN_AddressString
camel.naOliInfo naOliInfo Byte array camel.NAOliInfo
camel.natureOfAddressIndicator natureOfAddressIndicator Signed 32-bit integer camel.INTEGER
camel.negotiated_QoS negotiated-QoS Unsigned 32-bit integer camel.GPRS_QoS
camel.negotiated_QoS_Extension negotiated-QoS-Extension No value camel.GPRS_QoS_Extension
camel.netDetNotReachable netDetNotReachable Unsigned 32-bit integer camel.NotReachableReason
camel.newCallSegment newCallSegment Unsigned 32-bit integer camel.CallSegmentID
camel.niInd niInd Signed 32-bit integer camel.INTEGER
camel.nonCUGCall nonCUGCall No value camel.NULL
camel.none none No value camel.NULL
camel.notProvidedFromVLR notProvidedFromVLR No value camel.NULL
camel.number number Byte array camel.Digits
camel.numberOfBursts numberOfBursts Unsigned 32-bit integer camel.INTEGER_1_3
camel.numberOfRepetitions numberOfRepetitions Unsigned 32-bit integer camel.INTEGER_1_127
camel.numberOfTonesInBurst numberOfTonesInBurst Unsigned 32-bit integer camel.INTEGER_1_3
camel.numberQualifierIndicator numberQualifierIndicator Signed 32-bit integer camel.INTEGER
camel.numberingPlanInd numberingPlanInd Signed 32-bit integer camel.INTEGER
camel.o1ext o1ext Unsigned 32-bit integer camel.INTEGER_1
camel.o2ext o2ext Unsigned 32-bit integer camel.INTEGER_1
camel.oAbandonSpecificInfo oAbandonSpecificInfo No value camel.T_oAbandonSpecificInfo
camel.oAnswerSpecificInfo oAnswerSpecificInfo No value camel.T_oAnswerSpecificInfo
camel.oCSIApplicable oCSIApplicable No value camel.OCSIApplicable
camel.oCalledPartyBusySpecificInfo oCalledPartyBusySpecificInfo No value camel.T_oCalledPartyBusySpecificInfo
camel.oChangeOfPositionSpecificInfo oChangeOfPositionSpecificInfo No value camel.T_oChangeOfPositionSpecificInfo
camel.oDisconnectSpecificInfo oDisconnectSpecificInfo No value camel.T_oDisconnectSpecificInfo
camel.oMidCallSpecificInfo oMidCallSpecificInfo No value camel.T_oMidCallSpecificInfo
camel.oNoAnswerSpecificInfo oNoAnswerSpecificInfo No value camel.T_oNoAnswerSpecificInfo
camel.oServiceChangeSpecificInfo oServiceChangeSpecificInfo No value camel.T_oServiceChangeSpecificInfo
camel.oTermSeizedSpecificInfo oTermSeizedSpecificInfo No value camel.T_oTermSeizedSpecificInfo
camel.o_smsFailureSpecificInfo o-smsFailureSpecificInfo No value camel.T_o_smsFailureSpecificInfo
camel.o_smsSubmittedSpecificInfo o-smsSubmittedSpecificInfo No value camel.T_o_smsSubmittedSpecificInfo
camel.oddEven oddEven Signed 32-bit integer camel.INTEGER
camel.offeredCamel4Functionalities offeredCamel4Functionalities Byte array camel.OfferedCamel4Functionalities
camel.operation operation Signed 32-bit integer camel.InvokeID
camel.or-Interactions or-Interactions Boolean
camel.or_Call or-Call No value camel.NULL
camel.originalCalledPartyID originalCalledPartyID Byte array camel.OriginalCalledPartyID
camel.originalReasons originalReasons Signed 32-bit integer camel.INTEGER
camel.originationReference originationReference Unsigned 32-bit integer camel.Integer4
camel.pDPAddress pDPAddress Byte array camel.OCTET_STRING_SIZE_1_63
camel.pDPContextEstablishmentAcknowledgementSpecificInformation pDPContextEstablishmentAcknowledgementSpecificInformation No value camel.T_pDPContextEstablishmentAcknowledgementSpecificInformation
camel.pDPContextEstablishmentSpecificInformation pDPContextEstablishmentSpecificInformation No value camel.T_pDPContextEstablishmentSpecificInformation
camel.pDPID pDPID Byte array camel.PDPId
camel.pDPInitiationType pDPInitiationType Unsigned 32-bit integer camel.PDPInitiationType
camel.pDPType pDPType No value camel.PDPType
camel.pDPTypeNumber pDPTypeNumber Byte array camel.OCTET_STRING_SIZE_1
camel.pDPTypeOrganization pDPTypeOrganization Byte array camel.OCTET_STRING_SIZE_1
camel.partyToCharge partyToCharge Unsigned 32-bit integer camel.ReceivingSideID
camel.partyToCharge1 partyToCharge1 Unsigned 32-bit integer camel.SendingSideID
camel.partyToCharge2 partyToCharge2 Unsigned 32-bit integer camel.SendingSideID
camel.partyToCharge4 partyToCharge4 Unsigned 32-bit integer camel.SendingSideID
camel.pcs_Extensions pcs-Extensions No value camel.PCS_Extensions
camel.pdpID pdpID Byte array camel.PDPId
camel.pdp_ContextchangeOfPositionSpecificInformation pdp-ContextchangeOfPositionSpecificInformation No value camel.T_pdp_ContextchangeOfPositionSpecificInformation
camel.phase1 phase1 Boolean
camel.phase2 phase2 Boolean
camel.phase3 phase3 Boolean
camel.phase4 phase4 Boolean
camel.playTone playTone Boolean
camel.presentInd presentInd Signed 32-bit integer camel.INTEGER
camel.price price Byte array camel.OCTET_STRING_SIZE_4
camel.privateExtensionList privateExtensionList Unsigned 32-bit integer camel.PrivateExtensionList
camel.problem problem Unsigned 32-bit integer camel.T_problem
camel.qualityOfService qualityOfService No value camel.QualityOfService
camel.rOTimeGPRSIfNoTariffSwitch rOTimeGPRSIfNoTariffSwitch Unsigned 32-bit integer camel.INTEGER_0_255
camel.rOTimeGPRSIfTariffSwitch rOTimeGPRSIfTariffSwitch No value camel.T_rOTimeGPRSIfTariffSwitch
camel.rOTimeGPRSSinceLastTariffSwitch rOTimeGPRSSinceLastTariffSwitch Unsigned 32-bit integer camel.INTEGER_0_255
camel.rOTimeGPRSTariffSwitchInterval rOTimeGPRSTariffSwitchInterval Unsigned 32-bit integer camel.INTEGER_0_255
camel.rOVolumeIfNoTariffSwitch rOVolumeIfNoTariffSwitch Unsigned 32-bit integer camel.INTEGER_0_255
camel.rOVolumeIfTariffSwitch rOVolumeIfTariffSwitch No value camel.T_rOVolumeIfTariffSwitch
camel.rOVolumeSinceLastTariffSwitch rOVolumeSinceLastTariffSwitch Unsigned 32-bit integer camel.INTEGER_0_255
camel.rOVolumeTariffSwitchInterval rOVolumeTariffSwitchInterval Unsigned 32-bit integer camel.INTEGER_0_255
camel.reason reason Signed 32-bit integer camel.INTEGER
camel.receivingSideID receivingSideID Byte array camel.LegType
camel.redirectingPartyID redirectingPartyID Byte array camel.RedirectingPartyID
camel.redirectionInformation redirectionInformation Byte array camel.RedirectionInformation
camel.releaseCause releaseCause Byte array camel.Cause
camel.releaseCauseValue releaseCauseValue Byte array camel.Cause
camel.releaseIfdurationExceeded releaseIfdurationExceeded Boolean camel.BOOLEAN
camel.requestAnnouncementComplete requestAnnouncementComplete Boolean camel.BOOLEAN
camel.requestedInformationList requestedInformationList Unsigned 32-bit integer camel.RequestedInformationList
camel.requestedInformationType requestedInformationType Unsigned 32-bit integer camel.RequestedInformationType
camel.requestedInformationTypeList requestedInformationTypeList Unsigned 32-bit integer camel.RequestedInformationTypeList
camel.requestedInformationValue requestedInformationValue Unsigned 32-bit integer camel.RequestedInformationValue
camel.requested_QoS requested-QoS Unsigned 32-bit integer camel.GPRS_QoS
camel.requested_QoS_Extension requested-QoS-Extension No value camel.GPRS_QoS_Extension
camel.reserved reserved Signed 32-bit integer camel.INTEGER
camel.resourceAddress resourceAddress Unsigned 32-bit integer camel.T_resourceAddress
camel.returnResult returnResult No value camelPDU/returnResult
camel.routeNotPermitted routeNotPermitted No value camel.NULL
camel.routeSelectFailureSpecificInfo routeSelectFailureSpecificInfo No value camel.T_routeSelectFailureSpecificInfo
camel.routeingAreaIdentity routeingAreaIdentity Byte array gsm_map.RAIdentity
camel.routeingAreaUpdate routeingAreaUpdate No value camel.NULL
camel.sCIBillingChargingCharacteristics sCIBillingChargingCharacteristics Byte array camel.SCIBillingChargingCharacteristics
camel.sCIGPRSBillingChargingCharacteristics sCIGPRSBillingChargingCharacteristics Byte array camel.SCIGPRSBillingChargingCharacteristics
camel.sGSNCapabilities sGSNCapabilities Byte array camel.SGSNCapabilities
camel.sMSCAddress sMSCAddress Byte array camel.ISDN_AddressString
camel.sMSEvents sMSEvents Unsigned 32-bit integer camel.SMSEventArray
camel.saiPresent saiPresent No value camel.NULL
camel.scfID scfID Byte array camel.ScfID
camel.screening screening Signed 32-bit integer camel.INTEGER
camel.secondaryPDPContext secondaryPDPContext No value camel.NULL
camel.selectedLSAIdentity selectedLSAIdentity Byte array gsm_map.LSAIdentity
camel.sendingSideID sendingSideID Byte array camel.LegType
camel.serviceAreaId serviceAreaId Byte array gsm_map.CellGlobalIdOrServiceAreaIdFixedLength
camel.serviceChangeDP serviceChangeDP Boolean
camel.serviceInteractionIndicatorsTwo serviceInteractionIndicatorsTwo No value camel.ServiceInteractionIndicatorsTwo
camel.serviceKey serviceKey Unsigned 32-bit integer camel.ServiceKey
camel.servingNetworkEnhancedDialledServices servingNetworkEnhancedDialledServices Boolean
camel.sgsnNumber sgsnNumber Byte array camel.ISDN_AddressString
camel.sgsn_Number sgsn-Number Byte array camel.ISDN_AddressString
camel.short_QoS_format short-QoS-format Byte array gsm_map.QoS_Subscribed
camel.smsReferenceNumber smsReferenceNumber Byte array camel.CallReferenceNumber
camel.smsfailureCause smsfailureCause Unsigned 32-bit integer camel.MO_SMSCause
camel.spare2 spare2 Unsigned 32-bit integer camel.INTEGER_0
camel.spare3 spare3 Signed 32-bit integer camel.INTEGER
camel.spare4 spare4 Unsigned 32-bit integer camel.INTEGER_0
camel.spare5 spare5 Unsigned 32-bit integer camel.INTEGER_0
camel.spare6 spare6 Unsigned 32-bit integer camel.INTEGER_0
camel.spare77 spare77 Unsigned 32-bit integer camel.INTEGER_0
camel.splitLeg splitLeg Boolean
camel.srfConnection srfConnection Unsigned 32-bit integer camel.CallSegmentID
camel.standardPartEnd standardPartEnd Signed 32-bit integer camel.INTEGER
camel.startDigit startDigit Byte array camel.OCTET_STRING_SIZE_1_2
camel.subscribedEnhancedDialledServices subscribedEnhancedDialledServices Boolean
camel.subscribed_QoS subscribed-QoS Unsigned 32-bit integer camel.GPRS_QoS
camel.subscribed_QoS_Extension subscribed-QoS-Extension No value camel.GPRS_QoS_Extension
camel.subscriberState subscriberState Unsigned 32-bit integer camel.SubscriberState
camel.supplement_to_long_QoS_format supplement-to-long-QoS-format Byte array gsm_map.Ext2_QoS_Subscribed
camel.supportedCamelPhases supportedCamelPhases Byte array camel.SupportedCamelPhases
camel.suppressOutgoingCallBarring suppressOutgoingCallBarring No value camel.NULL
camel.suppress_D_CSI suppress-D-CSI No value camel.NULL
camel.suppress_N_CSI suppress-N-CSI No value camel.NULL
camel.suppress_O_CSI suppress-O-CSI No value camel.NULL
camel.suppress_T_CSI suppress-T-CSI No value camel.NULL
camel.suppressionOfAnnouncement suppressionOfAnnouncement No value camel.SuppressionOfAnnouncement
camel.tAnswerSpecificInfo tAnswerSpecificInfo No value camel.T_tAnswerSpecificInfo
camel.tBusySpecificInfo tBusySpecificInfo No value camel.T_tBusySpecificInfo
camel.tChangeOfPositionSpecificInfo tChangeOfPositionSpecificInfo No value camel.T_tChangeOfPositionSpecificInfo
camel.tDisconnectSpecificInfo tDisconnectSpecificInfo No value camel.T_tDisconnectSpecificInfo
camel.tMidCallSpecificInfo tMidCallSpecificInfo No value camel.T_tMidCallSpecificInfo
camel.tNoAnswerSpecificInfo tNoAnswerSpecificInfo No value camel.T_tNoAnswerSpecificInfo
camel.tPDataCodingScheme tPDataCodingScheme Byte array camel.TPDataCodingScheme
camel.tPProtocolIdentifier tPProtocolIdentifier Byte array camel.TPProtocolIdentifier
camel.tPShortMessageSubmissionSpecificInfo tPShortMessageSubmissionSpecificInfo Byte array camel.TPShortMessageSubmissionInfo
camel.tPValidityPeriod tPValidityPeriod Byte array camel.TPValidityPeriod
camel.tServiceChangeSpecificInfo tServiceChangeSpecificInfo No value camel.T_tServiceChangeSpecificInfo
camel.t_smsDeliverySpecificInfo t-smsDeliverySpecificInfo No value camel.T_t_smsDeliverySpecificInfo
camel.t_smsFailureSpecificInfo t-smsFailureSpecificInfo No value camel.T_t_smsFailureSpecificInfo
camel.tariffSwitchInterval tariffSwitchInterval Unsigned 32-bit integer camel.INTEGER_1_86400
camel.text text No value camel.T_text
camel.time time Byte array camel.OCTET_STRING_SIZE_2
camel.timeAndTimeZone timeAndTimeZone Byte array camel.TimeAndTimezone
camel.timeAndTimezone timeAndTimezone Byte array camel.TimeAndTimezone
camel.timeDurationCharging timeDurationCharging No value camel.T_timeDurationCharging
camel.timeDurationChargingResult timeDurationChargingResult No value camel.T_timeDurationChargingResult
camel.timeGPRSIfNoTariffSwitch timeGPRSIfNoTariffSwitch Unsigned 32-bit integer camel.INTEGER_0_86400
camel.timeGPRSIfTariffSwitch timeGPRSIfTariffSwitch No value camel.T_timeGPRSIfTariffSwitch
camel.timeGPRSSinceLastTariffSwitch timeGPRSSinceLastTariffSwitch Unsigned 32-bit integer camel.INTEGER_0_86400
camel.timeGPRSTariffSwitchInterval timeGPRSTariffSwitchInterval Unsigned 32-bit integer camel.INTEGER_0_86400
camel.timeIfNoTariffSwitch timeIfNoTariffSwitch Unsigned 32-bit integer camel.TimeIfNoTariffSwitch
camel.timeIfTariffSwitch timeIfTariffSwitch No value camel.TimeIfTariffSwitch
camel.timeInformation timeInformation Unsigned 32-bit integer camel.TimeInformation
camel.timeSinceTariffSwitch timeSinceTariffSwitch Unsigned 32-bit integer camel.INTEGER_0_864000
camel.timerID timerID Unsigned 32-bit integer camel.TimerID
camel.timervalue timervalue Unsigned 32-bit integer camel.TimerValue
camel.tone tone Boolean camel.BOOLEAN
camel.toneDuration toneDuration Unsigned 32-bit integer camel.INTEGER_1_20
camel.toneID toneID Unsigned 32-bit integer camel.Integer4
camel.toneInterval toneInterval Unsigned 32-bit integer camel.INTEGER_1_20
camel.transferredVolume transferredVolume Unsigned 32-bit integer camel.TransferredVolume
camel.transferredVolumeRollOver transferredVolumeRollOver Unsigned 32-bit integer camel.TransferredVolumeRollOver
camel.tttariffSwitchInterval tttariffSwitchInterval Unsigned 32-bit integer camel.INTEGER_1_864000
camel.type type Unsigned 32-bit integer camel.SupportedExtensionsid
camel.typeOfAddress typeOfAddress Signed 32-bit integer camel.INTEGER
camel.typeOfNumber typeOfNumber Unsigned 32-bit integer camel.T_typeOfNumber
camel.typeOfShape typeOfShape Signed 32-bit integer camel.INTEGER
camel.uncertaintyCode uncertaintyCode Byte array camel.OCTET_STRING_SIZE_1
camel.uu_Data uu-Data No value gsm_map.UU_Data
camel.value value Unsigned 32-bit integer camel.SupportedExtensionsExtensionType
camel.variableMessage variableMessage No value camel.T_variableMessage
camel.variableParts variableParts Unsigned 32-bit integer camel.VariablePartsArray
camel.voiceBack voiceBack Boolean camel.BOOLEAN
camel.voiceBack1 voiceBack1 Signed 32-bit integer camel.INTEGER
camel.voiceInfo1 voiceInfo1 Signed 32-bit integer camel.INTEGER
camel.voiceInfo2 voiceInfo2 Signed 32-bit integer camel.INTEGER
camel.voiceInformation voiceInformation Boolean camel.BOOLEAN
camel.volumeIfNoTariffSwitch volumeIfNoTariffSwitch Unsigned 32-bit integer camel.INTEGER_0_2147483647
camel.volumeIfTariffSwitch volumeIfTariffSwitch No value camel.T_volumeIfTariffSwitch
camel.volumeSinceLastTariffSwitch volumeSinceLastTariffSwitch Unsigned 32-bit integer camel.INTEGER_0_2147483647
camel.volumeTariffSwitchInterval volumeTariffSwitchInterval Unsigned 32-bit integer camel.INTEGER_0_2147483647
camel.warningPeriod warningPeriod Unsigned 32-bit integer camel.INTEGER_1_1200
camel.warningToneEnhancements warningToneEnhancements Boolean
cast.DSCPValue DSCPValue Unsigned 32-bit integer DSCPValue.
cast.MPI MPI Unsigned 32-bit integer MPI.
cast.ORCStatus ORCStatus Unsigned 32-bit integer The status of the opened receive channel.
cast.RTPPayloadFormat RTPPayloadFormat Unsigned 32-bit integer RTPPayloadFormat.
cast.activeConferenceOnRegistration ActiveConferenceOnRegistration Unsigned 32-bit integer ActiveConferenceOnRegistration.
cast.activeStreamsOnRegistration ActiveStreamsOnRegistration Unsigned 32-bit integer ActiveStreamsOnRegistration.
cast.annexNandWFutureUse AnnexNandWFutureUse Unsigned 32-bit integer AnnexNandWFutureUse.
cast.audio AudioCodec Unsigned 32-bit integer The audio codec that is in use.
cast.bandwidth Bandwidth Unsigned 32-bit integer Bandwidth.
cast.callIdentifier Call Identifier Unsigned 32-bit integer Call identifier for this call.
cast.callInstance CallInstance Unsigned 32-bit integer CallInstance.
cast.callSecurityStatus CallSecurityStatus Unsigned 32-bit integer CallSecurityStatus.
cast.callState CallState Unsigned 32-bit integer CallState.
cast.callType Call Type Unsigned 32-bit integer What type of call, in/out/etc
cast.calledParty CalledParty String The number called.
cast.calledPartyName Called Party Name String The name of the party we are calling.
cast.callingPartyName Calling Party Name String The passed name of the calling party.
cast.cdpnVoiceMailbox CdpnVoiceMailbox String CdpnVoiceMailbox.
cast.cgpnVoiceMailbox CgpnVoiceMailbox String CgpnVoiceMailbox.
cast.clockConversionCode ClockConversionCode Unsigned 32-bit integer ClockConversionCode.
cast.clockDivisor ClockDivisor Unsigned 32-bit integer Clock Divisor.
cast.confServiceNum ConfServiceNum Unsigned 32-bit integer ConfServiceNum.
cast.conferenceID Conference ID Unsigned 32-bit integer The conference ID
cast.customPictureFormatCount CustomPictureFormatCount Unsigned 32-bit integer CustomPictureFormatCount.
cast.dataCapCount DataCapCount Unsigned 32-bit integer DataCapCount.
cast.data_length Data Length Unsigned 32-bit integer Number of bytes in the data portion.
cast.directoryNumber Directory Number String The number we are reporting statistics for.
cast.echoCancelType Echo Cancel Type Unsigned 32-bit integer Is echo cancelling enabled or not
cast.firstGOB FirstGOB Unsigned 32-bit integer FirstGOB.
cast.firstMB FirstMB Unsigned 32-bit integer FirstMB.
cast.format Format Unsigned 32-bit integer Format.
cast.g723BitRate G723 BitRate Unsigned 32-bit integer The G723 bit rate for this stream/JUNK if not g723 stream
cast.h263_capability_bitfield H263_capability_bitfield Unsigned 32-bit integer H263_capability_bitfield.
cast.ipAddress IP Address IPv4 address An IP address
cast.isConferenceCreator IsConferenceCreator Unsigned 32-bit integer IsConferenceCreator.
cast.lastRedirectingParty LastRedirectingParty String LastRedirectingParty.
cast.lastRedirectingPartyName LastRedirectingPartyName String LastRedirectingPartyName.
cast.lastRedirectingReason LastRedirectingReason Unsigned 32-bit integer LastRedirectingReason.
cast.lastRedirectingVoiceMailbox LastRedirectingVoiceMailbox String LastRedirectingVoiceMailbox.
cast.layout Layout Unsigned 32-bit integer Layout
cast.layoutCount LayoutCount Unsigned 32-bit integer LayoutCount.
cast.levelPreferenceCount LevelPreferenceCount Unsigned 32-bit integer LevelPreferenceCount.
cast.lineInstance Line Instance Unsigned 32-bit integer The display call plane associated with this call.
cast.longTermPictureIndex LongTermPictureIndex Unsigned 32-bit integer LongTermPictureIndex.
cast.marker Marker Unsigned 32-bit integer Marker value should ne zero.
cast.maxBW MaxBW Unsigned 32-bit integer MaxBW.
cast.maxBitRate MaxBitRate Unsigned 32-bit integer MaxBitRate.
cast.maxConferences MaxConferences Unsigned 32-bit integer MaxConferences.
cast.maxStreams MaxStreams Unsigned 32-bit integer 32 bit unsigned integer indicating the maximum number of simultansous RTP duplex streams that the client can handle.
cast.messageid Message ID Unsigned 32-bit integer The function requested/done with this message.
cast.millisecondPacketSize MS/Packet Unsigned 32-bit integer The number of milliseconds of conversation in each packet
cast.minBitRate MinBitRate Unsigned 32-bit integer MinBitRate.
cast.miscCommandType MiscCommandType Unsigned 32-bit integer MiscCommandType
cast.modelNumber ModelNumber Unsigned 32-bit integer ModelNumber.
cast.numberOfGOBs NumberOfGOBs Unsigned 32-bit integer NumberOfGOBs.
cast.numberOfMBs NumberOfMBs Unsigned 32-bit integer NumberOfMBs.
cast.originalCalledParty Original Called Party String The number of the original calling party.
cast.originalCalledPartyName Original Called Party Name String name of the original person who placed the call.
cast.originalCdpnRedirectReason OriginalCdpnRedirectReason Unsigned 32-bit integer OriginalCdpnRedirectReason.
cast.originalCdpnVoiceMailbox OriginalCdpnVoiceMailbox String OriginalCdpnVoiceMailbox.
cast.passThruPartyID PassThruPartyID Unsigned 32-bit integer The pass thru party id
cast.payloadCapability PayloadCapability Unsigned 32-bit integer The payload capability for this media capability structure.
cast.payloadType PayloadType Unsigned 32-bit integer PayloadType.
cast.payload_rfc_number Payload_rfc_number Unsigned 32-bit integer Payload_rfc_number.
cast.pictureFormatCount PictureFormatCount Unsigned 32-bit integer PictureFormatCount.
cast.pictureHeight PictureHeight Unsigned 32-bit integer PictureHeight.
cast.pictureNumber PictureNumber Unsigned 32-bit integer PictureNumber.
cast.pictureWidth PictureWidth Unsigned 32-bit integer PictureWidth.
cast.pixelAspectRatio PixelAspectRatio Unsigned 32-bit integer PixelAspectRatio.
cast.portNumber Port Number Unsigned 32-bit integer A port number
cast.precedenceDm PrecedenceDm Unsigned 32-bit integer Precedence Domain.
cast.precedenceLv PrecedenceLv Unsigned 32-bit integer Precedence Level.
cast.precedenceValue Precedence Unsigned 32-bit integer Precedence value
cast.privacy Privacy Unsigned 32-bit integer Privacy.
cast.protocolDependentData ProtocolDependentData Unsigned 32-bit integer ProtocolDependentData.
cast.recoveryReferencePictureCount RecoveryReferencePictureCount Unsigned 32-bit integer RecoveryReferencePictureCount.
cast.requestorIpAddress RequestorIpAddress IPv4 address RequestorIpAddress
cast.serviceNum ServiceNum Unsigned 32-bit integer ServiceNum.
cast.serviceNumber ServiceNumber Unsigned 32-bit integer ServiceNumber.
cast.serviceResourceCount ServiceResourceCount Unsigned 32-bit integer ServiceResourceCount.
cast.stationFriendlyName StationFriendlyName String StationFriendlyName.
cast.stationGUID stationGUID String stationGUID.
cast.stationIpAddress StationIpAddress IPv4 address StationIpAddress
cast.stillImageTransmission StillImageTransmission Unsigned 32-bit integer StillImageTransmission.
cast.temporalSpatialTradeOff TemporalSpatialTradeOff Unsigned 32-bit integer TemporalSpatialTradeOff.
cast.temporalSpatialTradeOffCapability TemporalSpatialTradeOffCapability Unsigned 32-bit integer TemporalSpatialTradeOffCapability.
cast.transmitOrReceive TransmitOrReceive Unsigned 32-bit integer TransmitOrReceive
cast.transmitPreference TransmitPreference Unsigned 32-bit integer TransmitPreference.
cast.version Version Unsigned 32-bit integer The version in the keepalive version messages.
cast.videoCapCount VideoCapCount Unsigned 32-bit integer VideoCapCount.
skinny.bitRate BitRate Unsigned 32-bit integer BitRate.
cmp.CRLAnnContent_item Item No value pkix1explicit.CertificateList
cmp.GenMsgContent_item Item No value cmp.InfoTypeAndValue
cmp.GenRepContent_item Item No value cmp.InfoTypeAndValue
cmp.PKIFreeText_item Item String cmp.UTF8String
cmp.POPODecKeyChallContent_item Item No value cmp.Challenge
cmp.POPODecKeyRespContent_item Item Signed 32-bit integer cmp.INTEGER
cmp.RevReqContent_item Item No value cmp.RevDetails
cmp.badAlg badAlg Boolean
cmp.badCertId badCertId Boolean
cmp.badDataFormat badDataFormat Boolean
cmp.badMessageCheck badMessageCheck Boolean
cmp.badPOP badPOP Boolean
cmp.badRequest badRequest Boolean
cmp.badSinceDate badSinceDate String cmp.GeneralizedTime
cmp.badTime badTime Boolean
cmp.body body Unsigned 32-bit integer cmp.PKIBody
cmp.caCerts caCerts Unsigned 32-bit integer cmp.SEQUENCE_SIZE_1_MAX_OF_Certificate
cmp.caCerts_item Item No value pkix1explicit.Certificate
cmp.caPubs caPubs Unsigned 32-bit integer cmp.SEQUENCE_SIZE_1_MAX_OF_Certificate
cmp.caPubs_item Item No value pkix1explicit.Certificate
cmp.cann cann No value cmp.CertAnnContent
cmp.ccp ccp No value cmp.CertRepMessage
cmp.ccr ccr Unsigned 32-bit integer crmf.CertReqMessages
cmp.certDetails certDetails No value crmf.CertTemplate
cmp.certId certId No value crmf.CertId
cmp.certOrEncCert certOrEncCert Unsigned 32-bit integer cmp.CertOrEncCert
cmp.certReqId certReqId Signed 32-bit integer cmp.INTEGER
cmp.certificate certificate No value pkix1explicit.Certificate
cmp.certifiedKeyPair certifiedKeyPair No value cmp.CertifiedKeyPair
cmp.challenge challenge Byte array cmp.OCTET_STRING
cmp.ckuann ckuann No value cmp.CAKeyUpdAnnContent
cmp.conf conf No value cmp.PKIConfirmContent
cmp.cp cp No value cmp.CertRepMessage
cmp.cr cr Unsigned 32-bit integer crmf.CertReqMessages
cmp.crlDetails crlDetails Unsigned 32-bit integer pkix1explicit.Extensions
cmp.crlEntryDetails crlEntryDetails Unsigned 32-bit integer pkix1explicit.Extensions
cmp.crlann crlann Unsigned 32-bit integer cmp.CRLAnnContent
cmp.crls crls Unsigned 32-bit integer cmp.SEQUENCE_SIZE_1_MAX_OF_CertificateList
cmp.crls_item Item No value pkix1explicit.CertificateList
cmp.encryptedCert encryptedCert No value crmf.EncryptedValue
cmp.error error No value cmp.ErrorMsgContent
cmp.errorCode errorCode Signed 32-bit integer cmp.INTEGER
cmp.errorDetails errorDetails Unsigned 32-bit integer cmp.PKIFreeText
cmp.extraCerts extraCerts Unsigned 32-bit integer cmp.SEQUENCE_SIZE_1_MAX_OF_Certificate
cmp.extraCerts_item Item No value pkix1explicit.Certificate
cmp.failInfo failInfo Byte array cmp.PKIFailureInfo
cmp.freeText freeText Unsigned 32-bit integer cmp.PKIFreeText
cmp.generalInfo generalInfo Unsigned 32-bit integer cmp.SEQUENCE_SIZE_1_MAX_OF_InfoTypeAndValue
cmp.generalInfo_item Item No value cmp.InfoTypeAndValue
cmp.genm genm Unsigned 32-bit integer cmp.GenMsgContent
cmp.genp genp Unsigned 32-bit integer cmp.GenRepContent
cmp.hashAlg hashAlg No value pkix1explicit.AlgorithmIdentifier
cmp.hashVal hashVal Byte array cmp.BIT_STRING
cmp.header header No value cmp.PKIHeader
cmp.incorrectData incorrectData Boolean
cmp.infoType infoType cmp.T_infoType
cmp.infoValue infoValue No value cmp.T_infoValue
cmp.ip ip No value cmp.CertRepMessage
cmp.ir ir Unsigned 32-bit integer crmf.CertReqMessages
cmp.iterationCount iterationCount Signed 32-bit integer cmp.INTEGER
cmp.keyPairHist keyPairHist Unsigned 32-bit integer cmp.SEQUENCE_SIZE_1_MAX_OF_CertifiedKeyPair
cmp.keyPairHist_item Item No value cmp.CertifiedKeyPair
cmp.krp krp No value cmp.KeyRecRepContent
cmp.krr krr Unsigned 32-bit integer crmf.CertReqMessages
cmp.kup kup No value cmp.CertRepMessage
cmp.kur kur Unsigned 32-bit integer crmf.CertReqMessages
cmp.mac mac No value pkix1explicit.AlgorithmIdentifier
cmp.messageTime messageTime String cmp.GeneralizedTime
cmp.missingTimeStamp missingTimeStamp Boolean
cmp.nested nested No value cmp.NestedMessageContent
cmp.newSigCert newSigCert No value pkix1explicit.Certificate
cmp.newWithNew newWithNew No value pkix1explicit.Certificate
cmp.newWithOld newWithOld No value pkix1explicit.Certificate
cmp.next_poll_ref Next Polling Reference Unsigned 32-bit integer
cmp.oldWithNew oldWithNew No value pkix1explicit.Certificate
cmp.owf owf No value pkix1explicit.AlgorithmIdentifier
cmp.pKIStatusInfo pKIStatusInfo No value cmp.PKIStatusInfo
cmp.poll_ref Polling Reference Unsigned 32-bit integer
cmp.popdecc popdecc Unsigned 32-bit integer cmp.POPODecKeyChallContent
cmp.popdecr popdecr Unsigned 32-bit integer cmp.POPODecKeyRespContent
cmp.privateKey privateKey No value crmf.EncryptedValue
cmp.protection protection Byte array cmp.PKIProtection
cmp.protectionAlg protectionAlg No value pkix1explicit.AlgorithmIdentifier
cmp.publicationInfo publicationInfo No value crmf.PKIPublicationInfo
cmp.pvno pvno Signed 32-bit integer cmp.T_pvno
cmp.rann rann No value cmp.RevAnnContent
cmp.recipKID recipKID Byte array cmp.KeyIdentifier
cmp.recipNonce recipNonce Byte array cmp.OCTET_STRING
cmp.recipient recipient Unsigned 32-bit integer pkix1implicit.GeneralName
cmp.response response Unsigned 32-bit integer cmp.SEQUENCE_OF_CertResponse
cmp.response_item Item No value cmp.CertResponse
cmp.revCerts revCerts Unsigned 32-bit integer cmp.SEQUENCE_SIZE_1_MAX_OF_CertId
cmp.revCerts_item Item No value crmf.CertId
cmp.revocationReason revocationReason Byte array pkix1implicit.ReasonFlags
cmp.rm Record Marker Unsigned 32-bit integer Record Marker length of PDU in bytes
cmp.rp rp No value cmp.RevRepContent
cmp.rr rr Unsigned 32-bit integer cmp.RevReqContent
cmp.rspInfo rspInfo Byte array cmp.OCTET_STRING
cmp.salt salt Byte array cmp.OCTET_STRING
cmp.sender sender Unsigned 32-bit integer pkix1implicit.GeneralName
cmp.senderKID senderKID Byte array cmp.KeyIdentifier
cmp.senderNonce senderNonce Byte array cmp.OCTET_STRING
cmp.status status Signed 32-bit integer cmp.PKIStatus
cmp.statusString statusString Unsigned 32-bit integer cmp.PKIFreeText
cmp.status_item Item No value cmp.PKIStatusInfo
cmp.transactionID transactionID Byte array cmp.OCTET_STRING
cmp.ttcb Time to check Back Date/Time stamp
cmp.type Type Unsigned 8-bit integer PDU Type
cmp.type.oid InfoType String Type of InfoTypeAndValue
cmp.willBeRevokedAt willBeRevokedAt String cmp.GeneralizedTime
cmp.witness witness Byte array cmp.OCTET_STRING
cmp.wrongAuthority wrongAuthority Boolean
crmf.CertReqMessages_item Item No value crmf.CertReqMsg
crmf.Controls_item Item No value crmf.AttributeTypeAndValue
crmf.PBMParameter PBMParameter No value crmf.PBMParameter
crmf.action action Signed 32-bit integer crmf.T_action
crmf.algId algId No value pkix1explicit.AlgorithmIdentifier
crmf.algorithmIdentifier algorithmIdentifier No value pkix1explicit.AlgorithmIdentifier
crmf.archiveRemGenPrivKey archiveRemGenPrivKey Boolean crmf.BOOLEAN
crmf.authInfo authInfo Unsigned 32-bit integer crmf.T_authInfo
crmf.certReq certReq No value crmf.CertRequest
crmf.certReqId certReqId Signed 32-bit integer crmf.INTEGER
crmf.certTemplate certTemplate No value crmf.CertTemplate
crmf.controls controls Unsigned 32-bit integer crmf.Controls
crmf.dhMAC dhMAC Byte array crmf.BIT_STRING
crmf.encSymmKey encSymmKey Byte array crmf.BIT_STRING
crmf.encValue encValue Byte array crmf.BIT_STRING
crmf.encryptedPrivKey encryptedPrivKey Unsigned 32-bit integer crmf.EncryptedKey
crmf.encryptedValue encryptedValue No value crmf.EncryptedValue
crmf.envelopedData envelopedData No value cms.EnvelopedData
crmf.extensions extensions Unsigned 32-bit integer pkix1explicit.Extensions
crmf.generalTime generalTime String crmf.GeneralizedTime
crmf.intendedAlg intendedAlg No value pkix1explicit.AlgorithmIdentifier
crmf.issuer issuer Unsigned 32-bit integer pkix1explicit.Name
crmf.issuerUID issuerUID Byte array crmf.UniqueIdentifier
crmf.iterationCount iterationCount Signed 32-bit integer crmf.INTEGER
crmf.keyAgreement keyAgreement Unsigned 32-bit integer crmf.POPOPrivKey
crmf.keyAlg keyAlg No value pkix1explicit.AlgorithmIdentifier
crmf.keyEncipherment keyEncipherment Unsigned 32-bit integer crmf.POPOPrivKey
crmf.keyGenParameters keyGenParameters Byte array crmf.KeyGenParameters
crmf.mac mac No value pkix1explicit.AlgorithmIdentifier
crmf.notAfter notAfter Unsigned 32-bit integer crmf.Time
crmf.notBefore notBefore Unsigned 32-bit integer crmf.Time
crmf.owf owf No value pkix1explicit.AlgorithmIdentifier
crmf.pop pop Unsigned 32-bit integer crmf.ProofOfPossession
crmf.poposkInput poposkInput No value crmf.POPOSigningKeyInput
crmf.pubInfos pubInfos Unsigned 32-bit integer crmf.SEQUENCE_SIZE_1_MAX_OF_SinglePubInfo
crmf.pubInfos_item Item No value crmf.SinglePubInfo
crmf.pubLocation pubLocation Unsigned 32-bit integer pkix1implicit.GeneralName
crmf.pubMethod pubMethod Signed 32-bit integer crmf.T_pubMethod
crmf.publicKey publicKey No value pkix1explicit.SubjectPublicKeyInfo
crmf.publicKeyMAC publicKeyMAC No value crmf.PKMACValue
crmf.raVerified raVerified No value crmf.NULL
crmf.regInfo regInfo Unsigned 32-bit integer crmf.SEQUENCE_SIZE_1_MAX_OF_AttributeTypeAndValue
crmf.regInfo_item Item No value crmf.AttributeTypeAndValue
crmf.salt salt Byte array crmf.OCTET_STRING
crmf.sender sender Unsigned 32-bit integer pkix1implicit.GeneralName
crmf.serialNumber serialNumber Signed 32-bit integer crmf.INTEGER
crmf.signature signature No value crmf.POPOSigningKey
crmf.signingAlg signingAlg No value pkix1explicit.AlgorithmIdentifier
crmf.subject subject Unsigned 32-bit integer pkix1explicit.Name
crmf.subjectUID subjectUID Byte array crmf.UniqueIdentifier
crmf.subsequentMessage subsequentMessage Signed 32-bit integer crmf.SubsequentMessage
crmf.symmAlg symmAlg No value pkix1explicit.AlgorithmIdentifier
crmf.thisMessage thisMessage Byte array crmf.BIT_STRING
crmf.type type crmf.T_type
crmf.type.oid Type String Type of AttributeTypeAndValue
crmf.utcTime utcTime String crmf.UTCTime
crmf.validity validity No value crmf.OptionalValidity
crmf.value value No value crmf.T_value
crmf.valueHint valueHint Byte array crmf.OCTET_STRING
crmf.version version Signed 32-bit integer crmf.Version
cpha.ifn Interface Number Unsigned 32-bit integer
cphap.cluster_number Cluster Number Unsigned 16-bit integer Cluster Number
cphap.dst_id Destination Machine ID Unsigned 16-bit integer Destination Machine ID
cphap.ethernet_addr Ethernet Address 6-byte Hardware (MAC) Address Ethernet Address
cphap.filler Filler Unsigned 16-bit integer
cphap.ha_mode HA mode Unsigned 16-bit integer HA Mode
cphap.ha_time_unit HA Time unit Unsigned 16-bit integer HA Time unit (ms)
cphap.hash_len Hash list length Signed 32-bit integer Hash list length
cphap.id_num Number of IDs reported Unsigned 16-bit integer Number of IDs reported
cphap.if_trusted Interface Trusted Boolean Interface Trusted
cphap.in_assume_up Interfaces assumed up in the Inbound Signed 8-bit integer
cphap.in_up Interfaces up in the Inbound Signed 8-bit integer Interfaces up in the Inbound
cphap.ip IP Address IPv4 address IP Address
cphap.machine_num Machine Number Signed 16-bit integer Machine Number
cphap.magic_number CPHAP Magic Number Unsigned 16-bit integer CPHAP Magic Number
cphap.opcode OpCode Unsigned 16-bit integer OpCode
cphap.out_assume_up Interfaces assumed up in the Outbound Signed 8-bit integer
cphap.out_up Interfaces up in the Outbound Signed 8-bit integer
cphap.policy_id Policy ID Unsigned 16-bit integer Policy ID
cphap.random_id Random ID Unsigned 16-bit integer Random ID
cphap.reported_ifs Reported Interfaces Unsigned 32-bit integer Reported Interfaces
cphap.seed Seed Unsigned 32-bit integer Seed
cphap.slot_num Slot Number Signed 16-bit integer Slot Number
cphap.src_id Source Machine ID Unsigned 16-bit integer Source Machine ID
cphap.src_if Source Interface Unsigned 16-bit integer Source Interface
cphap.status Status Unsigned 32-bit integer
cphap.version Protocol Version Unsigned 16-bit integer CPHAP Version
fw1.chain Chain Position String Chain Position
fw1.direction Direction String Direction
fw1.interface Interface String Interface
fw1.type Type Unsigned 16-bit integer
fw1.uuid UUID Unsigned 32-bit integer UUID
auto_rp.group_prefix Prefix IPv4 address Group prefix
auto_rp.holdtime Holdtime Unsigned 16-bit integer The amount of time in seconds this announcement is valid
auto_rp.mask_len Mask length Unsigned 8-bit integer Length of group prefix
auto_rp.pim_ver Version Unsigned 8-bit integer RP's highest PIM version
auto_rp.prefix_sign Sign Unsigned 8-bit integer Group prefix sign
auto_rp.rp_addr RP address IPv4 address The unicast IP address of the RP
auto_rp.rp_count RP count Unsigned 8-bit integer The number of RP addresses contained in this message
auto_rp.type Packet type Unsigned 8-bit integer Auto-RP packet type
auto_rp.version Protocol version Unsigned 8-bit integer Auto-RP protocol version
cdp.checksum Checksum Unsigned 16-bit integer
cdp.tlv.len Length Unsigned 16-bit integer
cdp.tlv.type Type Unsigned 16-bit integer
cdp.ttl TTL Unsigned 16-bit integer
cdp.version Version Unsigned 8-bit integer
cgmp.count Count Unsigned 8-bit integer
cgmp.gda Group Destination Address 6-byte Hardware (MAC) Address Group Destination Address
cgmp.type Type Unsigned 8-bit integer
cgmp.usa Unicast Source Address 6-byte Hardware (MAC) Address Unicast Source Address
cgmp.version Version Unsigned 8-bit integer
chdlc.address Address Unsigned 8-bit integer
chdlc.protocol Protocol Unsigned 16-bit integer
hsrp.adv.activegrp Adv active groups Unsigned 8-bit integer Advertisement active group count
hsrp.adv.passivegrp Adv passive groups Unsigned 8-bit integer Advertisement passive group count
hsrp.adv.reserved1 Adv reserved1 Unsigned 8-bit integer Advertisement tlv length
hsrp.adv.reserved2 Adv reserved2 Unsigned 32-bit integer Advertisement tlv length
hsrp.adv.state Adv state Unsigned 8-bit integer Advertisement tlv length
hsrp.adv.tlvlength Adv length Unsigned 16-bit integer Advertisement tlv length
hsrp.adv.tlvtype Adv type Unsigned 16-bit integer Advertisement tlv type
hsrp.auth_data Authentication Data String Contains a clear-text 8 character reused password
hsrp.group Group Unsigned 8-bit integer This field identifies the standby group
hsrp.hellotime Hellotime Unsigned 8-bit integer The approximate period between the Hello messages that the router sends
hsrp.holdtime Holdtime Unsigned 8-bit integer Time that the current Hello message should be considered valid
hsrp.opcode Op Code Unsigned 8-bit integer The type of message contained in this packet
hsrp.priority Priority Unsigned 8-bit integer Used to elect the active and standby routers. Numerically higher priority wins vote
hsrp.reserved Reserved Unsigned 8-bit integer Reserved
hsrp.state State Unsigned 8-bit integer The current state of the router sending the message
hsrp.version Version Unsigned 8-bit integer The version of the HSRP messages
hsrp.virt_ip Virtual IP Address IPv4 address The virtual IP address used by this group
isl.addr Source or Destination Address 6-byte Hardware (MAC) Address Source or Destination Hardware Address
isl.bpdu BPDU Boolean BPDU indicator
isl.crc CRC Unsigned 32-bit integer CRC field of encapsulated frame
isl.dst Destination Byte array Destination Address
isl.dst_route_desc Destination route descriptor Unsigned 16-bit integer Route descriptor to be used for forwarding
isl.esize Esize Unsigned 8-bit integer Frame size for frames less than 64 bytes
isl.explorer Explorer Boolean Explorer
isl.fcs_not_incl FCS Not Included Boolean FCS not included
isl.hsa HSA Unsigned 24-bit integer High bits of source address
isl.index Index Unsigned 16-bit integer Port index of packet source
isl.len Length Unsigned 16-bit integer
isl.src Source 6-byte Hardware (MAC) Address Source Hardware Address
isl.src_route_desc Source-route descriptor Unsigned 16-bit integer Route descriptor to be used for source learning
isl.src_vlan_id Source VLAN ID Unsigned 16-bit integer Source Virtual LAN ID
isl.trailer Trailer Byte array Ethernet Trailer or Checksum
isl.type Type Unsigned 8-bit integer Type
isl.user User Unsigned 8-bit integer User-defined bits
isl.user_eth User Unsigned 8-bit integer Priority (for Ethernet)
isl.vlan_id VLAN ID Unsigned 16-bit integer Virtual LAN ID
igrp.as Autonomous System Unsigned 16-bit integer Autonomous System number
igrp.update Update Release Unsigned 8-bit integer Update Release number
cflow.aggmethod AggMethod Unsigned 8-bit integer CFlow V8 Aggregation Method
cflow.aggversion AggVersion Unsigned 8-bit integer CFlow V8 Aggregation Version
cflow.bgpnexthop BGPNextHop IPv4 address BGP Router Nexthop
cflow.bgpnexthopv6 BGPNextHop IPv6 address BGP Router Nexthop
cflow.count Count Unsigned 16-bit integer Count of PDUs
cflow.data_flowset_id Data FlowSet (Template Id) Unsigned 16-bit integer Data FlowSet with corresponding to a template Id
cflow.dstaddr DstAddr IPv4 address Flow Destination Address
cflow.dstaddrv6 DstAddr IPv6 address Flow Destination Address
cflow.dstas DstAS Unsigned 16-bit integer Destination AS
cflow.dstmask DstMask Unsigned 8-bit integer Destination Prefix Mask
cflow.dstport DstPort Unsigned 16-bit integer Flow Destination Port
cflow.engine_id EngineId Unsigned 8-bit integer Slot number of switching engine
cflow.engine_type EngineType Unsigned 8-bit integer Flow switching engine type
cflow.flags Export Flags Unsigned 8-bit integer CFlow Flags
cflow.flow_active_timeout Flow active timeout Unsigned 16-bit integer Flow active timeout
cflow.flow_inactive_timeout Flow inactive timeout Unsigned 16-bit integer Flow inactive timeout
cflow.flows Flows Unsigned 32-bit integer Flows Aggregated in PDU
cflow.flowset_id FlowSet Id Unsigned 16-bit integer FlowSet Id
cflow.flowset_length FlowSet Length Unsigned 16-bit integer FlowSet length
cflow.flowsexp FlowsExp Unsigned 32-bit integer Flows exported
cflow.inputint InputInt Unsigned 16-bit integer Flow Input Interface
cflow.muloctets MulticastOctets Unsigned 32-bit integer Count of multicast octets
cflow.mulpackets MulticastPackets Unsigned 32-bit integer Count of multicast packets
cflow.nexthop NextHop IPv4 address Router nexthop
cflow.nexthopv6 NextHop IPv6 address Router nexthop
cflow.octets Octets Unsigned 32-bit integer Count of bytes
cflow.octets64 Octets Unsigned 64-bit integer Count of bytes
cflow.octetsexp OctetsExp Unsigned 32-bit integer Octets exported
cflow.option_length Option Length Unsigned 16-bit integer Option length
cflow.option_scope_length Option Scope Length Unsigned 16-bit integer Option scope length
cflow.options_flowset_id Options FlowSet Unsigned 16-bit integer Options FlowSet
cflow.outputint OutputInt Unsigned 16-bit integer Flow Output Interface
cflow.packets Packets Unsigned 32-bit integer Count of packets
cflow.packets64 Packets Unsigned 64-bit integer Count of packets
cflow.packetsexp PacketsExp Unsigned 32-bit integer Packets exported
cflow.packetsout PacketsOut Unsigned 64-bit integer Count of packets going out
cflow.protocol Protocol Unsigned 8-bit integer IP Protocol
cflow.routersc Router Shortcut IPv4 address Router shortcut by switch
cflow.samplerate SampleRate Unsigned 16-bit integer Sample Frequency of exporter
cflow.sampling_algorithm Sampling algorithm Unsigned 8-bit integer Sampling algorithm
cflow.sampling_interval Sampling interval Unsigned 32-bit integer Sampling interval
cflow.samplingmode SamplingMode Unsigned 16-bit integer Sampling Mode of exporter
cflow.scope_field_length Scope Field Length Unsigned 16-bit integer Scope field length
cflow.scope_field_type Scope Type Unsigned 16-bit integer Scope field type
cflow.sequence FlowSequence Unsigned 32-bit integer Sequence number of flows seen
cflow.source_id SourceId Unsigned 32-bit integer Identifier for export device
cflow.srcaddr SrcAddr IPv4 address Flow Source Address
cflow.srcaddrv6 SrcAddr IPv6 address Flow Source Address
cflow.srcas SrcAS Unsigned 16-bit integer Source AS
cflow.srcmask SrcMask Unsigned 8-bit integer Source Prefix Mask
cflow.srcnet SrcNet IPv4 address Flow Source Network
cflow.srcport SrcPort Unsigned 16-bit integer Flow Source Port
cflow.sysuptime SysUptime Unsigned 32-bit integer Time since router booted (in milliseconds)
cflow.tcpflags TCP Flags Unsigned 8-bit integer TCP Flags
cflow.template_field_count Field Count Unsigned 16-bit integer Template field count
cflow.template_field_length Length Unsigned 16-bit integer Template field length
cflow.template_field_type Type Unsigned 16-bit integer Template field type
cflow.template_flowset_id Template FlowSet Unsigned 16-bit integer Template FlowSet
cflow.template_id Template Id Unsigned 16-bit integer Template Id
cflow.timeend EndTime Time duration Uptime at end of flow
cflow.timestamp Timestamp Date/Time stamp Current seconds since epoch
cflow.timestart StartTime Time duration Uptime at start of flow
cflow.toplabeladdr TopLabelAddr IPv4 address Top MPLS label PE address
cflow.toplabeltype TopLabelType Unsigned 8-bit integer Top MPLS label Type
cflow.tos IP ToS Unsigned 8-bit integer IP Type of Service
cflow.unix_nsecs CurrentNSecs Unsigned 32-bit integer Residual nanoseconds since epoch
cflow.unix_secs CurrentSecs Unsigned 32-bit integer Current seconds since epoch
cflow.version Version Unsigned 16-bit integer NetFlow Version
slarp.address Address IPv4 address
slarp.mysequence Outgoing sequence number Unsigned 32-bit integer
slarp.ptype Packet type Unsigned 32-bit integer
slarp.yoursequence Returned sequence number Unsigned 32-bit integer
cwids.caplen Capture length Unsigned 16-bit integer Captured bytes in record
cwids.channel Channel Unsigned 8-bit integer Channel for this capture
cwids.reallen Original length Unsigned 16-bit integer Original num bytes in frame
cwids.unknown1 Unknown1 Byte array 1st Unknown block - timestamp?
cwids.unknown2 Unknown2 Byte array 2nd Unknown block
cwids.unknown3 Unknown3 Byte array 3rd Unknown block
cwids.version Capture Version Unsigned 16-bit integer Version or format of record
ciscowl.dstmac Dst MAC 6-byte Hardware (MAC) Address Destination MAC
ciscowl.ip IP IPv4 address Device IP
ciscowl.length Length Unsigned 16-bit integer
ciscowl.name Name String Device Name
ciscowl.null1 Null1 Byte array
ciscowl.null2 Null2 Byte array
ciscowl.rest Rest Byte array Unknown remaining data
ciscowl.somemac Some MAC 6-byte Hardware (MAC) Address Some unknown MAC
ciscowl.srcmac Src MAC 6-byte Hardware (MAC) Address Source MAC
ciscowl.type Type Unsigned 16-bit integer Type(?)
ciscowl.unknown1 Unknown1 Byte array
ciscowl.unknown2 Unknown2 Byte array
ciscowl.unknown3 Unknown3 Byte array
ciscowl.unknown4 Unknown4 Byte array
ciscowl.version Version String Device Version String
clearcase.procedure_v3 V3 Procedure Unsigned 32-bit integer V3 Procedure
cosine.err Error Code Unsigned 8-bit integer
cosine.off Offset Unsigned 8-bit integer
cosine.pri Priority Unsigned 8-bit integer
cosine.pro Protocol Unsigned 8-bit integer
cosine.rm Rate Marking Unsigned 8-bit integer
cigi.aerosol_concentration_response Aerosol Concentration Response String Aerosol Concentration Response Packet
cigi.aerosol_concentration_response.aerosol_concentration Aerosol Concentration (g/m^3) Identifies the concentration of airborne particles
cigi.aerosol_concentration_response.layer_id Layer ID Unsigned 8-bit integer Identifies the weather layer whose aerosol concentration is being described
cigi.aerosol_concentration_response.request_id Request ID Unsigned 8-bit integer Identifies the environmental conditions request to which this response packet corresponds
cigi.animation_stop_notification Animation Stop Notification String Animation Stop Notification Packet
cigi.animation_stop_notification.entity_id Entity ID Unsigned 16-bit integer Indicates the entity ID of the animation that has stopped
cigi.art_part_control Articulated Parts Control String Articulated Parts Control Packet
cigi.art_part_control.entity_id Entity ID Unsigned 16-bit integer Identifies the entity to which this data packet will be applied
cigi.art_part_control.part_enable Articulated Part Enable Boolean Determines whether the articulated part submodel should be enabled or disabled within the scene graph
cigi.art_part_control.part_id Articulated Part ID Unsigned 8-bit integer Identifies which articulated part is controlled with this data packet
cigi.art_part_control.part_state Articulated Part State Boolean Indicates whether an articulated part is to be shown in the display
cigi.art_part_control.pitch Pitch (degrees) Specifies the pitch of this part with respect to the submodel coordinate system
cigi.art_part_control.pitch_enable Pitch Enable Boolean Identifies whether the articulated part pitch enable in this data packet is manipulated from the host
cigi.art_part_control.roll Roll (degrees) Specifies the roll of this part with respect to the submodel coordinate system
cigi.art_part_control.roll_enable Roll Enable Boolean Identifies whether the articulated part roll enable in this data packet is manipulated from the host
cigi.art_part_control.x_offset X Offset (m) Identifies the distance along the X axis by which the articulated part should be moved
cigi.art_part_control.xoff X Offset (m) Specifies the distance of the articulated part along its X axis
cigi.art_part_control.xoff_enable X Offset Enable Boolean Identifies whether the articulated part x offset in this data packet is manipulated from the host
cigi.art_part_control.y_offset Y Offset (m) Identifies the distance along the Y axis by which the articulated part should be moved
cigi.art_part_control.yaw Yaw (degrees) Specifies the yaw of this part with respect to the submodel coordinate system
cigi.art_part_control.yaw_enable Yaw Enable Unsigned 8-bit integer Identifies whether the articulated part yaw enable in this data packet is manipulated from the host
cigi.art_part_control.yoff Y Offset (m) Specifies the distance of the articulated part along its Y axis
cigi.art_part_control.yoff_enable Y Offset Enable Boolean Identifies whether the articulated part y offset in this data packet is manipulated from the host
cigi.art_part_control.z_offset Z Offset (m) Identifies the distance along the Z axis by which the articulated part should be moved
cigi.art_part_control.zoff Z Offset (m) Specifies the distance of the articulated part along its Z axis
cigi.art_part_control.zoff_enable Z Offset Enable Boolean Identifies whether the articulated part z offset in this data packet is manipulated from the host
cigi.atmosphere_control Atmosphere Control String Atmosphere Control Packet
cigi.atmosphere_control.air_temp Global Air Temperature (degrees C) Specifies the global air temperature of the environment
cigi.atmosphere_control.atmospheric_model_enable Atmospheric Model Enable Boolean Specifies whether the IG should use an atmospheric model to determine spectral radiances for sensor applications
cigi.atmosphere_control.barometric_pressure Global Barometric Pressure (mb or hPa) Specifies the global atmospheric pressure
cigi.atmosphere_control.horiz_wind Global Horizontal Wind Speed (m/s) Specifies the global wind speed parallel to the ellipsoid-tangential reference plane
cigi.atmosphere_control.humidity Global Humidity (%) Unsigned 8-bit integer Specifies the global humidity of the environment
cigi.atmosphere_control.vert_wind Global Vertical Wind Speed (m/s) Specifies the global vertical wind speed
cigi.atmosphere_control.visibility_range Global Visibility Range (m) Specifies the global visibility range through the atmosphere
cigi.atmosphere_control.wind_direction Global Wind Direction (degrees) Specifies the global wind direction
cigi.byte_swap Byte Swap Unsigned 16-bit integer Used to determine whether the incoming data should be byte-swapped
cigi.celestial_sphere_control Celestial Sphere Control String Celestial Sphere Control Packet
cigi.celestial_sphere_control.date Date (MMDDYYYY) Unsigned 32-bit integer Specifies the current date within the simulation
cigi.celestial_sphere_control.date_time_valid Date/Time Valid Boolean Specifies whether the Hour, Minute, and Date parameters are valid
cigi.celestial_sphere_control.ephemeris_enable Ephemeris Model Enable Boolean Controls whether the time of day is static or continuous
cigi.celestial_sphere_control.hour Hour (h) Unsigned 8-bit integer Specifies the current hour of the day within the simulation
cigi.celestial_sphere_control.minute Minute (min) Unsigned 8-bit integer Specifies the current minute of the day within the simulation
cigi.celestial_sphere_control.moon_enable Moon Enable Boolean Specifies whether the moon is enabled in the sky model
cigi.celestial_sphere_control.star_enable Star Field Enable Boolean Specifies whether the start field is enabled in the sky model
cigi.celestial_sphere_control.star_intensity Star Field Intensity (%) Specifies the intensity of the star field within the sky model
cigi.celestial_sphere_control.sun_enable Sun Enable Boolean Specifies whether the sun is enabled in the sky model
cigi.coll_det_seg_def Collision Detection Segment Definition String Collision Detection Segment Definition Packet
cigi.coll_det_seg_def.collision_mask Collision Mask Byte array Indicates which environment features will be included in or excluded from consideration for collision detection testing
cigi.coll_det_seg_def.entity_id Entity ID Unsigned 16-bit integer Indicates the entity to which this collision detection definition is assigned
cigi.coll_det_seg_def.material_mask Material Mask Unsigned 32-bit integer Specifies the environmental and cultural features to be included in or excluded from consideration for collision testing
cigi.coll_det_seg_def.segment_enable Segment Enable Boolean Indicates whether the defined segment is enabled for collision testing
cigi.coll_det_seg_def.segment_id Segment ID Unsigned 8-bit integer Indicates which segment is being uniquely defined for the given entity
cigi.coll_det_seg_def.x1 X1 (m) Specifies the X offset of one endpoint of the collision segment
cigi.coll_det_seg_def.x2 X2 (m) Specifies the X offset of one endpoint of the collision segment
cigi.coll_det_seg_def.x_end Segment X End (m) Specifies the ending point of the collision segment in the X-axis with respect to the entity's reference point
cigi.coll_det_seg_def.x_start Segment X Start (m) Specifies the starting point of the collision segment in the X-axis with respect to the entity's reference point
cigi.coll_det_seg_def.y1 Y1 (m) Specifies the Y offset of one endpoint of the collision segment
cigi.coll_det_seg_def.y2 Y2 (m) Specifies the Y offset of one endpoint of the collision segment
cigi.coll_det_seg_def.y_end Segment Y End (m) Specifies the ending point of the collision segment in the Y-axis with respect to the entity's reference point
cigi.coll_det_seg_def.y_start Segment Y Start (m) Specifies the starting point of the collision segment in the Y-axis with respect to the entity's reference point
cigi.coll_det_seg_def.z1 Z1 (m) Specifies the Z offset of one endpoint of the collision segment
cigi.coll_det_seg_def.z2 Z2 (m) Specifies the Z offset of one endpoint of the collision segment
cigi.coll_det_seg_def.z_end Segment Z End (m) Specifies the ending point of the collision segment in the Z-axis with respect to the entity's reference point
cigi.coll_det_seg_def.z_start Segment Z Start (m) Specifies the starting point of the collision segment in the Z-axis with respect to the entity's reference point
cigi.coll_det_seg_notification Collision Detection Segment Notification String Collision Detection Segment Notification Packet
cigi.coll_det_seg_notification.contacted_entity_id Contacted Entity ID Unsigned 16-bit integer Indicates the entity with which the collision occurred
cigi.coll_det_seg_notification.entity_id Entity ID Unsigned 16-bit integer Indicates the entity to which the collision detection segment belongs
cigi.coll_det_seg_notification.intersection_distance Intersection Distance (m) Indicates the distance along the collision test vector from the source endpoint to the point of intersection
cigi.coll_det_seg_notification.material_code Material Code Unsigned 32-bit integer Indicates the material code of the surface at the point of collision
cigi.coll_det_seg_notification.segment_id Segment ID Unsigned 8-bit integer Indicates the ID of the collision detection segment along which the collision occurred
cigi.coll_det_seg_notification.type Collision Type Boolean Indicates whether the collision occurred with another entity or with a non-entity object
cigi.coll_det_seg_response Collision Detection Segment Response String Collision Detection Segment Response Packet
cigi.coll_det_seg_response.collision_x Collision Point X (m) Specifies the X component of a vector, which lies along the defined segment where the segment intersected a surface
cigi.coll_det_seg_response.collision_y Collision Point Y (m) Specifies the Y component of a vector, which lies along the defined segment where the segment intersected a surface
cigi.coll_det_seg_response.collision_z Collision Point Z (m) Specifies the Z component of a vector, which lies along the defined segment where the segment intersected a surface
cigi.coll_det_seg_response.contact Entity/Non-Entity Contact Boolean Indicates whether another entity was contacted during this collision
cigi.coll_det_seg_response.contacted_entity Contacted Entity ID Unsigned 16-bit integer Indicates which entity was contacted during the collision
cigi.coll_det_seg_response.entity_id Entity ID Unsigned 16-bit integer Indicates which entity experienced a collision
cigi.coll_det_seg_response.material_type Material Type Signed 32-bit integer Specifies the material type of the surface that this collision test segment contacted
cigi.coll_det_seg_response.segment_id Segment ID Unsigned 8-bit integer Identifies the collision segment
cigi.coll_det_vol_def Collision Detection Volume Definition String Collision Detection Volume Definition Packet
cigi.coll_det_vol_def.depth Depth (m) Specifies the depth of the volume
cigi.coll_det_vol_def.entity_id Entity ID Unsigned 16-bit integer Indicates the entity to which this collision detection definition is assigned
cigi.coll_det_vol_def.height Height (m) Specifies the height of the volume
cigi.coll_det_vol_def.pitch Pitch (degrees) Specifies the pitch of the cuboid with respect to the entity's coordinate system
cigi.coll_det_vol_def.radius_height Radius (m)/Height (m) Specifies the radius of the sphere or specifies the length of the cuboid along its Z axis
cigi.coll_det_vol_def.roll Roll (degrees) Specifies the roll of the cuboid with respect to the entity's coordinate system
cigi.coll_det_vol_def.volume_enable Volume Enable Boolean Indicates whether the defined volume is enabled for collision testing
cigi.coll_det_vol_def.volume_id Volume ID Unsigned 8-bit integer Indicates which volume is being uniquely defined for a given entity
cigi.coll_det_vol_def.volume_type Volume Type Boolean Specified whether the volume is spherical or cuboid
cigi.coll_det_vol_def.width Width (m) Specifies the width of the volume
cigi.coll_det_vol_def.x X (m) Specifies the X offset of the center of the volume
cigi.coll_det_vol_def.x_offset Centroid X Offset (m) Specifies the offset of the volume's centroid along the X axis with respect to the entity's reference point
cigi.coll_det_vol_def.y Y (m) Specifies the Y offset of the center of the volume
cigi.coll_det_vol_def.y_offset Centroid Y Offset (m) Specifies the offset of the volume's centroid along the Y axis with respect to the entity's reference point
cigi.coll_det_vol_def.yaw Yaw (degrees) Specifies the yaw of the cuboid with respect to the entity's coordinate system
cigi.coll_det_vol_def.z Z (m) Specifies the Z offset of the center of the volume
cigi.coll_det_vol_def.z_offset Centroid Z Offset (m) Specifies the offset of the volume's centroid along the Z axis with respect to the entity's reference point
cigi.coll_det_vol_notification Collision Detection Volume Notification String Collision Detection Volume Notification Packet
cigi.coll_det_vol_notification.contacted_entity_id Contacted Entity ID Unsigned 16-bit integer Indicates the entity with which the collision occurred
cigi.coll_det_vol_notification.contacted_volume_id Contacted Volume ID Unsigned 8-bit integer Indicates the ID of the collision detection volume with which the collision occurred
cigi.coll_det_vol_notification.entity_id Entity ID Unsigned 16-bit integer Indicates the entity to which the collision detection volume belongs
cigi.coll_det_vol_notification.type Collision Type Boolean Indicates whether the collision occurred with another entity or with a non-entity object
cigi.coll_det_vol_notification.volume_id Volume ID Unsigned 8-bit integer Indicates the ID of the collision detection volume within which the collision occurred
cigi.coll_det_vol_response Collision Detection Volume Response String Collision Detection Volume Response Packet
cigi.coll_det_vol_response.contact Entity/Non-Entity Contact Boolean Indicates whether another entity was contacted during this collision
cigi.coll_det_vol_response.contact_entity Contacted Entity ID Unsigned 16-bit integer Indicates which entity was contacted with during the collision
cigi.coll_det_vol_response.entity_id Entity ID Unsigned 16-bit integer Indicates which entity experienced a collision
cigi.coll_det_vol_response.volume_id Volume ID Unsigned 8-bit integer Identifies the collision volume corresponding to the associated Collision Detection Volume Request
cigi.component_control Component Control String Component Control Packet
cigi.component_control.component_class Component Class Unsigned 8-bit integer Identifies the class the component being controlled is in
cigi.component_control.component_id Component ID Unsigned 16-bit integer Identifies the component of a component class and instance ID this packet will be applied to
cigi.component_control.component_state Component State Unsigned 16-bit integer Identifies the commanded state of a component
cigi.component_control.component_val1 Component Value 1 Identifies a continuous value to be applied to a component
cigi.component_control.component_val2 Component Value 2 Identifies a continuous value to be applied to a component
cigi.component_control.data_1 Component Data 1 Byte array User-defined component data
cigi.component_control.data_2 Component Data 2 Byte array User-defined component data
cigi.component_control.data_3 Component Data 3 Byte array User-defined component data
cigi.component_control.data_4 Component Data 4 Byte array User-defined component data
cigi.component_control.data_5 Component Data 5 Byte array User-defined component data
cigi.component_control.data_6 Component Data 6 Byte array User-defined component data
cigi.component_control.instance_id Instance ID Unsigned 16-bit integer Identifies the instance of the a class the component being controlled belongs to
cigi.conformal_clamped_entity_control Conformal Clamped Entity Control String Conformal Clamped Entity Control Packet
cigi.conformal_clamped_entity_control.entity_id Entity ID Unsigned 16-bit integer Specifies the entity to which this packet is applied
cigi.conformal_clamped_entity_control.lat Latitude (degrees) Double-precision floating point Specifies the entity's geodetic latitude
cigi.conformal_clamped_entity_control.lon Longitude (degrees) Double-precision floating point Specifies the entity's geodetic longitude
cigi.conformal_clamped_entity_control.yaw Yaw (degrees) Specifies the instantaneous heading of the entity
cigi.destport Destination Port Unsigned 16-bit integer Destination Port
cigi.earth_ref_model_def Earth Reference Model Definition String Earth Reference Model Definition Packet
cigi.earth_ref_model_def.equatorial_radius Equatorial Radius (m) Double-precision floating point Specifies the semi-major axis of the ellipsoid
cigi.earth_ref_model_def.erm_enable Custom ERM Enable Boolean Specifies whether the IG should use the Earth Reference Model defined by this packet
cigi.earth_ref_model_def.flattening Flattening (m) Double-precision floating point Specifies the flattening of the ellipsoid
cigi.entity_control Entity Control String Entity Control Packet
cigi.entity_control.alpha Alpha Unsigned 8-bit integer Specifies the explicit alpha to be applied to the entity's geometry
cigi.entity_control.alt Altitude (m) Double-precision floating point Identifies the altitude position of the reference point of the entity in meters
cigi.entity_control.alt_zoff Altitude (m)/Z Offset (m) Double-precision floating point Specifies the entity's altitude or the distance from the parent's reference point along its parent's Z axis
cigi.entity_control.animation_dir Animation Direction Boolean Specifies the direction in which an animation plays
cigi.entity_control.animation_loop_mode Animation Loop Mode Boolean Specifies whether an animation should be a one-shot
cigi.entity_control.animation_state Animation State Unsigned 8-bit integer Specifies the state of an animation
cigi.entity_control.attach_state Attach State Boolean Identifies whether the entity should be attach as a child to a parent
cigi.entity_control.coll_det_request Collision Detection Request Boolean Determines whether any collision detection segments and volumes associated with this entity are used as the source in collision testing
cigi.entity_control.collision_detect Collision Detection Request Boolean Identifies if collision detection is enabled for the entity
cigi.entity_control.effect_state Effect Animation State Unsigned 8-bit integer Identifies the animation state of a special effect
cigi.entity_control.entity_id Entity ID Unsigned 16-bit integer Identifies the entity motion system
cigi.entity_control.entity_state Entity State Unsigned 8-bit integer Identifies the entity's geometry state
cigi.entity_control.entity_type Entity Type Unsigned 16-bit integer Specifies the type for the entity
cigi.entity_control.ground_ocean_clamp Ground/Ocean Clamp Unsigned 8-bit integer Specifies whether the entity should be clamped to the ground or water surface
cigi.entity_control.inherit_alpha Inherit Alpha Boolean Specifies whether the entity's alpha is combined with the apparent alpha of its parent
cigi.entity_control.internal_temp Internal Temperature (degrees C) Specifies the internal temperature of the entity in degrees Celsius
cigi.entity_control.lat Latitude (degrees) Double-precision floating point Identifies the latitude position of the reference point of the entity in degrees
cigi.entity_control.lat_xoff Latitude (degrees)/X Offset (m) Double-precision floating point Specifies the entity's geodetic latitude or the distance from the parent's reference point along its parent's X axis
cigi.entity_control.lon Longitude (degrees) Double-precision floating point Identifies the longitude position of the reference point of the entity in degrees
cigi.entity_control.lon_yoff Longitude (°)/Y Offset (m) Double-precision floating point Specifies the entity's geodetic longitude or the distance from the parent's reference point along its parent's Y axis
cigi.entity_control.opacity Percent Opacity Specifies the degree of opacity of the entity
cigi.entity_control.parent_id Parent Entity ID Unsigned 16-bit integer Identifies the parent to which the entity should be attached
cigi.entity_control.pitch Pitch (degrees) Specifies the pitch angle of the entity
cigi.entity_control.roll Roll (degrees) Identifies the roll angle of the entity in degrees
cigi.entity_control.type Entity Type Unsigned 16-bit integer Identifies the type of the entity
cigi.entity_control.yaw Yaw (degrees) Specifies the instantaneous heading of the entity
cigi.env_cond_request Environmental Conditions Request String Environmental Conditions Request Packet
cigi.env_cond_request.alt Altitude (m) Double-precision floating point Specifies the geodetic altitude at which the environmental state is requested
cigi.env_cond_request.id Request ID Unsigned 8-bit integer Identifies the environmental conditions request
cigi.env_cond_request.lat Latitude (degrees) Double-precision floating point Specifies the geodetic latitude at which the environmental state is requested
cigi.env_cond_request.lon Longitude (degrees) Double-precision floating point Specifies the geodetic longitude at which the environmental state is requested
cigi.env_cond_request.type Request Type Unsigned 8-bit integer Specifies the desired response type for the request
cigi.env_control Environment Control String Environment Control Packet
cigi.env_control.aerosol Aerosol (gm/m^3) Controls the liquid water content for the defined atmosphere
cigi.env_control.air_temp Air Temperature (degrees C) Identifies the global temperature of the environment
cigi.env_control.date Date (MMDDYYYY) Signed 32-bit integer Specifies the desired date for use by the ephemeris program within the image generator
cigi.env_control.ephemeris_enable Ephemeris Enable Boolean Identifies whether a continuous time of day or static time of day is used
cigi.env_control.global_visibility Global Visibility (m) Identifies the global visibility
cigi.env_control.hour Hour (h) Unsigned 8-bit integer Identifies the hour of the day for the ephemeris program within the image generator
cigi.env_control.humidity Humidity (%) Unsigned 8-bit integer Specifies the global humidity of the environment
cigi.env_control.minute Minute (min) Unsigned 8-bit integer Identifies the minute of the hour for the ephemeris program within the image generator
cigi.env_control.modtran_enable MODTRAN Boolean Identifies whether atmospherics will be included in the calculations
cigi.env_control.pressure Barometric Pressure (mb) Controls the atmospheric pressure input into MODTRAN
cigi.env_control.wind_direction Wind Direction (degrees) Identifies the global wind direction
cigi.env_control.wind_speed Wind Speed (m/s) Identifies the global wind speed
cigi.env_region_control Environmental Region Control String Environmental Region Control Packet
cigi.env_region_control.corner_radius Corner Radius (m) Specifies the radius of the corner of the rounded rectangle
cigi.env_region_control.lat Latitude (degrees) Double-precision floating point Specifies the geodetic latitude of the center of the rounded rectangle
cigi.env_region_control.lon Longitude (degrees) Double-precision floating point Specifies the geodetic longitude of the center of the rounded rectangle
cigi.env_region_control.merge_aerosol Merge Aerosol Concentrations Boolean Specifies whether the concentrations of aerosols found within this region should be merged with those of other regions within areas of overlap
cigi.env_region_control.merge_maritime Merge Maritime Surface Conditions Boolean Specifies whether the maritime surface conditions found within this region should be merged with those of other regions within areas of overlap
cigi.env_region_control.merge_terrestrial Merge Terrestrial Surface Conditions Boolean Specifies whether the terrestrial surface conditions found within this region should be merged with those of other regions within areas of overlap
cigi.env_region_control.merge_weather Merge Weather Properties Boolean Specifies whether atmospheric conditions within this region should be merged with those of other regions within areas of overlap
cigi.env_region_control.region_id Region ID Unsigned 16-bit integer Specifies the environmental region to which the data in this packet will be applied
cigi.env_region_control.region_state Region State Unsigned 8-bit integer Specifies whether the region should be active or destroyed
cigi.env_region_control.rotation Rotation (degrees) Specifies the yaw angle of the rounded rectangle
cigi.env_region_control.size_x Size X (m) Specifies the length of the environmental region along its X axis at the geoid surface
cigi.env_region_control.size_y Size Y (m) Specifies the length of the environmental region along its Y axis at the geoid surface
cigi.env_region_control.transition_perimeter Transition Perimeter (m) Specifies the width of the transition perimeter around the environmental region
cigi.event_notification Event Notification String Event Notification Packet
cigi.event_notification.data_1 Event Data 1 Byte array Used for user-defined event data
cigi.event_notification.data_2 Event Data 2 Byte array Used for user-defined event data
cigi.event_notification.data_3 Event Data 3 Byte array Used for user-defined event data
cigi.event_notification.event_id Event ID Unsigned 16-bit integer Indicates which event has occurred
cigi.frame_size Frame Size (bytes) Unsigned 8-bit integer Number of bytes sent with all cigi packets in this frame
cigi.hat_hot_ext_response HAT/HOT Extended Response String HAT/HOT Extended Response Packet
cigi.hat_hot_ext_response.hat HAT Double-precision floating point Indicates the height of the test point above the terrain
cigi.hat_hot_ext_response.hat_hot_id HAT/HOT ID Unsigned 16-bit integer Identifies the HAT/HOT response
cigi.hat_hot_ext_response.hot HOT Double-precision floating point Indicates the height of terrain above or below the test point
cigi.hat_hot_ext_response.material_code Material Code Unsigned 32-bit integer Indicates the material code of the terrain surface at the point of intersection with the HAT/HOT test vector
cigi.hat_hot_ext_response.normal_vector_azimuth Normal Vector Azimuth (degrees) Indicates the azimuth of the normal unit vector of the surface intersected by the HAT/HOT test vector
cigi.hat_hot_ext_response.normal_vector_elevation Normal Vector Elevation (degrees) Indicates the elevation of the normal unit vector of the surface intersected by the HAT/HOT test vector
cigi.hat_hot_ext_response.valid Valid Boolean Indicates whether the remaining parameters in this packet contain valid numbers
cigi.hat_hot_request HAT/HOT Request String HAT/HOT Request Packet
cigi.hat_hot_request.alt_zoff Altitude (m)/Z Offset (m) Double-precision floating point Specifies the altitude from which the HAT/HOT request is being made or specifies the Z offset of the point from which the HAT/HOT request is being made
cigi.hat_hot_request.coordinate_system Coordinate System Boolean Specifies the coordinate system within which the test point is defined
cigi.hat_hot_request.entity_id Entity ID Unsigned 16-bit integer Specifies the entity relative to which the test point is defined
cigi.hat_hot_request.hat_hot_id HAT/HOT ID Unsigned 16-bit integer Identifies the HAT/HOT request
cigi.hat_hot_request.lat_xoff Latitude (degrees)/X Offset (m) Double-precision floating point Specifies the latitude from which the HAT/HOT request is being made or specifies the X offset of the point from which the HAT/HOT request is being made
cigi.hat_hot_request.lon_yoff Longitude (degrees)/Y Offset (m) Double-precision floating point Specifies the longitude from which the HAT/HOT request is being made or specifies the Y offset of the point from which the HAT/HOT request is being made
cigi.hat_hot_request.type Request Type Unsigned 8-bit integer Determines the type of response packet the IG should return for this packet
cigi.hat_hot_response HAT/HOT Response String HAT/HOT Response Packet
cigi.hat_hot_response.hat_hot_id HAT/HOT ID Unsigned 16-bit integer Identifies the HAT or HOT response
cigi.hat_hot_response.height Height Double-precision floating point Contains the requested height
cigi.hat_hot_response.type Response Type Boolean Indicates whether the Height parameter represent Height Above Terrain or Height Of Terrain
cigi.hat_hot_response.valid Valid Boolean Indicates whether the Height parameter contains a valid number
cigi.hat_request Height Above Terrain Request String Height Above Terrain Request Packet
cigi.hat_request.alt Altitude (m) Double-precision floating point Specifies the altitude from which the HAT request is being made
cigi.hat_request.hat_id HAT ID Unsigned 16-bit integer Identifies the HAT request
cigi.hat_request.lat Latitude (degrees) Double-precision floating point Specifies the latitudinal position from which the HAT request is being made
cigi.hat_request.lon Longitude (degrees) Double-precision floating point Specifies the longitudinal position from which the HAT request is being made
cigi.hat_response Height Above Terrain Response String Height Above Terrain Response Packet
cigi.hat_response.alt Altitude (m) Double-precision floating point Represents the altitude above or below the terrain for the position requested
cigi.hat_response.hat_id HAT ID Unsigned 16-bit integer Identifies the HAT response
cigi.hat_response.material_type Material Type Signed 32-bit integer Specifies the material type of the object intersected by the HAT test vector
cigi.hat_response.valid Valid Boolean Indicates whether the response is valid or invalid
cigi.hot_request Height of Terrain Request String Height of Terrain Request Packet
cigi.hot_request.hot_id HOT ID Unsigned 16-bit integer Identifies the HOT request
cigi.hot_request.lat Latitude (degrees) Double-precision floating point Specifies the latitudinal position from which the HOT request is made
cigi.hot_request.lon Longitude (degrees) Double-precision floating point Specifies the longitudinal position from which the HOT request is made
cigi.hot_response Height of Terrain Response String Height of Terrain Response Packet
cigi.hot_response.alt Altitude (m) Double-precision floating point Represents the altitude of the terrain for the position requested in the HOT request data packet
cigi.hot_response.hot_id HOT ID Unsigned 16-bit integer Identifies the HOT response corresponding to the associated HOT request
cigi.hot_response.material_type Material Type Signed 32-bit integer Specifies the material type of the object intersected by the HOT test segment
cigi.hot_response.valid Valid Boolean Indicates whether the response is valid or invalid
cigi.ig_control IG Control String IG Control Packet
cigi.ig_control.boresight Tracking Device Boresight Boolean Used by the host to enable boresight mode
cigi.ig_control.db_number Database Number Signed 8-bit integer Identifies the number associated with the database requiring loading
cigi.ig_control.frame_ctr Frame Counter Unsigned 32-bit integer Identifies a particular frame
cigi.ig_control.ig_mode IG Mode Change Request Unsigned 8-bit integer Commands the IG to enter its various modes
cigi.ig_control.time_tag Timing Value (microseconds) Identifies synchronous operation
cigi.ig_control.timestamp Timestamp (microseconds) Unsigned 32-bit integer Indicates the number of 10 microsecond "ticks" since some initial reference time
cigi.ig_control.timestamp_valid Timestamp Valid Boolean Indicates whether the timestamp contains a valid value
cigi.ig_control.tracking_enable Tracking Device Enable Boolean Identifies the state of an external tracking device
cigi.image_generator_message Image Generator Message String Image Generator Message Packet
cigi.image_generator_message.message Message String Image generator message
cigi.image_generator_message.message_id Message ID Unsigned 16-bit integer Uniquely identifies an instance of an Image Generator Response Message
cigi.los_ext_response Line of Sight Extended Response String Line of Sight Extended Response Packet
cigi.los_ext_response.alpha Alpha Unsigned 8-bit integer Indicates the alpha component of the surface at the point of intersection
cigi.los_ext_response.alt_zoff Altitude (m)/Z Offset(m) Double-precision floating point Indicates the geodetic altitude of the point of intersection along the LOS test segment or vector or specifies the offset of the point of intersection of the LOS test segment or vector along the intersected entity's Z axis
cigi.los_ext_response.blue Blue Unsigned 8-bit integer Indicates the blue color component of the surface at the point of intersection
cigi.los_ext_response.entity_id Entity ID Unsigned 16-bit integer Indicates the entity with which a LOS test vector or segment intersects
cigi.los_ext_response.entity_id_valid Entity ID Valid Boolean Indicates whether the LOS test vector or segment intersects with an entity
cigi.los_ext_response.green Green Unsigned 8-bit integer Indicates the green color component of the surface at the point of intersection
cigi.los_ext_response.intersection_coord Intersection Point Coordinate System Boolean Indicates the coordinate system relative to which the intersection point is specified
cigi.los_ext_response.lat_xoff Latitude (degrees)/X Offset (m) Double-precision floating point Indicates the geodetic latitude of the point of intersection along the LOS test segment or vector or specifies the offset of the point of intersection of the LOS test segment or vector along the intersected entity's X axis
cigi.los_ext_response.lon_yoff Longitude (degrees)/Y Offset (m) Double-precision floating point Indicates the geodetic longitude of the point of intersection along the LOS test segment or vector or specifies the offset of the point of intersection of the LOS test segment or vector along the intersected entity's Y axis
cigi.los_ext_response.los_id LOS ID Unsigned 16-bit integer Identifies the LOS response
cigi.los_ext_response.material_code Material Code Unsigned 32-bit integer Indicates the material code of the surface intersected by the LOS test segment of vector
cigi.los_ext_response.normal_vector_azimuth Normal Vector Azimuth (degrees) Indicates the azimuth of a unit vector normal to the surface intersected by the LOS test segment or vector
cigi.los_ext_response.normal_vector_elevation Normal Vector Elevation (degrees) Indicates the elevation of a unit vector normal to the surface intersected by the LOS test segment or vector
cigi.los_ext_response.range Range (m) Double-precision floating point Indicates the distance along the LOS test segment or vector from the source point to the point of intersection with an object
cigi.los_ext_response.range_valid Range Valid Boolean Indicates whether the Range parameter is valid
cigi.los_ext_response.red Red Unsigned 8-bit integer Indicates the red color component of the surface at the point of intersection
cigi.los_ext_response.response_count Response Count Unsigned 8-bit integer Indicates the total number of Line of Sight Extended Response packets the IG will return for the corresponding request
cigi.los_ext_response.valid Valid Boolean Indicates whether this packet contains valid data
cigi.los_ext_response.visible Visible Boolean Indicates whether the destination point is visible from the source point
cigi.los_occult_request Line of Sight Occult Request String Line of Sight Occult Request Packet
cigi.los_occult_request.dest_alt Destination Altitude (m) Double-precision floating point Specifies the altitude of the destination point for the LOS request segment
cigi.los_occult_request.dest_lat Destination Latitude (degrees) Double-precision floating point Specifies the latitudinal position for the destination point for the LOS request segment
cigi.los_occult_request.dest_lon Destination Longitude (degrees) Double-precision floating point Specifies the longitudinal position of the destination point for the LOS request segment
cigi.los_occult_request.los_id LOS ID Unsigned 16-bit integer Identifies the LOS request
cigi.los_occult_request.source_alt Source Altitude (m) Double-precision floating point Specifies the altitude of the source point for the LOS request segment
cigi.los_occult_request.source_lat Source Latitude (degrees) Double-precision floating point Specifies the latitudinal position of the source point for the LOS request segment
cigi.los_occult_request.source_lon Source Longitude (degrees) Double-precision floating point Specifies the longitudinal position of the source point for the LOS request segment
cigi.los_range_request Line of Sight Range Request String Line of Sight Range Request Packet
cigi.los_range_request.azimuth Azimuth (degrees) Specifies the azimuth of the LOS vector
cigi.los_range_request.elevation Elevation (degrees) Specifies the elevation for the LOS vector
cigi.los_range_request.los_id LOS ID Unsigned 16-bit integer Identifies the LOS request
cigi.los_range_request.max_range Maximum Range (m) Specifies the maximum extent from the source position specified in this data packet to a point along the LOS vector where intersection testing will end
cigi.los_range_request.min_range Minimum Range (m) Specifies the distance from the source position specified in this data packet to a point along the LOS vector where intersection testing will begin
cigi.los_range_request.source_alt Source Altitude (m) Double-precision floating point Specifies the altitude of the source point of the LOS request vector
cigi.los_range_request.source_lat Source Latitude (degrees) Double-precision floating point Specifies the latitudinal position of the source point of the LOS request vector
cigi.los_range_request.source_lon Source Longitude (degrees) Double-precision floating point Specifies the longitudinal position of the source point of the LOS request vector
cigi.los_response Line of Sight Response String Line of Sight Response Packet
cigi.los_response.alt Intersection Altitude (m) Double-precision floating point Specifies the altitude of the point of intersection of the LOS request vector with an object
cigi.los_response.count Response Count Unsigned 8-bit integer Indicates the total number of Line of Sight Response packets the IG will return for the corresponding request
cigi.los_response.entity_id Entity ID Unsigned 16-bit integer Indicates the entity with which an LOS test vector or segment intersects
cigi.los_response.entity_id_valid Entity ID Valid Boolean Indicates whether the LOS test vector or segment intersects with an entity or a non-entity
cigi.los_response.lat Intersection Latitude (degrees) Double-precision floating point Specifies the latitudinal position of the intersection point of the LOS request vector with an object
cigi.los_response.lon Intersection Longitude (degrees) Double-precision floating point Specifies the longitudinal position of the intersection point of the LOS request vector with an object
cigi.los_response.los_id LOS ID Unsigned 16-bit integer Identifies the LOS response corresponding tot he associated LOS request
cigi.los_response.material_type Material Type Signed 32-bit integer Specifies the material type of the object intersected by the LOS test segment
cigi.los_response.occult_response Occult Response Boolean Used to respond to the LOS occult request data packet
cigi.los_response.range Range (m) Used to respond to the Line of Sight Range Request data packet
cigi.los_response.valid Valid Boolean Indicates whether the response is valid or invalid
cigi.los_response.visible Visible Boolean Indicates whether the destination point is visible from the source point
cigi.los_segment_request Line of Sight Segment Request String Line of Sight Segment Request Packet
cigi.los_segment_request.alpha_threshold Alpha Threshold Unsigned 8-bit integer Specifies the minimum alpha value a surface may have for an LOS response to be generated
cigi.los_segment_request.destination_alt_zoff Destination Altitude (m)/ Destination Z Offset (m) Double-precision floating point Specifies the altitude of the destination endpoint of the LOS test segment or specifies the Z offset of the destination endpoint of the LOS test segment
cigi.los_segment_request.destination_coord Destination Point Coordinate System Boolean Indicates the coordinate system relative to which the test segment destination endpoint is specified
cigi.los_segment_request.destination_lat_xoff Destination Latitude (degrees)/ Destination X Offset (m) Double-precision floating point Specifies the latitude of the destination endpoint of the LOS test segment or specifies the X offset of the destination endpoint of the LOS test segment
cigi.los_segment_request.destination_lon_yoff Destination Longitude (degrees)/Destination Y Offset (m) Double-precision floating point Specifies the longitude of the destination endpoint of the LOS test segment or specifies the Y offset of the destination endpoint of the LOS test segment
cigi.los_segment_request.entity_id Entity ID Unsigned 16-bit integer Specifies the entity relative to which the test segment endpoints are defined
cigi.los_segment_request.los_id LOS ID Unsigned 16-bit integer Identifies the LOS request
cigi.los_segment_request.material_mask Material Mask Unsigned 32-bit integer Specifies the environmental and cultural features to be included in or excluded from consideration for the LOS segment testing
cigi.los_segment_request.response_coord Response Coordinate System Boolean Specifies the coordinate system to be used in the response
cigi.los_segment_request.source_alt_zoff Source Altitude (m)/Source Z Offset (m) Double-precision floating point Specifies the altitude of the source endpoint of the LOS test segment or specifies the Z offset of the source endpoint of the LOS test segment
cigi.los_segment_request.source_coord Source Point Coordinate System Boolean Indicates the coordinate system relative to which the test segment source endpoint is specified
cigi.los_segment_request.source_lat_xoff Source Latitude (degrees)/Source X Offset (m) Double-precision floating point Specifies the latitude of the source endpoint of the LOS test segment or specifies the X offset of the source endpoint of the LOS test segment
cigi.los_segment_request.source_lon_yoff Source Longitude (degrees)/Source Y Offset (m) Double-precision floating point Specifies the longitude of the source endpoint of the LOS test segment or specifies the Y offset of the source endpoint of the LOS test segment
cigi.los_segment_request.type Request Type Boolean Determines what type of response the IG should return for this request
cigi.los_vector_request Line of Sight Vector Request String Line of Sight Vector Request Packet
cigi.los_vector_request.alpha Alpha Threshold Unsigned 8-bit integer Specifies the minimum alpha value a surface may have for an LOS response to be generated
cigi.los_vector_request.azimuth Azimuth (degrees) Specifies the horizontal angle of the LOS test vector
cigi.los_vector_request.elevation Elevation (degrees) Specifies the vertical angle of the LOS test vector
cigi.los_vector_request.entity_id Entity ID Unsigned 16-bit integer Specifies the entity relative to which the test segment endpoints are defined
cigi.los_vector_request.los_id LOS ID Unsigned 16-bit integer Identifies the LOS request
cigi.los_vector_request.material_mask Material Mask Unsigned 32-bit integer Specifies the environmental and cultural features to be included in LOS segment testing
cigi.los_vector_request.max_range Maximum Range (m) Specifies the maximum range along the LOS test vector at which intersection testing should occur
cigi.los_vector_request.min_range Minimum Range (m) Specifies the minimum range along the LOS test vector at which intersection testing should occur
cigi.los_vector_request.response_coord Response Coordinate System Boolean Specifies the coordinate system to be used in the response
cigi.los_vector_request.source_alt_zoff Source Altitude (m)/Source Z Offset (m) Double-precision floating point Specifies the altitude of the source point of the LOS test vector or specifies the Z offset of the source point of the LOS test vector
cigi.los_vector_request.source_coord Source Point Coordinate System Boolean Indicates the coordinate system relative to which the test vector source point is specified
cigi.los_vector_request.source_lat_xoff Source Latitude (degrees)/Source X Offset (m) Double-precision floating point Specifies the latitude of the source point of the LOS test vector
cigi.los_vector_request.source_lon_yoff Source Longitude (degrees)/Source Y Offset (m) Double-precision floating point Specifies the longitude of the source point of the LOS test vector
cigi.los_vector_request.type Request Type Boolean Determines what type of response the IG should return for this request
cigi.maritime_surface_conditions_control Maritime Surface Conditions Control String Maritime Surface Conditions Control Packet
cigi.maritime_surface_conditions_control.entity_region_id Entity ID/Region ID Unsigned 16-bit integer Specifies the entity to which the surface attributes in this packet are applied or specifies the region to which the surface attributes are confined
cigi.maritime_surface_conditions_control.scope Scope Unsigned 8-bit integer Specifies whether this packet is applied globally, applied to region, or assigned to an entity
cigi.maritime_surface_conditions_control.sea_surface_height Sea Surface Height (m) Specifies the height of the water above MSL at equilibrium
cigi.maritime_surface_conditions_control.surface_clarity Surface Clarity (%) Specifies the clarity of the water at its surface
cigi.maritime_surface_conditions_control.surface_conditions_enable Surface Conditions Enable Boolean Determines the state of the specified surface conditions
cigi.maritime_surface_conditions_control.surface_water_temp Surface Water Temperature (degrees C) Specifies the water temperature at the surface
cigi.maritime_surface_conditions_control.whitecap_enable Whitecap Enable Boolean Determines whether whitecaps are enabled
cigi.maritime_surface_conditions_response Maritime Surface Conditions Response String Maritime Surface Conditions Response Packet
cigi.maritime_surface_conditions_response.request_id Request ID Unsigned 8-bit integer Identifies the environmental conditions request to which this response packet corresponds
cigi.maritime_surface_conditions_response.sea_surface_height Sea Surface Height (m) Indicates the height of the sea surface at equilibrium
cigi.maritime_surface_conditions_response.surface_clarity Surface Clarity (%) Indicates the clarity of the water at its surface
cigi.maritime_surface_conditions_response.surface_water_temp Surface Water Temperature (degrees C) Indicates the water temperature at the sea surface
cigi.motion_tracker_control Motion Tracker Control String Motion Tracker Control Packet
cigi.motion_tracker_control.boresight_enable Boresight Enable Boolean Sets the boresight state of the external tracking device
cigi.motion_tracker_control.pitch_enable Pitch Enable Boolean Used to enable or disable the pitch of the motion tracker
cigi.motion_tracker_control.roll_enable Roll Enable Boolean Used to enable or disable the roll of the motion tracker
cigi.motion_tracker_control.tracker_enable Tracker Enable Boolean Specifies whether the tracking device is enabled
cigi.motion_tracker_control.tracker_id Tracker ID Unsigned 8-bit integer Specifies the tracker whose state the data in this packet represents
cigi.motion_tracker_control.view_group_id View/View Group ID Unsigned 16-bit integer Specifies the view or view group to which the tracking device is attached
cigi.motion_tracker_control.view_group_select View/View Group Select Boolean Specifies whether the tracking device is attached to a single view or a view group
cigi.motion_tracker_control.x_enable X Enable Boolean Used to enable or disable the X-axis position of the motion tracker
cigi.motion_tracker_control.y_enable Y Enable Boolean Used to enable or disable the Y-axis position of the motion tracker
cigi.motion_tracker_control.yaw_enable Yaw Enable Boolean Used to enable or disable the yaw of the motion tracker
cigi.motion_tracker_control.z_enable Z Enable Boolean Used to enable or disable the Z-axis position of the motion tracker
cigi.packet_id Packet ID Unsigned 8-bit integer Identifies the packet's id
cigi.packet_size Packet Size (bytes) Unsigned 8-bit integer Identifies the number of bytes in this type of packet
cigi.port Source or Destination Port Unsigned 16-bit integer Source or Destination Port
cigi.pos_request Position Request String Position Request Packet
cigi.pos_request.coord_system Coordinate System Unsigned 8-bit integer Specifies the desired coordinate system relative to which the position and orientation should be given
cigi.pos_request.object_class Object Class Unsigned 8-bit integer Specifies the type of object whose position is being requested
cigi.pos_request.object_id Object ID Unsigned 16-bit integer Identifies the entity, view, view group, or motion tracking device whose position is being requested
cigi.pos_request.part_id Articulated Part ID Unsigned 8-bit integer Identifies the articulated part whose position is being requested
cigi.pos_request.update_mode Update Mode Boolean Specifies whether the IG should report the position of the requested object each frame
cigi.pos_response Position Response String Position Response Packet
cigi.pos_response.alt_zoff Altitude (m)/Z Offset (m) Double-precision floating point Indicates the geodetic altitude of the entity, articulated part, view, or view group or indicates the Z offset from the parent entity's origin to the child entity, articulated part, view, or view group
cigi.pos_response.coord_system Coordinate System Unsigned 8-bit integer Indicates the coordinate system in which the position and orientation are specified
cigi.pos_response.lat_xoff Latitude (degrees)/X Offset (m) Double-precision floating point Indicates the geodetic latitude of the entity, articulated part, view, or view group or indicates the X offset from the parent entity's origin to the child entity, articulated part, view or view group
cigi.pos_response.lon_yoff Longitude (degrees)/Y Offset (m) Double-precision floating point Indicates the geodetic longitude of the entity, articulated part, view, or view group or indicates the Y offset from the parent entity's origin to the child entity, articulated part, view, or view group
cigi.pos_response.object_class Object Class Unsigned 8-bit integer Indicates the type of object whose position is being reported
cigi.pos_response.object_id Object ID Unsigned 16-bit integer Identifies the entity, view, view group, or motion tracking device whose position is being reported
cigi.pos_response.part_id Articulated Part ID Unsigned 8-bit integer Identifies the articulated part whose position is being reported
cigi.pos_response.pitch Pitch (degrees) Indicates the pitch angle of the specified entity, articulated part, view, or view group
cigi.pos_response.roll Roll (degrees) Indicates the roll angle of the specified entity, articulated part, view, or view group
cigi.pos_response.yaw Yaw (degrees) Indicates the yaw angle of the specified entity, articulated part, view, or view group
cigi.rate_control Rate Control String Rate Control Packet
cigi.rate_control.apply_to_part Apply to Articulated Part Boolean Determines whether the rate is applied to the articulated part specified by the Articulated Part ID parameter
cigi.rate_control.entity_id Entity ID Unsigned 16-bit integer Specifies the entity to which this data packet will be applied
cigi.rate_control.part_id Articulated Part ID Signed 8-bit integer Identifies which articulated part is controlled with this data packet
cigi.rate_control.pitch_rate Pitch Angular Rate (degrees/s) Specifies the pitch angular rate for the entity being represented
cigi.rate_control.roll_rate Roll Angular Rate (degrees/s) Specifies the roll angular rate for the entity being represented
cigi.rate_control.x_rate X Linear Rate (m/s) Specifies the x component of the velocity vector for the entity being represented
cigi.rate_control.y_rate Y Linear Rate (m/s) Specifies the y component of the velocity vector for the entity being represented
cigi.rate_control.yaw_rate Yaw Angular Rate (degrees/s) Specifies the yaw angular rate for the entity being represented
cigi.rate_control.z_rate Z Linear Rate (m/s) Specifies the z component of the velocity vector for the entity being represented
cigi.sensor_control Sensor Control String Sensor Control Packet
cigi.sensor_control.ac_coupling AC Coupling Indicates the AC Coupling decay rate for the weapon sensor option
cigi.sensor_control.auto_gain Automatic Gain Boolean When set to "on," cause the weapons sensor to automatically adjust the gain value to optimize the brightness and contrast of the sensor display
cigi.sensor_control.gain Gain Indicates the gain value for the weapon sensor option
cigi.sensor_control.level Level Indicates the level value for the weapon sensor option
cigi.sensor_control.line_dropout Line-by-Line Dropout Boolean Indicates whether the line-by-line dropout feature is enabled
cigi.sensor_control.line_dropout_enable Line-by-Line Dropout Enable Boolean Specifies whether line-by-line dropout is enabled
cigi.sensor_control.noise Noise Indicates the detector-noise gain for the weapon sensor option
cigi.sensor_control.polarity Polarity Boolean Indicates whether this sensor is showing white hot or black hot
cigi.sensor_control.response_type Response Type Boolean Specifies whether the IG should return a Sensor Response packet or a Sensor Extended Response packet
cigi.sensor_control.sensor_enable Sensor On/Off Boolean Indicates whether the sensor is turned on or off
cigi.sensor_control.sensor_id Sensor ID Unsigned 8-bit integer Identifies the sensor to which this packet should be applied
cigi.sensor_control.sensor_on_off Sensor On/Off Boolean Specifies whether the sensor is turned on or off
cigi.sensor_control.track_mode Track Mode Unsigned 8-bit integer Indicates which track mode the sensor should be
cigi.sensor_control.track_polarity Track White/Black Boolean Identifies whether the weapons sensor will track wither white or black
cigi.sensor_control.track_white_black Track White/Black Boolean Specifies whether the sensor tracks white or black
cigi.sensor_control.view_id View ID Unsigned 8-bit integer Dictates to which view the corresponding sensor is assigned, regardless of the view group
cigi.sensor_ext_response Sensor Extended Response String Sensor Extended Response Packet
cigi.sensor_ext_response.entity_id Entity ID Unsigned 16-bit integer Indicates the entity ID of the target
cigi.sensor_ext_response.entity_id_valid Entity ID Valid Boolean Indicates whether the target is an entity or a non-entity object
cigi.sensor_ext_response.frame_ctr Frame Counter Unsigned 32-bit integer Indicates the IG's frame counter at the time that the IG calculates the gate and line-of-sight intersection data
cigi.sensor_ext_response.gate_x_pos Gate X Position (degrees) Specifies the gate symbol's position along the view's X axis
cigi.sensor_ext_response.gate_x_size Gate X Size (pixels or raster lines) Unsigned 16-bit integer Specifies the gate symbol size along the view's X axis
cigi.sensor_ext_response.gate_y_pos Gate Y Position (degrees) Specifies the gate symbol's position along the view's Y axis
cigi.sensor_ext_response.gate_y_size Gate Y Size (pixels or raster lines) Unsigned 16-bit integer Specifies the gate symbol size along the view's Y axis
cigi.sensor_ext_response.sensor_id Sensor ID Unsigned 8-bit integer Specifies the sensor to which the data in this packet apply
cigi.sensor_ext_response.sensor_status Sensor Status Unsigned 8-bit integer Indicates the current tracking state of the sensor
cigi.sensor_ext_response.track_alt Track Point Altitude (m) Double-precision floating point Indicates the geodetic altitude of the point being tracked by the sensor
cigi.sensor_ext_response.track_lat Track Point Latitude (degrees) Double-precision floating point Indicates the geodetic latitude of the point being tracked by the sensor
cigi.sensor_ext_response.track_lon Track Point Longitude (degrees) Double-precision floating point Indicates the geodetic longitude of the point being tracked by the sensor
cigi.sensor_ext_response.view_id View ID Unsigned 16-bit integer Specifies the view that represents the sensor display
cigi.sensor_response Sensor Response String Sensor Response Packet
cigi.sensor_response.frame_ctr Frame Counter Unsigned 32-bit integer Indicates the IG's frame counter at the time that the IG calculates the gate and line-of-sight intersection data
cigi.sensor_response.gate_x_pos Gate X Position (degrees) Specifies the gate symbol's position along the view's X axis
cigi.sensor_response.gate_x_size Gate X Size (pixels or raster lines) Unsigned 16-bit integer Specifies the gate symbol size along the view's X axis
cigi.sensor_response.gate_y_pos Gate Y Position (degrees) Specifies the gate symbol's position along the view's Y axis
cigi.sensor_response.gate_y_size Gate Y Size (pixels or raster lines) Unsigned 16-bit integer Specifies the gate symbol size along the view's Y axis
cigi.sensor_response.sensor_id Sensor ID Unsigned 8-bit integer Identifies the sensor response corresponding to the associated sensor control data packet
cigi.sensor_response.sensor_status Sensor Status Unsigned 8-bit integer Indicates the current tracking state of the sensor
cigi.sensor_response.status Sensor Status Unsigned 8-bit integer Indicates the current sensor mode
cigi.sensor_response.view_id View ID Unsigned 8-bit integer Indicates the sensor view
cigi.sensor_response.x_offset Gate X Offset (degrees) Unsigned 16-bit integer Specifies the target's horizontal offset from the view plane normal
cigi.sensor_response.x_size Gate X Size Unsigned 16-bit integer Specifies the target size in the X direction (horizontal) in pixels
cigi.sensor_response.y_offset Gate Y Offset (degrees) Unsigned 16-bit integer Specifies the target's vertical offset from the view plane normal
cigi.sensor_response.y_size Gate Y Size Unsigned 16-bit integer Specifies the target size in the Y direction (vertical) in pixels
cigi.short_art_part_control Short Articulated Part Control String Short Articulated Part Control Packet
cigi.short_art_part_control.dof_1 DOF 1 Specifies either an offset or an angular position for the part identified by Articulated Part ID 1
cigi.short_art_part_control.dof_2 DOF 2 Specifies either an offset or an angular position for the part identified by Articulated Part ID 2
cigi.short_art_part_control.dof_select_1 DOF Select 1 Unsigned 8-bit integer Specifies the degree of freedom to which the value of DOF 1 is applied
cigi.short_art_part_control.dof_select_2 DOF Select 2 Unsigned 8-bit integer Specifies the degree of freedom to which the value of DOF 2 is applied
cigi.short_art_part_control.entity_id Entity ID Unsigned 16-bit integer Specifies the entity to which the articulated part(s) belongs
cigi.short_art_part_control.part_enable_1 Articulated Part Enable 1 Boolean Determines whether the articulated part submodel specified by Articulated Part ID 1 should be enabled or disabled within the scene graph
cigi.short_art_part_control.part_enable_2 Articulated Part Enable 2 Boolean Determines whether the articulated part submodel specified by Articulated Part ID 2 should be enabled or disabled within the scene graph
cigi.short_art_part_control.part_id_1 Articulated Part ID 1 Unsigned 8-bit integer Specifies an articulated part to which the data in this packet should be applied
cigi.short_art_part_control.part_id_2 Articulated Part ID 2 Unsigned 8-bit integer Specifies an articulated part to which the data in this packet should be applied
cigi.short_component_control Short Component Control String Short Component Control Packet
cigi.short_component_control.component_class Component Class Unsigned 8-bit integer Identifies the type of object to which the Instance ID parameter refers
cigi.short_component_control.component_id Component ID Unsigned 16-bit integer Identifies the component to which the data in this packet should be applied
cigi.short_component_control.component_state Component State Unsigned 8-bit integer Specifies a discrete state for the component
cigi.short_component_control.data_1 Component Data 1 Byte array User-defined component data
cigi.short_component_control.data_2 Component Data 2 Byte array User-defined component data
cigi.short_component_control.instance_id Instance ID Unsigned 16-bit integer Identifies the object to which the component belongs
cigi.sof Start of Frame String Start of Frame Packet
cigi.sof.db_number Database Number Signed 8-bit integer Indicates load status of the requested database
cigi.sof.earth_reference_model Earth Reference Model Boolean Indicates whether the IG is using a custom Earth Reference Model or the default WGS 84 reference ellipsoid for coordinate conversion calculations
cigi.sof.frame_ctr IG to Host Frame Counter Unsigned 32-bit integer Contains a number representing a particular frame
cigi.sof.ig_mode IG Mode Unsigned 8-bit integer Identifies to the host the current operating mode of the IG
cigi.sof.ig_status IG Status Code Unsigned 8-bit integer Indicates the error status of the IG
cigi.sof.ig_status_code IG Status Code Unsigned 8-bit integer Indicates the operational status of the IG
cigi.sof.time_tag Timing Value (microseconds) Contains a timing value that is used to time-tag the ethernet message during asynchronous operation
cigi.sof.timestamp Timestamp (microseconds) Unsigned 32-bit integer Indicates the number of 10 microsecond "ticks" since some initial reference time
cigi.sof.timestamp_valid Timestamp Valid Boolean Indicates whether the Timestamp parameter contains a valid value
cigi.special_effect_def Special Effect Definition String Special Effect Definition Packet
cigi.special_effect_def.blue Blue Color Value Unsigned 8-bit integer Specifies the blue component of a color to be applied to the effect
cigi.special_effect_def.burst_interval Burst Interval (s) Indicates the time between successive bursts
cigi.special_effect_def.color_enable Color Enable Boolean Indicates whether the red, green, and blue color values will be applied to the special effect
cigi.special_effect_def.duration Duration (s) Indicates how long an effect or sequence of burst will be active
cigi.special_effect_def.effect_count Effect Count Unsigned 16-bit integer Indicates how many effects are contained within a single burst
cigi.special_effect_def.entity_id Entity ID Unsigned 16-bit integer Indicates which effect is being modified
cigi.special_effect_def.green Green Color Value Unsigned 8-bit integer Specifies the green component of a color to be applied to the effect
cigi.special_effect_def.red Red Color Value Unsigned 8-bit integer Specifies the red component of a color to be applied to the effect
cigi.special_effect_def.separation Separation (m) Indicates the distance between particles within a burst
cigi.special_effect_def.seq_direction Sequence Direction Boolean Indicates whether the effect animation sequence should be sequence from beginning to end or vice versa
cigi.special_effect_def.time_scale Time Scale Specifies a scale factor to apply to the time period for the effect's animation sequence
cigi.special_effect_def.x_scale X Scale Specifies a scale factor to apply along the effect's X axis
cigi.special_effect_def.y_scale Y Scale Specifies a scale factor to apply along the effect's Y axis
cigi.special_effect_def.z_scale Z Scale Specifies a scale factor to apply along the effect's Z axis
cigi.srcport Source Port Unsigned 16-bit integer Source Port
cigi.terr_surface_cond_response Terrestrial Surface Conditions Response String Terrestrial Surface Conditions Response Packet
cigi.terr_surface_cond_response.request_id Request ID Unsigned 8-bit integer Identifies the environmental conditions request to which this response packet corresponds
cigi.terr_surface_cond_response.surface_id Surface Condition ID Unsigned 32-bit integer Indicates the presence of a specific surface condition or contaminant at the test point
cigi.terrestrial_surface_conditions_control Terrestrial Surface Conditions Control String Terrestrial Surface Conditions Control Packet
cigi.terrestrial_surface_conditions_control.coverage Coverage (%) Unsigned 8-bit integer Determines the degree of coverage of the specified surface contaminant
cigi.terrestrial_surface_conditions_control.entity_region_id Entity ID/Region ID Unsigned 16-bit integer Specifies the environmental entity to which the surface condition attributes in this packet are applied
cigi.terrestrial_surface_conditions_control.scope Scope Unsigned 8-bit integer Determines whether the specified surface conditions are applied globally, regionally, or to an environmental entity
cigi.terrestrial_surface_conditions_control.severity Severity Unsigned 8-bit integer Determines the degree of severity for the specified surface contaminant(s)
cigi.terrestrial_surface_conditions_control.surface_condition_enable Surface Condition Enable Boolean Specifies whether the surface condition attribute identified by the Surface Condition ID parameter should be enabled
cigi.terrestrial_surface_conditions_control.surface_condition_id Surface Condition ID Unsigned 16-bit integer Identifies a surface condition or contaminant
cigi.trajectory_def Trajectory Definition String Trajectory Definition Packet
cigi.trajectory_def.acceleration Acceleration Factor (m/s^2) Indicates the acceleration factor that will be applied to the Vz component of the velocity vector over time to simulate the effects of gravity on the object
cigi.trajectory_def.acceleration_x Acceleration X (m/s^2) Specifies the X component of the acceleration vector
cigi.trajectory_def.acceleration_y Acceleration Y (m/s^2) Specifies the Y component of the acceleration vector
cigi.trajectory_def.acceleration_z Acceleration Z (m/s^2) Specifies the Z component of the acceleration vector
cigi.trajectory_def.entity_id Entity ID Unsigned 16-bit integer Indicates which entity is being influenced by this trajectory behavior
cigi.trajectory_def.retardation Retardation Rate (m/s) Indicates what retardation factor will be applied to the object's motion
cigi.trajectory_def.retardation_rate Retardation Rate (m/s^2) Specifies the magnitude of an acceleration applied against the entity's instantaneous linear velocity vector
cigi.trajectory_def.terminal_velocity Terminal Velocity (m/s) Indicates what final velocity the object will be allowed to obtain
cigi.unknown Unknown String Unknown Packet
cigi.user_definable User Definable String User definable packet
cigi.user_defined User-Defined String User-Defined Packet
cigi.version CIGI Version Unsigned 8-bit integer Identifies the version of CIGI interface that is currently running on the host
cigi.view_control View Control String View Control Packet
cigi.view_control.entity_id Entity ID Unsigned 16-bit integer Indicates the entity to which this view should be attached
cigi.view_control.group_id Group ID Unsigned 8-bit integer Specifies the view group to which the contents of this packet are applied
cigi.view_control.pitch Pitch (degrees) The rotation about the view's Y axis
cigi.view_control.pitch_enable Pitch Enable Unsigned 8-bit integer Identifies whether the pitch parameter should be applied to the specified view or view group
cigi.view_control.roll Roll (degrees) The rotation about the view's X axis
cigi.view_control.roll_enable Roll Enable Unsigned 8-bit integer Identifies whether the roll parameter should be applied to the specified view or view group
cigi.view_control.view_group View Group Select Unsigned 8-bit integer Specifies which view group is to be controlled by the offsets
cigi.view_control.view_id View ID Unsigned 8-bit integer Specifies which view position is associated with offsets and rotation specified by this data packet
cigi.view_control.x_offset X Offset (m) Defines the X component of the view offset vector along the entity's longitudinal axis
cigi.view_control.xoff X Offset (m) Specifies the position of the view eyepoint along the X axis of the entity specified by the Entity ID parameter
cigi.view_control.xoff_enable X Offset Enable Boolean Identifies whether the x offset parameter should be applied to the specified view or view group
cigi.view_control.y_offset Y Offset Defines the Y component of the view offset vector along the entity's lateral axis
cigi.view_control.yaw Yaw (degrees) The rotation about the view's Z axis
cigi.view_control.yaw_enable Yaw Enable Unsigned 8-bit integer Identifies whether the yaw parameter should be applied to the specified view or view group
cigi.view_control.yoff Y Offset (m) Specifies the position of the view eyepoint along the Y axis of the entity specified by the Entity ID parameter
cigi.view_control.yoff_enable Y Offset Enable Unsigned 8-bit integer Identifies whether the y offset parameter should be applied to the specified view or view group
cigi.view_control.z_offset Z Offset Defines the Z component of the view offset vector along the entity's vertical axis
cigi.view_control.zoff Z Offset (m) Specifies the position of the view eyepoint along the Z axis of the entity specified by the Entity ID parameter
cigi.view_control.zoff_enable Z Offset Enable Unsigned 8-bit integer Identifies whether the z offset parameter should be applied to the specified view or view group
cigi.view_def View Definition String View Definition Packet
cigi.view_def.bottom Bottom (degrees) Specifies the bottom half-angle of the view frustum
cigi.view_def.bottom_enable Field of View Bottom Enable Boolean Identifies whether the field of view bottom value is manipulated from the Host
cigi.view_def.far Far (m) Specifies the position of the view's far clipping plane
cigi.view_def.far_enable Field of View Far Enable Boolean Identifies whether the field of view far value is manipulated from the Host
cigi.view_def.fov_bottom Field of View Bottom (degrees) Defines the bottom clipping plane for the view
cigi.view_def.fov_far Field of View Far (m) Defines the far clipping plane for the view
cigi.view_def.fov_left Field of View Left (degrees) Defines the left clipping plane for the view
cigi.view_def.fov_near Field of View Near (m) Defines the near clipping plane for the view
cigi.view_def.fov_right Field of View Right (degrees) Defines the right clipping plane for the view
cigi.view_def.fov_top Field of View Top (degrees) Defines the top clipping plane for the view
cigi.view_def.group_id Group ID Unsigned 8-bit integer Specifies the group to which the view is to be assigned
cigi.view_def.left Left (degrees) Specifies the left half-angle of the view frustum
cigi.view_def.left_enable Field of View Left Enable Boolean Identifies whether the field of view left value is manipulated from the Host
cigi.view_def.mirror View Mirror Unsigned 8-bit integer Specifies what mirroring function should be applied to the view
cigi.view_def.mirror_mode Mirror Mode Unsigned 8-bit integer Specifies the mirroring function to be performed on the view
cigi.view_def.near Near (m) Specifies the position of the view's near clipping plane
cigi.view_def.near_enable Field of View Near Enable Boolean Identifies whether the field of view near value is manipulated from the Host
cigi.view_def.pixel_rep Pixel Replication Unsigned 8-bit integer Specifies what pixel replication function should be applied to the view
cigi.view_def.pixel_replication Pixel Replication Mode Unsigned 8-bit integer Specifies the pixel replication function to be performed on the view
cigi.view_def.projection_type Projection Type Boolean Specifies whether the view projection should be perspective or orthographic parallel
cigi.view_def.reorder Reorder Boolean Specifies whether the view should be moved to the top of any overlapping views
cigi.view_def.right Right (degrees) Specifies the right half-angle of the view frustum
cigi.view_def.right_enable Field of View Right Enable Boolean Identifies whether the field of view right value is manipulated from the Host
cigi.view_def.top Top (degrees) Specifies the top half-angle of the view frustum
cigi.view_def.top_enable Field of View Top Enable Boolean Identifies whether the field of view top value is manipulated from the Host
cigi.view_def.tracker_assign Tracker Assign Boolean Specifies whether the view should be controlled by an external tracking device
cigi.view_def.view_group View Group Unsigned 8-bit integer Specifies the view group to which the view is to be assigned
cigi.view_def.view_id View ID Unsigned 8-bit integer Specifies the view to which this packet should be applied
cigi.view_def.view_type View Type Unsigned 8-bit integer Specifies the view type
cigi.wave_control Wave Control String Wave Control Packet
cigi.wave_control.breaker_type Breaker Type Unsigned 8-bit integer Specifies the type of breaker within the surf zone
cigi.wave_control.direction Direction (degrees) Specifies the direction in which the wave propagates
cigi.wave_control.entity_region_id Entity ID/Region ID Unsigned 16-bit integer Specifies the surface entity for which the wave is defined or specifies the environmental region for which the wave is defined
cigi.wave_control.height Wave Height (m) Specifies the average vertical distance from trough to crest produced by the wave
cigi.wave_control.leading Leading (degrees) Specifies the phase angle at which the crest occurs
cigi.wave_control.period Period (s) Specifies the time required fro one complete oscillation of the wave
cigi.wave_control.phase_offset Phase Offset (degrees) Specifies a phase offset for the wave
cigi.wave_control.scope Scope Unsigned 8-bit integer Specifies whether the wave is defined for global, regional, or entity-controlled maritime surface conditions
cigi.wave_control.wave_enable Wave Enable Boolean Determines whether the wave is enabled or disabled
cigi.wave_control.wave_id Wave ID Unsigned 8-bit integer Specifies the wave to which the attributes in this packet are applied
cigi.wave_control.wavelength Wavelength (m) Specifies the distance from a particular phase on a wave to the same phase on an adjacent wave
cigi.wea_cond_response Weather Conditions Response String Weather Conditions Response Packet
cigi.wea_cond_response.air_temp Air Temperature (degrees C) Indicates the air temperature at the requested location
cigi.wea_cond_response.barometric_pressure Barometric Pressure (mb or hPa) Indicates the atmospheric pressure at the requested location
cigi.wea_cond_response.horiz_speed Horizontal Wind Speed (m/s) Indicates the local wind speed parallel to the ellipsoid-tangential reference plane
cigi.wea_cond_response.humidity Humidity (%) Unsigned 8-bit integer Indicates the humidity at the request location
cigi.wea_cond_response.request_id Request ID Unsigned 8-bit integer Identifies the environmental conditions request to which this response packet corresponds
cigi.wea_cond_response.vert_speed Vertical Wind Speed (m/s) Indicates the local vertical wind speed
cigi.wea_cond_response.visibility_range Visibility Range (m) Indicates the visibility range at the requested location
cigi.wea_cond_response.wind_direction Wind Direction (degrees) Indicates the local wind direction
cigi.weather_control Weather Control String Weather Control Packet
cigi.weather_control.aerosol_concentration Aerosol Concentration (g/m^3) Specifies the concentration of water, smoke, dust, or other particles suspended in the air
cigi.weather_control.air_temp Air Temperature (degrees C) Identifies the local temperature inside the weather phenomenon
cigi.weather_control.barometric_pressure Barometric Pressure (mb or hPa) Specifies the atmospheric pressure within the weather layer
cigi.weather_control.base_elevation Base Elevation (m) Specifies the altitude of the base of the weather layer
cigi.weather_control.cloud_type Cloud Type Unsigned 8-bit integer Specifies the type of clouds contained within the weather layer
cigi.weather_control.coverage Coverage (%) Indicates the amount of area coverage a particular phenomenon has over the specified global visibility range given in the environment control data packet
cigi.weather_control.elevation Elevation (m) Indicates the base altitude of the weather phenomenon
cigi.weather_control.entity_id Entity ID Unsigned 16-bit integer Identifies the entity's ID
cigi.weather_control.entity_region_id Entity ID/Region ID Unsigned 16-bit integer Specifies the entity to which the weather attributes in this packet are applied
cigi.weather_control.horiz_wind Horizontal Wind Speed (m/s) Specifies the local wind speed parallel to the ellipsoid-tangential reference plane
cigi.weather_control.humidity Humidity (%) Unsigned 8-bit integer Specifies the humidity within the weather layer
cigi.weather_control.layer_id Layer ID Unsigned 8-bit integer Specifies the weather layer to which the data in this packet are applied
cigi.weather_control.opacity Opacity (%) Identifies the opacity of the weather phenomenon
cigi.weather_control.phenomenon_type Phenomenon Type Unsigned 16-bit integer Identifies the type of weather described by this data packet
cigi.weather_control.random_lightning_enable Random Lightning Enable Unsigned 8-bit integer Specifies whether the weather layer exhibits random lightning effects
cigi.weather_control.random_winds Random Winds Aloft Boolean Indicates whether a random frequency and duration should be applied to the winds aloft value
cigi.weather_control.random_winds_enable Random Winds Enable Boolean Specifies whether a random frequency and duration should be applied to the local wind effects
cigi.weather_control.scope Scope Unsigned 8-bit integer Specifies whether the weather is global, regional, or assigned to an entity
cigi.weather_control.scud_enable Scud Enable Boolean Indicates whether there will be scud effects applied to the phenomenon specified by this data packet
cigi.weather_control.scud_frequency Scud Frequency (%) Identifies the frequency for the scud effect
cigi.weather_control.severity Severity Unsigned 8-bit integer Indicates the severity of the weather phenomenon
cigi.weather_control.thickness Thickness (m) Indicates the vertical thickness of the weather phenomenon
cigi.weather_control.transition_band Transition Band (m) Indicates a vertical transition band both above and below a phenomenon
cigi.weather_control.vert_wind Vertical Wind Speed (m/s) Specifies the local vertical wind speed
cigi.weather_control.visibility_range Visibility Range (m) Specifies the visibility range through the weather layer
cigi.weather_control.weather_enable Weather Enable Boolean Indicates whether the phenomena specified by this data packet is visible
cigi.weather_control.wind_direction Winds Aloft Direction (degrees) Indicates local direction of the wind applied to the phenomenon
cigi.weather_control.wind_speed Winds Aloft Speed Identifies the local wind speed applied to the phenomenon
cip.attribute Attribute Unsigned 8-bit integer Attribute
cip.class Class Unsigned 8-bit integer Class
cip.connpoint Connection Point Unsigned 8-bit integer Connection Point
cip.devtype Device Type Unsigned 16-bit integer Device Type
cip.epath EPath Byte array EPath
cip.fwo.cmp Compatibility Unsigned 8-bit integer Fwd Open: Compatibility bit
cip.fwo.consize Connection Size Unsigned 16-bit integer Fwd Open: Connection size
cip.fwo.dir Direction Unsigned 8-bit integer Fwd Open: Direction
cip.fwo.f_v Connection Size Type Unsigned 16-bit integer Fwd Open: Fixed or variable connection size
cip.fwo.major Major Revision Unsigned 8-bit integer Fwd Open: Major Revision
cip.fwo.owner Owner Unsigned 16-bit integer Fwd Open: Redundant owner bit
cip.fwo.prio Priority Unsigned 16-bit integer Fwd Open: Connection priority
cip.fwo.transport Class Unsigned 8-bit integer Fwd Open: Transport Class
cip.fwo.trigger Trigger Unsigned 8-bit integer Fwd Open: Production trigger
cip.fwo.type Connection Type Unsigned 16-bit integer Fwd Open: Connection type
cip.genstat General Status Unsigned 8-bit integer General Status
cip.instance Instance Unsigned 8-bit integer Instance
cip.linkaddress Link Address Unsigned 8-bit integer Link Address
cip.port Port Unsigned 8-bit integer Port Identifier
cip.rr Request/Response Unsigned 8-bit integer Request or Response message
cip.sc Service Unsigned 8-bit integer Service Code
cip.symbol Symbol String ANSI Extended Symbol Segment
cip.vendor Vendor ID Unsigned 16-bit integer Vendor ID
cops.accttimer.value Contents: ACCT Timer Value Unsigned 16-bit integer Accounting Timer Value in AcctTimer object
cops.c_num C-Num Unsigned 8-bit integer C-Num in COPS Object Header
cops.c_type C-Type Unsigned 8-bit integer C-Type in COPS Object Header
cops.client_type Client Type Unsigned 16-bit integer Client Type in COPS Common Header
cops.context.m_type M-Type Unsigned 16-bit integer M-Type in COPS Context Object
cops.context.r_type R-Type Unsigned 16-bit integer R-Type in COPS Context Object
cops.cperror Error Unsigned 16-bit integer Error in Error object
cops.cperror_sub Error Sub-code Unsigned 16-bit integer Error Sub-code in Error object
cops.decision.cmd Command-Code Unsigned 16-bit integer Command-Code in Decision/LPDP Decision object
cops.decision.flags Flags Unsigned 16-bit integer Flags in Decision/LPDP Decision object
cops.error Error Unsigned 16-bit integer Error in Error object
cops.error_sub Error Sub-code Unsigned 16-bit integer Error Sub-code in Error object
cops.flags Flags Unsigned 8-bit integer Flags in COPS Common Header
cops.gperror Error Unsigned 16-bit integer Error in Error object
cops.gperror_sub Error Sub-code Unsigned 16-bit integer Error Sub-code in Error object
cops.in-int.ipv4 IPv4 address IPv4 address IPv4 address in COPS IN-Int object
cops.in-int.ipv6 IPv6 address IPv6 address IPv6 address in COPS IN-Int object
cops.in-out-int.ifindex ifIndex Unsigned 32-bit integer If SNMP is supported, corresponds to MIB-II ifIndex
cops.integrity.key_id Contents: Key ID Unsigned 32-bit integer Key ID in Integrity object
cops.integrity.seq_num Contents: Sequence Number Unsigned 32-bit integer Sequence Number in Integrity object
cops.katimer.value Contents: KA Timer Value Unsigned 16-bit integer Keep-Alive Timer Value in KATimer object
cops.lastpdpaddr.ipv4 IPv4 address IPv4 address IPv4 address in COPS LastPDPAddr object
cops.lastpdpaddr.ipv6 IPv6 address IPv6 address IPv6 address in COPS LastPDPAddr object
cops.msg_len Message Length Unsigned 32-bit integer Message Length in COPS Common Header
cops.obj.len Object Length Unsigned 32-bit integer Object Length in COPS Object Header
cops.op_code Op Code Unsigned 8-bit integer Op Code in COPS Common Header
cops.out-int.ipv4 IPv4 address IPv4 address IPv4 address in COPS OUT-Int object
cops.out-int.ipv6 IPv6 address IPv6 address IPv6 address in COPS OUT-Int
cops.pc_activity_count Count Unsigned 32-bit integer Count
cops.pc_algorithm Algorithm Unsigned 16-bit integer Algorithm
cops.pc_bcid Billing Correlation ID Unsigned 32-bit integer Billing Correlation ID
cops.pc_bcid_ev BDID Event Counter Unsigned 32-bit integer BCID Event Counter
cops.pc_bcid_ts BDID Timestamp Unsigned 32-bit integer BCID Timestamp
cops.pc_close_subcode Reason Sub Code Unsigned 16-bit integer Reason Sub Code
cops.pc_cmts_ip CMTS IP Address IPv4 address CMTS IP Address
cops.pc_cmts_ip_port CMTS IP Port Unsigned 16-bit integer CMTS IP Port
cops.pc_delete_subcode Reason Sub Code Unsigned 16-bit integer Reason Sub Code
cops.pc_dest_ip Destination IP Address IPv4 address Destination IP Address
cops.pc_dest_port Destination IP Port Unsigned 16-bit integer Destination IP Port
cops.pc_dfccc_id CCC ID Unsigned 32-bit integer CCC ID
cops.pc_dfccc_ip DF IP Address CCC IPv4 address DF IP Address CCC
cops.pc_dfccc_ip_port DF IP Port CCC Unsigned 16-bit integer DF IP Port CCC
cops.pc_dfcdc_ip DF IP Address CDC IPv4 address DF IP Address CDC
cops.pc_dfcdc_ip_port DF IP Port CDC Unsigned 16-bit integer DF IP Port CDC
cops.pc_direction Direction Unsigned 8-bit integer Direction
cops.pc_ds_field DS Field (DSCP or TOS) Unsigned 8-bit integer DS Field (DSCP or TOS)
cops.pc_gate_command_type Gate Command Type Unsigned 16-bit integer Gate Command Type
cops.pc_gate_id Gate Identifier Unsigned 32-bit integer Gate Identifier
cops.pc_gate_spec_flags Flags Unsigned 8-bit integer Flags
cops.pc_key Security Key Unsigned 32-bit integer Security Key
cops.pc_max_packet_size Maximum Packet Size Unsigned 32-bit integer Maximum Packet Size
cops.pc_min_policed_unit Minimum Policed Unit Unsigned 32-bit integer Minimum Policed Unit
cops.pc_mm_amid_am_tag AMID Application Manager Tag Unsigned 32-bit integer PacketCable Multimedia AMID Application Manager Tag
cops.pc_mm_amid_application_type AMID Application Type Unsigned 32-bit integer PacketCable Multimedia AMID Application Type
cops.pc_mm_amrtrps Assumed Minimum Reserved Traffic Rate Packet Size Unsigned 16-bit integer PacketCable Multimedia Committed Envelope Assumed Minimum Reserved Traffic Rate Packet Size
cops.pc_mm_classifier_action Priority Unsigned 8-bit integer PacketCable Multimedia Classifier Action
cops.pc_mm_classifier_activation_state Priority Unsigned 8-bit integer PacketCable Multimedia Classifier Activation State
cops.pc_mm_classifier_dscp DSCP/TOS Field Unsigned 8-bit integer PacketCable Multimedia Classifier DSCP/TOS Field
cops.pc_mm_classifier_dscp_mask DSCP/TOS Mask Unsigned 8-bit integer PacketCable Multimedia Classifer DSCP/TOS Mask
cops.pc_mm_classifier_dst_addr Destination address IPv4 address PacketCable Multimedia Classifier Destination IP Address
cops.pc_mm_classifier_dst_mask Destination address IPv4 address PacketCable Multimedia Classifier Destination Mask
cops.pc_mm_classifier_dst_port Destination Port Unsigned 16-bit integer PacketCable Multimedia Classifier Source Port
cops.pc_mm_classifier_dst_port_end Destination Port Unsigned 16-bit integer PacketCable Multimedia Classifier Source Port End
cops.pc_mm_classifier_id Priority Unsigned 16-bit integer PacketCable Multimedia Classifier ID
cops.pc_mm_classifier_priority Priority Unsigned 8-bit integer PacketCable Multimedia Classifier Priority
cops.pc_mm_classifier_proto_id Protocol ID Unsigned 16-bit integer PacketCable Multimedia Classifier Protocol ID
cops.pc_mm_classifier_src_addr Source address IPv4 address PacketCable Multimedia Classifier Source IP Address
cops.pc_mm_classifier_src_mask Source mask IPv4 address PacketCable Multimedia Classifier Source Mask
cops.pc_mm_classifier_src_port Source Port Unsigned 16-bit integer PacketCable Multimedia Classifier Source Port
cops.pc_mm_classifier_src_port_end Source Port End Unsigned 16-bit integer PacketCable Multimedia Classifier Source Port End
cops.pc_mm_docsis_scn Service Class Name String PacketCable Multimedia DOCSIS Service Class Name
cops.pc_mm_envelope Envelope Unsigned 8-bit integer PacketCable Multimedia Envelope
cops.pc_mm_error_ec Error-Code Unsigned 16-bit integer PacketCable Multimedia PacketCable-Error Error-Code
cops.pc_mm_error_esc Error-code Unsigned 16-bit integer PacketCable Multimedia PacketCable-Error Error Sub-code
cops.pc_mm_fs_envelope Envelope Unsigned 8-bit integer PacketCable Multimedia Flow Spec Envelope
cops.pc_mm_fs_svc_num Service Number Unsigned 8-bit integer PacketCable Multimedia Flow Spec Service Number
cops.pc_mm_gpi Grants Per Interval Unsigned 8-bit integer PacketCable Multimedia Grants Per Interval
cops.pc_mm_gs_dscp DSCP/TOS Field Unsigned 8-bit integer PacketCable Multimedia GateSpec DSCP/TOS Field
cops.pc_mm_gs_dscp_mask DSCP/TOS Mask Unsigned 8-bit integer PacketCable Multimedia GateSpec DSCP/TOS Mask
cops.pc_mm_gs_flags Flags Unsigned 8-bit integer PacketCable Multimedia GateSpec Flags
cops.pc_mm_gs_reason Reason Unsigned 16-bit integer PacketCable Multimedia Gate State Reason
cops.pc_mm_gs_scid SessionClassID Unsigned 8-bit integer PacketCable Multimedia GateSpec SessionClassID
cops.pc_mm_gs_scid_conf SessionClassID Configurable Unsigned 8-bit integer PacketCable Multimedia GateSpec SessionClassID Configurable
cops.pc_mm_gs_scid_preempt SessionClassID Preemption Unsigned 8-bit integer PacketCable Multimedia GateSpec SessionClassID Preemption
cops.pc_mm_gs_scid_prio SessionClassID Priority Unsigned 8-bit integer PacketCable Multimedia GateSpec SessionClassID Priority
cops.pc_mm_gs_state State Unsigned 16-bit integer PacketCable Multimedia Gate State
cops.pc_mm_gs_timer_t1 Timer T1 Unsigned 16-bit integer PacketCable Multimedia GateSpec Timer T1
cops.pc_mm_gs_timer_t2 Timer T2 Unsigned 16-bit integer PacketCable Multimedia GateSpec Timer T2
cops.pc_mm_gs_timer_t3 Timer T3 Unsigned 16-bit integer PacketCable Multimedia GateSpec Timer T3
cops.pc_mm_gs_timer_t4 Timer T4 Unsigned 16-bit integer PacketCable Multimedia GateSpec Timer T4
cops.pc_mm_gti Gate Time Info Unsigned 32-bit integer PacketCable Multimedia Gate Time Info
cops.pc_mm_gui Gate Usage Info Unsigned 32-bit integer PacketCable Multimedia Gate Usage Info
cops.pc_mm_mdl Maximum Downstream Latency Unsigned 32-bit integer PacketCable Multimedia Maximum Downstream Latency
cops.pc_mm_mrtr Minimum Reserved Traffic Rate Unsigned 32-bit integer PacketCable Multimedia Committed Envelope Minimum Reserved Traffic Rate
cops.pc_mm_msg_receipt_key Msg Receipt Key Unsigned 32-bit integer PacketCable Multimedia Msg Receipt Key
cops.pc_mm_mstr Maximum Sustained Traffic Rate Unsigned 32-bit integer PacketCable Multimedia Committed Envelope Maximum Sustained Traffic Rate
cops.pc_mm_mtb Maximum Traffic Burst Unsigned 32-bit integer PacketCable Multimedia Committed Envelope Maximum Traffic Burst
cops.pc_mm_ngi Nominal Grant Interval Unsigned 32-bit integer PacketCable Multimedia Nominal Grant Interval
cops.pc_mm_npi Nominal Polling Interval Unsigned 32-bit integer PacketCable Multimedia Nominal Polling Interval
cops.pc_mm_psid PSID Unsigned 32-bit integer PacketCable Multimedia PSID
cops.pc_mm_rtp Request Transmission Policy Unsigned 32-bit integer PacketCable Multimedia Committed Envelope Traffic Priority
cops.pc_mm_synch_options_report_type Report Type Unsigned 8-bit integer PacketCable Multimedia Synch Options Report Type
cops.pc_mm_synch_options_synch_type Synch Type Unsigned 8-bit integer PacketCable Multimedia Synch Options Synch Type
cops.pc_mm_tbul_ul Usage Limit Unsigned 32-bit integer PacketCable Multimedia Time-Based Usage Limit
cops.pc_mm_tgj Tolerated Grant Jitter Unsigned 32-bit integer PacketCable Multimedia Tolerated Grant Jitter
cops.pc_mm_tp Traffic Priority Unsigned 8-bit integer PacketCable Multimedia Committed Envelope Traffic Priority
cops.pc_mm_tpj Tolerated Poll Jitter Unsigned 32-bit integer PacketCable Multimedia Tolerated Poll Jitter
cops.pc_mm_ugs Unsolicited Grant Size Unsigned 16-bit integer PacketCable Multimedia Unsolicited Grant Size
cops.pc_mm_vbul_ul Usage Limit Unsigned 64-bit integer PacketCable Multimedia Volume-Based Usage Limit
cops.pc_mm_vi_major Major Version Number Unsigned 16-bit integer PacketCable Multimedia Major Version Number
cops.pc_mm_vi_minor Minor Version Number Unsigned 16-bit integer PacketCable Multimedia Minor Version Number
cops.pc_packetcable_err_code Error Code Unsigned 16-bit integer Error Code
cops.pc_packetcable_sub_code Error Sub Code Unsigned 16-bit integer Error Sub Code
cops.pc_peak_data_rate Peak Data Rate Peak Data Rate
cops.pc_prks_ip PRKS IP Address IPv4 address PRKS IP Address
cops.pc_prks_ip_port PRKS IP Port Unsigned 16-bit integer PRKS IP Port
cops.pc_protocol_id Protocol ID Unsigned 8-bit integer Protocol ID
cops.pc_reason_code Reason Code Unsigned 16-bit integer Reason Code
cops.pc_remote_flags Flags Unsigned 16-bit integer Flags
cops.pc_remote_gate_id Remote Gate ID Unsigned 32-bit integer Remote Gate ID
cops.pc_reserved Reserved Unsigned 32-bit integer Reserved
cops.pc_session_class Session Class Unsigned 8-bit integer Session Class
cops.pc_slack_term Slack Term Unsigned 32-bit integer Slack Term
cops.pc_spec_rate Rate Rate
cops.pc_src_ip Source IP Address IPv4 address Source IP Address
cops.pc_src_port Source IP Port Unsigned 16-bit integer Source IP Port
cops.pc_srks_ip SRKS IP Address IPv4 address SRKS IP Address
cops.pc_srks_ip_port SRKS IP Port Unsigned 16-bit integer SRKS IP Port
cops.pc_subscriber_id4 Subscriber Identifier (IPv4) IPv4 address Subscriber Identifier (IPv4)
cops.pc_subscriber_id6 Subscriber Identifier (IPv6) IPv6 address Subscriber Identifier (IPv6)
cops.pc_subtree Object Subtree Unsigned 16-bit integer Object Subtree
cops.pc_t1_value Timer T1 Value (sec) Unsigned 16-bit integer Timer T1 Value (sec)
cops.pc_t7_value Timer T7 Value (sec) Unsigned 16-bit integer Timer T7 Value (sec)
cops.pc_t8_value Timer T8 Value (sec) Unsigned 16-bit integer Timer T8 Value (sec)
cops.pc_token_bucket_rate Token Bucket Rate Token Bucket Rate
cops.pc_token_bucket_size Token Bucket Size Token Bucket Size
cops.pc_transaction_id Transaction Identifier Unsigned 16-bit integer Transaction Identifier
cops.pdp.tcp_port TCP Port Number Unsigned 32-bit integer TCP Port Number of PDP in PDPRedirAddr/LastPDPAddr object
cops.pdprediraddr.ipv4 IPv4 address IPv4 address IPv4 address in COPS PDPRedirAddr object
cops.pdprediraddr.ipv6 IPv6 address IPv6 address IPv6 address in COPS PDPRedirAddr object
cops.pepid.id Contents: PEP Id String PEP Id in PEPID object
cops.reason Reason Unsigned 16-bit integer Reason in Reason object
cops.reason_sub Reason Sub-code Unsigned 16-bit integer Reason Sub-code in Reason object
cops.report_type Contents: Report-Type Unsigned 16-bit integer Report-Type in Report-Type object
cops.s_num S-Num Unsigned 8-bit integer S-Num in COPS-PR Object Header
cops.s_type S-Type Unsigned 8-bit integer S-Type in COPS-PR Object Header
cops.ver_flags Version and Flags Unsigned 8-bit integer Version and Flags in COPS Common Header
cops.version Version Unsigned 8-bit integer Version in COPS Common Header
cups.ptype Type Unsigned 32-bit integer
cups.state State Unsigned 8-bit integer
componentstatusprotocol.componentassociation_duration Duration Unsigned 64-bit integer
componentstatusprotocol.componentassociation_flags Flags Unsigned 16-bit integer
componentstatusprotocol.componentassociation_ppid PPID Unsigned 32-bit integer
componentstatusprotocol.componentassociation_protocolid ProtocolID Unsigned 16-bit integer
componentstatusprotocol.componentassociation_receiverid ReceiverID Unsigned 64-bit integer
componentstatusprotocol.componentstatusreport_AssociationArray AssociationArray Unsigned 32-bit integer
componentstatusprotocol.componentstatusreport_associations Associations Unsigned 16-bit integer
componentstatusprotocol.componentstatusreport_location Location String
componentstatusprotocol.componentstatusreport_reportinterval ReportInterval Unsigned 32-bit integer
componentstatusprotocol.componentstatusreport_status Status String
componentstatusprotocol.componentstatusreport_workload Workload Unsigned 16-bit integer
componentstatusprotocol.message_flags Flags Unsigned 8-bit integer
componentstatusprotocol.message_length Length Unsigned 16-bit integer
componentstatusprotocol.message_senderid SenderID Unsigned 64-bit integer
componentstatusprotocol.message_sendertimestamp SenderTimeStamp Unsigned 64-bit integer
componentstatusprotocol.message_type Type Unsigned 8-bit integer
componentstatusprotocol.message_version Version Unsigned 32-bit integer
cdt.CompressedData CompressedData No value cdt.CompressedData
cdt.algorithmID_OID algorithmID-OID cdt.OBJECT_IDENTIFIER
cdt.algorithmID_ShortForm algorithmID-ShortForm Signed 32-bit integer cdt.AlgorithmID_ShortForm
cdt.compressedContent compressedContent Byte array cdt.CompressedContent
cdt.compressedContentInfo compressedContentInfo No value cdt.CompressedContentInfo
cdt.compressionAlgorithm compressionAlgorithm Unsigned 32-bit integer cdt.CompressionAlgorithmIdentifier
cdt.contentType contentType Unsigned 32-bit integer cdt.T_contentType
cdt.contentType_OID contentType-OID cdt.OBJECT_IDENTIFIER
cdt.contentType_ShortForm contentType-ShortForm Signed 32-bit integer cdt.ContentType_ShortForm
image-gif.end Trailer (End of the GIF stream) No value This byte tells the decoder that the data stream is finished.
image-gif.extension Extension No value Extension.
image-gif.extension.label Extension label Unsigned 8-bit integer Extension label.
image-gif.global.bpp Image bits per pixel minus 1 Unsigned 8-bit integer The number of bits per pixel is one plus the field value.
image-gif.global.color_bpp Bits per color minus 1 Unsigned 8-bit integer The number of bits per color is one plus the field value.
image-gif.global.color_map Global color map Byte array Global color map.
image-gif.global.color_map.ordered Global color map is ordered Unsigned 8-bit integer Indicates whether the global color map is ordered.
image-gif.global.color_map.present Global color map is present Unsigned 8-bit integer Indicates if the global color map is present
image-gif.global.pixel_aspect_ratio Global pixel aspect ratio Unsigned 8-bit integer Gives an approximate value of the aspect ratio of the pixels.
image-gif.image Image No value Image.
image-gif.image.code_size LZW minimum code size Unsigned 8-bit integer Minimum code size for the LZW compression.
image-gif.image.height Image height Unsigned 16-bit integer Image height.
image-gif.image.left Image left position Unsigned 16-bit integer Offset between left of Screen and left of Image.
image-gif.image.top Image top position Unsigned 16-bit integer Offset between top of Screen and top of Image.
image-gif.image.width Image width Unsigned 16-bit integer Image width.
image-gif.image_background_index Background color index Unsigned 8-bit integer Index of the background color in the color map.
image-gif.local.bpp Image bits per pixel minus 1 Unsigned 8-bit integer The number of bits per pixel is one plus the field value.
image-gif.local.color_bpp Bits per color minus 1 Unsigned 8-bit integer The number of bits per color is one plus the field value.
image-gif.local.color_map Local color map Byte array Local color map.
image-gif.local.color_map.ordered Local color map is ordered Unsigned 8-bit integer Indicates whether the local color map is ordered.
image-gif.local.color_map.present Local color map is present Unsigned 8-bit integer Indicates if the local color map is present
image-gif.screen.height Screen height Unsigned 16-bit integer Screen height
image-gif.screen.width Screen width Unsigned 16-bit integer Screen width
image-gif.version Version String GIF Version
cimd.aoi Alphanumeric Originating Address String CIMD Alphanumeric Originating Address
cimd.ce Cancel Enabled String CIMD Cancel Enabled
cimd.chksum Checksum Unsigned 8-bit integer CIMD Checksum
cimd.cm Cancel Mode String CIMD Cancel Mode
cimd.da Destination Address String CIMD Destination Address
cimd.dcs Data Coding Scheme Unsigned 8-bit integer CIMD Data Coding Scheme
cimd.dcs.cf Compressed Unsigned 8-bit integer CIMD DCS Compressed Flag
cimd.dcs.cg Coding Group Unsigned 8-bit integer CIMD DCS Coding Group
cimd.dcs.chs Character Set Unsigned 8-bit integer CIMD DCS Character Set
cimd.dcs.is Indication Sense Unsigned 8-bit integer CIMD DCS Indication Sense
cimd.dcs.it Indication Type Unsigned 8-bit integer CIMD DCS Indication Type
cimd.dcs.mc Message Class Unsigned 8-bit integer CIMD DCS Message Class
cimd.dcs.mcm Message Class Meaning Unsigned 8-bit integer CIMD DCS Message Class Meaning Flag
cimd.drmode Delivery Request Mode String CIMD Delivery Request Mode
cimd.dt Discharge Time String CIMD Discharge Time
cimd.errcode Error Code String CIMD Error Code
cimd.errtext Error Text String CIMD Error Text
cimd.fdta First Delivery Time Absolute String CIMD First Delivery Time Absolute
cimd.fdtr First Delivery Time Relative String CIMD First Delivery Time Relative
cimd.gpar Get Parameter String CIMD Get Parameter
cimd.mcount Message Count String CIMD Message Count
cimd.mms More Messages To Send String CIMD More Messages To Send
cimd.oa Originating Address String CIMD Originating Address
cimd.oimsi Originating IMSI String CIMD Originating IMSI
cimd.opcode Operation Code Unsigned 8-bit integer CIMD Operation Code
cimd.ovma Originated Visited MSC Address String CIMD Originated Visited MSC Address
cimd.passwd Password String CIMD Password
cimd.pcode Code String CIMD Parameter Code
cimd.pi Protocol Identifier String CIMD Protocol Identifier
cimd.pnumber Packet Number Unsigned 8-bit integer CIMD Packet Number
cimd.priority Priority String CIMD Priority
cimd.rpath Reply Path String CIMD Reply Path
cimd.saddr Subaddress String CIMD Subaddress
cimd.scaddr Service Center Address String CIMD Service Center Address
cimd.scts Service Centre Time Stamp String CIMD Service Centre Time Stamp
cimd.sdes Service Description String CIMD Service Description
cimd.smsct SMS Center Time String CIMD SMS Center Time
cimd.srr Status Report Request String CIMD Status Report Request
cimd.stcode Status Code String CIMD Status Code
cimd.sterrcode Status Error Code String CIMD Status Error Code
cimd.tclass Tariff Class String CIMD Tariff Class
cimd.ud User Data String CIMD User Data
cimd.udb User Data Binary String CIMD User Data Binary
cimd.udh User Data Header String CIMD User Data Header
cimd.ui User Identity String CIMD User Identity
cimd.vpa Validity Period Absolute String CIMD Validity Period Absolute
cimd.vpr Validity Period Relative String CIMD Validity Period Relative
cimd.ws Window Size String CIMD Window Size
loop.forwarding_address Forwarding address 6-byte Hardware (MAC) Address
loop.function Function Unsigned 16-bit integer
loop.receipt_number Receipt number Unsigned 16-bit integer
loop.skipcount skipCount Unsigned 16-bit integer
cfpi.word_two Word two Unsigned 32-bit integer
cpfi.EOFtype EOFtype Unsigned 32-bit integer EOF Type
cpfi.OPMerror OPMerror Boolean OPM Error?
cpfi.SOFtype SOFtype Unsigned 32-bit integer SOF Type
cpfi.board Board Byte array
cpfi.crc-32 CRC-32 Unsigned 32-bit integer
cpfi.dstTDA dstTDA Unsigned 32-bit integer Source TDA (10 bits)
cpfi.dst_board Destination Board Byte array
cpfi.dst_instance Destination Instance Byte array
cpfi.dst_port Destination Port Byte array
cpfi.frmtype FrmType Unsigned 32-bit integer Frame Type
cpfi.fromLCM fromLCM Boolean from LCM?
cpfi.instance Instance Byte array
cpfi.port Port Byte array
cpfi.speed speed Unsigned 32-bit integer SOF Type
cpfi.srcTDA srcTDA Unsigned 32-bit integer Source TDA (10 bits)
cpfi.src_board Source Board Byte array
cpfi.src_instance Source Instance Byte array
cpfi.src_port Source Port Byte array
cpfi.word_one Word one Unsigned 32-bit integer
cms.AuthAttributes_item Item No value cms.Attribute
cms.AuthenticatedData AuthenticatedData No value cms.AuthenticatedData
cms.CertificateRevocationLists_item Item No value x509af.CertificateList
cms.CertificateSet_item Item Unsigned 32-bit integer cms.CertificateChoices
cms.ContentInfo ContentInfo No value cms.ContentInfo
cms.ContentType ContentType cms.ContentType
cms.Countersignature Countersignature No value cms.Countersignature
cms.DigestAlgorithmIdentifiers_item Item No value cms.DigestAlgorithmIdentifier
cms.DigestedData DigestedData No value cms.DigestedData
cms.EncryptedData EncryptedData No value cms.EncryptedData
cms.EnvelopedData EnvelopedData No value cms.EnvelopedData
cms.MessageDigest MessageDigest Byte array cms.MessageDigest
cms.RecipientEncryptedKeys_item Item No value cms.RecipientEncryptedKey
cms.RecipientInfos_item Item Unsigned 32-bit integer cms.RecipientInfo
cms.SignedAttributes_item Item No value cms.Attribute
cms.SignedData SignedData No value cms.SignedData
cms.SignerInfos_item Item No value cms.SignerInfo
cms.SigningTime SigningTime Unsigned 32-bit integer cms.SigningTime
cms.UnauthAttributes_item Item No value cms.Attribute
cms.UnprotectedAttributes_item Item No value cms.Attribute
cms.UnsignedAttributes_item Item No value cms.Attribute
cms.algorithm algorithm No value x509af.AlgorithmIdentifier
cms.attrCert attrCert No value x509af.AttributeCertificate
cms.attrType attrType cms.T_attrType
cms.attrValues attrValues Unsigned 32-bit integer cms.SET_OF_AttributeValue
cms.attrValues_item Item No value cms.AttributeValue
cms.attributes attributes Unsigned 32-bit integer cms.UnauthAttributes
cms.authenticatedAttributes authenticatedAttributes Unsigned 32-bit integer cms.AuthAttributes
cms.certificate certificate No value x509af.Certificate
cms.certificates certificates Unsigned 32-bit integer cms.CertificateSet
cms.certs certs Unsigned 32-bit integer cms.CertificateSet
cms.content content No value cms.T_content
cms.contentEncryptionAlgorithm contentEncryptionAlgorithm No value cms.ContentEncryptionAlgorithmIdentifier
cms.contentInfo.contentType contentType ContentType
cms.contentType contentType cms.T_contentType
cms.crls crls Unsigned 32-bit integer cms.CertificateRevocationLists
cms.date date String cms.GeneralizedTime
cms.digest digest Byte array cms.Digest
cms.digestAlgorithm digestAlgorithm No value cms.DigestAlgorithmIdentifier
cms.digestAlgorithms digestAlgorithms Unsigned 32-bit integer cms.DigestAlgorithmIdentifiers
cms.eContent eContent Byte array cms.T_eContent
cms.eContentType eContentType cms.T_eContentType
cms.encapContentInfo encapContentInfo No value cms.EncapsulatedContentInfo
cms.encryptedContent encryptedContent Byte array cms.EncryptedContent
cms.encryptedContentInfo encryptedContentInfo No value cms.EncryptedContentInfo
cms.encryptedKey encryptedKey Byte array cms.EncryptedKey
cms.extendedCertificate extendedCertificate No value cms.ExtendedCertificate
cms.extendedCertificateInfo extendedCertificateInfo No value cms.ExtendedCertificateInfo
cms.generalTime generalTime String cms.GeneralizedTime
cms.issuer issuer Unsigned 32-bit integer x509if.Name
cms.issuerAndSerialNumber issuerAndSerialNumber No value cms.IssuerAndSerialNumber
cms.kari kari No value cms.KeyAgreeRecipientInfo
cms.kekid kekid No value cms.KEKIdentifier
cms.kekri kekri No value cms.KEKRecipientInfo
cms.keyAttr keyAttr No value cms.T_keyAttr
cms.keyAttrId keyAttrId cms.T_keyAttrId
cms.keyEncryptionAlgorithm keyEncryptionAlgorithm No value cms.KeyEncryptionAlgorithmIdentifier
cms.keyIdentifier keyIdentifier Byte array cms.OCTET_STRING
cms.ktri ktri No value cms.KeyTransRecipientInfo
cms.mac mac Byte array cms.MessageAuthenticationCode
cms.macAlgorithm macAlgorithm No value cms.MessageAuthenticationCodeAlgorithm
cms.originator originator Unsigned 32-bit integer cms.OriginatorIdentifierOrKey
cms.originatorInfo originatorInfo No value cms.OriginatorInfo
cms.originatorKey originatorKey No value cms.OriginatorPublicKey
cms.other other No value cms.OtherKeyAttribute
cms.publicKey publicKey Byte array cms.BIT_STRING
cms.rKeyId rKeyId No value cms.RecipientKeyIdentifier
cms.recipientEncryptedKeys recipientEncryptedKeys Unsigned 32-bit integer cms.RecipientEncryptedKeys
cms.recipientInfos recipientInfos Unsigned 32-bit integer cms.RecipientInfos
cms.rid rid Unsigned 32-bit integer cms.RecipientIdentifier
cms.serialNumber serialNumber Signed 32-bit integer x509af.CertificateSerialNumber
cms.sid sid Unsigned 32-bit integer cms.SignerIdentifier
cms.signature signature Byte array cms.SignatureValue
cms.signatureAlgorithm signatureAlgorithm No value cms.SignatureAlgorithmIdentifier
cms.signedAttrs signedAttrs Unsigned 32-bit integer cms.SignedAttributes
cms.signerInfos signerInfos Unsigned 32-bit integer cms.SignerInfos
cms.subjectKeyIdentifier subjectKeyIdentifier Byte array cms.SubjectKeyIdentifier
cms.ukm ukm Byte array cms.UserKeyingMaterial
cms.unauthenticatedAttributes unauthenticatedAttributes Unsigned 32-bit integer cms.UnauthAttributes
cms.unprotectedAttrs unprotectedAttrs Unsigned 32-bit integer cms.UnprotectedAttributes
cms.unsignedAttrs unsignedAttrs Unsigned 32-bit integer cms.UnsignedAttributes
cms.utcTime utcTime String cms.UTCTime
cms.version version Signed 32-bit integer cms.CMSVersion
dtsstime_req.opnum Operation Unsigned 16-bit integer Operation
dtsprovider.opnum Operation Unsigned 16-bit integer Operation
dtsprovider.status Status Unsigned 32-bit integer Return code, status of executed command
hf_error_status_t hf_error_status_t Unsigned 32-bit integer
hf_rgy_acct_user_flags_t hf_rgy_acct_user_flags_t Unsigned 32-bit integer
hf_rgy_get_rqst_key_size hf_rgy_get_rqst_key_size Unsigned 32-bit integer
hf_rgy_get_rqst_key_t hf_rgy_get_rqst_key_t Unsigned 32-bit integer
hf_rgy_get_rqst_name_domain hf_rgy_get_rqst_name_domain Unsigned 32-bit integer
hf_rgy_get_rqst_var hf_rgy_get_rqst_var Unsigned 32-bit integer
hf_rgy_get_rqst_var2 hf_rgy_get_rqst_var2 Unsigned 32-bit integer
hf_rgy_is_member_rqst_key1 hf_rgy_is_member_rqst_key1 Unsigned 32-bit integer
hf_rgy_is_member_rqst_key1_size hf_rgy_is_member_rqst_key1_size Unsigned 32-bit integer
hf_rgy_is_member_rqst_key2 hf_rgy_is_member_rqst_key2 Unsigned 32-bit integer
hf_rgy_is_member_rqst_key2_size hf_rgy_is_member_rqst_key2_size Unsigned 32-bit integer
hf_rgy_is_member_rqst_var1 hf_rgy_is_member_rqst_var1 Unsigned 32-bit integer
hf_rgy_is_member_rqst_var2 hf_rgy_is_member_rqst_var2 Unsigned 32-bit integer
hf_rgy_is_member_rqst_var3 hf_rgy_is_member_rqst_var3 Unsigned 32-bit integer
hf_rgy_is_member_rqst_var4 hf_rgy_is_member_rqst_var4 Unsigned 32-bit integer
hf_rgy_key_transfer_rqst_var1 hf_rgy_key_transfer_rqst_var1 Unsigned 32-bit integer
hf_rgy_key_transfer_rqst_var2 hf_rgy_key_transfer_rqst_var2 Unsigned 32-bit integer
hf_rgy_key_transfer_rqst_var3 hf_rgy_key_transfer_rqst_var3 Unsigned 32-bit integer
hf_rgy_name_domain hf_rgy_name_domain Unsigned 32-bit integer
hf_rgy_sec_rgy_name_max_len hf_rgy_sec_rgy_name_max_len Unsigned 32-bit integer
hf_rgy_sec_rgy_name_t hf_rgy_sec_rgy_name_t Unsigned 32-bit integer
hf_rgy_sec_rgy_name_t_size hf_rgy_sec_rgy_name_t_size Unsigned 32-bit integer
hf_rs_pgo_id_key_t hf_rs_pgo_id_key_t Unsigned 32-bit integer
hf_rs_pgo_query_key_t hf_rs_pgo_query_key_t Unsigned 32-bit integer
hf_rs_pgo_query_result_t hf_rs_pgo_query_result_t Unsigned 32-bit integer
hf_rs_pgo_query_t hf_rs_pgo_query_t Unsigned 32-bit integer
hf_rs_pgo_unix_num_key_t hf_rs_pgo_unix_num_key_t Unsigned 32-bit integer
hf_rs_sec_rgy_pgo_item_t_quota hf_rs_sec_rgy_pgo_item_t_quota Unsigned 32-bit integer
hf_rs_sec_rgy_pgo_item_t_unix_num hf_rs_sec_rgy_pgo_item_t_unix_num Unsigned 32-bit integer
hf_rs_timeval hf_rs_timeval Time duration
hf_rs_uuid1 hf_rs_uuid1 UUID
hf_rs_var1 hf_rs_var1 Unsigned 32-bit integer
hf_sec_attr_component_name_t_handle hf_sec_attr_component_name_t_handle Unsigned 32-bit integer
hf_sec_attr_component_name_t_valid hf_sec_attr_component_name_t_valid Unsigned 32-bit integer
hf_sec_passwd_type_t hf_sec_passwd_type_t Unsigned 32-bit integer
hf_sec_passwd_version_t hf_sec_passwd_version_t Unsigned 32-bit integer
hf_sec_rgy_acct_admin_flags hf_sec_rgy_acct_admin_flags Unsigned 32-bit integer
hf_sec_rgy_acct_auth_flags_t hf_sec_rgy_acct_auth_flags_t Unsigned 32-bit integer
hf_sec_rgy_acct_key_t hf_sec_rgy_acct_key_t Unsigned 32-bit integer
hf_sec_rgy_domain_t hf_sec_rgy_domain_t Unsigned 32-bit integer
hf_sec_rgy_name_t_principalName_string hf_sec_rgy_name_t_principalName_string String
hf_sec_rgy_name_t_size hf_sec_rgy_name_t_size Unsigned 32-bit integer
hf_sec_rgy_pgo_flags_t hf_sec_rgy_pgo_flags_t Unsigned 32-bit integer
hf_sec_rgy_pgo_item_t hf_sec_rgy_pgo_item_t Unsigned 32-bit integer
hf_sec_rgy_pname_t_principalName_string hf_sec_rgy_pname_t_principalName_string String
hf_sec_rgy_pname_t_size hf_sec_rgy_pname_t_size Unsigned 32-bit integer
hf_sec_rgy_unix_sid_t_group hf_sec_rgy_unix_sid_t_group Unsigned 32-bit integer
hf_sec_rgy_unix_sid_t_org hf_sec_rgy_unix_sid_t_org Unsigned 32-bit integer
hf_sec_rgy_unix_sid_t_person hf_sec_rgy_unix_sid_t_person Unsigned 32-bit integer
hf_sec_timeval_sec_t hf_sec_timeval_sec_t Unsigned 32-bit integer
rs_pgo.opnum Operation Unsigned 16-bit integer Operation
dcerpc.array.actual_count Actual Count Unsigned 32-bit integer Actual Count: Actual number of elements in the array
dcerpc.array.buffer Buffer Byte array Buffer: Buffer containing elements of the array
dcerpc.array.max_count Max Count Unsigned 32-bit integer Maximum Count: Number of elements in the array
dcerpc.array.offset Offset Unsigned 32-bit integer Offset for first element in array
dcerpc.auth_ctx_id Auth Context ID Unsigned 32-bit integer
dcerpc.auth_level Auth level Unsigned 8-bit integer
dcerpc.auth_pad_len Auth pad len Unsigned 8-bit integer
dcerpc.auth_rsrvd Auth Rsrvd Unsigned 8-bit integer
dcerpc.auth_type Auth type Unsigned 8-bit integer
dcerpc.cn_ack_reason Ack reason Unsigned 16-bit integer
dcerpc.cn_ack_result Ack result Unsigned 16-bit integer
dcerpc.cn_ack_trans_id Transfer Syntax
dcerpc.cn_ack_trans_ver Syntax ver Unsigned 32-bit integer
dcerpc.cn_alloc_hint Alloc hint Unsigned 32-bit integer
dcerpc.cn_assoc_group Assoc Group Unsigned 32-bit integer
dcerpc.cn_auth_len Auth Length Unsigned 16-bit integer
dcerpc.cn_bind_abstract_syntax Abstract Syntax No value
dcerpc.cn_bind_if_ver Interface Ver Unsigned 16-bit integer
dcerpc.cn_bind_if_ver_minor Interface Ver Minor Unsigned 16-bit integer
dcerpc.cn_bind_to_uuid Interface UUID
dcerpc.cn_bind_trans Transfer Syntax No value
dcerpc.cn_bind_trans_id ID
dcerpc.cn_bind_trans_ver ver Unsigned 32-bit integer
dcerpc.cn_call_id Call ID Unsigned 32-bit integer
dcerpc.cn_cancel_count Cancel count Unsigned 8-bit integer
dcerpc.cn_ctx_id Context ID Unsigned 16-bit integer
dcerpc.cn_ctx_item Ctx Item No value
dcerpc.cn_deseg_req Desegmentation Required Unsigned 32-bit integer
dcerpc.cn_flags Packet Flags Unsigned 8-bit integer
dcerpc.cn_flags.cancel_pending Cancel Pending Boolean
dcerpc.cn_flags.dne Did Not Execute Boolean
dcerpc.cn_flags.first_frag First Frag Boolean
dcerpc.cn_flags.last_frag Last Frag Boolean
dcerpc.cn_flags.maybe Maybe Boolean
dcerpc.cn_flags.mpx Multiplex Boolean
dcerpc.cn_flags.object Object Boolean
dcerpc.cn_flags.reserved Reserved Boolean
dcerpc.cn_frag_len Frag Length Unsigned 16-bit integer
dcerpc.cn_max_recv Max Recv Frag Unsigned 16-bit integer
dcerpc.cn_max_xmit Max Xmit Frag Unsigned 16-bit integer
dcerpc.cn_num_ctx_items Num Ctx Items Unsigned 8-bit integer
dcerpc.cn_num_protocols Number of protocols Unsigned 8-bit integer
dcerpc.cn_num_results Num results Unsigned 8-bit integer
dcerpc.cn_num_trans_items Num Trans Items Unsigned 8-bit integer
dcerpc.cn_protocol_ver_major Protocol major version Unsigned 8-bit integer
dcerpc.cn_protocol_ver_minor Protocol minor version Unsigned 8-bit integer
dcerpc.cn_reject_reason Reject reason Unsigned 16-bit integer
dcerpc.cn_sec_addr Scndry Addr String
dcerpc.cn_sec_addr_len Scndry Addr len Unsigned 16-bit integer
dcerpc.cn_status Status Unsigned 32-bit integer
dcerpc.dg_act_id Activity
dcerpc.dg_ahint Activity Hint Unsigned 16-bit integer
dcerpc.dg_auth_proto Auth proto Unsigned 8-bit integer
dcerpc.dg_cancel_id Cancel ID Unsigned 32-bit integer
dcerpc.dg_cancel_vers Cancel Version Unsigned 32-bit integer
dcerpc.dg_flags1 Flags1 Unsigned 8-bit integer
dcerpc.dg_flags1_broadcast Broadcast Boolean
dcerpc.dg_flags1_frag Fragment Boolean
dcerpc.dg_flags1_idempotent Idempotent Boolean
dcerpc.dg_flags1_last_frag Last Fragment Boolean
dcerpc.dg_flags1_maybe Maybe Boolean
dcerpc.dg_flags1_nofack No Fack Boolean
dcerpc.dg_flags1_rsrvd_01 Reserved Boolean
dcerpc.dg_flags1_rsrvd_80 Reserved Boolean
dcerpc.dg_flags2 Flags2 Unsigned 8-bit integer
dcerpc.dg_flags2_cancel_pending Cancel Pending Boolean
dcerpc.dg_flags2_rsrvd_01 Reserved Boolean
dcerpc.dg_flags2_rsrvd_04 Reserved Boolean
dcerpc.dg_flags2_rsrvd_08 Reserved Boolean
dcerpc.dg_flags2_rsrvd_10 Reserved Boolean
dcerpc.dg_flags2_rsrvd_20 Reserved Boolean
dcerpc.dg_flags2_rsrvd_40 Reserved Boolean
dcerpc.dg_flags2_rsrvd_80 Reserved Boolean
dcerpc.dg_frag_len Fragment len Unsigned 16-bit integer
dcerpc.dg_frag_num Fragment num Unsigned 16-bit integer
dcerpc.dg_if_id Interface
dcerpc.dg_if_ver Interface Ver Unsigned 32-bit integer
dcerpc.dg_ihint Interface Hint Unsigned 16-bit integer
dcerpc.dg_seqnum Sequence num Unsigned 32-bit integer
dcerpc.dg_serial_hi Serial High Unsigned 8-bit integer
dcerpc.dg_serial_lo Serial Low Unsigned 8-bit integer
dcerpc.dg_server_boot Server boot time Date/Time stamp
dcerpc.dg_status Status Unsigned 32-bit integer
dcerpc.drep Data Representation Byte array
dcerpc.drep.byteorder Byte order Unsigned 8-bit integer
dcerpc.drep.character Character Unsigned 8-bit integer
dcerpc.drep.fp Floating-point Unsigned 8-bit integer
dcerpc.fack_max_frag_size Max Frag Size Unsigned 32-bit integer
dcerpc.fack_max_tsdu Max TSDU Unsigned 32-bit integer
dcerpc.fack_selack Selective ACK Unsigned 32-bit integer
dcerpc.fack_selack_len Selective ACK Len Unsigned 16-bit integer
dcerpc.fack_serial_num Serial Num Unsigned 16-bit integer
dcerpc.fack_vers FACK Version Unsigned 8-bit integer
dcerpc.fack_window_size Window Size Unsigned 16-bit integer
dcerpc.fragment DCE/RPC Fragment Frame number DCE/RPC Fragment
dcerpc.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
dcerpc.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
dcerpc.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
dcerpc.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
dcerpc.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
dcerpc.fragments Reassembled DCE/RPC Fragments No value DCE/RPC Fragments
dcerpc.krb5_av.auth_verifier Authentication Verifier Byte array
dcerpc.krb5_av.key_vers_num Key Version Number Unsigned 8-bit integer
dcerpc.krb5_av.prot_level Protection Level Unsigned 8-bit integer
dcerpc.nt.close_frame Frame handle closed Frame number Frame handle closed
dcerpc.nt.open_frame Frame handle opened Frame number Frame handle opened
dcerpc.obj_id Object
dcerpc.op Operation Unsigned 16-bit integer
dcerpc.opnum Opnum Unsigned 16-bit integer
dcerpc.pkt_type Packet type Unsigned 8-bit integer
dcerpc.reassembled_in Reassembled PDU in frame Frame number The DCE/RPC PDU is completely reassembled in the packet with this number
dcerpc.referent_id Referent ID Unsigned 32-bit integer Referent ID for this NDR encoded pointer
dcerpc.request_in Request in frame Frame number This packet is a response to the packet with this number
dcerpc.response_in Response in frame Frame number This packet will be responded in the packet with this number
dcerpc.server_accepting_cancels Server accepting cancels Boolean
dcerpc.time Time from request Time duration Time between Request and Response for DCE-RPC calls
dcerpc.unknown_if_id Unknown DCERPC interface id Boolean
dcerpc.ver Version Unsigned 8-bit integer
dcerpc.ver_minor Version (minor) Unsigned 8-bit integer
logonhours.divisions Divisions Unsigned 16-bit integer Number of divisions for LOGON_HOURS
nt.acct_ctrl Acct Ctrl Unsigned 32-bit integer Acct CTRL
nt.attr Attributes Unsigned 32-bit integer
nt.count Count Unsigned 32-bit integer Number of elements in following array
nt.domain_sid Domain SID String The Domain SID
nt.guid GUID GUID (uuid for groups?)
nt.str.len Length Unsigned 16-bit integer Length of string in short integers
nt.str.size Size Unsigned 16-bit integer Size of string in short integers
nt.unknown.char Unknown char Unsigned 8-bit integer Unknown char. If you know what this is, contact wireshark developers.
secidmap.opnum Operation Unsigned 16-bit integer Operation
budb.AddVolume.vol vol No value
budb.AddVolumes.cnt cnt Unsigned 32-bit integer
budb.AddVolumes.vol vol No value
budb.CreateDump.dump dump No value
budb.DbHeader.cell cell String
budb.DbHeader.created created Signed 32-bit integer
budb.DbHeader.dbversion dbversion Signed 32-bit integer
budb.DbHeader.lastDumpId lastDumpId Unsigned 32-bit integer
budb.DbHeader.lastInstanceId lastInstanceId Unsigned 32-bit integer
budb.DbHeader.lastTapeId lastTapeId Unsigned 32-bit integer
budb.DbHeader.spare1 spare1 Unsigned 32-bit integer
budb.DbHeader.spare2 spare2 Unsigned 32-bit integer
budb.DbHeader.spare3 spare3 Unsigned 32-bit integer
budb.DbHeader.spare4 spare4 Unsigned 32-bit integer
budb.DbVerify.host host Signed 32-bit integer
budb.DbVerify.orphans orphans Signed 32-bit integer
budb.DbVerify.status status Signed 32-bit integer
budb.DeleteDump.id id Unsigned 32-bit integer
budb.DeleteTape.tape tape No value
budb.DeleteVDP.curDumpId curDumpId Signed 32-bit integer
budb.DeleteVDP.dsname dsname String
budb.DeleteVDP.dumpPath dumpPath String
budb.DumpDB.charListPtr charListPtr No value
budb.DumpDB.flags flags Signed 32-bit integer
budb.DumpDB.maxLength maxLength Signed 32-bit integer
budb.FindClone.cloneSpare cloneSpare Unsigned 32-bit integer
budb.FindClone.clonetime clonetime Unsigned 32-bit integer
budb.FindClone.dumpID dumpID Signed 32-bit integer
budb.FindClone.volName volName String
budb.FindDump.beforeDate beforeDate Unsigned 32-bit integer
budb.FindDump.dateSpare dateSpare Unsigned 32-bit integer
budb.FindDump.deptr deptr No value
budb.FindDump.volName volName String
budb.FindLatestDump.dname dname String
budb.FindLatestDump.dumpentry dumpentry No value
budb.FindLatestDump.vsname vsname String
budb.FinishDump.dump dump No value
budb.FinishTape.tape tape No value
budb.FreeAllLocks.instanceId instanceId Unsigned 32-bit integer
budb.FreeLock.lockHandle lockHandle Unsigned 32-bit integer
budb.GetDumps.dbUpdate dbUpdate Signed 32-bit integer
budb.GetDumps.dumps dumps No value
budb.GetDumps.end end Signed 32-bit integer
budb.GetDumps.flags flags Signed 32-bit integer
budb.GetDumps.index index Signed 32-bit integer
budb.GetDumps.majorVersion majorVersion Signed 32-bit integer
budb.GetDumps.name name String
budb.GetDumps.nextIndex nextIndex Signed 32-bit integer
budb.GetDumps.start start Signed 32-bit integer
budb.GetInstanceId.instanceId instanceId Unsigned 32-bit integer
budb.GetLock.expiration expiration Signed 32-bit integer
budb.GetLock.instanceId instanceId Unsigned 32-bit integer
budb.GetLock.lockHandle lockHandle Unsigned 32-bit integer
budb.GetLock.lockName lockName Signed 32-bit integer
budb.GetServerInterfaces.serverInterfacesP serverInterfacesP No value
budb.GetTapes.dbUpdate dbUpdate Signed 32-bit integer
budb.GetTapes.end end Signed 32-bit integer
budb.GetTapes.flags flags Signed 32-bit integer
budb.GetTapes.index index Signed 32-bit integer
budb.GetTapes.majorVersion majorVersion Signed 32-bit integer
budb.GetTapes.name name String
budb.GetTapes.nextIndex nextIndex Signed 32-bit integer
budb.GetTapes.start start Signed 32-bit integer
budb.GetTapes.tapes tapes No value
budb.GetText.charListPtr charListPtr No value
budb.GetText.lockHandle lockHandle Signed 32-bit integer
budb.GetText.maxLength maxLength Signed 32-bit integer
budb.GetText.nextOffset nextOffset Signed 32-bit integer
budb.GetText.offset offset Signed 32-bit integer
budb.GetText.textType textType Signed 32-bit integer
budb.GetTextVersion.textType textType Signed 32-bit integer
budb.GetTextVersion.tversion tversion Signed 32-bit integer
budb.GetVolumes.dbUpdate dbUpdate Signed 32-bit integer
budb.GetVolumes.end end Signed 32-bit integer
budb.GetVolumes.flags flags Signed 32-bit integer
budb.GetVolumes.index index Signed 32-bit integer
budb.GetVolumes.majorVersion majorVersion Signed 32-bit integer
budb.GetVolumes.name name String
budb.GetVolumes.nextIndex nextIndex Signed 32-bit integer
budb.GetVolumes.start start Signed 32-bit integer
budb.GetVolumes.volumes volumes No value
budb.RestoreDbHeader.header header No value
budb.SaveText.charListPtr charListPtr No value
budb.SaveText.flags flags Signed 32-bit integer
budb.SaveText.lockHandle lockHandle Signed 32-bit integer
budb.SaveText.offset offset Signed 32-bit integer
budb.SaveText.textType textType Signed 32-bit integer
budb.T_DumpDatabase.filename filename String
budb.T_DumpHashTable.filename filename String
budb.T_DumpHashTable.type type Signed 32-bit integer
budb.T_GetVersion.majorVersion majorVersion Signed 32-bit integer
budb.UseTape.new new Signed 32-bit integer
budb.UseTape.tape tape No value
budb.charListT.charListT_len charListT_len Unsigned 32-bit integer
budb.charListT.charListT_val charListT_val Unsigned 8-bit integer
budb.dbVolume.clone clone Date/Time stamp
budb.dbVolume.dump dump Unsigned 32-bit integer
budb.dbVolume.flags flags Unsigned 32-bit integer
budb.dbVolume.id id Unsigned 64-bit integer
budb.dbVolume.incTime incTime Date/Time stamp
budb.dbVolume.nBytes nBytes Signed 32-bit integer
budb.dbVolume.nFrags nFrags Signed 32-bit integer
budb.dbVolume.name name String
budb.dbVolume.partition partition Signed 32-bit integer
budb.dbVolume.position position Signed 32-bit integer
budb.dbVolume.seq seq Signed 32-bit integer
budb.dbVolume.server server String
budb.dbVolume.spare1 spare1 Unsigned 32-bit integer
budb.dbVolume.spare2 spare2 Unsigned 32-bit integer
budb.dbVolume.spare3 spare3 Unsigned 32-bit integer
budb.dbVolume.spare4 spare4 Unsigned 32-bit integer
budb.dbVolume.startByte startByte Signed 32-bit integer
budb.dbVolume.tape tape String
budb.dfs_interfaceDescription.interface_uuid interface_uuid
budb.dfs_interfaceDescription.spare0 spare0 Unsigned 32-bit integer
budb.dfs_interfaceDescription.spare1 spare1 Unsigned 32-bit integer
budb.dfs_interfaceDescription.spare2 spare2 Unsigned 32-bit integer
budb.dfs_interfaceDescription.spare3 spare3 Unsigned 32-bit integer
budb.dfs_interfaceDescription.spare4 spare4 Unsigned 32-bit integer
budb.dfs_interfaceDescription.spare5 spare5 Unsigned 32-bit integer
budb.dfs_interfaceDescription.spare6 spare6 Unsigned 32-bit integer
budb.dfs_interfaceDescription.spare7 spare7 Unsigned 32-bit integer
budb.dfs_interfaceDescription.spare8 spare8 Unsigned 32-bit integer
budb.dfs_interfaceDescription.spare9 spare9 Unsigned 32-bit integer
budb.dfs_interfaceDescription.spareText spareText Unsigned 8-bit integer
budb.dfs_interfaceDescription.vers_major vers_major Unsigned 16-bit integer
budb.dfs_interfaceDescription.vers_minor vers_minor Unsigned 16-bit integer
budb.dfs_interfaceDescription.vers_provider vers_provider Unsigned 32-bit integer
budb.dfs_interfaceList.dfs_interfaceList_len dfs_interfaceList_len Unsigned 32-bit integer
budb.dfs_interfaceList.dfs_interfaceList_val dfs_interfaceList_val No value
budb.dumpEntry.created created Date/Time stamp
budb.dumpEntry.dumpPath dumpPath String
budb.dumpEntry.dumper dumper No value
budb.dumpEntry.flags flags Signed 32-bit integer
budb.dumpEntry.id id Unsigned 32-bit integer
budb.dumpEntry.incTime incTime Date/Time stamp
budb.dumpEntry.level level Signed 32-bit integer
budb.dumpEntry.nVolumes nVolumes Signed 32-bit integer
budb.dumpEntry.name name String
budb.dumpEntry.parent parent Unsigned 32-bit integer
budb.dumpEntry.spare1 spare1 Unsigned 32-bit integer
budb.dumpEntry.spare2 spare2 Unsigned 32-bit integer
budb.dumpEntry.spare3 spare3 Unsigned 32-bit integer
budb.dumpEntry.spare4 spare4 Unsigned 32-bit integer
budb.dumpEntry.tapes tapes No value
budb.dumpEntry.volumeSetName volumeSetName String
budb.dumpList.dumpList_len dumpList_len Unsigned 32-bit integer
budb.dumpList.dumpList_val dumpList_val No value
budb.opnum Operation Unsigned 16-bit integer
budb.principal.cell cell String
budb.principal.instance instance String
budb.principal.name name String
budb.principal.spare spare String
budb.principal.spare1 spare1 Unsigned 32-bit integer
budb.principal.spare2 spare2 Unsigned 32-bit integer
budb.principal.spare3 spare3 Unsigned 32-bit integer
budb.principal.spare4 spare4 Unsigned 32-bit integer
budb.rc Return code Unsigned 32-bit integer
budb.structDumpHeader.size size Signed 32-bit integer
budb.structDumpHeader.spare1 spare1 Unsigned 32-bit integer
budb.structDumpHeader.spare2 spare2 Unsigned 32-bit integer
budb.structDumpHeader.spare3 spare3 Unsigned 32-bit integer
budb.structDumpHeader.spare4 spare4 Unsigned 32-bit integer
budb.structDumpHeader.structversion structversion Signed 32-bit integer
budb.structDumpHeader.type type Signed 32-bit integer
budb.tapeEntry.dump dump Unsigned 32-bit integer
budb.tapeEntry.expires expires Date/Time stamp
budb.tapeEntry.flags flags Unsigned 32-bit integer
budb.tapeEntry.mediaType mediaType Signed 32-bit integer
budb.tapeEntry.nBytes nBytes Unsigned 32-bit integer
budb.tapeEntry.nFiles nFiles Signed 32-bit integer
budb.tapeEntry.nMBytes nMBytes Unsigned 32-bit integer
budb.tapeEntry.nVolumes nVolumes Signed 32-bit integer
budb.tapeEntry.name name String
budb.tapeEntry.seq seq Signed 32-bit integer
budb.tapeEntry.spare1 spare1 Unsigned 32-bit integer
budb.tapeEntry.spare2 spare2 Unsigned 32-bit integer
budb.tapeEntry.spare3 spare3 Unsigned 32-bit integer
budb.tapeEntry.spare4 spare4 Unsigned 32-bit integer
budb.tapeEntry.tapeid tapeid Signed 32-bit integer
budb.tapeEntry.useCount useCount Signed 32-bit integer
budb.tapeEntry.written written Date/Time stamp
budb.tapeList.tapeList_len tapeList_len Unsigned 32-bit integer
budb.tapeList.tapeList_val tapeList_val No value
budb.tapeSet.a a Signed 32-bit integer
budb.tapeSet.b b Signed 32-bit integer
budb.tapeSet.format format String
budb.tapeSet.id id Signed 32-bit integer
budb.tapeSet.maxTapes maxTapes Signed 32-bit integer
budb.tapeSet.spare1 spare1 Unsigned 32-bit integer
budb.tapeSet.spare2 spare2 Unsigned 32-bit integer
budb.tapeSet.spare3 spare3 Unsigned 32-bit integer
budb.tapeSet.spare4 spare4 Unsigned 32-bit integer
budb.tapeSet.tapeServer tapeServer String
budb.volumeEntry.clone clone Date/Time stamp
budb.volumeEntry.dump dump Unsigned 32-bit integer
budb.volumeEntry.flags flags Unsigned 32-bit integer
budb.volumeEntry.id id Unsigned 64-bit integer
budb.volumeEntry.incTime incTime Date/Time stamp
budb.volumeEntry.nBytes nBytes Signed 32-bit integer
budb.volumeEntry.nFrags nFrags Signed 32-bit integer
budb.volumeEntry.name name String
budb.volumeEntry.partition partition Signed 32-bit integer
budb.volumeEntry.position position Signed 32-bit integer
budb.volumeEntry.seq seq Signed 32-bit integer
budb.volumeEntry.server server String
budb.volumeEntry.spare1 spare1 Unsigned 32-bit integer
budb.volumeEntry.spare2 spare2 Unsigned 32-bit integer
budb.volumeEntry.spare3 spare3 Unsigned 32-bit integer
budb.volumeEntry.spare4 spare4 Unsigned 32-bit integer
budb.volumeEntry.startByte startByte Signed 32-bit integer
budb.volumeEntry.tape tape String
budb.volumeList.volumeList_len volumeList_len Unsigned 32-bit integer
budb.volumeList.volumeList_val volumeList_val No value
bossvr.opnum Operation Unsigned 16-bit integer Operation
butc.BUTC_AbortDump.dumpID dumpID Signed 32-bit integer
butc.BUTC_EndStatus.taskId taskId Unsigned 32-bit integer
butc.BUTC_GetStatus.statusPtr statusPtr No value
butc.BUTC_GetStatus.taskId taskId Unsigned 32-bit integer
butc.BUTC_LabelTape.label label No value
butc.BUTC_LabelTape.taskId taskId Unsigned 32-bit integer
butc.BUTC_PerformDump.dumpID dumpID Signed 32-bit integer
butc.BUTC_PerformDump.dumps dumps No value
butc.BUTC_PerformDump.tcdiPtr tcdiPtr No value
butc.BUTC_PerformRestore.dumpID dumpID Signed 32-bit integer
butc.BUTC_PerformRestore.dumpSetName dumpSetName String
butc.BUTC_PerformRestore.restores restores No value
butc.BUTC_ReadLabel.taskId taskId Unsigned 32-bit integer
butc.BUTC_RequestAbort.taskId taskId Unsigned 32-bit integer
butc.BUTC_RestoreDb.taskId taskId Unsigned 32-bit integer
butc.BUTC_SaveDb.taskId taskId Unsigned 32-bit integer
butc.BUTC_ScanDumps.addDbFlag addDbFlag Signed 32-bit integer
butc.BUTC_ScanDumps.taskId taskId Unsigned 32-bit integer
butc.BUTC_ScanStatus.flags flags Unsigned 32-bit integer
butc.BUTC_ScanStatus.statusPtr statusPtr No value
butc.BUTC_ScanStatus.taskId taskId Unsigned 32-bit integer
butc.BUTC_TCInfo.tciptr tciptr No value
butc.Restore_flags.TC_RESTORE_CREATE TC_RESTORE_CREATE Boolean
butc.Restore_flags.TC_RESTORE_INCR TC_RESTORE_INCR Boolean
butc.afsNetAddr.data data Unsigned 8-bit integer
butc.afsNetAddr.type type Unsigned 16-bit integer
butc.opnum Operation Unsigned 16-bit integer
butc.rc Return code Unsigned 32-bit integer
butc.tc_dumpArray.tc_dumpArray tc_dumpArray No value
butc.tc_dumpArray.tc_dumpArray_len tc_dumpArray_len Unsigned 32-bit integer
butc.tc_dumpDesc.cloneDate cloneDate Date/Time stamp
butc.tc_dumpDesc.date date Date/Time stamp
butc.tc_dumpDesc.hostAddr hostAddr No value
butc.tc_dumpDesc.name name String
butc.tc_dumpDesc.partition partition Signed 32-bit integer
butc.tc_dumpDesc.spare1 spare1 Unsigned 32-bit integer
butc.tc_dumpDesc.spare2 spare2 Unsigned 32-bit integer
butc.tc_dumpDesc.spare3 spare3 Unsigned 32-bit integer
butc.tc_dumpDesc.spare4 spare4 Unsigned 32-bit integer
butc.tc_dumpDesc.vid vid Unsigned 64-bit integer
butc.tc_dumpInterface.dumpLevel dumpLevel Signed 32-bit integer
butc.tc_dumpInterface.dumpName dumpName String
butc.tc_dumpInterface.dumpPath dumpPath String
butc.tc_dumpInterface.parentDumpId parentDumpId Signed 32-bit integer
butc.tc_dumpInterface.spare1 spare1 Unsigned 32-bit integer
butc.tc_dumpInterface.spare2 spare2 Unsigned 32-bit integer
butc.tc_dumpInterface.spare3 spare3 Unsigned 32-bit integer
butc.tc_dumpInterface.spare4 spare4 Unsigned 32-bit integer
butc.tc_dumpInterface.tapeSet tapeSet No value
butc.tc_dumpInterface.volumeSetName volumeSetName String
butc.tc_dumpStat.bytesDumped bytesDumped Signed 32-bit integer
butc.tc_dumpStat.dumpID dumpID Signed 32-bit integer
butc.tc_dumpStat.flags flags Signed 32-bit integer
butc.tc_dumpStat.numVolErrs numVolErrs Signed 32-bit integer
butc.tc_dumpStat.spare1 spare1 Unsigned 32-bit integer
butc.tc_dumpStat.spare2 spare2 Unsigned 32-bit integer
butc.tc_dumpStat.spare3 spare3 Unsigned 32-bit integer
butc.tc_dumpStat.spare4 spare4 Unsigned 32-bit integer
butc.tc_dumpStat.volumeBeingDumped volumeBeingDumped Unsigned 64-bit integer
butc.tc_restoreArray.tc_restoreArray_len tc_restoreArray_len Unsigned 32-bit integer
butc.tc_restoreArray.tc_restoreArray_val tc_restoreArray_val No value
butc.tc_restoreDesc.flags flags Unsigned 32-bit integer
butc.tc_restoreDesc.frag frag Signed 32-bit integer
butc.tc_restoreDesc.hostAddr hostAddr No value
butc.tc_restoreDesc.newName newName String
butc.tc_restoreDesc.oldName oldName String
butc.tc_restoreDesc.origVid origVid Unsigned 64-bit integer
butc.tc_restoreDesc.partition partition Signed 32-bit integer
butc.tc_restoreDesc.position position Signed 32-bit integer
butc.tc_restoreDesc.realDumpId realDumpId Unsigned 32-bit integer
butc.tc_restoreDesc.spare2 spare2 Unsigned 32-bit integer
butc.tc_restoreDesc.spare3 spare3 Unsigned 32-bit integer
butc.tc_restoreDesc.spare4 spare4 Unsigned 32-bit integer
butc.tc_restoreDesc.tapeName tapeName String
butc.tc_restoreDesc.vid vid Unsigned 64-bit integer
butc.tc_statusInfoSwitch.label label No value
butc.tc_statusInfoSwitch.none none Unsigned 32-bit integer
butc.tc_statusInfoSwitch.spare1 spare1 Unsigned 32-bit integer
butc.tc_statusInfoSwitch.spare2 spare2 Unsigned 32-bit integer
butc.tc_statusInfoSwitch.spare3 spare3 Unsigned 32-bit integer
butc.tc_statusInfoSwitch.spare4 spare4 Unsigned 32-bit integer
butc.tc_statusInfoSwitch.spare5 spare5 Unsigned 32-bit integer
butc.tc_statusInfoSwitch.vol vol No value
butc.tc_statusInfoSwitchLabel.spare1 spare1 Unsigned 32-bit integer
butc.tc_statusInfoSwitchLabel.tapeLabel tapeLabel No value
butc.tc_statusInfoSwitchVol.nKBytes nKBytes Unsigned 32-bit integer
butc.tc_statusInfoSwitchVol.spare1 spare1 Unsigned 32-bit integer
butc.tc_statusInfoSwitchVol.volsFailed volsFailed Signed 32-bit integer
butc.tc_statusInfoSwitchVol.volumeName volumeName String
butc.tc_tapeLabel.name name String
butc.tc_tapeLabel.nameLen nameLen Unsigned 32-bit integer
butc.tc_tapeLabel.size size Unsigned 32-bit integer
butc.tc_tapeLabel.size_ext size_ext Unsigned 32-bit integer
butc.tc_tapeLabel.spare1 spare1 Unsigned 32-bit integer
butc.tc_tapeLabel.spare2 spare2 Unsigned 32-bit integer
butc.tc_tapeLabel.spare3 spare3 Unsigned 32-bit integer
butc.tc_tapeLabel.spare4 spare4 Unsigned 32-bit integer
butc.tc_tapeSet.a a Signed 32-bit integer
butc.tc_tapeSet.b b Signed 32-bit integer
butc.tc_tapeSet.expDate expDate Signed 32-bit integer
butc.tc_tapeSet.expType expType Signed 32-bit integer
butc.tc_tapeSet.format format String
butc.tc_tapeSet.id id Signed 32-bit integer
butc.tc_tapeSet.maxTapes maxTapes Signed 32-bit integer
butc.tc_tapeSet.spare1 spare1 Unsigned 32-bit integer
butc.tc_tapeSet.spare2 spare2 Unsigned 32-bit integer
butc.tc_tapeSet.spare3 spare3 Unsigned 32-bit integer
butc.tc_tapeSet.spare4 spare4 Unsigned 32-bit integer
butc.tc_tapeSet.tapeServer tapeServer String
butc.tc_tcInfo.spare1 spare1 Unsigned 32-bit integer
butc.tc_tcInfo.spare2 spare2 Unsigned 32-bit integer
butc.tc_tcInfo.spare3 spare3 Unsigned 32-bit integer
butc.tc_tcInfo.spare4 spare4 Unsigned 32-bit integer
butc.tc_tcInfo.tcVersion tcVersion Signed 32-bit integer
butc.tciStatusS.flags flags Unsigned 32-bit integer
butc.tciStatusS.info info Unsigned 32-bit integer
butc.tciStatusS.lastPolled lastPolled Date/Time stamp
butc.tciStatusS.spare2 spare2 Unsigned 32-bit integer
butc.tciStatusS.spare3 spare3 Unsigned 32-bit integer
butc.tciStatusS.spare4 spare4 Unsigned 32-bit integer
butc.tciStatusS.taskId taskId Unsigned 32-bit integer
butc.tciStatusS.taskName taskName String
cds_solicit.opnum Operation Unsigned 16-bit integer Operation
conv.opnum Operation Unsigned 16-bit integer Operation
conv.status Status Unsigned 32-bit integer
conv.who_are_you2_resp_casuuid Client's address space UUID UUID
conv.who_are_you2_resp_seq Sequence Number Unsigned 32-bit integer
conv.who_are_you2_rqst_actuid Activity UID UUID
conv.who_are_you2_rqst_boot_time Boot time Date/Time stamp
conv.who_are_you_resp_seq Sequence Number Unsigned 32-bit integer
conv.who_are_you_rqst_actuid Activity UID UUID
conv.who_are_you_rqst_boot_time Boot time Date/Time stamp
rdaclif.opnum Operation Unsigned 16-bit integer Operation
epm.ann_len Annotation length Unsigned 32-bit integer
epm.ann_offset Annotation offset Unsigned 32-bit integer
epm.annotation Annotation String Annotation
epm.hnd Handle Byte array Context handle
epm.if_id Interface
epm.inq_type Inquiry type Unsigned 32-bit integer
epm.max_ents Max entries Unsigned 32-bit integer
epm.max_towers Max Towers Unsigned 32-bit integer Maximum number of towers to return
epm.num_ents Num entries Unsigned 32-bit integer
epm.num_towers Num Towers Unsigned 32-bit integer Number number of towers to return
epm.object Object
epm.opnum Operation Unsigned 16-bit integer Operation
epm.proto.http_port TCP Port Unsigned 16-bit integer TCP Port where this service can be found
epm.proto.ip IP IPv4 address IP address where service is located
epm.proto.named_pipe Named Pipe String Name of the named pipe for this service
epm.proto.netbios_name NetBIOS Name String NetBIOS name where this service can be found
epm.proto.tcp_port TCP Port Unsigned 16-bit integer TCP Port where this service can be found
epm.proto.udp_port UDP Port Unsigned 16-bit integer UDP Port where this service can be found
epm.rc Return code Unsigned 32-bit integer EPM return value
epm.replace Replace Unsigned 8-bit integer Replace existing objects?
epm.tower Tower Byte array Tower data
epm.tower.len Length Unsigned 32-bit integer Length of tower data
epm.tower.lhs.len LHS Length Unsigned 16-bit integer Length of LHS data
epm.tower.num_floors Number of floors Unsigned 16-bit integer Number of floors in tower
epm.tower.proto_id Protocol Unsigned 8-bit integer Protocol identifier
epm.tower.rhs.len RHS Length Unsigned 16-bit integer Length of RHS data
epm.uuid UUID UUID
epm.ver_maj Version Major Unsigned 16-bit integer
epm.ver_min Version Minor Unsigned 16-bit integer
epm.ver_opt Version Option Unsigned 32-bit integer
afsnetaddr.data IP Data Unsigned 8-bit integer
afsnetaddr.type Type Unsigned 16-bit integer
fldb.NameString_principal Principal Name String
fldb.creationquota creation quota Unsigned 32-bit integer
fldb.creationuses creation uses Unsigned 32-bit integer
fldb.deletedflag deletedflag Unsigned 32-bit integer
fldb.error_st Error Status 2 Unsigned 32-bit integer
fldb.flagsp flagsp Unsigned 32-bit integer
fldb.getentrybyname_rqst_key_size getentrybyname Unsigned 32-bit integer
fldb.getentrybyname_rqst_var1 getentrybyname var1 Unsigned 32-bit integer
fldb.namestring_size namestring size Unsigned 32-bit integer
fldb.nextstartp nextstartp Unsigned 32-bit integer
fldb.numwanted number wanted Unsigned 32-bit integer
fldb.opnum Operation Unsigned 16-bit integer Operation
fldb.principalName_size Principal Name Size Unsigned 32-bit integer
fldb.principalName_size2 Principal Name Size2 Unsigned 32-bit integer
fldb.spare2 spare2 Unsigned 32-bit integer
fldb.spare3 spare3 Unsigned 32-bit integer
fldb.spare4 spare4 Unsigned 32-bit integer
fldb.spare5 spare5 Unsigned 32-bit integer
fldb.uuid_objid objid UUID
fldb.uuid_owner owner UUID
fldb.volid_high volid high Unsigned 32-bit integer
fldb.volid_low volid low Unsigned 32-bit integer
fldb.voltype voltype Unsigned 32-bit integer
hf_fldb_createentry_rqst_key_size Volume Size Unsigned 32-bit integer
hf_fldb_createentry_rqst_key_t Volume String
hf_fldb_deleteentry_rqst_fsid_high FSID deleteentry Hi Unsigned 32-bit integer
hf_fldb_deleteentry_rqst_fsid_low FSID deleteentry Low Unsigned 32-bit integer
hf_fldb_deleteentry_rqst_voloper voloper Unsigned 32-bit integer
hf_fldb_deleteentry_rqst_voltype voltype Unsigned 32-bit integer
hf_fldb_getentrybyid_rqst_fsid_high FSID deleteentry Hi Unsigned 32-bit integer
hf_fldb_getentrybyid_rqst_fsid_low FSID getentrybyid Low Unsigned 32-bit integer
hf_fldb_getentrybyid_rqst_voloper voloper Unsigned 32-bit integer
hf_fldb_getentrybyid_rqst_voltype voltype Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_cloneid_high hf_fldb_getentrybyname_resp_cloneid_high Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_cloneid_low hf_fldb_getentrybyname_resp_cloneid_low Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_defaultmaxreplat hf_fldb_getentrybyname_resp_defaultmaxreplat Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_flags hf_fldb_getentrybyname_resp_flags Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_hardmaxtotlat hf_fldb_getentrybyname_resp_hardmaxtotlat Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_key_size hf_fldb_getentrybyname_resp_key_size Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_key_t hf_fldb_getentrybyname_resp_key_t String
hf_fldb_getentrybyname_resp_maxtotallat hf_fldb_getentrybyname_resp_maxtotallat Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_minpouncedally hf_fldb_getentrybyname_resp_minpouncedally Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_numservers hf_fldb_getentrybyname_resp_numservers Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_reclaimdally hf_fldb_getentrybyname_resp_reclaimdally Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_sitecookies hf_fldb_getentrybyname_resp_sitecookies Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_siteflags hf_fldb_getentrybyname_resp_siteflags Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_sitemaxreplat hf_fldb_getentrybyname_resp_sitemaxreplat Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_sitepartition hf_fldb_getentrybyname_resp_sitepartition Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_spare1 hf_fldb_getentrybyname_resp_spare1 Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_spare2 hf_fldb_getentrybyname_resp_spare2 Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_spare3 hf_fldb_getentrybyname_resp_spare3 Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_spare4 hf_fldb_getentrybyname_resp_spare4 Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_test hf_fldb_getentrybyname_resp_test Unsigned 8-bit integer
hf_fldb_getentrybyname_resp_volid_high hf_fldb_getentrybyname_resp_volid_high Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_volid_low hf_fldb_getentrybyname_resp_volid_low Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_voltype hf_fldb_getentrybyname_resp_voltype Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_volumetype hf_fldb_getentrybyname_resp_volumetype Unsigned 32-bit integer
hf_fldb_getentrybyname_resp_whenlocked hf_fldb_getentrybyname_resp_whenlocked Unsigned 32-bit integer
hf_fldb_listentry_resp_count Count Unsigned 32-bit integer
hf_fldb_listentry_resp_key_size Key Size Unsigned 32-bit integer
hf_fldb_listentry_resp_key_size2 key_size2 Unsigned 32-bit integer
hf_fldb_listentry_resp_key_t Volume String
hf_fldb_listentry_resp_key_t2 Server String
hf_fldb_listentry_resp_next_index Next Index Unsigned 32-bit integer
hf_fldb_listentry_resp_voltype VolType Unsigned 32-bit integer
hf_fldb_listentry_rqst_previous_index Previous Index Unsigned 32-bit integer
hf_fldb_listentry_rqst_var1 Var 1 Unsigned 32-bit integer
hf_fldb_releaselock_rqst_fsid_high FSID releaselock Hi Unsigned 32-bit integer
hf_fldb_releaselock_rqst_fsid_low FSID releaselock Low Unsigned 32-bit integer
hf_fldb_releaselock_rqst_voloper voloper Unsigned 32-bit integer
hf_fldb_releaselock_rqst_voltype voltype Unsigned 32-bit integer
hf_fldb_replaceentry_resp_st Error Unsigned 32-bit integer
hf_fldb_replaceentry_resp_st2 Error Unsigned 32-bit integer
hf_fldb_replaceentry_rqst_fsid_high FSID replaceentry Hi Unsigned 32-bit integer
hf_fldb_replaceentry_rqst_fsid_low FSID replaceentry Low Unsigned 32-bit integer
hf_fldb_replaceentry_rqst_key_size Key Size Unsigned 32-bit integer
hf_fldb_replaceentry_rqst_key_t Key String
hf_fldb_replaceentry_rqst_voltype voltype Unsigned 32-bit integer
hf_fldb_setlock_resp_st Error Unsigned 32-bit integer
hf_fldb_setlock_resp_st2 Error Unsigned 32-bit integer
hf_fldb_setlock_rqst_fsid_high FSID setlock Hi Unsigned 32-bit integer
hf_fldb_setlock_rqst_fsid_low FSID setlock Low Unsigned 32-bit integer
hf_fldb_setlock_rqst_voloper voloper Unsigned 32-bit integer
hf_fldb_setlock_rqst_voltype voltype Unsigned 32-bit integer
vlconf.cellidhigh CellID High Unsigned 32-bit integer
vlconf.cellidlow CellID Low Unsigned 32-bit integer
vlconf.hostname hostName String
vlconf.name Name String
vlconf.numservers Number of Servers Unsigned 32-bit integer
vlconf.spare1 Spare1 Unsigned 32-bit integer
vlconf.spare2 Spare2 Unsigned 32-bit integer
vlconf.spare3 Spare3 Unsigned 32-bit integer
vlconf.spare4 Spare4 Unsigned 32-bit integer
vlconf.spare5 Spare5 Unsigned 32-bit integer
vldbentry.afsflags AFS Flags Unsigned 32-bit integer
vldbentry.charspares Char Spares String
vldbentry.cloneidhigh CloneID High Unsigned 32-bit integer
vldbentry.cloneidlow CloneID Low Unsigned 32-bit integer
vldbentry.defaultmaxreplicalatency Default Max Replica Latency Unsigned 32-bit integer
vldbentry.hardmaxtotallatency Hard Max Total Latency Unsigned 32-bit integer
vldbentry.lockername Locker Name String
vldbentry.maxtotallatency Max Total Latency Unsigned 32-bit integer
vldbentry.minimumpouncedally Minimum Pounce Dally Unsigned 32-bit integer
vldbentry.nservers Number of Servers Unsigned 32-bit integer
vldbentry.reclaimdally Reclaim Dally Unsigned 32-bit integer
vldbentry.siteflags Site Flags Unsigned 32-bit integer
vldbentry.sitemaxreplatency Site Max Replica Latench Unsigned 32-bit integer
vldbentry.siteobjid Site Object ID UUID
vldbentry.siteowner Site Owner UUID
vldbentry.sitepartition Site Partition Unsigned 32-bit integer
vldbentry.siteprincipal Principal Name String
vldbentry.spare1 Spare 1 Unsigned 32-bit integer
vldbentry.spare2 Spare 2 Unsigned 32-bit integer
vldbentry.spare3 Spare 3 Unsigned 32-bit integer
vldbentry.spare4 Spare 4 Unsigned 32-bit integer
vldbentry.volidshigh VolIDs high Unsigned 32-bit integer
vldbentry.volidslow VolIDs low Unsigned 32-bit integer
vldbentry.voltypes VolTypes Unsigned 32-bit integer
vldbentry.volumename VolumeName String
vldbentry.volumetype VolumeType Unsigned 32-bit integer
vldbentry.whenlocked When Locked Unsigned 32-bit integer
ubikdisk.opnum Operation Unsigned 16-bit integer Operation
ubikvote.opnum Operation Unsigned 16-bit integer Operation
icl_rpc.opnum Operation Unsigned 16-bit integer Operation
hf_krb5rpc_krb5 hf_krb5rpc_krb5 Byte array krb5_blob
hf_krb5rpc_opnum hf_krb5rpc_opnum Unsigned 16-bit integer
hf_krb5rpc_sendto_kdc_resp_keysize hf_krb5rpc_sendto_kdc_resp_keysize Unsigned 32-bit integer
hf_krb5rpc_sendto_kdc_resp_len hf_krb5rpc_sendto_kdc_resp_len Unsigned 32-bit integer
hf_krb5rpc_sendto_kdc_resp_max hf_krb5rpc_sendto_kdc_resp_max Unsigned 32-bit integer
hf_krb5rpc_sendto_kdc_resp_spare1 hf_krb5rpc_sendto_kdc_resp_spare1 Unsigned 32-bit integer
hf_krb5rpc_sendto_kdc_resp_st hf_krb5rpc_sendto_kdc_resp_st Unsigned 32-bit integer
hf_krb5rpc_sendto_kdc_rqst_keysize hf_krb5rpc_sendto_kdc_rqst_keysize Unsigned 32-bit integer
hf_krb5rpc_sendto_kdc_rqst_spare1 hf_krb5rpc_sendto_kdc_rqst_spare1 Unsigned 32-bit integer
llb.opnum Operation Unsigned 16-bit integer Operation
rs_repmgr.opnum Operation Unsigned 16-bit integer Operation
rs_prop_attr.opnum Operation Unsigned 16-bit integer Operation
rs_acct.get_projlist_rqst_key_size Var1 Unsigned 32-bit integer
rs_acct.get_projlist_rqst_key_t Var1 String
rs_acct.get_projlist_rqst_var1 Var1 Unsigned 32-bit integer
rs_acct.lookup_rqst_key_size Key Size Unsigned 32-bit integer
rs_acct.lookup_rqst_var Var Unsigned 32-bit integer
rs_acct.opnum Operation Unsigned 16-bit integer Operation
rs_lookup.get_rqst_key_t Key String
rs_bind.opnum Operation Unsigned 16-bit integer Operation
rs.misc_login_get_info_rqst_key_t Key String
rs_misc.login_get_info_rqst_key_size Key Size Unsigned 32-bit integer
rs_misc.login_get_info_rqst_var Var Unsigned 32-bit integer
rs_misc.opnum Operation Unsigned 16-bit integer Operation
rs_prop_acct.opnum Operation Unsigned 16-bit integer Operation
rs_unix.opnum Operation Unsigned 16-bit integer Operation
rs_pwd_mgmt.opnum Operation Unsigned 16-bit integer Operation
rs_attr_schema.opnum Operation Unsigned 16-bit integer Operation
rs_prop_acl.opnum Operation Unsigned 16-bit integer Operation
rs_prop_pgo.opnum Operation Unsigned 16-bit integer Operation
rs_prop_plcy.opnum Operation Unsigned 16-bit integer Operation
mgmt.opnum Operation Unsigned 16-bit integer
rs_replist.opnum Operation Unsigned 16-bit integer Operation
tkn4int.opnum Operation Unsigned 16-bit integer Operation
dce_update.opnum Operation Unsigned 16-bit integer Operation
dcom.actual_count ActualCount Unsigned 32-bit integer
dcom.array_size (ArraySize) Unsigned 32-bit integer
dcom.byte_length ByteLength Unsigned 32-bit integer
dcom.clsid CLSID
dcom.dualstringarray.network_addr NetworkAddr String
dcom.dualstringarray.num_entries NumEntries Unsigned 16-bit integer
dcom.dualstringarray.security SecurityBinding No value
dcom.dualstringarray.security_authn_svc AuthnSvc Unsigned 16-bit integer
dcom.dualstringarray.security_authz_svc AuthzSvc Unsigned 16-bit integer
dcom.dualstringarray.security_offset SecurityOffset Unsigned 16-bit integer
dcom.dualstringarray.security_princ_name PrincName String
dcom.dualstringarray.string StringBinding No value
dcom.dualstringarray.tower_id TowerId Unsigned 16-bit integer
dcom.extent Extension No value
dcom.extent.array_count Extension Count Unsigned 32-bit integer
dcom.extent.array_res Reserved Unsigned 32-bit integer
dcom.extent.id Extension Id
dcom.extent.size Extension Size Unsigned 32-bit integer
dcom.hresult HResult Unsigned 32-bit integer
dcom.ifp InterfacePointer No value
dcom.iid IID
dcom.ip_cnt_data CntData Unsigned 32-bit integer
dcom.ipid IPID
dcom.max_count MaxCount Unsigned 32-bit integer
dcom.objref OBJREF No value
dcom.objref.cbextension CBExtension Unsigned 32-bit integer Size of extension data
dcom.objref.flags Flags Unsigned 32-bit integer
dcom.objref.resolver_address ResolverAddress No value
dcom.objref.signature Signature Unsigned 32-bit integer
dcom.objref.size Size Unsigned 32-bit integer
dcom.offset Offset Unsigned 32-bit integer
dcom.oid OID Unsigned 64-bit integer
dcom.oxid OXID Unsigned 64-bit integer
dcom.pointer_val (PointerVal) Unsigned 32-bit integer
dcom.sa SAFEARRAY No value
dcom.sa.bound_elements BoundElements Unsigned 32-bit integer
dcom.sa.dims16 Dims16 Unsigned 16-bit integer
dcom.sa.dims32 Dims32 Unsigned 32-bit integer
dcom.sa.element_size ElementSize Unsigned 32-bit integer
dcom.sa.elements Elements Unsigned 32-bit integer
dcom.sa.features Features Unsigned 16-bit integer
dcom.sa.features_auto AUTO Boolean
dcom.sa.features_bstr BSTR Boolean
dcom.sa.features_dispatch DISPATCH Boolean
dcom.sa.features_embedded EMBEDDED Boolean
dcom.sa.features_fixedsize FIXEDSIZE Boolean
dcom.sa.features_have_iid HAVEIID Boolean
dcom.sa.features_have_vartype HAVEVARTYPE Boolean
dcom.sa.features_record RECORD Boolean
dcom.sa.features_static STATIC Boolean
dcom.sa.features_unknown UNKNOWN Boolean
dcom.sa.features_variant VARIANT Boolean
dcom.sa.locks Locks Unsigned 16-bit integer
dcom.sa.low_bound LowBound Unsigned 32-bit integer
dcom.sa.vartype VarType32 Unsigned 32-bit integer
dcom.stdobjref STDOBJREF No value
dcom.stdobjref.flags Flags Unsigned 32-bit integer
dcom.stdobjref.public_refs PublicRefs Unsigned 32-bit integer
dcom.that.flags Flags Unsigned 32-bit integer
dcom.this.flags Flags Unsigned 32-bit integer
dcom.this.res Reserved Unsigned 32-bit integer
dcom.this.uuid Causality ID
dcom.this.version_major VersionMajor Unsigned 16-bit integer
dcom.this.version_minor VersionMinor Unsigned 16-bit integer
dcom.tobedone ToBeDone Byte array
dcom.tobedone_len ToBeDoneLen Unsigned 32-bit integer
dcom.variant Variant No value
dcom.variant_rpc_res RPC-Reserved Unsigned 32-bit integer
dcom.variant_size Size Unsigned 32-bit integer
dcom.variant_type VarType Unsigned 16-bit integer
dcom.variant_type32 VarType32 Unsigned 32-bit integer
dcom.variant_wres Reserved Unsigned 16-bit integer
dcom.version_major VersionMajor Unsigned 16-bit integer
dcom.version_minor VersionMinor Unsigned 16-bit integer
dcom.vt.bool VT_BOOL Unsigned 16-bit integer
dcom.vt.bstr VT_BSTR String
dcom.vt.byref BYREF No value
dcom.vt.date VT_DATE Double-precision floating point
dcom.vt.dispatch VT_DISPATCH No value
dcom.vt.i1 VT_I1 Signed 8-bit integer
dcom.vt.i2 VT_I2 Signed 16-bit integer
dcom.vt.i4 VT_I4 Signed 32-bit integer
dcom.vt.i8 VT_I8 Signed 64-bit integer
dcom.vt.r4 VT_R4
dcom.vt.r8 VT_R8 Double-precision floating point
dcom.vt.ui1 VT_UI1 Unsigned 8-bit integer
dcom.vt.ui2 VT_UI2 Unsigned 16-bit integer
dcom.vt.ui4 VT_UI4 Unsigned 32-bit integer
dispatch_arg Argument No value
dispatch_arg_err ArgErr Unsigned 32-bit integer
dispatch_args Args Unsigned 32-bit integer
dispatch_code Code Unsigned 16-bit integer
dispatch_deferred_fill_in DeferredFillIn Unsigned 32-bit integer
dispatch_description Description String
dispatch_dispparams DispParams No value
dispatch_excepinfo ExcepInfo No value
dispatch_flags Flags Unsigned 32-bit integer
dispatch_flags_method Method Boolean
dispatch_flags_propget PropertyGet Boolean
dispatch_flags_propput PropertyPut Boolean
dispatch_flags_propputref PropertyPutRef Boolean
dispatch_help_context HelpContext Unsigned 32-bit integer
dispatch_help_file HelpFile String
dispatch_id DispID Unsigned 32-bit integer
dispatch_itinfo TInfo No value
dispatch_lcid LCID Unsigned 32-bit integer
dispatch_named_args NamedArgs Unsigned 32-bit integer
dispatch_names Names Unsigned 32-bit integer
dispatch_opnum Operation Unsigned 16-bit integer Operation
dispatch_reserved16 Reserved Unsigned 16-bit integer
dispatch_reserved32 Reserved Unsigned 32-bit integer
dispatch_riid RIID
dispatch_scode SCode Unsigned 32-bit integer
dispatch_source Source String
dispatch_tinfo TInfo Unsigned 32-bit integer
dispatch_varref VarRef Unsigned 32-bit integer
dispatch_varrefarg VarRef No value
dispatch_varrefidx VarRefIdx Unsigned 32-bit integer
dispatch_varresult VarResult No value
hf_dispatch_name Name String
hf_remact_oxid_bindings OxidBindings No value
remact_authn_hint AuthnHint Unsigned 32-bit integer
remact_client_impl_level ClientImplLevel Unsigned 32-bit integer
remact_interface_data InterfaceData No value
remact_interfaces Interfaces Unsigned 32-bit integer
remact_mode Mode Unsigned 32-bit integer
remact_object_name ObjectName String
remact_object_storage ObjectStorage No value
remact_opnum Operation Unsigned 16-bit integer Operation
remact_prot_seqs ProtSeqs Unsigned 16-bit integer
remact_req_prot_seqs RequestedProtSeqs Unsigned 16-bit integer
dcom.oxid.address Address No value
oxid.opnum Operation Unsigned 16-bit integer
oxid5.unknown1 unknown 8 bytes 1 Unsigned 64-bit integer
oxid5.unknown2 unknown 8 bytes 2 Unsigned 64-bit integer
oxid_addtoset AddToSet Unsigned 16-bit integer
oxid_authn_hint AuthnHint Unsigned 32-bit integer
oxid_bindings OxidBindings No value
oxid_delfromset DelFromSet Unsigned 16-bit integer
oxid_ipid IPID
oxid_oid OID Unsigned 64-bit integer
oxid_oxid OXID Unsigned 64-bit integer
oxid_ping_backoff_factor PingBackoffFactor Unsigned 16-bit integer
oxid_protseqs ProtSeq Unsigned 16-bit integer
oxid_requested_protseqs RequestedProtSeq Unsigned 16-bit integer
oxid_seqnum SeqNum Unsigned 16-bit integer
oxid_setid SetId Unsigned 64-bit integer
dct2000.context Context String Context name
dct2000.context_port Context Port number Unsigned 8-bit integer Context port number
dct2000.direction Direction Unsigned 8-bit integer Frame direction (Sent or Received)
dct2000.encapsulation Wireshark encapsulation Unsigned 8-bit integer Wireshark encapsulation used
dct2000.outhdr Out-header String DCT2000 protocol outhdr
dct2000.protocol DCT2000 protocol String Original (DCT2000) protocol name
dct2000.timestamp Timestamp String File timestamp
dct2000.unparsed_data Unparsed protocol data Byte array Unparsed DCT2000 protocol data
dct2000.variant Protocol variant String DCT2000 protocol variant
dec_dna.ctl.acknum Ack/Nak No value ack/nak number
dec_dna.ctl.blk_size Block size Unsigned 16-bit integer Block size
dec_dna.ctl.elist List of router states No value Router states
dec_dna.ctl.ename Ethernet name Byte array Ethernet name
dec_dna.ctl.fcnval Verification message function value Byte array Routing Verification function
dec_dna.ctl.id Transmitting system ID 6-byte Hardware (MAC) Address Transmitting system ID
dec_dna.ctl.iinfo.blkreq Blocking requested Boolean Blocking requested?
dec_dna.ctl.iinfo.mta Accepts multicast traffic Boolean Accepts multicast traffic?
dec_dna.ctl.iinfo.node_type Node type Unsigned 8-bit integer Node type
dec_dna.ctl.iinfo.rej Rejected Boolean Rejected message
dec_dna.ctl.iinfo.verf Verification failed Boolean Verification failed?
dec_dna.ctl.iinfo.vrf Verification required Boolean Verification required?
dec_dna.ctl.prio Routing priority Unsigned 8-bit integer Routing priority
dec_dna.ctl.reserved Reserved Byte array Reserved
dec_dna.ctl.router_id Router ID 6-byte Hardware (MAC) Address Router ID
dec_dna.ctl.router_prio Router priority Unsigned 8-bit integer Router priority
dec_dna.ctl.router_state Router state String Router state
dec_dna.ctl.seed Verification seed Byte array Verification seed
dec_dna.ctl.segment Segment No value Routing Segment
dec_dna.ctl.test_data Test message data Byte array Routing Test message data
dec_dna.ctl.tiinfo Routing information Unsigned 8-bit integer Routing information
dec_dna.ctl.timer Hello timer(seconds) Unsigned 16-bit integer Hello timer in seconds
dec_dna.ctl.version Version No value Control protocol version
dec_dna.ctl_neighbor Neighbor 6-byte Hardware (MAC) Address Neighbour ID
dec_dna.dst.address Destination Address 6-byte Hardware (MAC) Address Destination address
dec_dna.dst_node Destination node Unsigned 16-bit integer Destination node
dec_dna.flags Routing flags Unsigned 8-bit integer DNA routing flag
dec_dna.flags.RQR Return to Sender Request Boolean Return to Sender
dec_dna.flags.RTS Packet on return trip Boolean Packet on return trip
dec_dna.flags.control Control packet Boolean Control packet
dec_dna.flags.discard Discarded packet Boolean Discarded packet
dec_dna.flags.intra_eth Intra-ethernet packet Boolean Intra-ethernet packet
dec_dna.flags.msglen Long data packet format Unsigned 8-bit integer Long message indicator
dec_dna.nl2 Next level 2 router Unsigned 8-bit integer reserved
dec_dna.nsp.delay Delayed ACK allowed Boolean Delayed ACK allowed?
dec_dna.nsp.disc_reason Reason for disconnect Unsigned 16-bit integer Disconnect reason
dec_dna.nsp.fc_val Flow control No value Flow control
dec_dna.nsp.flow_control Flow control Unsigned 8-bit integer Flow control(stop, go)
dec_dna.nsp.info Version info Unsigned 8-bit integer Version info
dec_dna.nsp.msg_type DNA NSP message Unsigned 8-bit integer NSP message
dec_dna.nsp.segnum Message number Unsigned 16-bit integer Segment number
dec_dna.nsp.segsize Maximum data segment size Unsigned 16-bit integer Max. segment size
dec_dna.nsp.services Requested services Unsigned 8-bit integer Services requested
dec_dna.proto_type Protocol type Unsigned 8-bit integer reserved
dec_dna.rt.msg_type Routing control message Unsigned 8-bit integer Routing control
dec_dna.sess.conn Session connect data No value Session connect data
dec_dna.sess.dst_name Session Destination end user String Session Destination end user
dec_dna.sess.grp_code Session Group code Unsigned 16-bit integer Session group code
dec_dna.sess.menu_ver Session Menu version String Session menu version
dec_dna.sess.obj_type Session Object type Unsigned 8-bit integer Session object type
dec_dna.sess.rqstr_id Session Requestor ID String Session requestor ID
dec_dna.sess.src_name Session Source end user String Session Source end user
dec_dna.sess.usr_code Session User code Unsigned 16-bit integer Session User code
dec_dna.src.addr Source Address 6-byte Hardware (MAC) Address Source address
dec_dna.src_node Source node Unsigned 16-bit integer Source node
dec_dna.svc_cls Service class Unsigned 8-bit integer reserved
dec_dna.visit_cnt Visit count Unsigned 8-bit integer Visit count
dec_dna.vst_node Nodes visited ty this package Unsigned 8-bit integer Nodes visited
dec_stp.bridge.mac Bridge MAC 6-byte Hardware (MAC) Address
dec_stp.bridge.pri Bridge Priority Unsigned 16-bit integer
dec_stp.flags BPDU flags Unsigned 8-bit integer
dec_stp.flags.short_timers Use short timers Boolean
dec_stp.flags.tc Topology Change Boolean
dec_stp.flags.tcack Topology Change Acknowledgment Boolean
dec_stp.forward Forward Delay Unsigned 8-bit integer
dec_stp.hello Hello Time Unsigned 8-bit integer
dec_stp.max_age Max Age Unsigned 8-bit integer
dec_stp.msg_age Message Age Unsigned 8-bit integer
dec_stp.port Port identifier Unsigned 8-bit integer
dec_stp.protocol Protocol Identifier Unsigned 8-bit integer
dec_stp.root.cost Root Path Cost Unsigned 16-bit integer
dec_stp.root.mac Root MAC 6-byte Hardware (MAC) Address
dec_stp.root.pri Root Priority Unsigned 16-bit integer
dec_stp.type BPDU Type Unsigned 8-bit integer
dec_stp.version BPDU Version Unsigned 8-bit integer
afs4int.NameString_principal Principal Name String
afs4int.TaggedPath_tp_chars AFS Tagged Path String
afs4int.TaggedPath_tp_tag AFS Tagged Path Name Unsigned 32-bit integer
afs4int.accesstime_msec afs4int.accesstime_msec Unsigned 32-bit integer
afs4int.accesstime_sec afs4int.accesstime_sec Unsigned 32-bit integer
afs4int.acl_len Acl Length Unsigned 32-bit integer
afs4int.aclexpirationtime afs4int.aclexpirationtime Unsigned 32-bit integer
afs4int.acltype afs4int.acltype Unsigned 32-bit integer
afs4int.afsFid.Unique Unique Unsigned 32-bit integer afsFid Unique
afs4int.afsFid.Vnode Vnode Unsigned 32-bit integer afsFid Vnode
afs4int.afsFid.cell_high Cell High Unsigned 32-bit integer afsFid Cell High
afs4int.afsFid.cell_low Cell Low Unsigned 32-bit integer afsFid Cell Low
afs4int.afsFid.volume_high Volume High Unsigned 32-bit integer afsFid Volume High
afs4int.afsFid.volume_low Volume Low Unsigned 32-bit integer afsFid Volume Low
afs4int.afsTaggedPath_length Tagged Path Length Unsigned 32-bit integer
afs4int.afsacl_uuid1 AFS ACL UUID1 UUID
afs4int.afserrortstatus_st AFS Error Code Unsigned 32-bit integer
afs4int.afsreturndesc_tokenid_high Tokenid High Unsigned 32-bit integer
afs4int.afsreturndesc_tokenid_low Tokenid low Unsigned 32-bit integer
afs4int.agtypeunique afs4int.agtypeunique Unsigned 32-bit integer
afs4int.anonymousaccess afs4int.anonymousaccess Unsigned 32-bit integer
afs4int.author afs4int.author Unsigned 32-bit integer
afs4int.beginrange afs4int.beginrange Unsigned 32-bit integer
afs4int.beginrangeext afs4int.beginrangeext Unsigned 32-bit integer
afs4int.blocksused afs4int.blocksused Unsigned 32-bit integer
afs4int.bulkfetchkeepalive_spare1 BulkFetch KeepAlive spare1 Unsigned 32-bit integer
afs4int.bulkfetchkeepalive_spare2 BulkKeepAlive spare4 Unsigned 32-bit integer
afs4int.bulkfetchstatus_size BulkFetchStatus Size Unsigned 32-bit integer
afs4int.bulkfetchvv_numvols afs4int.bulkfetchvv_numvols Unsigned 32-bit integer
afs4int.bulkfetchvv_spare1 afs4int.bulkfetchvv_spare1 Unsigned 32-bit integer
afs4int.bulkfetchvv_spare2 afs4int.bulkfetchvv_spare2 Unsigned 32-bit integer
afs4int.bulkkeepalive_numexecfids BulkKeepAlive numexecfids Unsigned 32-bit integer
afs4int.calleraccess afs4int.calleraccess Unsigned 32-bit integer
afs4int.cellidp_high cellidp high Unsigned 32-bit integer
afs4int.cellidp_low cellidp low Unsigned 32-bit integer
afs4int.changetime_msec afs4int.changetime_msec Unsigned 32-bit integer
afs4int.changetime_sec afs4int.changetime_sec Unsigned 32-bit integer
afs4int.clientspare1 afs4int.clientspare1 Unsigned 32-bit integer
afs4int.dataversion_high afs4int.dataversion_high Unsigned 32-bit integer
afs4int.dataversion_low afs4int.dataversion_low Unsigned 32-bit integer
afs4int.defaultcell_uuid Default Cell UUID UUID
afs4int.devicenumber afs4int.devicenumber Unsigned 32-bit integer
afs4int.devicenumberhighbits afs4int.devicenumberhighbits Unsigned 32-bit integer
afs4int.endrange afs4int.endrange Unsigned 32-bit integer
afs4int.endrangeext afs4int.endrangeext Unsigned 32-bit integer
afs4int.expirationtime afs4int.expirationtime Unsigned 32-bit integer
afs4int.fetchdata_pipe_t_size FetchData Pipe_t size String
afs4int.filetype afs4int.filetype Unsigned 32-bit integer
afs4int.flags DFS Flags Unsigned 32-bit integer
afs4int.fstype Filetype Unsigned 32-bit integer
afs4int.gettime.syncdistance SyncDistance Unsigned 32-bit integer
afs4int.gettime_secondsp GetTime secondsp Unsigned 32-bit integer
afs4int.gettime_syncdispersion GetTime Syncdispersion Unsigned 32-bit integer
afs4int.gettime_usecondsp GetTime usecondsp Unsigned 32-bit integer
afs4int.group afs4int.group Unsigned 32-bit integer
afs4int.himaxspare afs4int.himaxspare Unsigned 32-bit integer
afs4int.interfaceversion afs4int.interfaceversion Unsigned 32-bit integer
afs4int.l_end_pos afs4int.l_end_pos Unsigned 32-bit integer
afs4int.l_end_pos_ext afs4int.l_end_pos_ext Unsigned 32-bit integer
afs4int.l_fstype afs4int.l_fstype Unsigned 32-bit integer
afs4int.l_pid afs4int.l_pid Unsigned 32-bit integer
afs4int.l_start_pos afs4int.l_start_pos Unsigned 32-bit integer
afs4int.l_start_pos_ext afs4int.l_start_pos_ext Unsigned 32-bit integer
afs4int.l_sysid afs4int.l_sysid Unsigned 32-bit integer
afs4int.l_type afs4int.l_type Unsigned 32-bit integer
afs4int.l_whence afs4int.l_whence Unsigned 32-bit integer
afs4int.length Length Unsigned 32-bit integer
afs4int.length_high afs4int.length_high Unsigned 32-bit integer
afs4int.length_low afs4int.length_low Unsigned 32-bit integer
afs4int.linkcount afs4int.linkcount Unsigned 32-bit integer
afs4int.lomaxspare afs4int.lomaxspare Unsigned 32-bit integer
afs4int.minvvp_high afs4int.minvvp_high Unsigned 32-bit integer
afs4int.minvvp_low afs4int.minvvp_low Unsigned 32-bit integer
afs4int.mode afs4int.mode Unsigned 32-bit integer
afs4int.modtime_msec afs4int.modtime_msec Unsigned 32-bit integer
afs4int.modtime_sec afs4int.modtime_sec Unsigned 32-bit integer
afs4int.nextoffset_high next offset high Unsigned 32-bit integer
afs4int.nextoffset_low next offset low Unsigned 32-bit integer
afs4int.objectuuid afs4int.objectuuid UUID
afs4int.offset_high offset high Unsigned 32-bit integer
afs4int.opnum Operation Unsigned 16-bit integer Operation
afs4int.owner afs4int.owner Unsigned 32-bit integer
afs4int.parentunique afs4int.parentunique Unsigned 32-bit integer
afs4int.parentvnode afs4int.parentvnode Unsigned 32-bit integer
afs4int.pathconfspare afs4int.pathconfspare Unsigned 32-bit integer
afs4int.position_high Position High Unsigned 32-bit integer
afs4int.position_low Position Low Unsigned 32-bit integer
afs4int.principalName_size Principal Name Size Unsigned 32-bit integer
afs4int.principalName_size2 Principal Name Size2 Unsigned 32-bit integer
afs4int.readdir.size Readdir Size Unsigned 32-bit integer
afs4int.returntokenidp_high return token idp high Unsigned 32-bit integer
afs4int.returntokenidp_low return token idp low Unsigned 32-bit integer
afs4int.servermodtime_msec afs4int.servermodtime_msec Unsigned 32-bit integer
afs4int.servermodtime_sec afs4int.servermodtime_sec Unsigned 32-bit integer
afs4int.setcontext.parm7 Parm7: Unsigned 32-bit integer
afs4int.setcontext_clientsizesattrs ClientSizeAttrs: Unsigned 32-bit integer
afs4int.setcontext_rqst_epochtime EpochTime: Date/Time stamp
afs4int.setcontext_secobjextid SetObjectid: String UUID
afs4int.spare4 afs4int.spare4 Unsigned 32-bit integer
afs4int.spare5 afs4int.spare5 Unsigned 32-bit integer
afs4int.spare6 afs4int.spare6 Unsigned 32-bit integer
afs4int.st AFS4Int Error Status Code Unsigned 32-bit integer
afs4int.storestatus_accesstime_sec afs4int.storestatus_accesstime_sec Unsigned 32-bit integer
afs4int.storestatus_accesstime_usec afs4int.storestatus_accesstime_usec Unsigned 32-bit integer
afs4int.storestatus_changetime_sec afs4int.storestatus_changetime_sec Unsigned 32-bit integer
afs4int.storestatus_changetime_usec afs4int.storestatus_changetime_usec Unsigned 32-bit integer
afs4int.storestatus_clientspare1 afs4int.storestatus_clientspare1 Unsigned 32-bit integer
afs4int.storestatus_cmask afs4int.storestatus_cmask Unsigned 32-bit integer
afs4int.storestatus_devicenumber afs4int.storestatus_devicenumber Unsigned 32-bit integer
afs4int.storestatus_devicenumberhighbits afs4int.storestatus_devicenumberhighbits Unsigned 32-bit integer
afs4int.storestatus_devicetype afs4int.storestatus_devicetype Unsigned 32-bit integer
afs4int.storestatus_group afs4int.storestatus_group Unsigned 32-bit integer
afs4int.storestatus_length_high afs4int.storestatus_length_high Unsigned 32-bit integer
afs4int.storestatus_length_low afs4int.storestatus_length_low Unsigned 32-bit integer
afs4int.storestatus_mask afs4int.storestatus_mask Unsigned 32-bit integer
afs4int.storestatus_mode afs4int.storestatus_mode Unsigned 32-bit integer
afs4int.storestatus_modtime_sec afs4int.storestatus_modtime_sec Unsigned 32-bit integer
afs4int.storestatus_modtime_usec afs4int.storestatus_modtime_usec Unsigned 32-bit integer
afs4int.storestatus_owner afs4int.storestatus_owner Unsigned 32-bit integer
afs4int.storestatus_spare1 afs4int.storestatus_spare1 Unsigned 32-bit integer
afs4int.storestatus_spare2 afs4int.storestatus_spare2 Unsigned 32-bit integer
afs4int.storestatus_spare3 afs4int.storestatus_spare3 Unsigned 32-bit integer
afs4int.storestatus_spare4 afs4int.storestatus_spare4 Unsigned 32-bit integer
afs4int.storestatus_spare5 afs4int.storestatus_spare5 Unsigned 32-bit integer
afs4int.storestatus_spare6 afs4int.storestatus_spare6 Unsigned 32-bit integer
afs4int.storestatus_trunc_high afs4int.storestatus_trunc_high Unsigned 32-bit integer
afs4int.storestatus_trunc_low afs4int.storestatus_trunc_low Unsigned 32-bit integer
afs4int.storestatus_typeuuid afs4int.storestatus_typeuuid UUID
afs4int.string String String
afs4int.tn_length afs4int.tn_length Unsigned 16-bit integer
afs4int.tn_size String Size Unsigned 32-bit integer
afs4int.tn_tag afs4int.tn_tag Unsigned 32-bit integer
afs4int.tokenid_hi afs4int.tokenid_hi Unsigned 32-bit integer
afs4int.tokenid_low afs4int.tokenid_low Unsigned 32-bit integer
afs4int.type_hi afs4int.type_hi Unsigned 32-bit integer
afs4int.type_high Type high Unsigned 32-bit integer
afs4int.type_low afs4int.type_low Unsigned 32-bit integer
afs4int.typeuuid afs4int.typeuuid UUID
afs4int.uint afs4int.uint Unsigned 32-bit integer
afs4int.unique afs4int.unique Unsigned 32-bit integer
afs4int.uuid AFS UUID UUID
afs4int.vnode afs4int.vnode Unsigned 32-bit integer
afs4int.volid_hi afs4int.volid_hi Unsigned 32-bit integer
afs4int.volid_low afs4int.volid_low Unsigned 32-bit integer
afs4int.volume_high afs4int.volume_high Unsigned 32-bit integer
afs4int.volume_low afs4int.volume_low Unsigned 32-bit integer
afs4int.vv_hi afs4int.vv_hi Unsigned 32-bit integer
afs4int.vv_low afs4int.vv_low Unsigned 32-bit integer
afs4int.vvage afs4int.vvage Unsigned 32-bit integer
afs4int.vvpingage afs4int.vvpingage Unsigned 32-bit integer
afs4int.vvspare1 afs4int.vvspare1 Unsigned 32-bit integer
afs4int.vvspare2 afs4int.vvspare2 Unsigned 32-bit integer
afsNetAddr.data IP Data Unsigned 8-bit integer
afsNetAddr.type Type Unsigned 16-bit integer
hf_afsconnparams_mask hf_afsconnparams_mask Unsigned 32-bit integer
hf_afsconnparams_values hf_afsconnparams_values Unsigned 32-bit integer
dhcpfo.additionalheaderbytes Additional Header Bytes Byte array
dhcpfo.addressestransferred addresses transferred Unsigned 32-bit integer
dhcpfo.assignedipaddress assigned ip address IPv4 address
dhcpfo.bindingstatus Type Unsigned 32-bit integer
dhcpfo.clienthardwareaddress Client Hardware Address Byte array
dhcpfo.clienthardwaretype Client Hardware Type Unsigned 8-bit integer
dhcpfo.clientidentifier Client Identifier String
dhcpfo.clientlasttransactiontime Client last transaction time Unsigned 32-bit integer
dhcpfo.dhcpstyleoption DHCP Style Option No value
dhcpfo.ftddns FTDDNS String
dhcpfo.graceexpirationtime Grace expiration time Unsigned 32-bit integer
dhcpfo.hashbucketassignment Hash bucket assignment Byte array
dhcpfo.leaseexpirationtime Lease expiration time Unsigned 32-bit integer
dhcpfo.length Message length Unsigned 16-bit integer
dhcpfo.maxunackedbndupd Max unacked BNDUPD Unsigned 32-bit integer
dhcpfo.mclt MCLT Unsigned 32-bit integer
dhcpfo.message Message String
dhcpfo.messagedigest Message digest String
dhcpfo.optioncode Option Code Unsigned 16-bit integer
dhcpfo.optionlength Length Unsigned 16-bit integer
dhcpfo.payloaddata Payload Data No value
dhcpfo.poffset Payload Offset Unsigned 8-bit integer
dhcpfo.potentialexpirationtime Potential expiration time Unsigned 32-bit integer
dhcpfo.protocolversion Protocol version Unsigned 8-bit integer
dhcpfo.receivetimer Receive timer Unsigned 32-bit integer
dhcpfo.rejectreason Reject reason Unsigned 8-bit integer
dhcpfo.sendingserveripaddress sending server ip-address IPv4 address
dhcpfo.serverstatus server status Unsigned 8-bit integer
dhcpfo.starttimeofstate Start time of state Unsigned 32-bit integer
dhcpfo.time Time Date/Time stamp
dhcpfo.type Message Type Unsigned 8-bit integer
dhcpfo.vendorclass Vendor class String
dhcpfo.vendoroption Vendor option No value
dhcpfo.xid Xid Unsigned 32-bit integer
dhcpv6.msgtype Message type Unsigned 8-bit integer
dcm.data.ctx Data Context Unsigned 8-bit integer
dcm.data.flags Flags Unsigned 8-bit integer
dcm.data.len DATA LENGTH Unsigned 32-bit integer
dcm.data.tag Tag Byte array
dcm.max_pdu_len MAX PDU LENGTH Unsigned 32-bit integer
dcm.pdi.async Asynch String
dcm.pdi.ctxt Presentation Context Unsigned 8-bit integer
dcm.pdi.impl Implementation String
dcm.pdi.name Application Context String
dcm.pdi.result Presentation Context result Unsigned 8-bit integer
dcm.pdi.syntax Abstract Syntax String
dcm.pdi.version Version String
dcm.pdu PDU Unsigned 8-bit integer
dcm.pdu.pdi Item Unsigned 8-bit integer
dcm.pdu_detail PDU Detail String
dcm.pdu_len PDU LENGTH Unsigned 32-bit integer
cprpc_server.opnum Operation Unsigned 16-bit integer Operation
dua.asp_identifier ASP identifier Unsigned 32-bit integer
dua.diagnostic_information Diagnostic information Byte array
dua.dlci_channel Channel Unsigned 16-bit integer
dua.dlci_one_bit One bit Boolean
dua.dlci_reserved Reserved Unsigned 16-bit integer
dua.dlci_spare Spare Unsigned 16-bit integer
dua.dlci_v_bit V-bit Boolean
dua.dlci_zero_bit Zero bit Boolean
dua.error_code Error code Unsigned 32-bit integer
dua.heartbeat_data Heartbeat data Byte array
dua.info_string Info string String
dua.int_interface_identifier Integer interface identifier Signed 32-bit integer
dua.interface_range_end End Unsigned 32-bit integer
dua.interface_range_start Start Unsigned 32-bit integer
dua.message_class Message class Unsigned 8-bit integer
dua.message_length Message length Unsigned 32-bit integer
dua.message_type Message Type Unsigned 8-bit integer
dua.parameter_length Parameter length Unsigned 16-bit integer
dua.parameter_padding Parameter padding Byte array
dua.parameter_tag Parameter Tag Unsigned 16-bit integer
dua.parameter_value Parameter value Byte array
dua.release_reason Reason Unsigned 32-bit integer
dua.reserved Reserved Unsigned 8-bit integer
dua.states States Byte array
dua.status_identification Status identification Unsigned 16-bit integer
dua.status_type Status type Unsigned 16-bit integer
dua.tei_status TEI status Unsigned 32-bit integer
dua.text_interface_identifier Text interface identifier String
dua.traffic_mode_type Traffic mode type Unsigned 32-bit integer
dua.version Version Unsigned 8-bit integer
drsuapi.DsBind.bind_guid bind_guid
drsuapi.DsBind.bind_handle bind_handle Byte array
drsuapi.DsBind.bind_info bind_info No value
drsuapi.DsBindInfo.info24 info24 No value
drsuapi.DsBindInfo.info28 info28 No value
drsuapi.DsBindInfo24.site_guid site_guid
drsuapi.DsBindInfo24.supported_extensions supported_extensions Unsigned 32-bit integer
drsuapi.DsBindInfo24.u1 u1 Unsigned 32-bit integer
drsuapi.DsBindInfo28.repl_epoch repl_epoch Unsigned 32-bit integer
drsuapi.DsBindInfo28.site_guid site_guid
drsuapi.DsBindInfo28.supported_extensions supported_extensions Unsigned 32-bit integer
drsuapi.DsBindInfo28.u1 u1 Unsigned 32-bit integer
drsuapi.DsBindInfoCtr.info info Unsigned 32-bit integer
drsuapi.DsBindInfoCtr.length length Unsigned 32-bit integer
drsuapi.DsCrackNames.bind_handle bind_handle Byte array
drsuapi.DsCrackNames.ctr ctr Unsigned 32-bit integer
drsuapi.DsCrackNames.level level Signed 32-bit integer
drsuapi.DsCrackNames.req req Unsigned 32-bit integer
drsuapi.DsGetDCInfo01.server_nt4_account server_nt4_account String
drsuapi.DsGetDCInfo01.unknown1 unknown1 Unsigned 32-bit integer
drsuapi.DsGetDCInfo01.unknown2 unknown2 Unsigned 32-bit integer
drsuapi.DsGetDCInfo01.unknown3 unknown3 Unsigned 32-bit integer
drsuapi.DsGetDCInfo01.unknown4 unknown4 Unsigned 32-bit integer
drsuapi.DsGetDCInfo01.unknown5 unknown5 Unsigned 32-bit integer
drsuapi.DsGetDCInfo01.unknown6 unknown6 Unsigned 32-bit integer
drsuapi.DsGetDCInfo1.computer_dn computer_dn String
drsuapi.DsGetDCInfo1.dns_name dns_name String
drsuapi.DsGetDCInfo1.is_enabled is_enabled Unsigned 32-bit integer
drsuapi.DsGetDCInfo1.is_pdc is_pdc Unsigned 32-bit integer
drsuapi.DsGetDCInfo1.netbios_name netbios_name String
drsuapi.DsGetDCInfo1.server_dn server_dn String
drsuapi.DsGetDCInfo1.site_name site_name String
drsuapi.DsGetDCInfo2.computer_dn computer_dn String
drsuapi.DsGetDCInfo2.computer_guid computer_guid
drsuapi.DsGetDCInfo2.dns_name dns_name String
drsuapi.DsGetDCInfo2.is_enabled is_enabled Unsigned 32-bit integer
drsuapi.DsGetDCInfo2.is_gc is_gc Unsigned 32-bit integer
drsuapi.DsGetDCInfo2.is_pdc is_pdc Unsigned 32-bit integer
drsuapi.DsGetDCInfo2.netbios_name netbios_name String
drsuapi.DsGetDCInfo2.ntds_dn ntds_dn String
drsuapi.DsGetDCInfo2.ntds_guid ntds_guid
drsuapi.DsGetDCInfo2.server_dn server_dn String
drsuapi.DsGetDCInfo2.server_guid server_guid
drsuapi.DsGetDCInfo2.site_dn site_dn String
drsuapi.DsGetDCInfo2.site_guid site_guid
drsuapi.DsGetDCInfo2.site_name site_name String
drsuapi.DsGetDCInfoCtr.ctr01 ctr01 No value
drsuapi.DsGetDCInfoCtr.ctr1 ctr1 No value
drsuapi.DsGetDCInfoCtr.ctr2 ctr2 No value
drsuapi.DsGetDCInfoCtr01.array array No value
drsuapi.DsGetDCInfoCtr01.count count Unsigned 32-bit integer
drsuapi.DsGetDCInfoCtr1.array array No value
drsuapi.DsGetDCInfoCtr1.count count Unsigned 32-bit integer
drsuapi.DsGetDCInfoCtr2.array array No value
drsuapi.DsGetDCInfoCtr2.count count Unsigned 32-bit integer
drsuapi.DsGetDCInfoRequest.req1 req1 No value
drsuapi.DsGetDCInfoRequest1.domain_name domain_name String
drsuapi.DsGetDCInfoRequest1.level level Signed 32-bit integer
drsuapi.DsGetDomainControllerInfo.bind_handle bind_handle Byte array
drsuapi.DsGetDomainControllerInfo.ctr ctr Unsigned 32-bit integer
drsuapi.DsGetDomainControllerInfo.level level Signed 32-bit integer
drsuapi.DsGetDomainControllerInfo.req req Unsigned 32-bit integer
drsuapi.DsGetNCChanges.bind_handle bind_handle Byte array
drsuapi.DsGetNCChanges.ctr ctr Unsigned 32-bit integer
drsuapi.DsGetNCChanges.level level Signed 32-bit integer
drsuapi.DsGetNCChanges.req req Unsigned 32-bit integer
drsuapi.DsGetNCChangesCtr.ctr6 ctr6 No value
drsuapi.DsGetNCChangesCtr.ctr7 ctr7 No value
drsuapi.DsGetNCChangesCtr6.array_ptr1 array_ptr1 Unsigned 32-bit integer
drsuapi.DsGetNCChangesCtr6.coursor_ex coursor_ex No value
drsuapi.DsGetNCChangesCtr6.ctr12 ctr12 No value
drsuapi.DsGetNCChangesCtr6.guid1 guid1
drsuapi.DsGetNCChangesCtr6.guid2 guid2
drsuapi.DsGetNCChangesCtr6.len1 len1 Unsigned 32-bit integer
drsuapi.DsGetNCChangesCtr6.ptr1 ptr1 Unsigned 32-bit integer
drsuapi.DsGetNCChangesCtr6.sync_req_info1 sync_req_info1 No value
drsuapi.DsGetNCChangesCtr6.u1 u1 Unsigned 32-bit integer
drsuapi.DsGetNCChangesCtr6.u2 u2 Unsigned 32-bit integer
drsuapi.DsGetNCChangesCtr6.u3 u3 Unsigned 32-bit integer
drsuapi.DsGetNCChangesCtr6.usn1 usn1 No value
drsuapi.DsGetNCChangesCtr6.usn2 usn2 No value
drsuapi.DsGetNCChangesRequest.req5 req5 No value
drsuapi.DsGetNCChangesRequest.req8 req8 No value
drsuapi.DsGetNCChangesRequest5.coursor coursor No value
drsuapi.DsGetNCChangesRequest5.guid1 guid1
drsuapi.DsGetNCChangesRequest5.guid2 guid2
drsuapi.DsGetNCChangesRequest5.h1 h1 Unsigned 64-bit integer
drsuapi.DsGetNCChangesRequest5.sync_req_info1 sync_req_info1 No value
drsuapi.DsGetNCChangesRequest5.unknown1 unknown1 Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest5.unknown2 unknown2 Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest5.unknown3 unknown3 Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest5.unknown4 unknown4 Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest5.usn1 usn1 No value
drsuapi.DsGetNCChangesRequest8.coursor coursor No value
drsuapi.DsGetNCChangesRequest8.ctr12 ctr12 No value
drsuapi.DsGetNCChangesRequest8.guid1 guid1
drsuapi.DsGetNCChangesRequest8.guid2 guid2
drsuapi.DsGetNCChangesRequest8.h1 h1 Unsigned 64-bit integer
drsuapi.DsGetNCChangesRequest8.sync_req_info1 sync_req_info1 No value
drsuapi.DsGetNCChangesRequest8.unique_ptr1 unique_ptr1 Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest8.unique_ptr2 unique_ptr2 Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest8.unknown1 unknown1 Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest8.unknown2 unknown2 Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest8.unknown3 unknown3 Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest8.unknown4 unknown4 Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest8.usn1 usn1 No value
drsuapi.DsGetNCChangesRequest_Ctr12.array array No value
drsuapi.DsGetNCChangesRequest_Ctr12.count count Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest_Ctr13.data data No value
drsuapi.DsGetNCChangesRequest_Ctr13.unknown1 unknown1 Unsigned 32-bit integer
drsuapi.DsGetNCChangesRequest_Ctr14.byte_array byte_array Unsigned 8-bit integer
drsuapi.DsGetNCChangesRequest_Ctr14.length length Unsigned 32-bit integer
drsuapi.DsGetNCChangesUsnTriple.usn1 usn1 Unsigned 64-bit integer
drsuapi.DsGetNCChangesUsnTriple.usn2 usn2 Unsigned 64-bit integer
drsuapi.DsGetNCChangesUsnTriple.usn3 usn3 Unsigned 64-bit integer
drsuapi.DsNameCtr.ctr1 ctr1 No value
drsuapi.DsNameCtr1.array array No value
drsuapi.DsNameCtr1.count count Unsigned 32-bit integer
drsuapi.DsNameInfo1.dns_domain_name dns_domain_name String
drsuapi.DsNameInfo1.result_name result_name String
drsuapi.DsNameInfo1.status status Signed 32-bit integer
drsuapi.DsNameRequest.req1 req1 No value
drsuapi.DsNameRequest1.count count Unsigned 32-bit integer
drsuapi.DsNameRequest1.format_desired format_desired Signed 32-bit integer
drsuapi.DsNameRequest1.format_flags format_flags Signed 32-bit integer
drsuapi.DsNameRequest1.format_offered format_offered Signed 32-bit integer
drsuapi.DsNameRequest1.names names No value
drsuapi.DsNameRequest1.unknown1 unknown1 Unsigned 32-bit integer
drsuapi.DsNameRequest1.unknown2 unknown2 Unsigned 32-bit integer
drsuapi.DsNameString.str str String
drsuapi.DsReplica06.str1 str1 String
drsuapi.DsReplica06.u1 u1 Unsigned 32-bit integer
drsuapi.DsReplica06.u2 u2 Unsigned 32-bit integer
drsuapi.DsReplica06.u3 u3 Unsigned 32-bit integer
drsuapi.DsReplica06.u4 u4 Unsigned 32-bit integer
drsuapi.DsReplica06.u5 u5 Unsigned 32-bit integer
drsuapi.DsReplica06.u6 u6 Unsigned 64-bit integer
drsuapi.DsReplica06.u7 u7 Unsigned 32-bit integer
drsuapi.DsReplica06Ctr.array array No value
drsuapi.DsReplica06Ctr.count count Unsigned 32-bit integer
drsuapi.DsReplica06Ctr.reserved reserved Unsigned 32-bit integer
drsuapi.DsReplicaAddOptions.DRSUAPI_DS_REPLICA_ADD_ASYNCHRONOUS_OPERATION DRSUAPI_DS_REPLICA_ADD_ASYNCHRONOUS_OPERATION Boolean
drsuapi.DsReplicaAddOptions.DRSUAPI_DS_REPLICA_ADD_WRITEABLE DRSUAPI_DS_REPLICA_ADD_WRITEABLE Boolean
drsuapi.DsReplicaAttrValMetaData.attribute_name attribute_name String
drsuapi.DsReplicaAttrValMetaData.created created Date/Time stamp
drsuapi.DsReplicaAttrValMetaData.deleted deleted Date/Time stamp
drsuapi.DsReplicaAttrValMetaData.local_usn local_usn Unsigned 64-bit integer
drsuapi.DsReplicaAttrValMetaData.object_dn object_dn String
drsuapi.DsReplicaAttrValMetaData.originating_dsa_invocation_id originating_dsa_invocation_id
drsuapi.DsReplicaAttrValMetaData.originating_last_changed originating_last_changed Date/Time stamp
drsuapi.DsReplicaAttrValMetaData.originating_usn originating_usn Unsigned 64-bit integer
drsuapi.DsReplicaAttrValMetaData.value value Unsigned 8-bit integer
drsuapi.DsReplicaAttrValMetaData.value_length value_length Unsigned 32-bit integer
drsuapi.DsReplicaAttrValMetaData.version version Unsigned 32-bit integer
drsuapi.DsReplicaAttrValMetaData2.attribute_name attribute_name String
drsuapi.DsReplicaAttrValMetaData2.created created Date/Time stamp
drsuapi.DsReplicaAttrValMetaData2.deleted deleted Date/Time stamp
drsuapi.DsReplicaAttrValMetaData2.local_usn local_usn Unsigned 64-bit integer
drsuapi.DsReplicaAttrValMetaData2.object_dn object_dn String
drsuapi.DsReplicaAttrValMetaData2.originating_dsa_invocation_id originating_dsa_invocation_id
drsuapi.DsReplicaAttrValMetaData2.originating_dsa_obj_dn originating_dsa_obj_dn String
drsuapi.DsReplicaAttrValMetaData2.originating_last_changed originating_last_changed Date/Time stamp
drsuapi.DsReplicaAttrValMetaData2.originating_usn originating_usn Unsigned 64-bit integer
drsuapi.DsReplicaAttrValMetaData2.value value Unsigned 8-bit integer
drsuapi.DsReplicaAttrValMetaData2.value_length value_length Unsigned 32-bit integer
drsuapi.DsReplicaAttrValMetaData2.version version Unsigned 32-bit integer
drsuapi.DsReplicaAttrValMetaData2Ctr.array array No value
drsuapi.DsReplicaAttrValMetaData2Ctr.count count Unsigned 32-bit integer
drsuapi.DsReplicaAttrValMetaData2Ctr.enumeration_context enumeration_context Signed 32-bit integer
drsuapi.DsReplicaAttrValMetaDataCtr.array array No value
drsuapi.DsReplicaAttrValMetaDataCtr.count count Unsigned 32-bit integer
drsuapi.DsReplicaAttrValMetaDataCtr.enumeration_context enumeration_context Signed 32-bit integer
drsuapi.DsReplicaConnection04.bind_guid bind_guid
drsuapi.DsReplicaConnection04.bind_time bind_time Date/Time stamp
drsuapi.DsReplicaConnection04.u1 u1 Unsigned 64-bit integer
drsuapi.DsReplicaConnection04.u2 u2 Unsigned 32-bit integer
drsuapi.DsReplicaConnection04.u3 u3 Unsigned 32-bit integer
drsuapi.DsReplicaConnection04.u4 u4 Unsigned 32-bit integer
drsuapi.DsReplicaConnection04.u5 u5 Unsigned 32-bit integer
drsuapi.DsReplicaConnection04Ctr.array array No value
drsuapi.DsReplicaConnection04Ctr.count count Unsigned 32-bit integer
drsuapi.DsReplicaConnection04Ctr.reserved reserved Unsigned 32-bit integer
drsuapi.DsReplicaCoursor.highest_usn highest_usn Unsigned 64-bit integer
drsuapi.DsReplicaCoursor.source_dsa_invocation_id source_dsa_invocation_id
drsuapi.DsReplicaCoursor05Ctr.array array No value
drsuapi.DsReplicaCoursor05Ctr.count count Unsigned 32-bit integer
drsuapi.DsReplicaCoursor05Ctr.u1 u1 Unsigned 32-bit integer
drsuapi.DsReplicaCoursor05Ctr.u2 u2 Unsigned 32-bit integer
drsuapi.DsReplicaCoursor05Ctr.u3 u3 Unsigned 32-bit integer
drsuapi.DsReplicaCoursor2.highest_usn highest_usn Unsigned 64-bit integer
drsuapi.DsReplicaCoursor2.last_sync_success last_sync_success Date/Time stamp
drsuapi.DsReplicaCoursor2.source_dsa_invocation_id source_dsa_invocation_id
drsuapi.DsReplicaCoursor2Ctr.array array No value
drsuapi.DsReplicaCoursor2Ctr.count count Unsigned 32-bit integer
drsuapi.DsReplicaCoursor2Ctr.enumeration_context enumeration_context Signed 32-bit integer
drsuapi.DsReplicaCoursor3.highest_usn highest_usn Unsigned 64-bit integer
drsuapi.DsReplicaCoursor3.last_sync_success last_sync_success Date/Time stamp
drsuapi.DsReplicaCoursor3.source_dsa_invocation_id source_dsa_invocation_id
drsuapi.DsReplicaCoursor3.source_dsa_obj_dn source_dsa_obj_dn String
drsuapi.DsReplicaCoursor3Ctr.array array No value
drsuapi.DsReplicaCoursor3Ctr.count count Unsigned 32-bit integer
drsuapi.DsReplicaCoursor3Ctr.enumeration_context enumeration_context Signed 32-bit integer
drsuapi.DsReplicaCoursorCtr.array array No value
drsuapi.DsReplicaCoursorCtr.count count Unsigned 32-bit integer
drsuapi.DsReplicaCoursorCtr.reserved reserved Unsigned 32-bit integer
drsuapi.DsReplicaCoursorEx.coursor coursor No value
drsuapi.DsReplicaCoursorEx.time1 time1 Date/Time stamp
drsuapi.DsReplicaCoursorEx05Ctr.array array No value
drsuapi.DsReplicaCoursorEx05Ctr.count count Unsigned 32-bit integer
drsuapi.DsReplicaCoursorEx05Ctr.u1 u1 Unsigned 32-bit integer
drsuapi.DsReplicaCoursorEx05Ctr.u2 u2 Unsigned 32-bit integer
drsuapi.DsReplicaCoursorEx05Ctr.u3 u3 Unsigned 32-bit integer
drsuapi.DsReplicaDeleteOptions.DRSUAPI_DS_REPLICA_DELETE_ASYNCHRONOUS_OPERATION DRSUAPI_DS_REPLICA_DELETE_ASYNCHRONOUS_OPERATION Boolean
drsuapi.DsReplicaDeleteOptions.DRSUAPI_DS_REPLICA_DELETE_WRITEABLE DRSUAPI_DS_REPLICA_DELETE_WRITEABLE Boolean
drsuapi.DsReplicaGetInfo.bind_handle bind_handle Byte array
drsuapi.DsReplicaGetInfo.info info Unsigned 32-bit integer
drsuapi.DsReplicaGetInfo.info_type info_type Signed 32-bit integer
drsuapi.DsReplicaGetInfo.level level Signed 32-bit integer
drsuapi.DsReplicaGetInfo.req req Unsigned 32-bit integer
drsuapi.DsReplicaGetInfoRequest.req1 req1 No value
drsuapi.DsReplicaGetInfoRequest.req2 req2 No value
drsuapi.DsReplicaGetInfoRequest1.guid1 guid1
drsuapi.DsReplicaGetInfoRequest1.info_type info_type Signed 32-bit integer
drsuapi.DsReplicaGetInfoRequest1.object_dn object_dn String
drsuapi.DsReplicaGetInfoRequest2.guid1 guid1
drsuapi.DsReplicaGetInfoRequest2.info_type info_type Signed 32-bit integer
drsuapi.DsReplicaGetInfoRequest2.object_dn object_dn String
drsuapi.DsReplicaGetInfoRequest2.string1 string1 String
drsuapi.DsReplicaGetInfoRequest2.string2 string2 String
drsuapi.DsReplicaGetInfoRequest2.unknown1 unknown1 Unsigned 32-bit integer
drsuapi.DsReplicaGetInfoRequest2.unknown2 unknown2 Unsigned 32-bit integer
drsuapi.DsReplicaInfo.attrvalmetadata attrvalmetadata No value
drsuapi.DsReplicaInfo.attrvalmetadata2 attrvalmetadata2 No value
drsuapi.DsReplicaInfo.connectfailures connectfailures No value
drsuapi.DsReplicaInfo.connections04 connections04 No value
drsuapi.DsReplicaInfo.coursors coursors No value
drsuapi.DsReplicaInfo.coursors05 coursors05 No value
drsuapi.DsReplicaInfo.coursors2 coursors2 No value
drsuapi.DsReplicaInfo.coursors3 coursors3 No value
drsuapi.DsReplicaInfo.i06 i06 No value
drsuapi.DsReplicaInfo.linkfailures linkfailures No value
drsuapi.DsReplicaInfo.neighbours neighbours No value
drsuapi.DsReplicaInfo.neighbours02 neighbours02 No value
drsuapi.DsReplicaInfo.objmetadata objmetadata No value
drsuapi.DsReplicaInfo.objmetadata2 objmetadata2 No value
drsuapi.DsReplicaInfo.pendingops pendingops No value
drsuapi.DsReplicaKccDsaFailure.dsa_obj_dn dsa_obj_dn String
drsuapi.DsReplicaKccDsaFailure.dsa_obj_guid dsa_obj_guid
drsuapi.DsReplicaKccDsaFailure.first_failure first_failure Date/Time stamp
drsuapi.DsReplicaKccDsaFailure.last_result last_result Unsigned 32-bit integer
drsuapi.DsReplicaKccDsaFailure.num_failures num_failures Unsigned 32-bit integer
drsuapi.DsReplicaKccDsaFailuresCtr.array array No value
drsuapi.DsReplicaKccDsaFailuresCtr.count count Unsigned 32-bit integer
drsuapi.DsReplicaKccDsaFailuresCtr.reserved reserved Unsigned 32-bit integer
drsuapi.DsReplicaModifyOptions.DRSUAPI_DS_REPLICA_MODIFY_ASYNCHRONOUS_OPERATION DRSUAPI_DS_REPLICA_MODIFY_ASYNCHRONOUS_OPERATION Boolean
drsuapi.DsReplicaModifyOptions.DRSUAPI_DS_REPLICA_MODIFY_WRITEABLE DRSUAPI_DS_REPLICA_MODIFY_WRITEABLE Boolean
drsuapi.DsReplicaNeighbour.consecutive_sync_failures consecutive_sync_failures Unsigned 32-bit integer
drsuapi.DsReplicaNeighbour.highest_usn highest_usn Unsigned 64-bit integer
drsuapi.DsReplicaNeighbour.last_attempt last_attempt Date/Time stamp
drsuapi.DsReplicaNeighbour.last_success last_success Date/Time stamp
drsuapi.DsReplicaNeighbour.naming_context_dn naming_context_dn String
drsuapi.DsReplicaNeighbour.naming_context_obj_guid naming_context_obj_guid
drsuapi.DsReplicaNeighbour.replica_flags replica_flags Unsigned 32-bit integer
drsuapi.DsReplicaNeighbour.reserved reserved Unsigned 32-bit integer
drsuapi.DsReplicaNeighbour.result_last_attempt result_last_attempt Unsigned 32-bit integer
drsuapi.DsReplicaNeighbour.source_dsa_address source_dsa_address String
drsuapi.DsReplicaNeighbour.source_dsa_invocation_id source_dsa_invocation_id
drsuapi.DsReplicaNeighbour.source_dsa_obj_dn source_dsa_obj_dn String
drsuapi.DsReplicaNeighbour.source_dsa_obj_guid source_dsa_obj_guid
drsuapi.DsReplicaNeighbour.tmp_highest_usn tmp_highest_usn Unsigned 64-bit integer
drsuapi.DsReplicaNeighbour.transport_obj_dn transport_obj_dn String
drsuapi.DsReplicaNeighbour.transport_obj_guid transport_obj_guid
drsuapi.DsReplicaNeighbourCtr.array array No value
drsuapi.DsReplicaNeighbourCtr.count count Unsigned 32-bit integer
drsuapi.DsReplicaNeighbourCtr.reserved reserved Unsigned 32-bit integer
drsuapi.DsReplicaObjMetaData.attribute_name attribute_name String
drsuapi.DsReplicaObjMetaData.local_usn local_usn Unsigned 64-bit integer
drsuapi.DsReplicaObjMetaData.originating_dsa_invocation_id originating_dsa_invocation_id
drsuapi.DsReplicaObjMetaData.originating_last_changed originating_last_changed Date/Time stamp
drsuapi.DsReplicaObjMetaData.originating_usn originating_usn Unsigned 64-bit integer
drsuapi.DsReplicaObjMetaData.version version Unsigned 32-bit integer
drsuapi.DsReplicaObjMetaData2.attribute_name attribute_name String
drsuapi.DsReplicaObjMetaData2.local_usn local_usn Unsigned 64-bit integer
drsuapi.DsReplicaObjMetaData2.originating_dsa_invocation_id originating_dsa_invocation_id
drsuapi.DsReplicaObjMetaData2.originating_dsa_obj_dn originating_dsa_obj_dn String
drsuapi.DsReplicaObjMetaData2.originating_last_changed originating_last_changed Date/Time stamp
drsuapi.DsReplicaObjMetaData2.originating_usn originating_usn Unsigned 64-bit integer
drsuapi.DsReplicaObjMetaData2.version version Unsigned 32-bit integer
drsuapi.DsReplicaObjMetaData2Ctr.array array No value
drsuapi.DsReplicaObjMetaData2Ctr.count count Unsigned 32-bit integer
drsuapi.DsReplicaObjMetaData2Ctr.enumeration_context enumeration_context Signed 32-bit integer
drsuapi.DsReplicaObjMetaDataCtr.array array No value
drsuapi.DsReplicaObjMetaDataCtr.count count Unsigned 32-bit integer
drsuapi.DsReplicaObjMetaDataCtr.reserved reserved Unsigned 32-bit integer
drsuapi.DsReplicaOp.nc_dn nc_dn String
drsuapi.DsReplicaOp.nc_obj_guid nc_obj_guid
drsuapi.DsReplicaOp.operation_start operation_start Date/Time stamp
drsuapi.DsReplicaOp.operation_type operation_type Signed 16-bit integer
drsuapi.DsReplicaOp.options options Unsigned 16-bit integer
drsuapi.DsReplicaOp.priority priority Unsigned 32-bit integer
drsuapi.DsReplicaOp.remote_dsa_address remote_dsa_address String
drsuapi.DsReplicaOp.remote_dsa_obj_dn remote_dsa_obj_dn String
drsuapi.DsReplicaOp.remote_dsa_obj_guid remote_dsa_obj_guid
drsuapi.DsReplicaOp.serial_num serial_num Unsigned 32-bit integer
drsuapi.DsReplicaOpCtr.array array No value
drsuapi.DsReplicaOpCtr.count count Unsigned 32-bit integer
drsuapi.DsReplicaOpCtr.time time Date/Time stamp
drsuapi.DsReplicaSync.bind_handle bind_handle Byte array
drsuapi.DsReplicaSync.level level Signed 32-bit integer
drsuapi.DsReplicaSync.req req Unsigned 32-bit integer
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_ABANDONED DRSUAPI_DS_REPLICA_SYNC_ABANDONED Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_ADD_REFERENCE DRSUAPI_DS_REPLICA_SYNC_ADD_REFERENCE Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_ALL_SOURCES DRSUAPI_DS_REPLICA_SYNC_ALL_SOURCES Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_ASYNCHRONOUS_OPERATION DRSUAPI_DS_REPLICA_SYNC_ASYNCHRONOUS_OPERATION Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_ASYNCHRONOUS_REPLICA DRSUAPI_DS_REPLICA_SYNC_ASYNCHRONOUS_REPLICA Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_CRITICAL DRSUAPI_DS_REPLICA_SYNC_CRITICAL Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_FORCE DRSUAPI_DS_REPLICA_SYNC_FORCE Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_FULL DRSUAPI_DS_REPLICA_SYNC_FULL Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_FULL_IN_PROGRESS DRSUAPI_DS_REPLICA_SYNC_FULL_IN_PROGRESS Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_INITIAL DRSUAPI_DS_REPLICA_SYNC_INITIAL Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_INITIAL_IN_PROGRESS DRSUAPI_DS_REPLICA_SYNC_INITIAL_IN_PROGRESS Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_INTERSITE_MESSAGING DRSUAPI_DS_REPLICA_SYNC_INTERSITE_MESSAGING Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_NEVER_COMPLETED DRSUAPI_DS_REPLICA_SYNC_NEVER_COMPLETED Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_NEVER_NOTIFY DRSUAPI_DS_REPLICA_SYNC_NEVER_NOTIFY Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_NOTIFICATION DRSUAPI_DS_REPLICA_SYNC_NOTIFICATION Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_NO_DISCARD DRSUAPI_DS_REPLICA_SYNC_NO_DISCARD Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_PARTIAL_ATTRIBUTE_SET DRSUAPI_DS_REPLICA_SYNC_PARTIAL_ATTRIBUTE_SET Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_PERIODIC DRSUAPI_DS_REPLICA_SYNC_PERIODIC Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_PREEMPTED DRSUAPI_DS_REPLICA_SYNC_PREEMPTED Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_REQUEUE DRSUAPI_DS_REPLICA_SYNC_REQUEUE Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_TWO_WAY DRSUAPI_DS_REPLICA_SYNC_TWO_WAY Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_URGENT DRSUAPI_DS_REPLICA_SYNC_URGENT Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_USE_COMPRESSION DRSUAPI_DS_REPLICA_SYNC_USE_COMPRESSION Boolean
drsuapi.DsReplicaSyncOptions.DRSUAPI_DS_REPLICA_SYNC_WRITEABLE DRSUAPI_DS_REPLICA_SYNC_WRITEABLE Boolean
drsuapi.DsReplicaSyncRequest.req1 req1 No value
drsuapi.DsReplicaSyncRequest1.guid1 guid1
drsuapi.DsReplicaSyncRequest1.info info No value
drsuapi.DsReplicaSyncRequest1.options options Unsigned 32-bit integer
drsuapi.DsReplicaSyncRequest1.string1 string1 String
drsuapi.DsReplicaSyncRequest1Info.byte_array byte_array Unsigned 8-bit integer
drsuapi.DsReplicaSyncRequest1Info.guid1 guid1
drsuapi.DsReplicaSyncRequest1Info.nc_dn nc_dn String
drsuapi.DsReplicaSyncRequest1Info.str_len str_len Unsigned 32-bit integer
drsuapi.DsReplicaSyncRequest1Info.unknown1 unknown1 Unsigned 32-bit integer
drsuapi.DsReplicaSyncRequest1Info.unknown2 unknown2 Unsigned 32-bit integer
drsuapi.DsReplicaUpdateRefs.bind_handle bind_handle Byte array
drsuapi.DsReplicaUpdateRefs.level level Signed 32-bit integer
drsuapi.DsReplicaUpdateRefs.req req Unsigned 32-bit integer
drsuapi.DsReplicaUpdateRefsOptions.DRSUAPI_DS_REPLICA_UPDATE_0x00000010 DRSUAPI_DS_REPLICA_UPDATE_0x00000010 Boolean
drsuapi.DsReplicaUpdateRefsOptions.DRSUAPI_DS_REPLICA_UPDATE_ADD_REFERENCE DRSUAPI_DS_REPLICA_UPDATE_ADD_REFERENCE Boolean
drsuapi.DsReplicaUpdateRefsOptions.DRSUAPI_DS_REPLICA_UPDATE_ASYNCHRONOUS_OPERATION DRSUAPI_DS_REPLICA_UPDATE_ASYNCHRONOUS_OPERATION Boolean
drsuapi.DsReplicaUpdateRefsOptions.DRSUAPI_DS_REPLICA_UPDATE_DELETE_REFERENCE DRSUAPI_DS_REPLICA_UPDATE_DELETE_REFERENCE Boolean
drsuapi.DsReplicaUpdateRefsOptions.DRSUAPI_DS_REPLICA_UPDATE_WRITEABLE DRSUAPI_DS_REPLICA_UPDATE_WRITEABLE Boolean
drsuapi.DsReplicaUpdateRefsRequest.req1 req1 No value
drsuapi.DsReplicaUpdateRefsRequest1.dest_dsa_dns_name dest_dsa_dns_name String
drsuapi.DsReplicaUpdateRefsRequest1.dest_dsa_guid dest_dsa_guid
drsuapi.DsReplicaUpdateRefsRequest1.options options Unsigned 32-bit integer
drsuapi.DsReplicaUpdateRefsRequest1.sync_req_info1 sync_req_info1 No value
drsuapi.DsReplicaUpdateRefsRequest1.unknown1 unknown1 Unsigned 32-bit integer
drsuapi.DsReplicaUpdateRefsRequest1.unknown2 unknown2 Unsigned 32-bit integer
drsuapi.DsRplicaOpOptions.add add Unsigned 32-bit integer
drsuapi.DsRplicaOpOptions.delete delete Unsigned 32-bit integer
drsuapi.DsRplicaOpOptions.modify modify Unsigned 32-bit integer
drsuapi.DsRplicaOpOptions.sync sync Unsigned 32-bit integer
drsuapi.DsRplicaOpOptions.unknown unknown Unsigned 32-bit integer
drsuapi.DsRplicaOpOptions.update_refs update_refs Unsigned 32-bit integer
drsuapi.DsUnbind.bind_handle bind_handle Byte array
drsuapi.DsWriteAccountSpn.bind_handle bind_handle Byte array
drsuapi.DsWriteAccountSpn.level level Signed 32-bit integer
drsuapi.DsWriteAccountSpn.req req Unsigned 32-bit integer
drsuapi.DsWriteAccountSpn.res res Unsigned 32-bit integer
drsuapi.DsWriteAccountSpnRequest.req1 req1 No value
drsuapi.DsWriteAccountSpnRequest1.count count Unsigned 32-bit integer
drsuapi.DsWriteAccountSpnRequest1.object_dn object_dn String
drsuapi.DsWriteAccountSpnRequest1.operation operation Signed 32-bit integer
drsuapi.DsWriteAccountSpnRequest1.spn_names spn_names No value
drsuapi.DsWriteAccountSpnRequest1.unknown1 unknown1 Unsigned 32-bit integer
drsuapi.DsWriteAccountSpnResult.res1 res1 No value
drsuapi.DsWriteAccountSpnResult1.status status Unsigned 32-bit integer
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_00000080 DRSUAPI_SUPPORTED_EXTENSION_00000080 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_00100000 DRSUAPI_SUPPORTED_EXTENSION_00100000 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_20000000 DRSUAPI_SUPPORTED_EXTENSION_20000000 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_40000000 DRSUAPI_SUPPORTED_EXTENSION_40000000 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_80000000 DRSUAPI_SUPPORTED_EXTENSION_80000000 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_ADDENTRYREPLY_V3 DRSUAPI_SUPPORTED_EXTENSION_ADDENTRYREPLY_V3 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_ADDENTRY_V2 DRSUAPI_SUPPORTED_EXTENSION_ADDENTRY_V2 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_ADD_SID_HISTORY DRSUAPI_SUPPORTED_EXTENSION_ADD_SID_HISTORY Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_ASYNC_REPLICATION DRSUAPI_SUPPORTED_EXTENSION_ASYNC_REPLICATION Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_BASE DRSUAPI_SUPPORTED_EXTENSION_BASE Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_CRYPTO_BIND DRSUAPI_SUPPORTED_EXTENSION_CRYPTO_BIND Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_DCINFO_V01 DRSUAPI_SUPPORTED_EXTENSION_DCINFO_V01 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_DCINFO_V1 DRSUAPI_SUPPORTED_EXTENSION_DCINFO_V1 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_DCINFO_V2 DRSUAPI_SUPPORTED_EXTENSION_DCINFO_V2 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_GETCHGREPLY_V5 DRSUAPI_SUPPORTED_EXTENSION_GETCHGREPLY_V5 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_GETCHGREPLY_V6 DRSUAPI_SUPPORTED_EXTENSION_GETCHGREPLY_V6 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_GETCHGREPLY_V7 DRSUAPI_SUPPORTED_EXTENSION_GETCHGREPLY_V7 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_GETCHGREQ_V6 DRSUAPI_SUPPORTED_EXTENSION_GETCHGREQ_V6 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_GETCHGREQ_V8 DRSUAPI_SUPPORTED_EXTENSION_GETCHGREQ_V8 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_GETCHG_COMPRESS DRSUAPI_SUPPORTED_EXTENSION_GETCHG_COMPRESS Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_GET_MEMBERSHIPS2 DRSUAPI_SUPPORTED_EXTENSION_GET_MEMBERSHIPS2 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_GET_REPL_INFO DRSUAPI_SUPPORTED_EXTENSION_GET_REPL_INFO Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_INSTANCE_TYPE_NOT_REQ_ON_MOD DRSUAPI_SUPPORTED_EXTENSION_INSTANCE_TYPE_NOT_REQ_ON_MOD Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_KCC_EXECUTE DRSUAPI_SUPPORTED_EXTENSION_KCC_EXECUTE Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_LINKED_VALUE_REPLICATION DRSUAPI_SUPPORTED_EXTENSION_LINKED_VALUE_REPLICATION Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_MOVEREQ_V2 DRSUAPI_SUPPORTED_EXTENSION_MOVEREQ_V2 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_NONDOMAIN_NCS DRSUAPI_SUPPORTED_EXTENSION_NONDOMAIN_NCS Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_POST_BETA3 DRSUAPI_SUPPORTED_EXTENSION_POST_BETA3 Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_REMOVEAPI DRSUAPI_SUPPORTED_EXTENSION_REMOVEAPI Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_RESTORE_USN_OPTIMIZATION DRSUAPI_SUPPORTED_EXTENSION_RESTORE_USN_OPTIMIZATION Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_STRONG_ENCRYPTION DRSUAPI_SUPPORTED_EXTENSION_STRONG_ENCRYPTION Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_TRANSITIVE_MEMBERSHIP DRSUAPI_SUPPORTED_EXTENSION_TRANSITIVE_MEMBERSHIP Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_VERIFY_OBJECT DRSUAPI_SUPPORTED_EXTENSION_VERIFY_OBJECT Boolean
drsuapi.SupportedExtensions.DRSUAPI_SUPPORTED_EXTENSION_XPRESS_COMPRESS DRSUAPI_SUPPORTED_EXTENSION_XPRESS_COMPRESS Boolean
drsuapi.opnum Operation Unsigned 16-bit integer
drsuapi.rc Return code Unsigned 32-bit integer
dsi.attn_flag Flags Unsigned 16-bit integer Server attention flag
dsi.attn_flag.crash Crash Boolean Attention flag, server crash bit
dsi.attn_flag.msg Message Boolean Attention flag, server message bit
dsi.attn_flag.reconnect Don't reconnect Boolean Attention flag, don't reconnect bit
dsi.attn_flag.shutdown Shutdown Boolean Attention flag, server is shutting down
dsi.attn_flag.time Minutes Unsigned 16-bit integer Number of minutes
dsi.command Command Unsigned 8-bit integer Represents a DSI command.
dsi.data_offset Data offset Signed 32-bit integer Data offset
dsi.error_code Error code Signed 32-bit integer Error code
dsi.flags Flags Unsigned 8-bit integer Indicates request or reply.
dsi.length Length Unsigned 32-bit integer Total length of the data that follows the DSI header.
dsi.open_len Length Unsigned 8-bit integer Open session option len
dsi.open_option Option Byte array Open session options (undecoded)
dsi.open_quantum Quantum Unsigned 32-bit integer Server/Attention quantum
dsi.open_type Flags Unsigned 8-bit integer Open session option type.
dsi.requestid Request ID Unsigned 16-bit integer Keeps track of which request this is. Replies must match a Request. IDs must be generated in sequential order.
dsi.reserved Reserved Unsigned 32-bit integer Reserved for future use. Should be set to zero.
dsi.server_addr.len Length Unsigned 8-bit integer Address length.
dsi.server_addr.type Type Unsigned 8-bit integer Address type.
dsi.server_addr.value Value Byte array Address value
dsi.server_directory Directory service String Server directory service
dsi.server_flag Flag Unsigned 16-bit integer Server capabilities flag
dsi.server_flag.copyfile Support copyfile Boolean Server support copyfile
dsi.server_flag.directory Support directory services Boolean Server support directory services
dsi.server_flag.fast_copy Support fast copy Boolean Server support fast copy
dsi.server_flag.no_save_passwd Don't allow save password Boolean Don't allow save password
dsi.server_flag.notify Support server notifications Boolean Server support notifications
dsi.server_flag.passwd Support change password Boolean Server support change password
dsi.server_flag.reconnect Support server reconnect Boolean Server support reconnect
dsi.server_flag.srv_msg Support server message Boolean Support server message
dsi.server_flag.srv_sig Support server signature Boolean Support server signature
dsi.server_flag.tcpip Support TCP/IP Boolean Server support TCP/IP
dsi.server_flag.utf8_name Support UTF8 server name Boolean Server support UTF8 server name
dsi.server_flag.uuids Support UUIDs Boolean Server supports UUIDs
dsi.server_icon Icon bitmap Byte array Server icon bitmap
dsi.server_name Server name String Server name
dsi.server_signature Server signature Byte array Server signature
dsi.server_type Server type String Server type
dsi.server_uams UAM String UAM
dsi.server_vers AFP version String AFP version
dsi.utf8_server_name UTF8 Server name String UTF8 Server name
dsi.utf8_server_name_len Length Unsigned 16-bit integer UTF8 server name length.
dcp.ack Acknowledgement Number Unsigned 64-bit integer
dcp.ack_res Reserved Unsigned 16-bit integer
dcp.ccval CCVal Unsigned 8-bit integer
dcp.checksum Checksum Unsigned 16-bit integer
dcp.checksum_bad Bad Checksum Boolean
dcp.checksum_data Data Checksum Unsigned 32-bit integer
dcp.cscov Checksum Coverage Unsigned 8-bit integer
dcp.data1 Data 1 Unsigned 8-bit integer
dcp.data2 Data 2 Unsigned 8-bit integer
dcp.data3 Data 3 Unsigned 8-bit integer
dcp.data_offset Data Offset Unsigned 8-bit integer
dcp.dstport Destination Port Unsigned 16-bit integer
dcp.elapsed_time Elapsed Time Unsigned 32-bit integer
dcp.feature_number Feature Number Unsigned 8-bit integer
dcp.ndp_count NDP Count Unsigned 32-bit integer
dcp.option_type Option Type Unsigned 8-bit integer
dcp.options Options No value DCP Options fields
dcp.port Source or Destination Port Unsigned 16-bit integer
dcp.res1 Reserved Unsigned 8-bit integer
dcp.res2 Reserved Unsigned 8-bit integer
dcp.reset_code Reset Code Unsigned 8-bit integer
dcp.seq Sequence Number Unsigned 64-bit integer
dcp.service_code Service Code Unsigned 32-bit integer
dcp.srcport Source Port Unsigned 16-bit integer
dcp.timestamp Timestamp Unsigned 32-bit integer
dcp.timestamp_echo Timestamp Echo Unsigned 32-bit integer
dcp.type Type Unsigned 8-bit integer
dcp.x Extended Sequence Numbers Boolean
ddp.checksum Checksum Unsigned 16-bit integer
ddp.dst Destination address String
ddp.dst.net Destination Net Unsigned 16-bit integer
ddp.dst.node Destination Node Unsigned 8-bit integer
ddp.dst_socket Destination Socket Unsigned 8-bit integer
ddp.hopcount Hop count Unsigned 8-bit integer
ddp.len Datagram length Unsigned 16-bit integer
ddp.src Source address String
ddp.src.net Source Net Unsigned 16-bit integer
ddp.src.node Source Node Unsigned 8-bit integer
ddp.src_socket Source Socket Unsigned 8-bit integer
ddp.type Protocol type Unsigned 8-bit integer
dtls.alert_message Alert Message No value Alert message
dtls.alert_message.desc Description Unsigned 8-bit integer Alert message description
dtls.alert_message.level Level Unsigned 8-bit integer Alert message level
dtls.app_data Encrypted Application Data Byte array Payload is encrypted application data
dtls.change_cipher_spec Change Cipher Spec Message No value Signals a change in cipher specifications
dtls.handshake Handshake Protocol No value Handshake protocol message
dtls.handshake.cert_type Certificate type Unsigned 8-bit integer Certificate type
dtls.handshake.cert_types Certificate types No value List of certificate types
dtls.handshake.cert_types_count Certificate types count Unsigned 8-bit integer Count of certificate types
dtls.handshake.certificate Certificate Byte array Certificate
dtls.handshake.certificate_length Certificate Length Unsigned 24-bit integer Length of certificate
dtls.handshake.certificates Certificates No value List of certificates
dtls.handshake.certificates_length Certificates Length Unsigned 24-bit integer Length of certificates field
dtls.handshake.cipher_suites_length Cipher Suites Length Unsigned 16-bit integer Length of cipher suites field
dtls.handshake.ciphersuite Cipher Suite Unsigned 16-bit integer Cipher suite
dtls.handshake.ciphersuites Cipher Suites No value List of cipher suites supported by client
dtls.handshake.comp_method Compression Method Unsigned 8-bit integer Compression Method
dtls.handshake.comp_methods Compression Methods No value List of compression methods supported by client
dtls.handshake.comp_methods_length Compression Methods Length Unsigned 8-bit integer Length of compression methods field
dtls.handshake.cookie Cookie No value Cookie
dtls.handshake.cookie_length Cookie Length Unsigned 8-bit integer Length of the cookie field
dtls.handshake.dname Distinguished Name Byte array Distinguished name of a CA that server trusts
dtls.handshake.dname_len Distinguished Name Length Unsigned 16-bit integer Length of distinguished name
dtls.handshake.dnames Distinguished Names No value List of CAs that server trusts
dtls.handshake.dnames_len Distinguished Names Length Unsigned 16-bit integer Length of list of CAs that server trusts
dtls.handshake.extension.data Data Byte array Hello Extension data
dtls.handshake.extension.len Length Unsigned 16-bit integer Length of a hello extension
dtls.handshake.extension.type Type Unsigned 16-bit integer Hello extension type
dtls.handshake.extensions_length Extensions Length Unsigned 16-bit integer Length of hello extensions
dtls.handshake.fragment_length Fragment Length Unsigned 24-bit integer Fragment length of handshake message
dtls.handshake.fragment_offset Fragment Offset Unsigned 24-bit integer Fragment offset of handshake message
dtls.handshake.length Length Unsigned 24-bit integer Length of handshake message
dtls.handshake.md5_hash MD5 Hash No value Hash of messages, master_secret, etc.
dtls.handshake.message_seq Message Sequence Unsigned 16-bit integer Message sequence of handshake message
dtls.handshake.random Random.bytes No value Random challenge used to authenticate server
dtls.handshake.random_time Random.gmt_unix_time Date/Time stamp Unix time field of random structure
dtls.handshake.session_id Session ID Byte array Identifies the DTLS session, allowing later resumption
dtls.handshake.session_id_length Session ID Length Unsigned 8-bit integer Length of session ID field
dtls.handshake.sha_hash SHA-1 Hash No value Hash of messages, master_secret, etc.
dtls.handshake.type Handshake Type Unsigned 8-bit integer Type of handshake message
dtls.handshake.verify_data Verify Data No value Opaque verification data
dtls.handshake.version Version Unsigned 16-bit integer Maximum version supported by client
dtls.record Record Layer No value Record layer
dtls.record.content_type Content Type Unsigned 8-bit integer Content type
dtls.record.epoch Epoch Unsigned 16-bit integer Epoch
dtls.record.length Length Unsigned 16-bit integer Length of DTLS record data
dtls.record.sequence_number Sequence Number Double-precision floating point Sequence Number
dtls.record.version Version Unsigned 16-bit integer Record layer version.
daytime.string Daytime String String containing time and date
diameter.applicationId ApplicationId Unsigned 32-bit integer
diameter.avp.code AVP Code Unsigned 32-bit integer
diameter.avp.data.addrfamily Address Family Unsigned 16-bit integer
diameter.avp.data.bytes Value Byte array
diameter.avp.data.int32 Value Signed 32-bit integer
diameter.avp.data.int64 Value Signed 64-bit integer
diameter.avp.data.string Value String
diameter.avp.data.time Time Date/Time stamp
diameter.avp.data.uint32 Value Unsigned 32-bit integer
diameter.avp.data.uint64 Value Unsigned 64-bit integer
diameter.avp.data.v4addr IPv4 Address IPv4 address
diameter.avp.data.v6addr IPv6 Address IPv6 address
diameter.avp.diameter_uri Diameter URI String
diameter.avp.flags AVP Flags Unsigned 8-bit integer
diameter.avp.flags.protected Protected Boolean
diameter.avp.flags.reserved3 Reserved Boolean
diameter.avp.flags.reserved4 Reserved Boolean
diameter.avp.flags.reserved5 Reserved Boolean
diameter.avp.flags.reserved6 Reserved Boolean
diameter.avp.flags.reserved7 Reserved Boolean
diameter.avp.length AVP Length Unsigned 24-bit integer
diameter.avp.private_id Private ID String
diameter.avp.public_id Public ID String
diameter.avp.session_id Session ID String
diameter.avp.vendorId AVP Vendor Id Unsigned 32-bit integer
diameter.code Command Code Unsigned 24-bit integer
diameter.endtoendid End-to-End Identifier Unsigned 32-bit integer
diameter.flags Flags Unsigned 8-bit integer
diameter.flags.T T(Potentially re-transmitted message) Boolean
diameter.flags.error Error Boolean
diameter.flags.mandatory Mandatory Boolean
diameter.flags.proxyable Proxyable Boolean
diameter.flags.request Request Boolean
diameter.flags.reserved4 Reserved Boolean
diameter.flags.reserved5 Reserved Boolean
diameter.flags.reserved6 Reserved Boolean
diameter.flags.reserved7 Reserved Boolean
diameter.flags.vendorspecific Vendor-Specific Boolean
diameter.hopbyhopid Hop-by-Hop Identifier Unsigned 32-bit integer
diameter.length Length Unsigned 24-bit integer
diameter.vendorId VendorId Unsigned 32-bit integer
diameter.version Version Unsigned 8-bit integer
daap.name Name String Tag Name
daap.size Size Unsigned 32-bit integer Tag Size
dvmrp.afi Address Family Unsigned 8-bit integer DVMRP Address Family Indicator
dvmrp.cap.genid Genid Boolean Genid capability
dvmrp.cap.leaf Leaf Boolean Leaf
dvmrp.cap.mtrace Mtrace Boolean Mtrace capability
dvmrp.cap.netmask Netmask Boolean Netmask capability
dvmrp.cap.prune Prune Boolean Prune capability
dvmrp.cap.snmp SNMP Boolean SNMP capability
dvmrp.capabilities Capabilities No value DVMRP V3 Capabilities
dvmrp.checksum Checksum Unsigned 16-bit integer DVMRP Checksum
dvmrp.checksum_bad Bad Checksum Boolean Bad DVMRP Checksum
dvmrp.command Command Unsigned 8-bit integer DVMRP V1 Command
dvmrp.commands Commands No value DVMRP V1 Commands
dvmrp.count Count Unsigned 8-bit integer Count
dvmrp.dest_unreach Destination Unreachable Boolean Destination Unreachable
dvmrp.flag.disabled Disabled Boolean Administrative status down
dvmrp.flag.down Down Boolean Operational status down
dvmrp.flag.leaf Leaf Boolean No downstream neighbors on interface
dvmrp.flag.querier Querier Boolean Querier for interface
dvmrp.flag.srcroute Source Route Boolean Tunnel uses IP source routing
dvmrp.flag.tunnel Tunnel Boolean Neighbor reached via tunnel
dvmrp.flags Flags No value DVMRP Interface Flags
dvmrp.genid Generation ID Unsigned 32-bit integer DVMRP Generation ID
dvmrp.hold Hold Time Unsigned 32-bit integer DVMRP Hold Time in seconds
dvmrp.infinity Infinity Unsigned 8-bit integer DVMRP Infinity
dvmrp.lifetime Prune lifetime Unsigned 32-bit integer DVMRP Prune Lifetime
dvmrp.local Local Addr IPv4 address DVMRP Local Address
dvmrp.maj_ver Major Version Unsigned 8-bit integer DVMRP Major Version
dvmrp.metric Metric Unsigned 8-bit integer DVMRP Metric
dvmrp.min_ver Minor Version Unsigned 8-bit integer DVMRP Minor Version
dvmrp.ncount Neighbor Count Unsigned 8-bit integer DVMRP Neighbor Count
dvmrp.route Route No value DVMRP V3 Route Report
dvmrp.split_horiz Split Horizon Boolean Split Horizon concealed route
dvmrp.threshold Threshold Unsigned 8-bit integer DVMRP Interface Threshold
dvmrp.type Type Unsigned 8-bit integer DVMRP Packet Type
dvmrp.v1.code Code Unsigned 8-bit integer DVMRP Packet Code
dvmrp.v3.code Code Unsigned 8-bit integer DVMRP Packet Code
dvmrp.version DVMRP Version Unsigned 8-bit integer DVMRP Version
igmp.daddr Dest Addr IPv4 address DVMRP Destination Address
igmp.maddr Multicast Addr IPv4 address DVMRP Multicast Address
igmp.neighbor Neighbor Addr IPv4 address DVMRP Neighbor Address
igmp.netmask Netmask IPv4 address DVMRP Netmask
igmp.saddr Source Addr IPv4 address DVMRP Source Address
distcc.argc ARGC Unsigned 32-bit integer Number of arguments
distcc.argv ARGV String ARGV argument
distcc.doti_source Source String DOTI Preprocessed Source File (.i)
distcc.doto_object Object Byte array DOTO Compiled object file (.o)
distcc.serr SERR String STDERR output
distcc.sout SOUT String STDOUT output
distcc.status Status Unsigned 32-bit integer Unix wait status for command completion
distcc.version DISTCC Version Unsigned 32-bit integer DISTCC Version
dccp.adminop Admin Op Unsigned 8-bit integer Admin Op
dccp.adminval Admin Value Unsigned 32-bit integer Admin Value
dccp.brand Server Brand String Server Brand
dccp.checksum.length Length Unsigned 8-bit integer Checksum Length
dccp.checksum.sum Sum Byte array Checksum
dccp.checksum.type Type Unsigned 8-bit integer Checksum Type
dccp.clientid Client ID Unsigned 32-bit integer Client ID
dccp.date Date Date/Time stamp Date
dccp.floodop Flood Control Operation Unsigned 32-bit integer Flood Control Operation
dccp.len Packet Length Unsigned 16-bit integer Packet Length
dccp.max_pkt_vers Maximum Packet Version Unsigned 8-bit integer Maximum Packet Version
dccp.op Operation Type Unsigned 8-bit integer Operation Type
dccp.opnums.host Host Unsigned 32-bit integer Host
dccp.opnums.pid Process ID Unsigned 32-bit integer Process ID
dccp.opnums.report Report Unsigned 32-bit integer Report
dccp.opnums.retrans Retransmission Unsigned 32-bit integer Retransmission
dccp.pkt_vers Packet Version Unsigned 16-bit integer Packet Version
dccp.qdelay_ms Client Delay Unsigned 16-bit integer Client Delay
dccp.signature Signature Byte array Signature
dccp.target Target Unsigned 32-bit integer Target
dccp.trace Trace Bits Unsigned 32-bit integer Trace Bits
dccp.trace.admin Admin Requests Boolean Admin Requests
dccp.trace.anon Anonymous Requests Boolean Anonymous Requests
dccp.trace.client Authenticated Client Requests Boolean Authenticated Client Requests
dccp.trace.flood Input/Output Flooding Boolean Input/Output Flooding
dccp.trace.query Queries and Reports Boolean Queries and Reports
dccp.trace.ridc RID Cache Messages Boolean RID Cache Messages
dccp.trace.rlim Rate-Limited Requests Boolean Rate-Limited Requests
al.fragment DNP 3.0 AL Fragment Frame number DNP 3.0 Application Layer Fragment
al.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
al.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
al.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
al.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
al.fragment.reassembled_in Reassembled PDU In Frame Frame number This PDU is reassembled in this frame
al.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
al.fragments DNP 3.0 AL Fragments No value DNP 3.0 Application Layer Fragments
dnp.hdr.CRC CRC Unsigned 16-bit integer
dnp.hdr.CRC_bad Bad CRC Boolean
dnp3.al.aiq.b0 Online Boolean
dnp3.al.aiq.b1 Restart Boolean
dnp3.al.aiq.b2 Comm Fail Boolean
dnp3.al.aiq.b3 Remote Force Boolean
dnp3.al.aiq.b4 Local Force Boolean
dnp3.al.aiq.b5 Over-Range Boolean
dnp3.al.aiq.b6 Reference Check Boolean
dnp3.al.aiq.b7 Reserved Boolean
dnp3.al.aoq.b0 Online Boolean
dnp3.al.aoq.b1 Restart Boolean
dnp3.al.aoq.b2 Comm Fail Boolean
dnp3.al.aoq.b3 Remote Force Boolean
dnp3.al.aoq.b4 Reserved Boolean
dnp3.al.aoq.b5 Reserved Boolean
dnp3.al.aoq.b6 Reserved Boolean
dnp3.al.aoq.b7 Reserved Boolean
dnp3.al.biq.b0 Online Boolean
dnp3.al.biq.b1 Restart Boolean
dnp3.al.biq.b2 Comm Fail Boolean
dnp3.al.biq.b3 Remote Force Boolean
dnp3.al.biq.b4 Local Force Boolean
dnp3.al.biq.b5 Chatter Filter Boolean
dnp3.al.biq.b6 Reserved Boolean
dnp3.al.biq.b7 Point Value Boolean
dnp3.al.boq.b0 Online Boolean
dnp3.al.boq.b1 Restart Boolean
dnp3.al.boq.b2 Comm Fail Boolean
dnp3.al.boq.b3 Remote Force Boolean
dnp3.al.boq.b4 Local Force Boolean
dnp3.al.boq.b5 Reserved Boolean
dnp3.al.boq.b6 Reserved Boolean
dnp3.al.boq.b7 Point Value Boolean
dnp3.al.con Confirm Boolean
dnp3.al.ctl Application Control Unsigned 8-bit integer Application Layer Control Byte
dnp3.al.ctrq.b0 Online Boolean
dnp3.al.ctrq.b1 Restart Boolean
dnp3.al.ctrq.b2 Comm Fail Boolean
dnp3.al.ctrq.b3 Remote Force Boolean
dnp3.al.ctrq.b4 Local Force Boolean
dnp3.al.ctrq.b5 Roll-Over Boolean
dnp3.al.ctrq.b6 Reserved Boolean
dnp3.al.ctrq.b7 Reserved Boolean
dnp3.al.fin Final Boolean
dnp3.al.fir First Boolean
dnp3.al.func Application Layer Function Code Unsigned 8-bit integer Application Function Code
dnp3.al.iin Application Layer IIN bits Unsigned 16-bit integer Application Layer IIN
dnp3.al.iin.bmsg Broadcast Msg Rx Boolean
dnp3.al.iin.cc Configuration Corrupt Boolean
dnp3.al.iin.cls1d Class 1 Data Available Boolean
dnp3.al.iin.cls2d Class 2 Data Available Boolean
dnp3.al.iin.cls3d Class 3 Data Available Boolean
dnp3.al.iin.dol Digital Outputs in Local Boolean
dnp3.al.iin.dt Device Trouble Boolean
dnp3.al.iin.ebo Event Buffer Overflow Boolean
dnp3.al.iin.oae Operation Already Executing Boolean
dnp3.al.iin.obju Requested Objects Unknown Boolean
dnp3.al.iin.pioor Parameters Invalid or Out of Range Boolean
dnp3.al.iin.rst Device Restart Boolean
dnp3.al.iin.tsr Time Sync Required Boolean
dnp3.al.obj Object Unsigned 16-bit integer Application Layer Object
dnp3.al.objq.code Qualifier Code Unsigned 8-bit integer Object Qualifier Code
dnp3.al.objq.index Index Prefix Unsigned 8-bit integer Object Index Prefixing
dnp3.al.ptnum Object Point Number Unsigned 16-bit integer Object Point Number
dnp3.al.range.abs16 Address Unsigned 16-bit integer Object Absolute Address
dnp3.al.range.abs32 Address Unsigned 32-bit integer Object Absolute Address
dnp3.al.range.abs8 Address Unsigned 8-bit integer Object Absolute Address
dnp3.al.range.quant16 Quantity Unsigned 16-bit integer Object Quantity
dnp3.al.range.quant32 Quantity Unsigned 32-bit integer Object Quantity
dnp3.al.range.quant8 Quantity Unsigned 8-bit integer Object Quantity
dnp3.al.range.start16 Start Unsigned 16-bit integer Object Start Index
dnp3.al.range.start32 Start Unsigned 32-bit integer Object Start Index
dnp3.al.range.start8 Start Unsigned 8-bit integer Object Start Index
dnp3.al.range.stop16 Stop Unsigned 16-bit integer Object Stop Index
dnp3.al.range.stop32 Stop Unsigned 32-bit integer Object Stop Index
dnp3.al.range.stop8 Stop Unsigned 8-bit integer Object Stop Index
dnp3.al.seq Sequence Unsigned 8-bit integer Frame Sequence Number
dnp3.ctl Control Unsigned 8-bit integer Frame Control Byte
dnp3.ctl.dfc Data Flow Control Boolean
dnp3.ctl.dir Direction Boolean
dnp3.ctl.fcb Frame Count Bit Boolean
dnp3.ctl.fcv Frame Count Valid Boolean
dnp3.ctl.prifunc Control Function Code Unsigned 8-bit integer Frame Control Function Code
dnp3.ctl.prm Primary Boolean
dnp3.ctl.secfunc Control Function Code Unsigned 8-bit integer Frame Control Function Code
dnp3.dst Destination Unsigned 16-bit integer Destination Address
dnp3.len Length Unsigned 8-bit integer Frame Data Length
dnp3.src Source Unsigned 16-bit integer Source Address
dnp3.start Start Bytes Unsigned 16-bit integer Start Bytes
dnp3.tr.ctl Transport Control Unsigned 8-bit integer Tranport Layer Control Byte
dnp3.tr.fin Final Boolean
dnp3.tr.fir First Boolean
dnp3.tr.seq Sequence Unsigned 8-bit integer Frame Sequence Number
dns.count.add_rr Additional RRs Unsigned 16-bit integer Number of additional records in packet
dns.count.answers Answer RRs Unsigned 16-bit integer Number of answers in packet
dns.count.auth_rr Authority RRs Unsigned 16-bit integer Number of authoritative records in packet
dns.count.prerequisites Prerequisites Unsigned 16-bit integer Number of prerequisites in packet
dns.count.queries Questions Unsigned 16-bit integer Number of queries in packet
dns.count.updates Updates Unsigned 16-bit integer Number of updates records in packet
dns.count.zones Zones Unsigned 16-bit integer Number of zones in packet
dns.flags Flags Unsigned 16-bit integer
dns.flags.authenticated Answer authenticated Boolean Was the reply data authenticated by the server?
dns.flags.authoritative Authoritative Boolean Is the server is an authority for the domain?
dns.flags.checkdisable Non-authenticated data OK Boolean Is non-authenticated data acceptable?
dns.flags.opcode Opcode Unsigned 16-bit integer Operation code
dns.flags.rcode Reply code Unsigned 16-bit integer Reply code
dns.flags.recavail Recursion available Boolean Can the server do recursive queries?
dns.flags.recdesired Recursion desired Boolean Do query recursively?
dns.flags.response Response Boolean Is the message a response?
dns.flags.truncated Truncated Boolean Is the message truncated?
dns.flags.z Z Boolean Z flag
dns.id Transaction ID Unsigned 16-bit integer Identification of transaction
dns.length Length Unsigned 16-bit integer Length of DNS-over-TCP request or response
dns.qry.class Class Unsigned 16-bit integer Query Class
dns.qry.name Name String Query Name
dns.qry.type Type Unsigned 16-bit integer Query Type
dns.resp.class Class Unsigned 16-bit integer Response Class
dns.resp.len Data length Unsigned 32-bit integer Response Length
dns.resp.name Name String Response Name
dns.resp.ttl Time to live Unsigned 32-bit integer Response TTL
dns.resp.type Type Unsigned 16-bit integer Response Type
dns.tsig.algorithm_name Algorithm Name String Name of algorithm used for the MAC
dns.tsig.error Error Unsigned 16-bit integer Expanded RCODE for TSIG
dns.tsig.fudge Fudge Unsigned 16-bit integer Number of bytes for the MAC
dns.tsig.mac MAC No value MAC
dns.tsig.mac_size MAC Size Unsigned 16-bit integer Number of bytes for the MAC
dns.tsig.original_id Original Id Unsigned 16-bit integer Original Id
dns.tsig.other_data Other Data Byte array Other Data
dns.tsig.other_len Other Len Unsigned 16-bit integer Number of bytes for Other Data
ddtp.encrypt Encryption Unsigned 32-bit integer Encryption type
ddtp.hostid Hostid Unsigned 32-bit integer Host ID
ddtp.ipaddr IP address IPv4 address IP address
ddtp.msgtype Message type Unsigned 32-bit integer Message Type
ddtp.opcode Opcode Unsigned 32-bit integer Update query opcode
ddtp.status Status Unsigned 32-bit integer Update reply status
ddtp.version Version Unsigned 32-bit integer Version
dtp.tlv_len Length Unsigned 16-bit integer
dtp.tlv_type Type Unsigned 16-bit integer
dtp.version Version Unsigned 8-bit integer
vtp.neighbor Neighbor 6-byte Hardware (MAC) Address MAC Address of neighbor
echo.data Echo data Byte array Echo data
echo.request Echo request Boolean Echo data
echo.response Echo response Boolean Echo data
esp.pad_len Pad Length Unsigned 8-bit integer
esp.protocol Next Header Unsigned 8-bit integer
esp.sequence Sequence Unsigned 32-bit integer
esp.spi SPI Unsigned 32-bit integer
enrp.cause_code Cause code Unsigned 16-bit integer
enrp.cause_info Cause info Byte array
enrp.cause_length Cause length Unsigned 16-bit integer
enrp.cause_padding Padding Byte array
enrp.cookie Cookie Byte array
enrp.ipv4_address IP Version 4 address IPv4 address
enrp.ipv6_address IP Version 6 address IPv6 address
enrp.m_bit M bit Boolean
enrp.message_flags Flags Unsigned 8-bit integer
enrp.message_length Length Unsigned 16-bit integer
enrp.message_type Type Unsigned 8-bit integer
enrp.message_value Value Byte array
enrp.parameter_length Parameter length Unsigned 16-bit integer
enrp.parameter_padding Padding Byte array
enrp.parameter_type Parameter Type Unsigned 16-bit integer
enrp.parameter_value Parameter value Byte array
enrp.pe_checksum PE checksum Unsigned 16-bit integer
enrp.pe_checksum_reserved Reserved Unsigned 16-bit integer
enrp.pe_identifier PE identifier Unsigned 32-bit integer
enrp.pool_element_home_enrp_server_identifier Home ENRP server identifier Unsigned 32-bit integer
enrp.pool_element_pe_identifier PE identifier Unsigned 32-bit integer
enrp.pool_element_registration_life Registration life Signed 32-bit integer
enrp.pool_handle_pool_handle Pool handle Byte array
enrp.pool_member_slection_policy_type Policy type Unsigned 8-bit integer
enrp.pool_member_slection_policy_value Policy value Signed 24-bit integer
enrp.r_bit R bit Boolean
enrp.receiver_servers_id Receiver server's ID Unsigned 32-bit integer
enrp.reserved Reserved Unsigned 16-bit integer
enrp.sctp_transport_port Port Unsigned 16-bit integer
enrp.sender_servers_id Sender server's ID Unsigned 32-bit integer
enrp.server_information_m_bit M-Bit Boolean
enrp.server_information_reserved Reserved Unsigned 32-bit integer
enrp.server_information_server_identifier Server identifier Unsigned 32-bit integer
enrp.target_servers_id Target server's ID Unsigned 32-bit integer
enrp.tcp_transport_port Port Unsigned 16-bit integer
enrp.transport_use Transport use Unsigned 16-bit integer
enrp.udp_transport_port Port Unsigned 16-bit integer
enrp.udp_transport_reserved Reserved Unsigned 16-bit integer
enrp.update_action Update action Unsigned 16-bit integer
enrp.w_bit W bit Boolean
eigrp.as Autonomous System Unsigned 16-bit integer Autonomous System number
eigrp.opcode Opcode Unsigned 8-bit integer Opcode number
eigrp.tlv Entry Unsigned 16-bit integer Type/Length/Value
enip.command Command Unsigned 16-bit integer Encapsulation command
enip.context Sender Context Byte array Information pertient to the sender
enip.cpf.sai.connid Connection ID Unsigned 32-bit integer Common Packet Format: Sequenced Address Item, Connection Identifier
enip.cpf.sai.seq Sequence Number Unsigned 32-bit integer Common Packet Format: Sequenced Address Item, Sequence Number
enip.cpf.typeid Type ID Unsigned 16-bit integer Common Packet Format: Type of encapsulated item
enip.lir.devtype Device Type Unsigned 16-bit integer ListIdentity Reply: Device Type
enip.lir.name Product Name String ListIdentity Reply: Product Name
enip.lir.prodcode Product Code Unsigned 16-bit integer ListIdentity Reply: Product Code
enip.lir.sa.sinaddr sin_addr IPv4 address ListIdentity Reply: Socket Address.Sin Addr
enip.lir.sa.sinfamily sin_family Unsigned 16-bit integer ListIdentity Reply: Socket Address.Sin Family
enip.lir.sa.sinport sin_port Unsigned 16-bit integer ListIdentity Reply: Socket Address.Sin Port
enip.lir.sa.sinzero sin_zero Byte array ListIdentity Reply: Socket Address.Sin Zero
enip.lir.serial Serial Number Unsigned 32-bit integer ListIdentity Reply: Serial Number
enip.lir.state State Unsigned 8-bit integer ListIdentity Reply: State
enip.lir.status Status Unsigned 16-bit integer ListIdentity Reply: Status
enip.lir.vendor Vendor ID Unsigned 16-bit integer ListIdentity Reply: Vendor ID
enip.lsr.capaflags.tcp Supports CIP Encapsulation via TCP Unsigned 16-bit integer ListServices Reply: Supports CIP Encapsulation via TCP
enip.lsr.capaflags.udp Supports CIP Class 0 or 1 via UDP Unsigned 16-bit integer ListServices Reply: Supports CIP Class 0 or 1 via UDP
enip.options Options Unsigned 32-bit integer Options flags
enip.session Session Handle Unsigned 32-bit integer Session identification
enip.srrd.iface Interface Handle Unsigned 32-bit integer SendRRData: Interface handle
enip.status Status Unsigned 32-bit integer Status code
enip.sud.iface Interface Handle Unsigned 32-bit integer SendUnitData: Interface handle
etheric.address_presentation_restricted_indicator Address presentation restricted indicator Unsigned 8-bit integer
etheric.called_party_even_address_signal_digit Address signal digit Unsigned 8-bit integer
etheric.called_party_nature_of_address_indicator Nature of address indicator Unsigned 8-bit integer
etheric.called_party_odd_address_signal_digit Address signal digit Unsigned 8-bit integer
etheric.calling_party_even_address_signal_digit Address signal digit Unsigned 8-bit integer
etheric.calling_party_nature_of_address_indicator Nature of address indicator Unsigned 8-bit integer
etheric.calling_party_odd_address_signal_digit Address signal digit Unsigned 8-bit integer
etheric.calling_partys_category Calling Party's category Unsigned 8-bit integer
etheric.cause_indicator Cause indicator Unsigned 8-bit integer
etheric.cic CIC Unsigned 16-bit integer Etheric CIC
etheric.event_ind Event indicator Unsigned 8-bit integer
etheric.event_presentatiation_restr_ind Event presentation restricted indicator Boolean
etheric.forw_call_isdn_access_indicator ISDN access indicator Boolean
etheric.inband_information_ind In-band information indicator Boolean
etheric.inn_indicator INN indicator Boolean
etheric.isdn_odd_even_indicator Odd/even indicator Boolean
etheric.mandatory_variable_parameter_pointer Pointer to Parameter Unsigned 8-bit integer
etheric.message.length Message length Unsigned 8-bit integer Etheric Message length
etheric.message.type Message type Unsigned 8-bit integer Etheric message types
etheric.ni_indicator NI indicator Boolean
etheric.numbering_plan_indicator Numbering plan indicator Unsigned 8-bit integer
etheric.optional_parameter_part_pointer Pointer to optional parameter part Unsigned 8-bit integer
etheric.parameter_length Parameter Length Unsigned 8-bit integer
etheric.parameter_type Parameter Type Unsigned 8-bit integer
etheric.protocol_version Protocol version Unsigned 8-bit integer Etheric protocol version
etheric.screening_indicator Screening indicator Unsigned 8-bit integer
etheric.transmission_medium_requirement Transmission medium requirement Unsigned 8-bit integer
eth.addr Address 6-byte Hardware (MAC) Address Source or Destination Hardware Address
eth.dst Destination 6-byte Hardware (MAC) Address Destination Hardware Address
eth.len Length Unsigned 16-bit integer
eth.local_admin Locally Administrated Address Boolean Whether this is a "factory default" address or not
eth.multicast Multicast Boolean Whether this is a multicast frame or not
eth.src Source 6-byte Hardware (MAC) Address Source Hardware Address
eth.trailer Trailer Byte array Ethernet Trailer or Checksum
eth.type Type Unsigned 16-bit integer
etherip.ver Version Unsigned 8-bit integer
ess.ContentHints ContentHints No value ess.ContentHints
ess.ContentIdentifier ContentIdentifier Byte array ess.ContentIdentifier
ess.ContentReference ContentReference No value ess.ContentReference
ess.ESSSecurityLabel ESSSecurityLabel No value ess.ESSSecurityLabel
ess.EnumeratedTag EnumeratedTag No value ess.EnumeratedTag
ess.EquivalentLabels EquivalentLabels Unsigned 32-bit integer ess.EquivalentLabels
ess.EquivalentLabels_item Item No value ess.ESSSecurityLabel
ess.InformativeTag InformativeTag No value ess.InformativeTag
ess.MLExpansionHistory MLExpansionHistory Unsigned 32-bit integer ess.MLExpansionHistory
ess.MLExpansionHistory_item Item No value ess.MLData
ess.MsgSigDigest MsgSigDigest Byte array ess.MsgSigDigest
ess.PermissiveTag PermissiveTag No value ess.PermissiveTag
ess.Receipt Receipt No value ess.Receipt
ess.ReceiptRequest ReceiptRequest No value ess.ReceiptRequest
ess.RestrictiveTag RestrictiveTag No value ess.RestrictiveTag
ess.SecurityCategories_item Item No value ess.SecurityCategory
ess.SigningCertificate SigningCertificate No value ess.SigningCertificate
ess.allOrFirstTier allOrFirstTier Signed 32-bit integer ess.AllOrFirstTier
ess.attributeFlags attributeFlags Byte array ess.BIT_STRING
ess.attributeList attributeList Unsigned 32-bit integer ess.SET_OF_SecurityAttribute
ess.attributeList_item Item Signed 32-bit integer ess.SecurityAttribute
ess.attributes attributes Unsigned 32-bit integer ess.FreeFormField
ess.bitSetAttributes bitSetAttributes Byte array ess.BIT_STRING
ess.certHash certHash Byte array ess.Hash
ess.certs certs Unsigned 32-bit integer ess.SEQUENCE_OF_ESSCertID
ess.certs_item Item No value ess.ESSCertID
ess.contentDescription contentDescription String ess.UTF8String
ess.contentType contentType cms.ContentType
ess.expansionTime expansionTime String ess.GeneralizedTime
ess.inAdditionTo inAdditionTo Unsigned 32-bit integer ess.SEQUENCE_OF_GeneralNames
ess.inAdditionTo_item Item Unsigned 32-bit integer x509ce.GeneralNames
ess.insteadOf insteadOf Unsigned 32-bit integer ess.SEQUENCE_OF_GeneralNames
ess.insteadOf_item Item Unsigned 32-bit integer x509ce.GeneralNames
ess.issuer issuer Unsigned 32-bit integer x509ce.GeneralNames
ess.issuerAndSerialNumber issuerAndSerialNumber No value cms.IssuerAndSerialNumber
ess.issuerSerial issuerSerial No value ess.IssuerSerial
ess.mailListIdentifier mailListIdentifier Unsigned 32-bit integer ess.EntityIdentifier
ess.mlReceiptPolicy mlReceiptPolicy Unsigned 32-bit integer ess.MLReceiptPolicy
ess.none none No value ess.NULL
ess.originatorSignatureValue originatorSignatureValue Byte array ess.OCTET_STRING
ess.pString pString String ess.PrintableString
ess.policies policies Unsigned 32-bit integer ess.SEQUENCE_OF_PolicyInformation
ess.policies_item Item No value x509ce.PolicyInformation
ess.privacy_mark privacy-mark Unsigned 32-bit integer ess.ESSPrivacyMark
ess.receiptList receiptList Unsigned 32-bit integer ess.SEQUENCE_OF_GeneralNames
ess.receiptList_item Item Unsigned 32-bit integer x509ce.GeneralNames
ess.receiptsFrom receiptsFrom Unsigned 32-bit integer ess.ReceiptsFrom
ess.receiptsTo receiptsTo Unsigned 32-bit integer ess.SEQUENCE_OF_GeneralNames
ess.receiptsTo_item Item Unsigned 32-bit integer x509ce.GeneralNames
ess.securityAttributes securityAttributes Unsigned 32-bit integer ess.SET_OF_SecurityAttribute
ess.securityAttributes_item Item Signed 32-bit integer ess.SecurityAttribute
ess.security_categories security-categories Unsigned 32-bit integer ess.SecurityCategories
ess.security_classification security-classification Signed 32-bit integer ess.SecurityClassification
ess.security_policy_identifier security-policy-identifier ess.SecurityPolicyIdentifier
ess.serialNumber serialNumber Signed 32-bit integer x509af.CertificateSerialNumber
ess.signedContentIdentifier signedContentIdentifier Byte array ess.ContentIdentifier
ess.subjectKeyIdentifier subjectKeyIdentifier Byte array x509ce.SubjectKeyIdentifier
ess.tagName tagName ess.OBJECT_IDENTIFIER
ess.type type ess.T_type
ess.type_OID type String Type of Security Category
ess.utf8String utf8String String ess.UTF8String
ess.value value No value ess.T_value
ess.version version Signed 32-bit integer ess.ESSVersion
eap.code Code Unsigned 8-bit integer
eap.desired_type Desired Auth Type Unsigned 8-bit integer
eap.id Id Unsigned 8-bit integer
eap.len Length Unsigned 16-bit integer
eap.type Type Unsigned 8-bit integer
eaptls.fragment EAP-TLS Fragment Frame number EAP-TLS Fragment
eaptls.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
eaptls.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
eaptls.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
eaptls.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
eaptls.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
eaptls.fragments EAP-TLS Fragments No value EAP-TLS Fragments
edp.checksum EDP checksum Unsigned 16-bit integer
edp.checksum_bad Bad Boolean True: checksum doesn't match packet content; False: matches content or not checked
edp.checksum_good Good Boolean True: checksum matches packet content; False: doesn't match content or not checked
edp.display Display Protocol Display Element
edp.display.string Name String MIB II display string
edp.eaps EAPS Protocol EAPS Element
edp.eaps.fail Fail Unsigned 16-bit integer Fail timer
edp.eaps.hello Hello Unsigned 16-bit integer Hello timer
edp.eaps.helloseq Helloseq Unsigned 16-bit integer Hello sequence
edp.eaps.reserved0 Reserved0 Byte array
edp.eaps.reserved1 Reserved1 Byte array
edp.eaps.reserved2 Reserved2 Byte array
edp.eaps.state State Unsigned 8-bit integer
edp.eaps.sysmac Sys MAC 6-byte Hardware (MAC) Address System MAC address
edp.eaps.type Type Unsigned 8-bit integer
edp.eaps.ver Version Unsigned 8-bit integer
edp.eaps.vlanid Vlan ID Unsigned 16-bit integer Control Vlan ID
edp.esrp ESRP Protocol ESRP Element
edp.esrp.group Group Unsigned 8-bit integer
edp.esrp.hello Hello Unsigned 16-bit integer Hello timer
edp.esrp.ports Ports Unsigned 16-bit integer Number of active ports
edp.esrp.prio Prio Unsigned 16-bit integer
edp.esrp.proto Protocol Unsigned 8-bit integer
edp.esrp.reserved Reserved Byte array
edp.esrp.state State Unsigned 16-bit integer
edp.esrp.sysmac Sys MAC 6-byte Hardware (MAC) Address System MAC address
edp.esrp.virtip VirtIP IPv4 address Virtual IP address
edp.info Info Protocol Info Element
edp.info.port Port Unsigned 16-bit integer Originating port #
edp.info.reserved Reserved Byte array
edp.info.slot Slot Unsigned 16-bit integer Originating slot #
edp.info.vchassconn Connections Byte array Virtual chassis connections
edp.info.vchassid Virt chassis Unsigned 16-bit integer Virtual chassis ID
edp.info.version Version Unsigned 32-bit integer Software version
edp.info.version.internal Version (internal) Unsigned 8-bit integer Software version (internal)
edp.info.version.major1 Version (major1) Unsigned 8-bit integer Software version (major1)
edp.info.version.major2 Version (major2) Unsigned 8-bit integer Software version (major2)
edp.info.version.sustaining Version (sustaining) Unsigned 8-bit integer Software version (sustaining)
edp.length Data length Unsigned 16-bit integer
edp.midmac Machine MAC 6-byte Hardware (MAC) Address
edp.midtype Machine ID type Unsigned 16-bit integer
edp.null End Protocol Null Element
edp.reserved Reserved Unsigned 8-bit integer
edp.seqno Sequence number Unsigned 16-bit integer
edp.tlv.length TLV length Unsigned 16-bit integer
edp.tlv.marker TLV Marker Unsigned 8-bit integer
edp.tlv.type TLV type Unsigned 8-bit integer
edp.unknown Unknown Protocol Element unknown to Wireshark
edp.version Version Unsigned 8-bit integer
edp.vlan Vlan Protocol Vlan Element
edp.vlan.flags Flags Unsigned 8-bit integer
edp.vlan.flags.ip Flags-IP Boolean Vlan has IP address configured
edp.vlan.flags.reserved Flags-reserved Unsigned 8-bit integer
edp.vlan.flags.unknown Flags-Unknown Boolean
edp.vlan.id Vlan ID Unsigned 16-bit integer
edp.vlan.ip IP addr IPv4 address VLAN IP address
edp.vlan.name Name String VLAN name
edp.vlan.reserved1 Reserved1 Byte array
edp.vlan.reserved2 Reserved2 Byte array
fc.fcels.cls.cns Class Supported Boolean
fc.fcels.cls.nzctl Non-zero CS_CTL Boolean
fc.fcels.cls.prio Priority Boolean
fc.fcels.cls.sdr Delivery Mode Boolean
fc.fcels.cmn.bbb B2B Credit Mgmt Boolean
fc.fcels.cmn.broadcast Broadcast Boolean
fc.fcels.cmn.cios Cont. Incr. Offset Supported Boolean
fc.fcels.cmn.clk Clk Sync Boolean
fc.fcels.cmn.dhd DHD Capable Boolean
fc.fcels.cmn.e_d_tov E_D_TOV Boolean
fc.fcels.cmn.multicast Multicast Boolean
fc.fcels.cmn.payload Payload Len Boolean
fc.fcels.cmn.rro RRO Supported Boolean
fc.fcels.cmn.security Security Boolean
fc.fcels.cmn.seqcnt SEQCNT Boolean
fc.fcels.cmn.simplex Simplex Boolean
fc.fcels.cmn.vvv Valid Vendor Version Boolean
fcels.alpa AL_PA Map Byte array
fcels.cbind.addr_mode Addressing Mode Unsigned 8-bit integer Addressing Mode
fcels.cbind.dnpname Destination N_Port Port_Name String
fcels.cbind.handle Connection Handle Unsigned 16-bit integer Cbind/Unbind connection handle
fcels.cbind.ifcp_version iFCP version Unsigned 8-bit integer Version of iFCP protocol
fcels.cbind.liveness Liveness Test Interval Unsigned 16-bit integer Liveness Test Interval in seconds
fcels.cbind.snpname Source N_Port Port_Name String
fcels.cbind.status Status Unsigned 16-bit integer Cbind status
fcels.cbind.userinfo UserInfo Unsigned 32-bit integer Userinfo token
fcels.edtov E_D_TOV Unsigned 16-bit integer
fcels.faddr Fabric Address String
fcels.faildrcvr Failed Receiver AL_PA Unsigned 8-bit integer
fcels.fcpflags FCP Flags Unsigned 32-bit integer
fcels.fcpflags.ccomp Comp Boolean
fcels.fcpflags.datao Data Overlay Boolean
fcels.fcpflags.initiator Initiator Boolean
fcels.fcpflags.rdxr Rd Xfer_Rdy Dis Boolean
fcels.fcpflags.retry Retry Boolean
fcels.fcpflags.target Target Boolean
fcels.fcpflags.trirep Task Retry Ident Boolean
fcels.fcpflags.trireq Task Retry Ident Boolean
fcels.fcpflags.wrxr Wr Xfer_Rdy Dis Boolean
fcels.flacompliance FC-FLA Compliance Unsigned 8-bit integer
fcels.flag Flag Unsigned 8-bit integer
fcels.fnname Fabric/Node Name String
fcels.fpname Fabric Port Name String
fcels.hrdaddr Hard Address of Originator String
fcels.logi.b2b B2B Credit Unsigned 8-bit integer
fcels.logi.bbscnum BB_SC Number Unsigned 8-bit integer
fcels.logi.cls1param Class 1 Svc Param Byte array
fcels.logi.cls2param Class 2 Svc Param Byte array
fcels.logi.cls3param Class 3 Svc Param Byte array
fcels.logi.cls4param Class 4 Svc Param Byte array
fcels.logi.clsflags Service Options Unsigned 16-bit integer
fcels.logi.clsrcvsize Class Recv Size Unsigned 16-bit integer
fcels.logi.cmnfeatures Common Svc Parameters Unsigned 16-bit integer
fcels.logi.e2e End2End Credit Unsigned 16-bit integer
fcels.logi.initctl Initiator Ctl Unsigned 16-bit integer
fcels.logi.initctl.ack0 ACK0 Capable Boolean
fcels.logi.initctl.ackgaa ACK GAA Boolean
fcels.logi.initctl.initial_pa Initial P_A Unsigned 16-bit integer
fcels.logi.initctl.sync Clock Sync Boolean
fcels.logi.maxconseq Max Concurrent Seq Unsigned 16-bit integer
fcels.logi.openseq Open Seq Per Exchg Unsigned 8-bit integer
fcels.logi.rcptctl Recipient Ctl Unsigned 16-bit integer
fcels.logi.rcptctl.ack ACK0 Boolean
fcels.logi.rcptctl.category Category Unsigned 16-bit integer
fcels.logi.rcptctl.interlock X_ID Interlock Boolean
fcels.logi.rcptctl.policy Policy Unsigned 16-bit integer
fcels.logi.rcptctl.sync Clock Sync Boolean
fcels.logi.rcvsize Receive Size Unsigned 16-bit integer
fcels.logi.reloff Relative Offset By Info Cat Unsigned 16-bit integer
fcels.logi.svcavail Services Availability Byte array
fcels.logi.totconseq Total Concurrent Seq Unsigned 8-bit integer
fcels.logi.vendvers Vendor Version Byte array
fcels.loopstate Loop State Unsigned 8-bit integer
fcels.matchcp Match Address Code Points Unsigned 8-bit integer
fcels.npname N_Port Port_Name String
fcels.opcode Cmd Code Unsigned 8-bit integer
fcels.oxid OXID Unsigned 16-bit integer
fcels.portid Originator S_ID String
fcels.portnum Physical Port Number Unsigned 32-bit integer
fcels.portstatus Port Status Unsigned 16-bit integer
fcels.prliloflags PRLILO Flags Unsigned 8-bit integer
fcels.prliloflags.eip Est Image Pair Boolean
fcels.prliloflags.ipe Image Pair Estd Boolean
fcels.prliloflags.opav Orig PA Valid Boolean
fcels.pubdev_bmap Public Loop Device Bitmap Byte array
fcels.pvtdev_bmap Private Loop Device Bitmap Byte array
fcels.rcovqual Recovery Qualifier Unsigned 8-bit integer
fcels.reqipaddr Requesting IP Address IPv6 address
fcels.respaction Responder Action Unsigned 8-bit integer
fcels.respipaddr Responding IP Address IPv6 address
fcels.respname Responding Port Name String
fcels.respnname Responding Node Name String
fcels.resportid Responding Port ID String
fcels.rjt.detail Reason Explanation Unsigned 8-bit integer
fcels.rjt.reason Reason Code Unsigned 8-bit integer
fcels.rjt.vnduniq Vendor Unique Unsigned 8-bit integer
fcels.rnft.fc4type FC-4 Type Unsigned 8-bit integer
fcels.rnid.asstype Associated Type Unsigned 32-bit integer
fcels.rnid.attnodes Number of Attached Nodes Unsigned 32-bit integer
fcels.rnid.ip IP Address IPv6 address
fcels.rnid.ipvers IP Version Unsigned 8-bit integer
fcels.rnid.nodeidfmt Node Identification Format Unsigned 8-bit integer
fcels.rnid.nodemgmt Node Management Unsigned 8-bit integer
fcels.rnid.physport Physical Port Number Unsigned 32-bit integer
fcels.rnid.spidlen Specific Id Length Unsigned 8-bit integer
fcels.rnid.tcpport TCP/UDP Port Number Unsigned 16-bit integer
fcels.rnid.vendorsp Vendor Specific Unsigned 16-bit integer
fcels.rnid.vendoruniq Vendor Unique Byte array
fcels.rscn.addrfmt Address Format Unsigned 8-bit integer
fcels.rscn.area Affected Area Unsigned 8-bit integer
fcels.rscn.domain Affected Domain Unsigned 8-bit integer
fcels.rscn.evqual Event Qualifier Unsigned 8-bit integer
fcels.rscn.port Affected Port Unsigned 8-bit integer
fcels.rxid RXID Unsigned 16-bit integer
fcels.scr.regn Registration Function Unsigned 8-bit integer
fcels.speedflags Port Speed Capabilities Unsigned 16-bit integer
fcels.speedflags.10gb 10Gb Support Boolean
fcels.speedflags.1gb 1Gb Support Boolean
fcels.speedflags.2gb 2Gb Support Boolean
fcels.speedflags.4gb 4Gb Support Boolean
fcels.tprloflags.gprlo Global PRLO Boolean
fcels.tprloflags.npv 3rd Party N_Port Valid Boolean
fcels.tprloflags.opav 3rd Party Orig PA Valid Boolean
fcels.tprloflags.rpav Resp PA Valid Boolean
fcels.unbind.status Status Unsigned 16-bit integer Unbind status
fcs.err.vendor Vendor Unique Reject Code Unsigned 8-bit integer
fcs.fcsmask Subtype Capability Bitmask Unsigned 32-bit integer
fcs.gssubtype Management GS Subtype Unsigned 8-bit integer
fcs.ie.domainid Interconnect Element Domain ID Unsigned 8-bit integer
fcs.ie.fname Interconnect Element Fabric Name String
fcs.ie.logname Interconnect Element Logical Name String
fcs.ie.mgmtaddr Interconnect Element Mgmt. Address String
fcs.ie.mgmtid Interconnect Element Mgmt. ID String
fcs.ie.name Interconnect Element Name String
fcs.ie.type Interconnect Element Type Unsigned 8-bit integer
fcs.maxres_size Maximum/Residual Size Unsigned 16-bit integer
fcs.modelname Model Name/Number String
fcs.numcap Number of Capabilities Unsigned 32-bit integer
fcs.opcode Opcode Unsigned 16-bit integer
fcs.platform.mgmtaddr Management Address String
fcs.platform.name Platform Name Byte array
fcs.platform.nodename Platform Node Name String
fcs.platform.type Platform Type Unsigned 8-bit integer
fcs.port.flags Port Flags Boolean
fcs.port.moduletype Port Module Type Unsigned 8-bit integer
fcs.port.name Port Name String
fcs.port.physportnum Physical Port Number Byte array
fcs.port.state Port State Unsigned 8-bit integer
fcs.port.txtype Port TX Type Unsigned 8-bit integer
fcs.port.type Port Type Unsigned 8-bit integer
fcs.reason Reason Code Unsigned 8-bit integer
fcs.reasondet Reason Code Explanantion Unsigned 8-bit integer
fcs.releasecode Release Code String
fcs.unsmask Subtype Capability Bitmask Unsigned 32-bit integer
fcs.vbitmask Vendor Unique Capability Bitmask Unsigned 24-bit integer
fcs.vendorname Vendor Name String
fcencap.crc CRC Unsigned 32-bit integer
fcencap.flags Flags Unsigned 8-bit integer
fcencap.flagsc Flags (1's Complement) Unsigned 8-bit integer
fcencap.framelen Frame Length (in Words) Unsigned 16-bit integer
fcencap.framelenc Frame Length (1's Complement) Unsigned 16-bit integer
fcencap.proto Protocol Unsigned 8-bit integer Protocol
fcencap.protoc Protocol (1's Complement) Unsigned 8-bit integer Protocol (1's Complement)
fcencap.tsec Time (secs) Unsigned 32-bit integer
fcencap.tusec Time (fraction) Unsigned 32-bit integer
fcencap.version Version Unsigned 8-bit integer
fcencap.versionc Version (1's Complement) Unsigned 8-bit integer
fcip.conncode Connection Usage Code Unsigned 16-bit integer
fcip.connflags Connection Usage Flags Unsigned 8-bit integer
fcip.dstwwn Destination Fabric WWN String
fcip.eof EOF Unsigned 8-bit integer
fcip.eofc EOF (1's Complement) Unsigned 8-bit integer
fcip.katov K_A_TOV Unsigned 32-bit integer
fcip.nonce Connection Nonce Byte array
fcip.pflags.ch Changed Flag Boolean
fcip.pflags.sf Special Frame Flag Boolean
fcip.pflagsc Pflags (1's Complement) Unsigned 8-bit integer
fcip.sof SOF Unsigned 8-bit integer
fcip.sofc SOF (1's Complement) Unsigned 8-bit integer
fcip.srcid FC/FCIP Entity Id Byte array
fcip.srcwwn Source Fabric WWN String
fcip.word1 FCIP Encapsulation Word1 Unsigned 32-bit integer
ftserver.opnum Operation Unsigned 16-bit integer Operation
fddi.addr Source or Destination Address 6-byte Hardware (MAC) Address Source or Destination Hardware Address
fddi.dst Destination 6-byte Hardware (MAC) Address Destination Hardware Address
fddi.fc Frame Control Unsigned 8-bit integer
fddi.fc.clf Class/Length/Format Unsigned 8-bit integer
fddi.fc.mac_subtype MAC Subtype Unsigned 8-bit integer
fddi.fc.prio Priority Unsigned 8-bit integer
fddi.fc.smt_subtype SMT Subtype Unsigned 8-bit integer
fddi.src Source 6-byte Hardware (MAC) Address
fc.bls_hseqcnt High SEQCNT Unsigned 16-bit integer
fc.bls_lastseqid Last Valid SEQID Unsigned 8-bit integer
fc.bls_lseqcnt Low SEQCNT Unsigned 16-bit integer
fc.bls_oxid OXID Unsigned 16-bit integer
fc.bls_reason Reason Unsigned 8-bit integer
fc.bls_rjtdetail Reason Explanantion Unsigned 8-bit integer
fc.bls_rxid RXID Unsigned 16-bit integer
fc.bls_seqidvld SEQID Valid Unsigned 8-bit integer
fc.bls_vnduniq Vendor Unique Reason Unsigned 8-bit integer
fc.cs_ctl CS_CTL Unsigned 8-bit integer CS_CTL
fc.d_id Dest Addr String Destination Address
fc.df_ctl DF_CTL Unsigned 8-bit integer
fc.eisl EISL Header Byte array EISL Header
fc.exchange_first_frame Exchange First In Frame number The first frame of this exchange is in this frame
fc.exchange_last_frame Exchange Last In Frame number The last frame of this exchange is in this frame
fc.f_ctl F_CTL Unsigned 24-bit integer
fc.fctl.abts_ack AA Unsigned 24-bit integer ABTS ACK values
fc.fctl.abts_not_ack AnA Unsigned 24-bit integer ABTS not ACK vals
fc.fctl.ack_0_1 A01 Unsigned 24-bit integer Ack 0/1 value
fc.fctl.exchange_first ExgFst Boolean First Exchange?
fc.fctl.exchange_last ExgLst Boolean Last Exchange?
fc.fctl.exchange_responder ExgRpd Boolean Exchange Responder?
fc.fctl.last_data_frame LDF Unsigned 24-bit integer Last Data Frame?
fc.fctl.priority Pri Boolean Priority
fc.fctl.rel_offset RelOff Boolean rel offset
fc.fctl.rexmitted_seq RetSeq Boolean Retransmitted Sequence
fc.fctl.seq_last SeqLst Boolean Last Sequence?
fc.fctl.seq_recipient SeqRec Boolean Seq Recipient?
fc.fctl.transfer_seq_initiative TSI Boolean Transfer Seq Initiative
fc.ftype Frame type Unsigned 8-bit integer Derived Type
fc.id Addr String Source or Destination Address
fc.nethdr.da Network DA String
fc.nethdr.sa Network SA String
fc.ox_id OX_ID Unsigned 16-bit integer Originator ID
fc.parameter Parameter Unsigned 32-bit integer Parameter
fc.r_ctl R_CTL Unsigned 8-bit integer R_CTL
fc.reassembled Reassembled Frame Boolean
fc.rx_id RX_ID Unsigned 16-bit integer Receiver ID
fc.s_id Src Addr String Source Address
fc.seq_cnt SEQ_CNT Unsigned 16-bit integer Sequence Count
fc.seq_id SEQ_ID Unsigned 8-bit integer Sequence ID
fc.time Time from Exchange First Time duration Time since the first frame of the Exchange
fc.type Type Unsigned 8-bit integer
fcct.ext_said Auth SAID Unsigned 32-bit integer
fcct.ext_tid Transaction ID Unsigned 32-bit integer
fcct.gssubtype GS Subtype Unsigned 8-bit integer
fcct.gstype GS Type Unsigned 8-bit integer
fcct.in_id IN_ID String
fcct.options Options Unsigned 8-bit integer
fcct.revision Revision Unsigned 8-bit integer
fcct.server Server Unsigned 8-bit integer Derived from GS Type & Subtype fields
fcct_ext_authblk Auth Hash Blk Byte array
fcct_ext_reqnm Requestor Port Name Byte array
fcct_ext_tstamp Timestamp Byte array
fcfzs.gest.vendor Vendor Specific State Unsigned 32-bit integer
fcfzs.gzc.flags Capabilities Unsigned 8-bit integer
fcfzs.gzc.flags.hard_zones Hard Zones Boolean
fcfzs.gzc.flags.soft_zones Soft Zones Boolean
fcfzs.gzc.flags.zoneset_db ZoneSet Database Boolean
fcfzs.gzc.vendor Vendor Specific Flags Unsigned 32-bit integer
fcfzs.hard_zone_set.enforced Hard Zone Set Boolean
fcfzs.maxres_size Maximum/Residual Size Unsigned 16-bit integer
fcfzs.opcode Opcode Unsigned 16-bit integer
fcfzs.reason Reason Code Unsigned 8-bit integer
fcfzs.rjtdetail Reason Code Explanation Unsigned 8-bit integer
fcfzs.rjtvendor Vendor Specific Reason Unsigned 8-bit integer
fcfzs.soft_zone_set.enforced Soft Zone Set Boolean
fcfzs.zone.lun LUN Byte array
fcfzs.zone.mbrid Zone Member Identifier String
fcfzs.zone.name Zone Name String
fcfzs.zone.namelen Zone Name Length Unsigned 8-bit integer
fcfzs.zone.numattrs Number of Zone Attribute Entries Unsigned 32-bit integer
fcfzs.zone.nummbrs Number of Zone Members Unsigned 32-bit integer
fcfzs.zone.state Zone State Unsigned 8-bit integer
fcfzs.zonembr.idlen Zone Member Identifier Length Unsigned 8-bit integer
fcfzs.zonembr.idtype Zone Member Identifier Type Unsigned 8-bit integer
fcfzs.zonembr.numattrs Number of Zone Member Attribute Entries Unsigned 32-bit integer
fcfzs.zoneset.name Zone Set Name String
fcfzs.zoneset.namelen Zone Set Name Length Unsigned 8-bit integer
fcfzs.zoneset.numattrs Number of Zone Set Attribute Entries Unsigned 32-bit integer
fcfzs.zoneset.numzones Number of Zones Unsigned 32-bit integer
fcdns.cos.1 1 Boolean
fcdns.cos.2 2 Boolean
fcdns.cos.3 3 Boolean
fcdns.cos.4 4 Boolean
fcdns.cos.6 6 Boolean
fcdns.cos.f F Boolean
fcdns.entry.numfc4desc Number of FC4 Descriptors Registered Unsigned 8-bit integer
fcdns.entry.objfmt Name Entry Object Format Unsigned 8-bit integer
fcdns.fc4features FC-4 Feature Bits Unsigned 8-bit integer
fcdns.fc4features.i I Boolean
fcdns.fc4features.t T Boolean
fcdns.fc4types.fcp FCP Boolean
fcdns.fc4types.gs3 GS3 Boolean
fcdns.fc4types.ip IP Boolean
fcdns.fc4types.llc_snap LLC/SNAP Boolean
fcdns.fc4types.snmp SNMP Boolean
fcdns.fc4types.swils SW_ILS Boolean
fcdns.fc4types.vi VI Boolean
fcdns.gssubtype GS_Subtype Unsigned 8-bit integer
fcdns.maxres_size Maximum/Residual Size Unsigned 16-bit integer
fcdns.opcode Opcode Unsigned 16-bit integer
fcdns.portip Port IP Address IPv4 address
fcdns.reply.cos Class of Service Supported Unsigned 32-bit integer
fcdns.req.areaid Area ID Scope Unsigned 8-bit integer
fcdns.req.class Requested Class of Service Unsigned 32-bit integer
fcdns.req.domainid Domain ID Scope Unsigned 8-bit integer
fcdns.req.fc4desc FC-4 Descriptor String
fcdns.req.fc4desclen FC-4 Descriptor Length Unsigned 8-bit integer
fcdns.req.fc4type FC-4 Type Unsigned 8-bit integer
fcdns.req.fc4types FC-4 Types Supported No value
fcdns.req.ip IP Address IPv6 address
fcdns.req.nname Node Name String
fcdns.req.portid Port Identifier String
fcdns.req.portname Port Name String
fcdns.req.porttype Port Type Unsigned 8-bit integer
fcdns.req.sname Symbolic Port Name String
fcdns.req.snamelen Symbolic Name Length Unsigned 8-bit integer
fcdns.req.spname Symbolic Port Name String
fcdns.req.spnamelen Symbolic Port Name Length Unsigned 8-bit integer
fcdns.rply.fc4desc FC-4 Descriptor Byte array
fcdns.rply.fc4desclen FC-4 Descriptor Length Unsigned 8-bit integer
fcdns.rply.fc4type FC-4 Descriptor Type Unsigned 8-bit integer
fcdns.rply.fpname Fabric Port Name String
fcdns.rply.hrdaddr Hard Address String
fcdns.rply.ipa Initial Process Associator Byte array
fcdns.rply.ipnode Node IP Address IPv6 address
fcdns.rply.ipport Port IP Address IPv6 address
fcdns.rply.nname Node Name String
fcdns.rply.ownerid Owner Id String
fcdns.rply.pname Port Name String
fcdns.rply.portid Port Identifier String
fcdns.rply.porttype Port Type Unsigned 8-bit integer
fcdns.rply.reason Reason Code Unsigned 8-bit integer
fcdns.rply.reasondet Reason Code Explanantion Unsigned 8-bit integer
fcdns.rply.sname Symbolic Node Name String
fcdns.rply.snamelen Symbolic Node Name Length Unsigned 8-bit integer
fcdns.rply.spname Symbolic Port Name String
fcdns.rply.spnamelen Symbolic Port Name Length Unsigned 8-bit integer
fcdns.rply.vendor Vendor Unique Reject Code Unsigned 8-bit integer
fcdns.zone.mbrtype Zone Member Type Unsigned 8-bit integer
fcdns.zonename Zone Name String
swils.zone.mbrid Member Identifier String
fcp.addlcdblen Additional CDB Length Unsigned 8-bit integer
fcp.bidir_resid Bidirectional Read Resid Unsigned 32-bit integer
fcp.burstlen Burst Length Unsigned 32-bit integer
fcp.crn Command Ref Num Unsigned 8-bit integer
fcp.data_ro FCP_DATA_RO Unsigned 32-bit integer
fcp.dl FCP_DL Unsigned 32-bit integer
fcp.lun LUN Unsigned 8-bit integer
fcp.mgmt.flags.abort_task_set Abort Task Set Boolean
fcp.mgmt.flags.clear_aca Clear ACA Boolean
fcp.mgmt.flags.clear_task_set Clear Task Set Boolean
fcp.mgmt.flags.lu_reset LU Reset Boolean
fcp.mgmt.flags.obsolete Obsolete Boolean
fcp.mgmt.flags.rsvd Rsvd Boolean
fcp.mgmt.flags.target_reset Target Reset Boolean
fcp.multilun Multi-Level LUN Byte array
fcp.rddata RDDATA Boolean
fcp.request_in Request In Frame number The frame number for the request
fcp.resid FCP_RESID Unsigned 32-bit integer
fcp.response_in Response In Frame number The frame number of the response
fcp.rsp.flags.bidi Bidi Rsp Boolean
fcp.rsp.flags.bidi_rro Bidi Read Resid Over Boolean
fcp.rsp.flags.bidi_rru Bidi Read Resid Under Boolean
fcp.rsp.flags.conf_req Conf Req Boolean
fcp.rsp.flags.res_vld RES Vld Boolean
fcp.rsp.flags.resid_over Resid Over Boolean
fcp.rsp.flags.resid_under Resid Under Boolean
fcp.rsp.flags.sns_vld SNS Vld Boolean
fcp.rsp.retry_delay_timer Retry Delay Timer Unsigned 16-bit integer
fcp.rspcode RSP_CODE Unsigned 8-bit integer
fcp.rspflags FCP_RSP Flags Unsigned 8-bit integer
fcp.rsplen FCP_RSP_LEN Unsigned 32-bit integer
fcp.snslen FCP_SNS_LEN Unsigned 32-bit integer
fcp.status SCSI Status Unsigned 8-bit integer
fcp.taskattr Task Attribute Unsigned 8-bit integer
fcp.taskmgmt Task Management Flags Unsigned 8-bit integer
fcp.time Time from FCP_CMND Time duration Time since the FCP_CMND frame
fcp.type Field to branch off to SCSI Unsigned 8-bit integer
fcp.wrdata WRDATA Boolean
swils.aca.domainid Known Domain ID Unsigned 8-bit integer
swils.dia.sname Switch Name String
swils.efp.aliastok Alias Token Byte array
swils.efp.domid Domain ID Unsigned 8-bit integer
swils.efp.mcastno Mcast Grp# Unsigned 8-bit integer
swils.efp.payloadlen Payload Len Unsigned 16-bit integer
swils.efp.psname Principal Switch Name String
swils.efp.psprio Principal Switch Priority Unsigned 8-bit integer
swils.efp.recordlen Record Len Unsigned 8-bit integer
swils.efp.rectype Record Type Unsigned 8-bit integer
swils.efp.sname Switch Name String
swils.elp.b2b B2B Credit Unsigned 32-bit integer
swils.elp.cfe2e Class F E2E Credit Unsigned 16-bit integer
swils.elp.cls1p Class 1 Svc Param Byte array
swils.elp.cls1rsz Class 1 Frame Size Unsigned 16-bit integer
swils.elp.cls2p Class 2 Svc Param Byte array
swils.elp.cls3p Class 3 Svc Param Byte array
swils.elp.clsfcs Class F Max Concurrent Seq Unsigned 16-bit integer
swils.elp.clsfp Class F Svc Param Byte array
swils.elp.clsfrsz Max Class F Frame Size Unsigned 16-bit integer
swils.elp.compat1 Compatability Param 1 Unsigned 32-bit integer
swils.elp.compat2 Compatability Param 2 Unsigned 32-bit integer
swils.elp.compat3 Compatability Param 3 Unsigned 32-bit integer
swils.elp.compat4 Compatability Param 4 Unsigned 32-bit integer
swils.elp.edtov E_D_TOV Unsigned 32-bit integer
swils.elp.fcmode ISL Flow Ctrl Mode String
swils.elp.fcplen Flow Ctrl Param Len Unsigned 16-bit integer
swils.elp.flag Flag Byte array
swils.elp.oseq Class F Max Open Seq Unsigned 16-bit integer
swils.elp.ratov R_A_TOV Unsigned 32-bit integer
swils.elp.reqepn Req Eport Name String
swils.elp.reqesn Req Switch Name String
swils.elp.rev Revision Unsigned 8-bit integer
swils.esc.protocol Protocol ID Unsigned 16-bit integer
swils.esc.swvendor Switch Vendor ID String
swils.esc.vendorid Vendor ID String
swils.ess.capability.dns.obj0h Name Server Entry Object 00h Support Boolean
swils.ess.capability.dns.obj1h Name Server Entry Object 01h Support Boolean
swils.ess.capability.dns.obj2h Name Server Entry Object 02h Support Boolean
swils.ess.capability.dns.obj3h Name Server Entry Object 03h Support Boolean
swils.ess.capability.dns.vendor Vendor Specific Flags Unsigned 32-bit integer
swils.ess.capability.dns.zlacc GE_PT Zero Length Accepted Boolean
swils.ess.capability.fcs.basic Basic Configuration Services Boolean
swils.ess.capability.fcs.enhanced Enhanced Configuration Services Boolean
swils.ess.capability.fcs.platform Platform Configuration Services Boolean
swils.ess.capability.fcs.topology Topology Discovery Services Boolean
swils.ess.capability.fctlr.rscn SW_RSCN Supported Boolean
swils.ess.capability.fctlr.vendor Vendor Specific Flags Unsigned 32-bit integer
swils.ess.capability.fzs.adcsupp Active Direct Command Supported Boolean
swils.ess.capability.fzs.defzone Default Zone Setting Boolean
swils.ess.capability.fzs.ezoneena Enhanced Zoning Enabled Boolean
swils.ess.capability.fzs.ezonesupp Enhanced Zoning Supported Boolean
swils.ess.capability.fzs.hardzone Hard Zoning Supported Boolean
swils.ess.capability.fzs.mr Merge Control Setting Boolean
swils.ess.capability.fzs.zsdbena Zoneset Database Enabled Boolean
swils.ess.capability.fzs.zsdbsupp Zoneset Database Supported Boolean
swils.ess.capability.length Length Unsigned 8-bit integer
swils.ess.capability.numentries Number of Entries Unsigned 8-bit integer
swils.ess.capability.service Service Name Unsigned 8-bit integer
swils.ess.capability.subtype Subtype Unsigned 8-bit integer
swils.ess.capability.t10id T10 Vendor ID String
swils.ess.capability.type Type Unsigned 8-bit integer
swils.ess.capability.vendorobj Vendor-Specific Info Byte array
swils.ess.leb Payload Length Unsigned 32-bit integer
swils.ess.listlen List Length Unsigned 8-bit integer
swils.ess.modelname Model Name String
swils.ess.numobj Number of Capability Objects Unsigned 16-bit integer
swils.ess.relcode Release Code String
swils.ess.revision Revision Unsigned 32-bit integer
swils.ess.vendorname Vendor Name String
swils.ess.vendorspecific Vendor Specific String
swils.fspf.arnum AR Number Unsigned 8-bit integer
swils.fspf.auth Authentication Byte array
swils.fspf.authtype Authentication Type Unsigned 8-bit integer
swils.fspf.cmd Command: Unsigned 8-bit integer
swils.fspf.origdomid Originating Domain ID Unsigned 8-bit integer
swils.fspf.ver Version Unsigned 8-bit integer
swils.hlo.deadint Dead Interval (secs) Unsigned 32-bit integer
swils.hlo.hloint Hello Interval (secs) Unsigned 32-bit integer
swils.hlo.options Options Byte array
swils.hlo.origpidx Originating Port Idx Unsigned 24-bit integer
swils.hlo.rcvdomid Recipient Domain ID Unsigned 8-bit integer
swils.ldr.linkcost Link Cost Unsigned 16-bit integer
swils.ldr.linkid Link ID String
swils.ldr.linktype Link Type Unsigned 8-bit integer
swils.ldr.nbr_portidx Neighbor Port Idx Unsigned 24-bit integer
swils.ldr.out_portidx Output Port Idx Unsigned 24-bit integer
swils.ls.id Link State Id Unsigned 8-bit integer
swils.lsr.advdomid Advertising Domain Id Unsigned 8-bit integer
swils.lsr.incid LS Incarnation Number Unsigned 32-bit integer
swils.lsr.type LSR Type Unsigned 8-bit integer
swils.mr.activezonesetname Active Zoneset Name String
swils.mrra.reply MRRA Response Unsigned 32-bit integer
swils.mrra.replysize Maximum Resources Available Unsigned 32-bit integer
swils.mrra.revision Revision Unsigned 32-bit integer
swils.mrra.size Merge Request Size Unsigned 32-bit integer
swils.mrra.vendorid Vendor ID String
swils.mrra.vendorinfo Vendor-Specific Info Byte array
swils.mrra.waittime Waiting Period (secs) Unsigned 32-bit integer
swils.opcode Cmd Code Unsigned 8-bit integer
swils.rdi.len Payload Len Unsigned 16-bit integer
swils.rdi.reqsn Req Switch Name String
swils.rjt.reason Reason Code Unsigned 8-bit integer
swils.rjt.reasonexpl Reason Code Explanantion Unsigned 8-bit integer
swils.rjt.vendor Vendor Unique Error Code Unsigned 8-bit integer
swils.rscn.addrfmt Address Format Unsigned 8-bit integer
swils.rscn.affectedport Affected Port ID String
swils.rscn.detectfn Detection Function Unsigned 32-bit integer
swils.rscn.evtype Event Type Unsigned 8-bit integer
swils.rscn.nwwn Node WWN String
swils.rscn.portid Port Id String
swils.rscn.portstate Port State Unsigned 8-bit integer
swils.rscn.pwwn Port WWN String
swils.sfc.opcode Operation Request Unsigned 8-bit integer
swils.sfc.zonename Zone Set Name String
swils.zone.lun LUN Byte array
swils.zone.mbrtype Zone Member Type Unsigned 8-bit integer
swils.zone.protocol Zone Protocol Unsigned 8-bit integer
swils.zone.reason Zone Command Reason Code Unsigned 8-bit integer Applies to MR, ACA, RCA, SFC, UFC
swils.zone.status Zone Command Status Unsigned 8-bit integer Applies to MR, ACA, RCA, SFC, UFC
swils.zone.zoneobjname Zone Object Name String
swils.zone.zoneobjtype Zone Object Type Unsigned 8-bit integer
fcsp.dhchap.challen Challenge Value Length Unsigned 32-bit integer
fcsp.dhchap.chalval Challenge Value Byte array
fcsp.dhchap.dhgid DH Group Unsigned 32-bit integer
fcsp.dhchap.dhvalue DH Value Byte array
fcsp.dhchap.groupid DH Group Identifier Unsigned 32-bit integer
fcsp.dhchap.hashid Hash Identifier Unsigned 32-bit integer
fcsp.dhchap.hashtype Hash Algorithm Unsigned 32-bit integer
fcsp.dhchap.paramlen Parameter Length Unsigned 16-bit integer
fcsp.dhchap.paramtype Parameter Tag Unsigned 16-bit integer
fcsp.dhchap.rsplen Response Value Length Unsigned 32-bit integer
fcsp.dhchap.rspval Response Value Byte array
fcsp.dhchap.vallen DH Value Length Unsigned 32-bit integer
fcsp.flags Flags Unsigned 8-bit integer
fcsp.initname Initiator Name (Unknown Type) Byte array
fcsp.initnamelen Initiator Name Length Unsigned 16-bit integer
fcsp.initnametype Initiator Name Type Unsigned 16-bit integer
fcsp.initwwn Initiator Name (WWN) String
fcsp.len Packet Length Unsigned 32-bit integer
fcsp.opcode Message Code Unsigned 8-bit integer
fcsp.proto Authentication Protocol Type Unsigned 32-bit integer
fcsp.protoparamlen Protocol Parameters Length Unsigned 32-bit integer
fcsp.rjtcode Reason Code Unsigned 8-bit integer
fcsp.rjtcodet Reason Code Explanation Unsigned 8-bit integer
fcsp.rspname Responder Name (Unknown Type) Byte array
fcsp.rspnamelen Responder Name Type Unsigned 16-bit integer
fcsp.rspnametype Responder Name Type Unsigned 16-bit integer
fcsp.rspwwn Responder Name (WWN) String
fcsp.tid Transaction Identifier Unsigned 32-bit integer
fcsp.usableproto Number of Usable Protocols Unsigned 32-bit integer
fcsp.version Protocol Version Unsigned 8-bit integer
sbccs.ccw CCW Number Unsigned 16-bit integer
sbccs.ccwcmd CCW Command Unsigned 8-bit integer
sbccs.ccwcnt CCW Count Unsigned 16-bit integer
sbccs.ccwflags CCW Control Flags Unsigned 8-bit integer
sbccs.ccwflags.cc CC Boolean
sbccs.ccwflags.cd CD Boolean
sbccs.ccwflags.crr CRR Boolean
sbccs.ccwflags.sli SLI Boolean
sbccs.chid Channel Image ID Unsigned 8-bit integer
sbccs.cmdflags Command Flags Unsigned 8-bit integer
sbccs.cmdflags.coc COC Boolean
sbccs.cmdflags.du DU Boolean
sbccs.cmdflags.rex REX Boolean
sbccs.cmdflags.sss SSS Boolean
sbccs.cmdflags.syr SYR Boolean
sbccs.ctccntr CTC Counter Unsigned 16-bit integer
sbccs.ctlfn Control Function Unsigned 8-bit integer
sbccs.ctlparam Control Parameters Unsigned 24-bit integer
sbccs.ctlparam.rc RC Boolean
sbccs.ctlparam.ro RO Boolean
sbccs.ctlparam.ru RU Boolean
sbccs.cuid Control Unit Image ID Unsigned 8-bit integer
sbccs.databytecnt DIB Data Byte Count Unsigned 16-bit integer
sbccs.devaddr Device Address Unsigned 16-bit integer
sbccs.dhflags DH Flags Unsigned 8-bit integer
sbccs.dhflags.chaining Chaining Boolean
sbccs.dhflags.earlyend Early End Boolean
sbccs.dhflags.end End Boolean
sbccs.dhflags.nocrc No CRC Boolean
sbccs.dip.xcpcode Device Level Exception Code Unsigned 8-bit integer
sbccs.dtu Defer-Time Unit Unsigned 16-bit integer
sbccs.dtuf Defer-Time Unit Function Unsigned 8-bit integer
sbccs.ioprio I/O Priority Unsigned 8-bit integer
sbccs.iucnt DIB IU Count Unsigned 8-bit integer
sbccs.iui Information Unit Identifier Unsigned 8-bit integer
sbccs.iui.as AS Boolean
sbccs.iui.es ES Boolean
sbccs.iui.val Val Unsigned 8-bit integer
sbccs.iupacing IU Pacing Unsigned 8-bit integer
sbccs.linkctlfn Link Control Function Unsigned 8-bit integer
sbccs.linkctlinfo Link Control Information Unsigned 16-bit integer
sbccs.linkctlinfo.ctc_conn CTC Conn Boolean
sbccs.linkctlinfo.ecrcg Enhanced CRC Generation Boolean
sbccs.lprcode LPR Reason Code Unsigned 8-bit integer
sbccs.lrc LRC Unsigned 32-bit integer
sbccs.lrjcode LRJ Reaspn Code Unsigned 8-bit integer
sbccs.purgepathcode Purge Path Error Code Unsigned 8-bit integer
sbccs.purgepathrspcode Purge Path Response Error Code Unsigned 8-bit integer
sbccs.qtu Queue-Time Unit Unsigned 16-bit integer
sbccs.qtuf Queue-Time Unit Factor Unsigned 8-bit integer
sbccs.residualcnt Residual Count Unsigned 8-bit integer
sbccs.status Status Unsigned 8-bit integer
sbccs.status.attention Attention Boolean
sbccs.status.busy Busy Boolean
sbccs.status.channel_end Channel End Boolean
sbccs.status.cue Control-Unit End Boolean
sbccs.status.device_end Device End Boolean
sbccs.status.modifier Status Modifier Boolean
sbccs.status.unit_check Unit Check Boolean
sbccs.status.unitexception Unit Exception Boolean
sbccs.statusflags Status Flags Unsigned 8-bit integer
sbccs.statusflags.ci CI Boolean
sbccs.statusflags.cr CR Boolean
sbccs.statusflags.ffc FFC Unsigned 8-bit integer
sbccs.statusflags.lri LRI Boolean
sbccs.statusflags.rv RV Boolean
sbccs.tinimageidcnt TIN Image ID Unsigned 8-bit integer
sbccs.token Token Unsigned 24-bit integer
ftp.active.cip Active IP address IPv4 address Active FTP client IP address
ftp.active.nat Active IP NAT Boolean NAT is active
ftp.active.port Active port Unsigned 16-bit integer Active FTP client port
ftp.passive.ip Passive IP address IPv4 address Passive IP address (check NAT)
ftp.passive.nat Passive IP NAT Boolean NAT is active SIP and passive IP different
ftp.passive.port Passive port Unsigned 16-bit integer Passive FTP server port
ftp.request Request Boolean TRUE if FTP request
ftp.request.arg Request arg String
ftp.request.command Request command String
ftp.response Response Boolean TRUE if FTP response
ftp.response.arg Response arg String
ftp.response.code Response code Unsigned 32-bit integer
fix.Account Account (1) String Account
fix.AccountType AccountType (581) String AccountType
fix.AccruedInterestAmt AccruedInterestAmt (159) String AccruedInterestAmt
fix.AccruedInterestRate AccruedInterestRate (158) String AccruedInterestRate
fix.Adjustment Adjustment (334) String Adjustment
fix.AdvId AdvId (2) String AdvId
fix.AdvRefID AdvRefID (3) String AdvRefID
fix.AdvSide AdvSide (4) String AdvSide
fix.AdvTransType AdvTransType (5) String AdvTransType
fix.AffectedOrderID AffectedOrderID (535) String AffectedOrderID
fix.AffectedSecondaryOrderID AffectedSecondaryOrderID (536) String AffectedSecondaryOrderID
fix.AggregatedBook AggregatedBook (266) String AggregatedBook
fix.AllocAccount AllocAccount (79) String AllocAccount
fix.AllocAvgPx AllocAvgPx (153) String AllocAvgPx
fix.AllocHandlInst AllocHandlInst (209) String AllocHandlInst
fix.AllocID AllocID (70) String AllocID
fix.AllocLinkID AllocLinkID (196) String AllocLinkID
fix.AllocLinkType AllocLinkType (197) String AllocLinkType
fix.AllocNetMoney AllocNetMoney (154) String AllocNetMoney
fix.AllocPrice AllocPrice (366) String AllocPrice
fix.AllocQty AllocQty (80) String AllocQty
fix.AllocRejCode AllocRejCode (88) String AllocRejCode
fix.AllocReportRefID AllocReportRefID (795) String AllocReportRefID
fix.AllocStatus AllocStatus (87) String AllocStatus
fix.AllocText AllocText (161) String AllocText
fix.AllocTransType AllocTransType (71) String AllocTransType
fix.AllocType AllocType (626) String AllocType
fix.AvgPrxPrecision AvgPrxPrecision (74) String AvgPrxPrecision
fix.AvgPx AvgPx (6) String AvgPx
fix.BasisFeatureDate BasisFeatureDate (259) String BasisFeatureDate
fix.BasisFeaturePrice BasisFeaturePrice (260) String BasisFeaturePrice
fix.BasisPxType BasisPxType (419) String BasisPxType
fix.BeginSeqNo BeginSeqNo (7) String BeginSeqNo
fix.BeginString BeginString (8) String BeginString
fix.Benchmark Benchmark (219) String Benchmark
fix.BenchmarkCurveCurrency BenchmarkCurveCurrency (220) String BenchmarkCurveCurrency
fix.BenchmarkCurveName BenchmarkCurveName (221) String BenchmarkCurveName
fix.BenchmarkCurvePoint BenchmarkCurvePoint (222) String BenchmarkCurvePoint
fix.BenchmarkPrice BenchmarkPrice (662) String BenchmarkPrice
fix.BenchmarkPriceType BenchmarkPriceType (663) String BenchmarkPriceType
fix.BenchmarkSecurityID BenchmarkSecurityID (699) String BenchmarkSecurityID
fix.BenchmarkSecurityIDSource BenchmarkSecurityIDSource (761) String BenchmarkSecurityIDSource
fix.BidDescriptor BidDescriptor (400) String BidDescriptor
fix.BidDescriptorType BidDescriptorType (399) String BidDescriptorType
fix.BidForwardPoints BidForwardPoints (189) String BidForwardPoints
fix.BidForwardPoints2 BidForwardPoints2 (642) String BidForwardPoints2
fix.BidID BidID (390) String BidID
fix.BidPx BidPx (132) String BidPx
fix.BidRequestTransType BidRequestTransType (374) String BidRequestTransType
fix.BidSize BidSize (134) String BidSize
fix.BidSpotRate BidSpotRate (188) String BidSpotRate
fix.BidType BidType (394) String BidType
fix.BidYield BidYield (632) String BidYield
fix.BodyLength BodyLength (9) String BodyLength
fix.BookingRefID BookingRefID (466) String BookingRefID
fix.BookingUnit BookingUnit (590) String BookingUnit
fix.BrokerOfCredit BrokerOfCredit (92) String BrokerOfCredit
fix.BusinessRejectReason BusinessRejectReason (380) String BusinessRejectReason
fix.BusinessRejectRefID BusinessRejectRefID (379) String BusinessRejectRefID
fix.BuyVolume BuyVolume (330) String BuyVolume
fix.CFICode CFICode (461) String CFICode
fix.CancellationRights CancellationRights (480) String CancellationRights
fix.CardExpDate CardExpDate (490) String CardExpDate
fix.CardHolderName CardHolderName (488) String CardHolderName
fix.CardIssNo CardIssNo (491) String CardIssNo
fix.CardNumber CardNumber (489) String CardNumber
fix.CardStartDate CardStartDate (503) String CardStartDate
fix.CashDistribAgentAcctName CashDistribAgentAcctName (502) String CashDistribAgentAcctName
fix.CashDistribAgentAcctNumber CashDistribAgentAcctNumber (500) String CashDistribAgentAcctNumber
fix.CashDistribAgentCode CashDistribAgentCode (499) String CashDistribAgentCode
fix.CashDistribAgentName CashDistribAgentName (498) String CashDistribAgentName
fix.CashDistribCurr CashDistribCurr (478) String CashDistribCurr
fix.CashDistribPayRef CashDistribPayRef (501) String CashDistribPayRef
fix.CashMargin CashMargin (544) String CashMargin
fix.CashOrderQty CashOrderQty (152) String CashOrderQty
fix.CashSettlAgentAcctName CashSettlAgentAcctName (185) String CashSettlAgentAcctName
fix.CashSettlAgentAcctNum CashSettlAgentAcctNum (184) String CashSettlAgentAcctNum
fix.CashSettlAgentCode CashSettlAgentCode (183) String CashSettlAgentCode
fix.CashSettlAgentContactName CashSettlAgentContactName (186) String CashSettlAgentContactName
fix.CashSettlAgentContactPhone CashSettlAgentContactPhone (187) String CashSettlAgentContactPhone
fix.CashSettlAgentName CashSettlAgentName (182) String CashSettlAgentName
fix.CheckSum CheckSum (10) String CheckSum
fix.ClOrdID ClOrdID (11) String ClOrdID
fix.ClOrdLinkID ClOrdLinkID (583) String ClOrdLinkID
fix.ClearingAccount ClearingAccount (440) String ClearingAccount
fix.ClearingFeeIndicator ClearingFeeIndicator (635) String ClearingFeeIndicator
fix.ClearingFirm ClearingFirm (439) String ClearingFirm
fix.ClearingInstruction ClearingInstruction (577) String ClearingInstruction
fix.ClientBidID ClientBidID (391) String ClientBidID
fix.ClientID ClientID (109) String ClientID
fix.CommCurrency CommCurrency (479) String CommCurrency
fix.CommType CommType (13) String CommType
fix.Commission Commission (12) String Commission
fix.ComplianceID ComplianceID (376) String ComplianceID
fix.Concession Concession (238) String Concession
fix.ContAmtCurr ContAmtCurr (521) String ContAmtCurr
fix.ContAmtType ContAmtType (519) String ContAmtType
fix.ContAmtValue ContAmtValue (520) String ContAmtValue
fix.ContraBroker ContraBroker (375) String ContraBroker
fix.ContraLegRefID ContraLegRefID (655) String ContraLegRefID
fix.ContraTradeQty ContraTradeQty (437) String ContraTradeQty
fix.ContraTradeTime ContraTradeTime (438) String ContraTradeTime
fix.ContraTrader ContraTrader (337) String ContraTrader
fix.ContractMultiplier ContractMultiplier (231) String ContractMultiplier
fix.CorporateAction CorporateAction (292) String CorporateAction
fix.Country Country (421) String Country
fix.CountryOfIssue CountryOfIssue (470) String CountryOfIssue
fix.CouponPaymentDate CouponPaymentDate (224) String CouponPaymentDate
fix.CouponRate CouponRate (223) String CouponRate
fix.CoveredOrUncovered CoveredOrUncovered (203) String CoveredOrUncovered
fix.CreditRating CreditRating (255) String CreditRating
fix.CrossID CrossID (548) String CrossID
fix.CrossPercent CrossPercent (413) String CrossPercent
fix.CrossPrioritization CrossPrioritization (550) String CrossPrioritization
fix.CrossType CrossType (549) String CrossType
fix.CumQty CumQty (14) String CumQty
fix.Currency Currency (15) String Currency
fix.CustOrderCapacity CustOrderCapacity (582) String CustOrderCapacity
fix.CustomerOrFirm CustomerOrFirm (204) String CustomerOrFirm
fix.CxlQty CxlQty (84) String CxlQty
fix.CxlRejReason CxlRejReason (102) String CxlRejReason
fix.CxlRejResponseTo CxlRejResponseTo (434) String CxlRejResponseTo
fix.CxlType CxlType (125) String CxlType
fix.DKReason DKReason (127) String DKReason
fix.DateOfBirth DateOfBirth (486) String DateOfBirth
fix.DayAvgPx DayAvgPx (426) String DayAvgPx
fix.DayBookingInst DayBookingInst (589) String DayBookingInst
fix.DayCumQty DayCumQty (425) String DayCumQty
fix.DayOrderQty DayOrderQty (424) String DayOrderQty
fix.DefBidSize DefBidSize (293) String DefBidSize
fix.DefOfferSize DefOfferSize (294) String DefOfferSize
fix.DeleteReason DeleteReason (285) String DeleteReason
fix.DeliverToCompID DeliverToCompID (128) String DeliverToCompID
fix.DeliverToLocationID DeliverToLocationID (145) String DeliverToLocationID
fix.DeliverToSubID DeliverToSubID (129) String DeliverToSubID
fix.Designation Designation (494) String Designation
fix.DeskID DeskID (284) String DeskID
fix.DiscretionInst DiscretionInst (388) String DiscretionInst
fix.DiscretionOffset DiscretionOffset (389) String DiscretionOffset
fix.DistribPaymentMethod DistribPaymentMethod (477) String DistribPaymentMethod
fix.DistribPercentage DistribPercentage (512) String DistribPercentage
fix.DlvyInst DlvyInst (86) String DlvyInst
fix.DueToRelated DueToRelated (329) String DueToRelated
fix.EFPTrackingError EFPTrackingError (405) String EFPTrackingError
fix.EffectiveTime EffectiveTime (168) String EffectiveTime
fix.EmailThreadID EmailThreadID (164) String EmailThreadID
fix.EmailType EmailType (94) String EmailType
fix.EncodedAllocText EncodedAllocText (361) String EncodedAllocText
fix.EncodedAllocTextLen EncodedAllocTextLen (360) String EncodedAllocTextLen
fix.EncodedHeadline EncodedHeadline (359) String EncodedHeadline
fix.EncodedHeadlineLen EncodedHeadlineLen (358) String EncodedHeadlineLen
fix.EncodedIssuer EncodedIssuer (349) String EncodedIssuer
fix.EncodedIssuerLen EncodedIssuerLen (348) String EncodedIssuerLen
fix.EncodedLegIssuer EncodedLegIssuer (619) String EncodedLegIssuer
fix.EncodedLegIssuerLen EncodedLegIssuerLen (618) String EncodedLegIssuerLen
fix.EncodedLegSecurityDesc EncodedLegSecurityDesc (622) String EncodedLegSecurityDesc
fix.EncodedLegSecurityDescLen EncodedLegSecurityDescLen (621) String EncodedLegSecurityDescLen
fix.EncodedListExecInst EncodedListExecInst (353) String EncodedListExecInst
fix.EncodedListExecInstLen EncodedListExecInstLen (352) String EncodedListExecInstLen
fix.EncodedListStatusText EncodedListStatusText (446) String EncodedListStatusText
fix.EncodedListStatusTextLen EncodedListStatusTextLen (445) String EncodedListStatusTextLen
fix.EncodedSecurityDesc EncodedSecurityDesc (351) String EncodedSecurityDesc
fix.EncodedSecurityDescLen EncodedSecurityDescLen (350) String EncodedSecurityDescLen
fix.EncodedSubject EncodedSubject (357) String EncodedSubject
fix.EncodedSubjectLen EncodedSubjectLen (356) String EncodedSubjectLen
fix.EncodedText EncodedText (355) String EncodedText
fix.EncodedTextLen EncodedTextLen (354) String EncodedTextLen
fix.EncodedUnderlyingIssuer EncodedUnderlyingIssuer (363) String EncodedUnderlyingIssuer
fix.EncodedUnderlyingIssuerLen EncodedUnderlyingIssuerLen (362) String EncodedUnderlyingIssuerLen
fix.EncodedUnderlyingSecurityDesc EncodedUnderlyingSecurityDesc (365) String EncodedUnderlyingSecurityDesc
fix.EncodedUnderlyingSecurityDescLen EncodedUnderlyingSecurityDescLen (364) String EncodedUnderlyingSecurityDescLen
fix.EncryptMethod EncryptMethod (98) String EncryptMethod
fix.EndSeqNo EndSeqNo (16) String EndSeqNo
fix.ExDate ExDate (230) String ExDate
fix.ExDestination ExDestination (100) String ExDestination
fix.ExchangeForPhysical ExchangeForPhysical (411) String ExchangeForPhysical
fix.ExecBroker ExecBroker (76) String ExecBroker
fix.ExecID ExecID (17) String ExecID
fix.ExecInst ExecInst (18) String ExecInst
fix.ExecPriceAdjustment ExecPriceAdjustment (485) String ExecPriceAdjustment
fix.ExecPriceType ExecPriceType (484) String ExecPriceType
fix.ExecRefID ExecRefID (19) String ExecRefID
fix.ExecRestatementReason ExecRestatementReason (378) String ExecRestatementReason
fix.ExecTransType ExecTransType (20) String ExecTransType
fix.ExecType ExecType (150) String ExecType
fix.ExecValuationPoint ExecValuationPoint (515) String ExecValuationPoint
fix.ExpireDate ExpireDate (432) String ExpireDate
fix.ExpireTime ExpireTime (126) String ExpireTime
fix.Factor Factor (228) String Factor
fix.FairValue FairValue (406) String FairValue
fix.FinancialStatus FinancialStatus (291) String FinancialStatus
fix.ForexReq ForexReq (121) String ForexReq
fix.FundRenewWaiv FundRenewWaiv (497) String FundRenewWaiv
fix.FutSettDate FutSettDate (64) String FutSettDate
fix.FutSettDate2 FutSettDate2 (193) String FutSettDate2
fix.GTBookingInst GTBookingInst (427) String GTBookingInst
fix.GapFillFlag GapFillFlag (123) String GapFillFlag
fix.GrossTradeAmt GrossTradeAmt (381) String GrossTradeAmt
fix.HaltReason HaltReason (327) String HaltReason
fix.HandlInst HandlInst (21) String HandlInst
fix.Headline Headline (148) String Headline
fix.HeartBtInt HeartBtInt (108) String HeartBtInt
fix.HighPx HighPx (332) String HighPx
fix.HopCompID HopCompID (628) String HopCompID
fix.HopRefID HopRefID (630) String HopRefID
fix.HopSendingTime HopSendingTime (629) String HopSendingTime
fix.IOINaturalFlag IOINaturalFlag (130) String IOINaturalFlag
fix.IOIOthSvc IOIOthSvc (24) String IOIOthSvc
fix.IOIQltyInd IOIQltyInd (25) String IOIQltyInd
fix.IOIQty IOIQty (27) String IOIQty
fix.IOIQualifier IOIQualifier (104) String IOIQualifier
fix.IOIRefID IOIRefID (26) String IOIRefID
fix.IOITransType IOITransType (28) String IOITransType
fix.IOIid IOIid (23) String IOIid
fix.InViewOfCommon InViewOfCommon (328) String InViewOfCommon
fix.IncTaxInd IncTaxInd (416) String IncTaxInd
fix.IndividualAllocID IndividualAllocID (467) String IndividualAllocID
fix.InstrAttribType InstrAttribType (871) String InstrAttribType
fix.InstrAttribValue InstrAttribValue (872) String InstrAttribValue
fix.InstrRegistry InstrRegistry (543) String InstrRegistry
fix.InvestorCountryOfResidence InvestorCountryOfResidence (475) String InvestorCountryOfResidence
fix.IssueDate IssueDate (225) String IssueDate
fix.Issuer Issuer (106) String Issuer
fix.LastCapacity LastCapacity (29) String LastCapacity
fix.LastForwardPoints LastForwardPoints (195) String LastForwardPoints
fix.LastForwardPoints2 LastForwardPoints2 (641) String LastForwardPoints2
fix.LastFragment LastFragment (893) String LastFragment
fix.LastMkt LastMkt (30) String LastMkt
fix.LastMsgSeqNumProcessed LastMsgSeqNumProcessed (369) String LastMsgSeqNumProcessed
fix.LastPx LastPx (31) String LastPx
fix.LastQty LastQty (32) String LastQty
fix.LastSpotRate LastSpotRate (194) String LastSpotRate
fix.LeavesQty LeavesQty (151) String LeavesQty
fix.LegCFICode LegCFICode (608) String LegCFICode
fix.LegContractMultiplier LegContractMultiplier (614) String LegContractMultiplier
fix.LegCountryOfIssue LegCountryOfIssue (596) String LegCountryOfIssue
fix.LegCouponPaymentDate LegCouponPaymentDate (248) String LegCouponPaymentDate
fix.LegCouponRate LegCouponRate (615) String LegCouponRate
fix.LegCoveredOrUncovered LegCoveredOrUncovered (565) String LegCoveredOrUncovered
fix.LegCreditRating LegCreditRating (257) String LegCreditRating
fix.LegCurrency LegCurrency (556) String LegCurrency
fix.LegFactor LegFactor (253) String LegFactor
fix.LegFutSettDate LegFutSettDate (588) String LegFutSettDate
fix.LegInstrRegistry LegInstrRegistry (599) String LegInstrRegistry
fix.LegIssueDate LegIssueDate (249) String LegIssueDate
fix.LegIssuer LegIssuer (617) String LegIssuer
fix.LegLastPx LegLastPx (637) String LegLastPx
fix.LegLocaleOfIssue LegLocaleOfIssue (598) String LegLocaleOfIssue
fix.LegMaturityDate LegMaturityDate (611) String LegMaturityDate
fix.LegMaturityMonthYear LegMaturityMonthYear (610) String LegMaturityMonthYear
fix.LegOptAttribute LegOptAttribute (613) String LegOptAttribute
fix.LegPositionEffect LegPositionEffect (564) String LegPositionEffect
fix.LegPrice LegPrice (566) String LegPrice
fix.LegProduct LegProduct (607) String LegProduct
fix.LegRatioQty LegRatioQty (623) String LegRatioQty
fix.LegRedemptionDate LegRedemptionDate (254) String LegRedemptionDate
fix.LegRefID LegRefID (654) String LegRefID
fix.LegRepoCollateralSecurityType LegRepoCollateralSecurityType (250) String LegRepoCollateralSecurityType
fix.LegRepurchaseRate LegRepurchaseRate (252) String LegRepurchaseRate
fix.LegRepurchaseTerm LegRepurchaseTerm (251) String LegRepurchaseTerm
fix.LegSecurityAltID LegSecurityAltID (605) String LegSecurityAltID
fix.LegSecurityAltIDSource LegSecurityAltIDSource (606) String LegSecurityAltIDSource
fix.LegSecurityDesc LegSecurityDesc (620) String LegSecurityDesc
fix.LegSecurityExchange LegSecurityExchange (616) String LegSecurityExchange
fix.LegSecurityID LegSecurityID (602) String LegSecurityID
fix.LegSecurityIDSource LegSecurityIDSource (603) String LegSecurityIDSource
fix.LegSecurityType LegSecurityType (609) String LegSecurityType
fix.LegSettlmntTyp LegSettlmntTyp (587) String LegSettlmntTyp
fix.LegSide LegSide (624) String LegSide
fix.LegStateOrProvinceOfIssue LegStateOrProvinceOfIssue (597) String LegStateOrProvinceOfIssue
fix.LegStrikePrice LegStrikePrice (612) String LegStrikePrice
fix.LegSymbol LegSymbol (600) String LegSymbol
fix.LegSymbolSfx LegSymbolSfx (601) String LegSymbolSfx
fix.LegalConfirm LegalConfirm (650) String LegalConfirm
fix.LinesOfText LinesOfText (33) String LinesOfText
fix.LiquidityIndType LiquidityIndType (409) String LiquidityIndType
fix.LiquidityNumSecurities LiquidityNumSecurities (441) String LiquidityNumSecurities
fix.LiquidityPctHigh LiquidityPctHigh (403) String LiquidityPctHigh
fix.LiquidityPctLow LiquidityPctLow (402) String LiquidityPctLow
fix.LiquidityValue LiquidityValue (404) String LiquidityValue
fix.ListExecInst ListExecInst (69) String ListExecInst
fix.ListExecInstType ListExecInstType (433) String ListExecInstType
fix.ListID ListID (66) String ListID
fix.ListName ListName (392) String ListName
fix.ListOrderStatus ListOrderStatus (431) String ListOrderStatus
fix.ListSeqNo ListSeqNo (67) String ListSeqNo
fix.ListStatusText ListStatusText (444) String ListStatusText
fix.ListStatusType ListStatusType (429) String ListStatusType
fix.LocaleOfIssue LocaleOfIssue (472) String LocaleOfIssue
fix.LocateReqd LocateReqd (114) String LocateReqd
fix.LocationID LocationID (283) String LocationID
fix.LowPx LowPx (333) String LowPx
fix.MDEntryBuyer MDEntryBuyer (288) String MDEntryBuyer
fix.MDEntryDate MDEntryDate (272) String MDEntryDate
fix.MDEntryID MDEntryID (278) String MDEntryID
fix.MDEntryOriginator MDEntryOriginator (282) String MDEntryOriginator
fix.MDEntryPositionNo MDEntryPositionNo (290) String MDEntryPositionNo
fix.MDEntryPx MDEntryPx (270) String MDEntryPx
fix.MDEntryRefID MDEntryRefID (280) String MDEntryRefID
fix.MDEntrySeller MDEntrySeller (289) String MDEntrySeller
fix.MDEntrySize MDEntrySize (271) String MDEntrySize
fix.MDEntryTime MDEntryTime (273) String MDEntryTime
fix.MDEntryType MDEntryType (269) String MDEntryType
fix.MDImplicitDelete MDImplicitDelete (547) String MDImplicitDelete
fix.MDMkt MDMkt (275) String MDMkt
fix.MDReqID MDReqID (262) String MDReqID
fix.MDReqRejReason MDReqRejReason (281) String MDReqRejReason
fix.MDUpdateAction MDUpdateAction (279) String MDUpdateAction
fix.MDUpdateType MDUpdateType (265) String MDUpdateType
fix.MailingDtls MailingDtls (474) String MailingDtls
fix.MailingInst MailingInst (482) String MailingInst
fix.MarketDepth MarketDepth (264) String MarketDepth
fix.MassCancelRejectReason MassCancelRejectReason (532) String MassCancelRejectReason
fix.MassCancelRequestType MassCancelRequestType (530) String MassCancelRequestType
fix.MassCancelResponse MassCancelResponse (531) String MassCancelResponse
fix.MassStatusReqID MassStatusReqID (584) String MassStatusReqID
fix.MassStatusReqType MassStatusReqType (585) String MassStatusReqType
fix.MatchStatus MatchStatus (573) String MatchStatus
fix.MatchType MatchType (574) String MatchType
fix.MaturityDate MaturityDate (541) String MaturityDate
fix.MaturityDay MaturityDay (205) String MaturityDay
fix.MaturityMonthYear MaturityMonthYear (200) String MaturityMonthYear
fix.MaxFloor MaxFloor (111) String MaxFloor
fix.MaxMessageSize MaxMessageSize (383) String MaxMessageSize
fix.MaxShow MaxShow (210) String MaxShow
fix.MessageEncoding MessageEncoding (347) String MessageEncoding
fix.MidPx MidPx (631) String MidPx
fix.MidYield MidYield (633) String MidYield
fix.MinBidSize MinBidSize (647) String MinBidSize
fix.MinOfferSize MinOfferSize (648) String MinOfferSize
fix.MinQty MinQty (110) String MinQty
fix.MinTradeVol MinTradeVol (562) String MinTradeVol
fix.MiscFeeAmt MiscFeeAmt (137) String MiscFeeAmt
fix.MiscFeeCurr MiscFeeCurr (138) String MiscFeeCurr
fix.MiscFeeType MiscFeeType (139) String MiscFeeType
fix.MktBidPx MktBidPx (645) String MktBidPx
fix.MktOfferPx MktOfferPx (646) String MktOfferPx
fix.MoneyLaunderingStatus MoneyLaunderingStatus (481) String MoneyLaunderingStatus
fix.MsgDirection MsgDirection (385) String MsgDirection
fix.MsgSeqNum MsgSeqNum (34) String MsgSeqNum
fix.MsgType MsgType (35) String MsgType
fix.MultiLegReportingType MultiLegReportingType (442) String MultiLegReportingType
fix.MultiLegRptTypeReq MultiLegRptTypeReq (563) String MultiLegRptTypeReq
fix.NestedPartyID NestedPartyID (524) String NestedPartyID
fix.NestedPartyIDSource NestedPartyIDSource (525) String NestedPartyIDSource
fix.NestedPartyRole NestedPartyRole (538) String NestedPartyRole
fix.NestedPartySubID NestedPartySubID (545) String NestedPartySubID
fix.NetChgPrevDay NetChgPrevDay (451) String NetChgPrevDay
fix.NetGrossInd NetGrossInd (430) String NetGrossInd
fix.NetMoney NetMoney (118) String NetMoney
fix.NewSeqNo NewSeqNo (36) String NewSeqNo
fix.NoAffectedOrders NoAffectedOrders (534) String NoAffectedOrders
fix.NoAllocs NoAllocs (78) String NoAllocs
fix.NoBidComponents NoBidComponents (420) String NoBidComponents
fix.NoBidDescriptors NoBidDescriptors (398) String NoBidDescriptors
fix.NoClearingInstructions NoClearingInstructions (576) String NoClearingInstructions
fix.NoContAmts NoContAmts (518) String NoContAmts
fix.NoContraBrokers NoContraBrokers (382) String NoContraBrokers
fix.NoDates NoDates (580) String NoDates
fix.NoDistribInsts NoDistribInsts (510) String NoDistribInsts
fix.NoDlvyInst NoDlvyInst (85) String NoDlvyInst
fix.NoExecs NoExecs (124) String NoExecs
fix.NoHops NoHops (627) String NoHops
fix.NoIOIQualifiers NoIOIQualifiers (199) String NoIOIQualifiers
fix.NoInstrAttrib NoInstrAttrib (870) String NoInstrAttrib
fix.NoLegSecurityAltID NoLegSecurityAltID (604) String NoLegSecurityAltID
fix.NoLegs NoLegs (555) String NoLegs
fix.NoMDEntries NoMDEntries (268) String NoMDEntries
fix.NoMDEntryTypes NoMDEntryTypes (267) String NoMDEntryTypes
fix.NoMiscFees NoMiscFees (136) String NoMiscFees
fix.NoMsgTypes NoMsgTypes (384) String NoMsgTypes
fix.NoNestedPartyIDs NoNestedPartyIDs (539) String NoNestedPartyIDs
fix.NoOrders NoOrders (73) String NoOrders
fix.NoPartyIDs NoPartyIDs (453) String NoPartyIDs
fix.NoQuoteEntries NoQuoteEntries (295) String NoQuoteEntries
fix.NoQuoteQualifiers NoQuoteQualifiers (735) String NoQuoteQualifiers
fix.NoQuoteSets NoQuoteSets (296) String NoQuoteSets
fix.NoRegistDtls NoRegistDtls (473) String NoRegistDtls
fix.NoRelatedSym NoRelatedSym (146) String NoRelatedSym
fix.NoRoutingIDs NoRoutingIDs (215) String NoRoutingIDs
fix.NoRpts NoRpts (82) String NoRpts
fix.NoSecurityAltID NoSecurityAltID (454) String NoSecurityAltID
fix.NoSecurityTypes NoSecurityTypes (558) String NoSecurityTypes
fix.NoSides NoSides (552) String NoSides
fix.NoStipulations NoStipulations (232) String NoStipulations
fix.NoStrikes NoStrikes (428) String NoStrikes
fix.NoTradingSessions NoTradingSessions (386) String NoTradingSessions
fix.NoUnderlyingSecurityAltID NoUnderlyingSecurityAltID (457) String NoUnderlyingSecurityAltID
fix.NotifyBrokerOfCredit NotifyBrokerOfCredit (208) String NotifyBrokerOfCredit
fix.NumBidders NumBidders (417) String NumBidders
fix.NumDaysInterest NumDaysInterest (157) String NumDaysInterest
fix.NumTickets NumTickets (395) String NumTickets
fix.NumberOfOrders NumberOfOrders (346) String NumberOfOrders
fix.OddLot OddLot (575) String OddLot
fix.OfferForwardPoints OfferForwardPoints (191) String OfferForwardPoints
fix.OfferForwardPoints2 OfferForwardPoints2 (643) String OfferForwardPoints2
fix.OfferPx OfferPx (133) String OfferPx
fix.OfferSize OfferSize (135) String OfferSize
fix.OfferSpotRate OfferSpotRate (190) String OfferSpotRate
fix.OfferYield OfferYield (634) String OfferYield
fix.OnBehalfOfCompID OnBehalfOfCompID (115) String OnBehalfOfCompID
fix.OnBehalfOfLocationID OnBehalfOfLocationID (144) String OnBehalfOfLocationID
fix.OnBehalfOfSendingTime OnBehalfOfSendingTime (370) String OnBehalfOfSendingTime
fix.OnBehalfOfSubID OnBehalfOfSubID (116) String OnBehalfOfSubID
fix.OpenCloseSettleFlag OpenCloseSettleFlag (286) String OpenCloseSettleFlag
fix.OptAttribute OptAttribute (206) String OptAttribute
fix.OrdRejReason OrdRejReason (103) String OrdRejReason
fix.OrdStatus OrdStatus (39) String OrdStatus
fix.OrdType OrdType (40) String OrdType
fix.OrderCapacity OrderCapacity (528) String OrderCapacity
fix.OrderID OrderID (37) String OrderID
fix.OrderPercent OrderPercent (516) String OrderPercent
fix.OrderQty OrderQty (38) String OrderQty
fix.OrderQty2 OrderQty2 (192) String OrderQty2
fix.OrderRestrictions OrderRestrictions (529) String OrderRestrictions
fix.OrigClOrdID OrigClOrdID (41) String OrigClOrdID
fix.OrigCrossID OrigCrossID (551) String OrigCrossID
fix.OrigOrdModTime OrigOrdModTime (586) String OrigOrdModTime
fix.OrigSendingTime OrigSendingTime (122) String OrigSendingTime
fix.OrigTime OrigTime (42) String OrigTime
fix.OutMainCntryUIndex OutMainCntryUIndex (412) String OutMainCntryUIndex
fix.OutsideIndexPct OutsideIndexPct (407) String OutsideIndexPct
fix.OwnerType OwnerType (522) String OwnerType
fix.OwnershipType OwnershipType (517) String OwnershipType
fix.PartyID PartyID (448) String PartyID
fix.PartyIDSource PartyIDSource (447) String PartyIDSource
fix.PartyRole PartyRole (452) String PartyRole
fix.PartySubID PartySubID (523) String PartySubID
fix.Password Password (554) String Password
fix.PaymentDate PaymentDate (504) String PaymentDate
fix.PaymentMethod PaymentMethod (492) String PaymentMethod
fix.PaymentRef PaymentRef (476) String PaymentRef
fix.PaymentRemitterID PaymentRemitterID (505) String PaymentRemitterID
fix.PegDifference PegDifference (211) String PegDifference
fix.Pool Pool (691) String Pool
fix.PositionEffect PositionEffect (77) String PositionEffect
fix.PossDupFlag PossDupFlag (43) String PossDupFlag
fix.PossResend PossResend (97) String PossResend
fix.PreallocMethod PreallocMethod (591) String PreallocMethod
fix.PrevClosePx PrevClosePx (140) String PrevClosePx
fix.PreviouslyReported PreviouslyReported (570) String PreviouslyReported
fix.Price Price (44) String Price
fix.Price2 Price2 (640) String Price2
fix.PriceImprovement PriceImprovement (639) String PriceImprovement
fix.PriceType PriceType (423) String PriceType
fix.PriorityIndicator PriorityIndicator (638) String PriorityIndicator
fix.ProcessCode ProcessCode (81) String ProcessCode
fix.Product Product (460) String Product
fix.ProgPeriodInterval ProgPeriodInterval (415) String ProgPeriodInterval
fix.ProgRptReqs ProgRptReqs (414) String ProgRptReqs
fix.PutOrCall PutOrCall (201) String PutOrCall
fix.Quantity Quantity (53) String Quantity
fix.QuantityType QuantityType (465) String QuantityType
fix.QuoteCancelType QuoteCancelType (298) String QuoteCancelType
fix.QuoteCondition QuoteCondition (276) String QuoteCondition
fix.QuoteEntryID QuoteEntryID (299) String QuoteEntryID
fix.QuoteEntryRejectReason QuoteEntryRejectReason (368) String QuoteEntryRejectReason
fix.QuoteID QuoteID (117) String QuoteID
fix.QuoteQualifier QuoteQualifier (695) String QuoteQualifier
fix.QuoteRejectReason QuoteRejectReason (300) String QuoteRejectReason
fix.QuoteReqID QuoteReqID (131) String QuoteReqID
fix.QuoteRequestRejectReason QuoteRequestRejectReason (658) String QuoteRequestRejectReason
fix.QuoteRequestType QuoteRequestType (303) String QuoteRequestType
fix.QuoteRespID QuoteRespID (693) String QuoteRespID
fix.QuoteRespType QuoteRespType (694) String QuoteRespType
fix.QuoteResponseLevel QuoteResponseLevel (301) String QuoteResponseLevel
fix.QuoteSetID QuoteSetID (302) String QuoteSetID
fix.QuoteSetValidUntilTime QuoteSetValidUntilTime (367) String QuoteSetValidUntilTime
fix.QuoteStatus QuoteStatus (297) String QuoteStatus
fix.QuoteStatusReqID QuoteStatusReqID (649) String QuoteStatusReqID
fix.QuoteType QuoteType (537) String QuoteType
fix.RFQReqID RFQReqID (644) String RFQReqID
fix.RatioQty RatioQty (319) String RatioQty
fix.RawData RawData (96) String RawData
fix.RawDataLength RawDataLength (95) String RawDataLength
fix.RedemptionDate RedemptionDate (240) String RedemptionDate
fix.RefAllocID RefAllocID (72) String RefAllocID
fix.RefMsgType RefMsgType (372) String RefMsgType
fix.RefSeqNum RefSeqNum (45) String RefSeqNum
fix.RefTagID RefTagID (371) String RefTagID
fix.RegistAcctType RegistAcctType (493) String RegistAcctType
fix.RegistDetls RegistDetls (509) String RegistDetls
fix.RegistEmail RegistEmail (511) String RegistEmail
fix.RegistID RegistID (513) String RegistID
fix.RegistRefID RegistRefID (508) String RegistRefID
fix.RegistRejReasonCode RegistRejReasonCode (507) String RegistRejReasonCode
fix.RegistRejReasonText RegistRejReasonText (496) String RegistRejReasonText
fix.RegistStatus RegistStatus (506) String RegistStatus
fix.RegistTransType RegistTransType (514) String RegistTransType
fix.RelatdSym RelatdSym (46) String RelatdSym
fix.RepoCollateralSecurityType RepoCollateralSecurityType (239) String RepoCollateralSecurityType
fix.ReportToExch ReportToExch (113) String ReportToExch
fix.RepurchaseRate RepurchaseRate (227) String RepurchaseRate
fix.RepurchaseTerm RepurchaseTerm (226) String RepurchaseTerm
fix.ReservedAllocated ReservedAllocated (261) String ReservedAllocated
fix.ResetSeqNumFlag ResetSeqNumFlag (141) String ResetSeqNumFlag
fix.RoundLot RoundLot (561) String RoundLot
fix.RoundingDirection RoundingDirection (468) String RoundingDirection
fix.RoundingModulus RoundingModulus (469) String RoundingModulus
fix.RoutingID RoutingID (217) String RoutingID
fix.RoutingType RoutingType (216) String RoutingType
fix.RptSeq RptSeq (83) String RptSeq
fix.Rule80A Rule80A (47) String Rule80A
fix.Scope Scope (546) String Scope
fix.SecDefStatus SecDefStatus (653) String SecDefStatus
fix.SecondaryClOrdID SecondaryClOrdID (526) String SecondaryClOrdID
fix.SecondaryExecID SecondaryExecID (527) String SecondaryExecID
fix.SecondaryOrderID SecondaryOrderID (198) String SecondaryOrderID
fix.SecureData SecureData (91) String SecureData
fix.SecureDataLen SecureDataLen (90) String SecureDataLen
fix.SecurityAltID SecurityAltID (455) String SecurityAltID
fix.SecurityAltIDSource SecurityAltIDSource (456) String SecurityAltIDSource
fix.SecurityDesc SecurityDesc (107) String SecurityDesc
fix.SecurityExchange SecurityExchange (207) String SecurityExchange
fix.SecurityID SecurityID (48) String SecurityID
fix.SecurityIDSource SecurityIDSource (22) String SecurityIDSource
fix.SecurityListRequestType SecurityListRequestType (559) String SecurityListRequestType
fix.SecurityReqID SecurityReqID (320) String SecurityReqID
fix.SecurityRequestResult SecurityRequestResult (560) String SecurityRequestResult
fix.SecurityRequestType SecurityRequestType (321) String SecurityRequestType
fix.SecurityResponseID SecurityResponseID (322) String SecurityResponseID
fix.SecurityResponseType SecurityResponseType (323) String SecurityResponseType
fix.SecuritySettlAgentAcctName SecuritySettlAgentAcctName (179) String SecuritySettlAgentAcctName
fix.SecuritySettlAgentAcctNum SecuritySettlAgentAcctNum (178) String SecuritySettlAgentAcctNum
fix.SecuritySettlAgentCode SecuritySettlAgentCode (177) String SecuritySettlAgentCode
fix.SecuritySettlAgentContactName SecuritySettlAgentContactName (180) String SecuritySettlAgentContactName
fix.SecuritySettlAgentContactPhone SecuritySettlAgentContactPhone (181) String SecuritySettlAgentContactPhone
fix.SecuritySettlAgentName SecuritySettlAgentName (176) String SecuritySettlAgentName
fix.SecurityStatusReqID SecurityStatusReqID (324) String SecurityStatusReqID
fix.SecuritySubType SecuritySubType (762) String SecuritySubType
fix.SecurityTradingStatus SecurityTradingStatus (326) String SecurityTradingStatus
fix.SecurityType SecurityType (167) String SecurityType
fix.SellVolume SellVolume (331) String SellVolume
fix.SellerDays SellerDays (287) String SellerDays
fix.SenderCompID SenderCompID (49) String SenderCompID
fix.SenderLocationID SenderLocationID (142) String SenderLocationID
fix.SenderSubID SenderSubID (50) String SenderSubID
fix.SendingDate SendingDate (51) String SendingDate
fix.SendingTime SendingTime (52) String SendingTime
fix.SessionRejectReason SessionRejectReason (373) String SessionRejectReason
fix.SettlBrkrCode SettlBrkrCode (174) String SettlBrkrCode
fix.SettlCurrAmt SettlCurrAmt (119) String SettlCurrAmt
fix.SettlCurrBidFxRate SettlCurrBidFxRate (656) String SettlCurrBidFxRate
fix.SettlCurrFxRate SettlCurrFxRate (155) String SettlCurrFxRate
fix.SettlCurrFxRateCalc SettlCurrFxRateCalc (156) String SettlCurrFxRateCalc
fix.SettlCurrOfferFxRate SettlCurrOfferFxRate (657) String SettlCurrOfferFxRate
fix.SettlCurrency SettlCurrency (120) String SettlCurrency
fix.SettlDeliveryType SettlDeliveryType (172) String SettlDeliveryType
fix.SettlDepositoryCode SettlDepositoryCode (173) String SettlDepositoryCode
fix.SettlInstCode SettlInstCode (175) String SettlInstCode
fix.SettlInstID SettlInstID (162) String SettlInstID
fix.SettlInstMode SettlInstMode (160) String SettlInstMode
fix.SettlInstRefID SettlInstRefID (214) String SettlInstRefID
fix.SettlInstSource SettlInstSource (165) String SettlInstSource
fix.SettlInstTransType SettlInstTransType (163) String SettlInstTransType
fix.SettlLocation SettlLocation (166) String SettlLocation
fix.SettlmntTyp SettlmntTyp (63) String SettlmntTyp
fix.Side Side (54) String Side
fix.SideComplianceID SideComplianceID (659) String SideComplianceID
fix.SideValue1 SideValue1 (396) String SideValue1
fix.SideValue2 SideValue2 (397) String SideValue2
fix.SideValueInd SideValueInd (401) String SideValueInd
fix.Signature Signature (89) String Signature
fix.SignatureLength SignatureLength (93) String SignatureLength
fix.SolicitedFlag SolicitedFlag (377) String SolicitedFlag
fix.Spread Spread (218) String Spread
fix.StandInstDbID StandInstDbID (171) String StandInstDbID
fix.StandInstDbName StandInstDbName (170) String StandInstDbName
fix.StandInstDbType StandInstDbType (169) String StandInstDbType
fix.StateOrProvinceOfIssue StateOrProvinceOfIssue (471) String StateOrProvinceOfIssue
fix.StipulationType StipulationType (233) String StipulationType
fix.StipulationValue StipulationValue (234) String StipulationValue
fix.StopPx StopPx (99) String StopPx
fix.StrikePrice StrikePrice (202) String StrikePrice
fix.StrikeTime StrikeTime (443) String StrikeTime
fix.Subject Subject (147) String Subject
fix.SubscriptionRequestType SubscriptionRequestType (263) String SubscriptionRequestType
fix.Symbol Symbol (55) String Symbol
fix.SymbolSfx SymbolSfx (65) String SymbolSfx
fix.TargetCompID TargetCompID (56) String TargetCompID
fix.TargetLocationID TargetLocationID (143) String TargetLocationID
fix.TargetSubID TargetSubID (57) String TargetSubID
fix.TaxAdvantageType TaxAdvantageType (495) String TaxAdvantageType
fix.TestMessageIndicator TestMessageIndicator (464) String TestMessageIndicator
fix.TestReqID TestReqID (112) String TestReqID
fix.Text Text (58) String Text
fix.TickDirection TickDirection (274) String TickDirection
fix.TimeInForce TimeInForce (59) String TimeInForce
fix.TotNoOrders TotNoOrders (68) String TotNoOrders
fix.TotNoStrikes TotNoStrikes (422) String TotNoStrikes
fix.TotQuoteEntries TotQuoteEntries (304) String TotQuoteEntries
fix.TotalAccruedInterestAmt TotalAccruedInterestAmt (540) String TotalAccruedInterestAmt
fix.TotalAffectedOrders TotalAffectedOrders (533) String TotalAffectedOrders
fix.TotalNumSecurities TotalNumSecurities (393) String TotalNumSecurities
fix.TotalNumSecurityTypes TotalNumSecurityTypes (557) String TotalNumSecurityTypes
fix.TotalTakedown TotalTakedown (237) String TotalTakedown
fix.TotalVolumeTraded TotalVolumeTraded (387) String TotalVolumeTraded
fix.TotalVolumeTradedDate TotalVolumeTradedDate (449) String TotalVolumeTradedDate
fix.TotalVolumeTradedTime TotalVolumeTradedTime (450) String TotalVolumeTradedTime
fix.TradSesCloseTime TradSesCloseTime (344) String TradSesCloseTime
fix.TradSesEndTime TradSesEndTime (345) String TradSesEndTime
fix.TradSesMethod TradSesMethod (338) String TradSesMethod
fix.TradSesMode TradSesMode (339) String TradSesMode
fix.TradSesOpenTime TradSesOpenTime (342) String TradSesOpenTime
fix.TradSesPreCloseTime TradSesPreCloseTime (343) String TradSesPreCloseTime
fix.TradSesReqID TradSesReqID (335) String TradSesReqID
fix.TradSesStartTime TradSesStartTime (341) String TradSesStartTime
fix.TradSesStatus TradSesStatus (340) String TradSesStatus
fix.TradSesStatusRejReason TradSesStatusRejReason (567) String TradSesStatusRejReason
fix.TradeCondition TradeCondition (277) String TradeCondition
fix.TradeDate TradeDate (75) String TradeDate
fix.TradeInputDevice TradeInputDevice (579) String TradeInputDevice
fix.TradeInputSource TradeInputSource (578) String TradeInputSource
fix.TradeOriginationDate TradeOriginationDate (229) String TradeOriginationDate
fix.TradeReportID TradeReportID (571) String TradeReportID
fix.TradeReportRefID TradeReportRefID (572) String TradeReportRefID
fix.TradeReportTransType TradeReportTransType (487) String TradeReportTransType
fix.TradeRequestID TradeRequestID (568) String TradeRequestID
fix.TradeRequestType TradeRequestType (569) String TradeRequestType
fix.TradeType TradeType (418) String TradeType
fix.TradedFlatSwitch TradedFlatSwitch (258) String TradedFlatSwitch
fix.TradingSessionID TradingSessionID (336) String TradingSessionID
fix.TradingSessionSubID TradingSessionSubID (625) String TradingSessionSubID
fix.TransBkdTime TransBkdTime (483) String TransBkdTime
fix.TransactTime TransactTime (60) String TransactTime
fix.URLLink URLLink (149) String URLLink
fix.Underlying Underlying (318) String Underlying
fix.UnderlyingCFICode UnderlyingCFICode (463) String UnderlyingCFICode
fix.UnderlyingContractMultiplier UnderlyingContractMultiplier (436) String UnderlyingContractMultiplier
fix.UnderlyingCountryOfIssue UnderlyingCountryOfIssue (592) String UnderlyingCountryOfIssue
fix.UnderlyingCouponPaymentDate UnderlyingCouponPaymentDate (241) String UnderlyingCouponPaymentDate
fix.UnderlyingCouponRate UnderlyingCouponRate (435) String UnderlyingCouponRate
fix.UnderlyingCreditRating UnderlyingCreditRating (256) String UnderlyingCreditRating
fix.UnderlyingFactor UnderlyingFactor (246) String UnderlyingFactor
fix.UnderlyingInstrRegistry UnderlyingInstrRegistry (595) String UnderlyingInstrRegistry
fix.UnderlyingIssueDate UnderlyingIssueDate (242) String UnderlyingIssueDate
fix.UnderlyingIssuer UnderlyingIssuer (306) String UnderlyingIssuer
fix.UnderlyingLastPx UnderlyingLastPx (651) String UnderlyingLastPx
fix.UnderlyingLastQty UnderlyingLastQty (652) String UnderlyingLastQty
fix.UnderlyingLocaleOfIssue UnderlyingLocaleOfIssue (594) String UnderlyingLocaleOfIssue
fix.UnderlyingMaturityDate UnderlyingMaturityDate (542) String UnderlyingMaturityDate
fix.UnderlyingMaturityDay UnderlyingMaturityDay (314) String UnderlyingMaturityDay
fix.UnderlyingMaturityMonthYear UnderlyingMaturityMonthYear (313) String UnderlyingMaturityMonthYear
fix.UnderlyingOptAttribute UnderlyingOptAttribute (317) String UnderlyingOptAttribute
fix.UnderlyingProduct UnderlyingProduct (462) String UnderlyingProduct
fix.UnderlyingPutOrCall UnderlyingPutOrCall (315) String UnderlyingPutOrCall
fix.UnderlyingRedemptionDate UnderlyingRedemptionDate (247) String UnderlyingRedemptionDate
fix.UnderlyingRepoCollateralSecurityType UnderlyingRepoCollateralSecurityType (243) String UnderlyingRepoCollateralSecurityType
fix.UnderlyingRepurchaseRate UnderlyingRepurchaseRate (245) String UnderlyingRepurchaseRate
fix.UnderlyingRepurchaseTerm UnderlyingRepurchaseTerm (244) String UnderlyingRepurchaseTerm
fix.UnderlyingSecurityAltID UnderlyingSecurityAltID (458) String UnderlyingSecurityAltID
fix.UnderlyingSecurityAltIDSource UnderlyingSecurityAltIDSource (459) String UnderlyingSecurityAltIDSource
fix.UnderlyingSecurityDesc UnderlyingSecurityDesc (307) String UnderlyingSecurityDesc
fix.UnderlyingSecurityExchange UnderlyingSecurityExchange (308) String UnderlyingSecurityExchange
fix.UnderlyingSecurityID UnderlyingSecurityID (309) String UnderlyingSecurityID
fix.UnderlyingSecurityIDSource UnderlyingSecurityIDSource (305) String UnderlyingSecurityIDSource
fix.UnderlyingSecurityType UnderlyingSecurityType (310) String UnderlyingSecurityType
fix.UnderlyingStateOrProvinceOfIssue UnderlyingStateOrProvinceOfIssue (593) String UnderlyingStateOrProvinceOfIssue
fix.UnderlyingStrikePrice UnderlyingStrikePrice (316) String UnderlyingStrikePrice
fix.UnderlyingSymbol UnderlyingSymbol (311) String UnderlyingSymbol
fix.UnderlyingSymbolSfx UnderlyingSymbolSfx (312) String UnderlyingSymbolSfx
fix.UnsolicitedIndicator UnsolicitedIndicator (325) String UnsolicitedIndicator
fix.Urgency Urgency (61) String Urgency
fix.Username Username (553) String Username
fix.ValidUntilTime ValidUntilTime (62) String ValidUntilTime
fix.ValueOfFutures ValueOfFutures (408) String ValueOfFutures
fix.WaveNo WaveNo (105) String WaveNo
fix.WorkingIndicator WorkingIndicator (636) String WorkingIndicator
fix.WtAverageLiquidity WtAverageLiquidity (410) String WtAverageLiquidity
fix.XmlData XmlData (213) String XmlData
fix.XmlDataLen XmlDataLen (212) String XmlDataLen
fix.Yield Yield (236) String Yield
fix.YieldType YieldType (235) String YieldType
fractalgeneratorprotocol.buffer Buffer Byte array
fractalgeneratorprotocol.data_points Points Unsigned 32-bit integer
fractalgeneratorprotocol.data_start_x StartX Unsigned 32-bit integer
fractalgeneratorprotocol.data_start_y StartY Unsigned 32-bit integer
fractalgeneratorprotocol.message_flags Flags Unsigned 8-bit integer
fractalgeneratorprotocol.message_length Length Unsigned 16-bit integer
fractalgeneratorprotocol.message_type Type Unsigned 8-bit integer
fractalgeneratorprotocol.parameter_algorithmid AlgorithmID Unsigned 32-bit integer
fractalgeneratorprotocol.parameter_c1imag C1Imag Double-precision floating point
fractalgeneratorprotocol.parameter_c1real C1Real Double-precision floating point
fractalgeneratorprotocol.parameter_c2imag C2Imag Double-precision floating point
fractalgeneratorprotocol.parameter_c2real C2Real Double-precision floating point
fractalgeneratorprotocol.parameter_height Height Unsigned 32-bit integer
fractalgeneratorprotocol.parameter_maxiterations MaxIterations Unsigned 32-bit integer
fractalgeneratorprotocol.parameter_n N Double-precision floating point
fractalgeneratorprotocol.parameter_width Width Unsigned 32-bit integer
frame.cap_len Frame length stored into the capture file Unsigned 32-bit integer
frame.coloring_rule.name Coloring Rule Name String The frame matched the coloring rule with this name
frame.coloring_rule.string Coloring Rule String String The frame matched this coloring rule string
frame.file_off File Offset Signed 32-bit integer
frame.link_nr Link Number Unsigned 16-bit integer
frame.marked Frame is marked Boolean Frame is marked in the GUI
frame.number Frame Number Unsigned 32-bit integer
frame.p2p_dir Point-to-Point Direction Unsigned 8-bit integer
frame.pkt_len Frame length on the wire Unsigned 32-bit integer
frame.protocols Protocols in frame String Protocols carried by this frame
frame.ref_time This is a Time Reference frame No value This frame is a Time Reference frame
frame.time Arrival Time Date/Time stamp Absolute time when this frame was captured
frame.time_delta Time delta from previous packet Time duration Time delta since previous displayed frame
frame.time_invalid Arrival Timestamp invalid No value The timestamp from the capture is out of the valid range
frame.time_relative Time since reference or first frame Time duration Time relative to time reference or first frame
fr.becn BECN Boolean Backward Explicit Congestion Notification
fr.chdlctype Type Unsigned 16-bit integer Frame Relay Cisco HDLC Encapsulated Protocol
fr.control Control Field Unsigned 8-bit integer Control field
fr.control.f Final Boolean
fr.control.ftype Frame type Unsigned 16-bit integer
fr.control.n_r N(R) Unsigned 16-bit integer
fr.control.n_s N(S) Unsigned 16-bit integer
fr.control.p Poll Boolean
fr.control.s_ftype Supervisory frame type Unsigned 16-bit integer
fr.cr CR Boolean Command/Response
fr.dc DC Boolean Address/Control
fr.de DE Boolean Discard Eligibility
fr.dlci DLCI Unsigned 32-bit integer Data-Link Connection Identifier
fr.dlcore_control DL-CORE Control Unsigned 8-bit integer DL-Core control bits
fr.ea EA Boolean Extended Address
fr.fecn FECN Boolean Forward Explicit Congestion Notification
fr.lower_dlci Lower DLCI Unsigned 8-bit integer Lower bits of DLCI
fr.nlpid NLPID Unsigned 8-bit integer Frame Relay Encapsulated Protocol NLPID
fr.second_dlci Second DLCI Unsigned 8-bit integer Bits below upper bits of DLCI
fr.snap.oui Organization Code Unsigned 24-bit integer
fr.snap.pid Protocol ID Unsigned 16-bit integer
fr.snaptype Type Unsigned 16-bit integer Frame Relay SNAP Encapsulated Protocol
fr.third_dlci Third DLCI Unsigned 8-bit integer Additional bits of DLCI
fr.upper_dlci Upper DLCI Unsigned 8-bit integer Upper bits of DLCI
lapd.control.u_modifier_cmd Command Unsigned 8-bit integer
lapd.control.u_modifier_resp Response Unsigned 8-bit integer
g723.frame_size_and_codec Frame size and codec type Unsigned 8-bit integer RATEFLAG_B0
g723.lpc.b5b0 LPC_B5...LPC_B0 Unsigned 8-bit integer LPC_B5...LPC_B0
garp.attribute_event Event Unsigned 8-bit integer
garp.attribute_length Length Unsigned 8-bit integer
garp.attribute_type Type Unsigned 8-bit integer
garp.attribute_value_group_membership Value 6-byte Hardware (MAC) Address
garp.attribute_value_service_requirement Value Unsigned 8-bit integer
garp.protocol_id Protocol ID Unsigned 16-bit integer
garp.attribute_value Value Unsigned 16-bit integer
gprs_ns.bvci BVCI Unsigned 16-bit integer Cell ID
gprs_ns.cause Cause Unsigned 8-bit integer Cause
gprs_ns.ielength IE Length Unsigned 16-bit integer IE Length
gprs_ns.ietype IE Type Unsigned 8-bit integer IE Type
gprs_ns.nsei NSEI Unsigned 16-bit integer Network Service Entity Id
gprs_ns.nsvci NSVCI Unsigned 16-bit integer Network Service Virtual Connection id
gprs_ns.pdutype PDU Type Unsigned 8-bit integer NS Command
gprs_ns.spare Spare octet Unsigned 8-bit integer
gtp.TargetID TargetID Unsigned 32-bit integer TargetID
gtp.apn APN String Access Point Name
gtp.cause Cause Unsigned 8-bit integer Cause of operation
gtp.chrg_char Charging characteristics Unsigned 16-bit integer Charging characteristics
gtp.chrg_char_f Flat rate charging Unsigned 16-bit integer Flat rate charging
gtp.chrg_char_h Hot billing charging Unsigned 16-bit integer Hot billing charging
gtp.chrg_char_n Normal charging Unsigned 16-bit integer Normal charging
gtp.chrg_char_p Prepaid charging Unsigned 16-bit integer Prepaid charging
gtp.chrg_char_r Reserved Unsigned 16-bit integer Reserved
gtp.chrg_char_s Spare Unsigned 16-bit integer Spare
gtp.chrg_id Charging ID Unsigned 32-bit integer Charging ID
gtp.chrg_ipv4 CG address IPv4 IPv4 address Charging Gateway address IPv4
gtp.chrg_ipv6 CG address IPv6 IPv6 address Charging Gateway address IPv6
gtp.cksn_ksi Ciphering Key Sequence Number (CKSN)/Key Set Identifier (KSI) Unsigned 8-bit integer CKSN/KSI
gtp.ext_apn_res Restriction Type Unsigned 8-bit integer Restriction Type
gtp.ext_flow_label Flow Label Data I Unsigned 16-bit integer Flow label data
gtp.ext_id Extension identifier Unsigned 16-bit integer Extension Identifier
gtp.ext_imeisv IMEI(SV) Byte array IMEI(SV)
gtp.ext_length Length Unsigned 16-bit integer IE Length
gtp.ext_rat_type RAT Type Unsigned 8-bit integer RAT Type
gtp.ext_val Extension value String Extension Value
gtp.flags Flags Unsigned 8-bit integer Ver/PT/Spare...
gtp.flags.e Is Next Extension Header present? Boolean Is Next Extension Header present? (1 = yes, 0 = no)
gtp.flags.payload Protocol type Unsigned 8-bit integer Protocol Type
gtp.flags.pn Is N-PDU number present? Boolean Is N-PDU number present? (1 = yes, 0 = no)
gtp.flags.reserved Reserved Unsigned 8-bit integer Reserved (shall be sent as '111' )
gtp.flags.s Is Sequence Number present? Boolean Is Sequence Number present? (1 = yes, 0 = no)
gtp.flags.snn Is SNDCP N-PDU included? Boolean Is SNDCP N-PDU LLC Number included? (1 = yes, 0 = no)
gtp.flags.version Version Unsigned 8-bit integer GTP Version
gtp.flow_ii Flow Label Data II Unsigned 16-bit integer Downlink flow label data
gtp.flow_label Flow label Unsigned 16-bit integer Flow label
gtp.flow_sig Flow label Signalling Unsigned 16-bit integer Flow label signalling
gtp.gsn_addr_len GSN Address Length Unsigned 8-bit integer GSN Address Length
gtp.gsn_addr_type GSN Address Type Unsigned 8-bit integer GSN Address Type
gtp.gsn_ipv4 GSN address IPv4 IPv4 address GSN address IPv4
gtp.gsn_ipv6 GSN address IPv6 IPv6 address GSN address IPv6
gtp.imsi IMSI String International Mobile Subscriber Identity number
gtp.lac LAC Unsigned 16-bit integer Location Area Code
gtp.length Length Unsigned 16-bit integer Length (i.e. number of octets after TID or TEID)
gtp.map_cause MAP cause Unsigned 8-bit integer MAP cause
gtp.mcc MCC Unsigned 16-bit integer Mobile Country Code
gtp.message Message Type Unsigned 8-bit integer GTP Message Type
gtp.mnc MNC Unsigned 8-bit integer Mobile Network Code
gtp.ms_reason MS not reachable reason Unsigned 8-bit integer MS Not Reachable Reason
gtp.ms_valid MS validated Boolean MS validated
gtp.msisdn MSISDN String MS international PSTN/ISDN number
gtp.next Next extension header type Unsigned 8-bit integer Next Extension Header Type
gtp.no_of_vectors No of Vectors Unsigned 8-bit integer No of Vectors
gtp.node_ipv4 Node address IPv4 IPv4 address Recommended node address IPv4
gtp.node_ipv6 Node address IPv6 IPv6 address Recommended node address IPv6
gtp.npdu_number N-PDU Number Unsigned 8-bit integer N-PDU Number
gtp.nsapi NSAPI Unsigned 8-bit integer Network layer Service Access Point Identifier
gtp.pkt_flow_id Packet Flow ID Unsigned 8-bit integer Packet Flow ID
gtp.ptmsi P-TMSI Unsigned 32-bit integer Packet-Temporary Mobile Subscriber Identity
gtp.ptmsi_sig P-TMSI Signature Unsigned 24-bit integer P-TMSI Signature
gtp.qos_al_ret_priority Allocation/Retention priority Unsigned 8-bit integer Allocation/Retention Priority
gtp.qos_del_err_sdu Delivery of erroneous SDU Unsigned 8-bit integer Delivery of Erroneous SDU
gtp.qos_del_order Delivery order Unsigned 8-bit integer Delivery Order
gtp.qos_delay QoS delay Unsigned 8-bit integer Quality of Service Delay Class
gtp.qos_guar_dl Guaranteed bit rate for downlink Unsigned 8-bit integer Guaranteed bit rate for downlink
gtp.qos_guar_ul Guaranteed bit rate for uplink Unsigned 8-bit integer Guaranteed bit rate for uplink
gtp.qos_max_dl Maximum bit rate for downlink Unsigned 8-bit integer Maximum bit rate for downlink
gtp.qos_max_sdu_size Maximum SDU size Unsigned 8-bit integer Maximum SDU size
gtp.qos_max_ul Maximum bit rate for uplink Unsigned 8-bit integer Maximum bit rate for uplink
gtp.qos_mean QoS mean Unsigned 8-bit integer Quality of Service Mean Throughput
gtp.qos_peak QoS peak Unsigned 8-bit integer Quality of Service Peak Throughput
gtp.qos_precedence QoS precedence Unsigned 8-bit integer Quality of Service Precedence Class
gtp.qos_reliabilty QoS reliability Unsigned 8-bit integer Quality of Service Reliability Class
gtp.qos_res_ber Residual BER Unsigned 8-bit integer Residual Bit Error Rate
gtp.qos_sdu_err_ratio SDU Error ratio Unsigned 8-bit integer SDU Error Ratio
gtp.qos_spare1 Spare Unsigned 8-bit integer Spare (shall be sent as '00' )
gtp.qos_spare2 Spare Unsigned 8-bit integer Spare (shall be sent as 0)
gtp.qos_spare3 Spare Unsigned 8-bit integer Spare (shall be sent as '000' )
gtp.qos_traf_class Traffic class Unsigned 8-bit integer Traffic Class
gtp.qos_traf_handl_prio Traffic handling priority Unsigned 8-bit integer Traffic Handling Priority
gtp.qos_trans_delay Transfer delay Unsigned 8-bit integer Transfer Delay
gtp.qos_version Version String Version of the QoS Profile
gtp.rab_gtp_dn Downlink GTP-U seq number Unsigned 16-bit integer Downlink GTP-U sequence number
gtp.rab_gtp_up Uplink GTP-U seq number Unsigned 16-bit integer Uplink GTP-U sequence number
gtp.rab_pdu_dn Downlink next PDCP-PDU seq number Unsigned 16-bit integer Downlink next PDCP-PDU sequence number
gtp.rab_pdu_up Uplink next PDCP-PDU seq number Unsigned 16-bit integer Uplink next PDCP-PDU sequence number
gtp.rac RAC Unsigned 8-bit integer Routing Area Code
gtp.ranap_cause RANAP cause Unsigned 8-bit integer RANAP cause
gtp.recovery Recovery Unsigned 8-bit integer Restart counter
gtp.reorder Reordering required Boolean Reordering required
gtp.rnc_ipv4 RNC address IPv4 IPv4 address Radio Network Controller address IPv4
gtp.rnc_ipv6 RNC address IPv6 IPv6 address Radio Network Controller address IPv6
gtp.rp Radio Priority Unsigned 8-bit integer Radio Priority for uplink tx
gtp.rp_nsapi NSAPI in Radio Priority Unsigned 8-bit integer Network layer Service Access Point Identifier in Radio Priority
gtp.rp_sms Radio Priority SMS Unsigned 8-bit integer Radio Priority for MO SMS
gtp.rp_spare Reserved Unsigned 8-bit integer Spare bit
gtp.security_mode Security Mode Unsigned 8-bit integer Security Mode
gtp.sel_mode Selection mode Unsigned 8-bit integer Selection Mode
gtp.seq_number Sequence number Unsigned 16-bit integer Sequence Number
gtp.sndcp_number SNDCP N-PDU LLC Number Unsigned 8-bit integer SNDCP N-PDU LLC Number
gtp.tear_ind Teardown Indicator Boolean Teardown Indicator
gtp.teid TEID Unsigned 32-bit integer Tunnel Endpoint Identifier
gtp.teid_cp TEID Control Plane Unsigned 32-bit integer Tunnel Endpoint Identifier Control Plane
gtp.teid_data TEID Data I Unsigned 32-bit integer Tunnel Endpoint Identifier Data I
gtp.teid_ii TEID Data II Unsigned 32-bit integer Tunnel Endpoint Identifier Data II
gtp.tft_code TFT operation code Unsigned 8-bit integer TFT operation code
gtp.tft_eval Evaluation precedence Unsigned 8-bit integer Evaluation precedence
gtp.tft_number Number of packet filters Unsigned 8-bit integer Number of packet filters
gtp.tft_spare TFT spare bit Unsigned 8-bit integer TFT spare bit
gtp.tid TID String Tunnel Identifier
gtp.tlli TLLI Unsigned 32-bit integer Temporary Logical Link Identity
gtp.tr_comm Packet transfer command Unsigned 8-bit integer Packat transfer command
gtp.trace_ref Trace reference Unsigned 16-bit integer Trace reference
gtp.trace_type Trace type Unsigned 16-bit integer Trace type
gtp.unknown Unknown data (length) Unsigned 16-bit integer Unknown data
gtp.user_addr_pdp_org PDP type organization Unsigned 8-bit integer PDP type organization
gtp.user_addr_pdp_type PDP type number Unsigned 8-bit integer PDP type
gtp.user_ipv4 End user address IPv4 IPv4 address End user address IPv4
gtp.user_ipv6 End user address IPv6 IPv6 address End user address IPv6
ROS.component component Unsigned 8-bit integer Component
ROS.derivable derivable Unsigned 32-bit integer Reject/invokeIDRej/derivable
ROS.errorCode errorCode Unsigned 32-bit integer ReturnError/errorCode
ROS.generalProblem generalProblem Signed 32-bit integer Reject/problem/generalProblem
ROS.globalValue globalValue String
ROS.invoke invoke No value Component/invoke
ROS.invokeID invokeID Unsigned 32-bit integer
ROS.invokeIDRej invokeIDRej Unsigned 32-bit integer Reject/invokeIDRej
ROS.invokeProblem invokeProblem Signed 32-bit integer Reject/problem/invokeProblem
ROS.linkedID linkedID Unsigned 32-bit integer Invoke/linkedID
ROS.localValue localValue Signed 32-bit integer
ROS.nationaler nationaler Unsigned 32-bit integer ErrorCode/nationaler
ROS.not_derivable not-derivable No value Reject/invokeIDRej/not-derivable
ROS.opCode opCode Unsigned 32-bit integer
ROS.parameter parameter No value
ROS.privateer privateer Signed 32-bit integer ErrorCode/privateer
ROS.problem problem Unsigned 32-bit integer Reject/problem
ROS.reject reject No value Component/reject
ROS.resultretres resultretres No value ReturnResult/resultretres
ROS.returnError returnError No value Component/returnError
ROS.returnErrorProblem returnErrorProblem Signed 32-bit integer Reject/problem/returnErrorProblem
ROS.returnResultLast returnResultLast No value Component/returnResultLast
ROS.returnResultProblem returnResultProblem Signed 32-bit integer Reject/problem/returnResultProblem
gsm_a.A5_2_algorithm_sup A5/2 algorithm supported Unsigned 8-bit integer A5/2 algorithm supported
gsm_a.A5_3_algorithm_sup A5/3 algorithm supported Unsigned 8-bit integer A5/3 algorithm supported
gsm_a.CM3 CM3 Unsigned 8-bit integer CM3
gsm_a.CMSP CMSP: CM Service Prompt Unsigned 8-bit integer CMSP: CM Service Prompt
gsm_a.FC_frequency_cap FC Frequency Capability Unsigned 8-bit integer FC Frequency Capability
gsm_a.L3_protocol_discriminator Protocol discriminator Unsigned 8-bit integer Protocol discriminator
gsm_a.LCS_VA_cap LCS VA capability (LCS value added location request notification capability) Unsigned 8-bit integer LCS VA capability (LCS value added location request notification capability)
gsm_a.MSC2_rev Revision Level Unsigned 8-bit integer Revision level
gsm_a.SM_cap SM capability (MT SMS pt to pt capability) Unsigned 8-bit integer SM capability (MT SMS pt to pt capability)
gsm_a.SS_screening_indicator SS Screening Indicator Unsigned 8-bit integer SS Screening Indicator
gsm_a.SoLSA SoLSA Unsigned 8-bit integer SoLSA
gsm_a.UCS2_treatment UCS2 treatment Unsigned 8-bit integer UCS2 treatment
gsm_a.VBS_notification_rec VBS notification reception Unsigned 8-bit integer VBS notification reception
gsm_a.VGCS_notification_rec VGCS notification reception Unsigned 8-bit integer VGCS notification reception
gsm_a.algorithm_identifier Algorithm identifier Unsigned 8-bit integer Algorithm_identifier
gsm_a.bcc BCC Unsigned 8-bit integer BCC
gsm_a.bcch_arfcn BCCH ARFCN(RF channel number) Unsigned 16-bit integer BCCH ARFCN
gsm_a.be.cell_id_disc Cell identification discriminator Unsigned 8-bit integer Cell identificationdiscriminator
gsm_a.be.rnc_id RNC-ID Unsigned 16-bit integer RNC-ID
gsm_a.bssmap_msgtype BSSMAP Message Type Unsigned 8-bit integer
gsm_a.cell_ci Cell CI Unsigned 16-bit integer
gsm_a.cell_lac Cell LAC Unsigned 16-bit integer
gsm_a.cld_party_bcd_num Called Party BCD Number String
gsm_a.clg_party_bcd_num Calling Party BCD Number String
gsm_a.dtap_msg_cc_type DTAP Call Control Message Type Unsigned 8-bit integer
gsm_a.dtap_msg_gmm_type DTAP GPRS Mobility Management Message Type Unsigned 8-bit integer
gsm_a.dtap_msg_mm_type DTAP Mobility Management Message Type Unsigned 8-bit integer
gsm_a.dtap_msg_rr_type DTAP Radio Resources Management Message Type Unsigned 8-bit integer
gsm_a.dtap_msg_sm_type DTAP GPRS Session Management Message Type Unsigned 8-bit integer
gsm_a.dtap_msg_sms_type DTAP Short Message Service Message Type Unsigned 8-bit integer
gsm_a.dtap_msg_ss_type DTAP Non call Supplementary Service Message Type Unsigned 8-bit integer
gsm_a.extension Extension Boolean Extension
gsm_a.gmm.cn_spec_drs_cycle_len_coef CN Specific DRX cycle length coefficient Unsigned 8-bit integer CN Specific DRX cycle length coefficient
gsm_a.gmm.non_drx_timer Non-DRX timer Unsigned 8-bit integer Non-DRX timer
gsm_a.gmm.split_on_ccch SPLIT on CCCH Boolean SPLIT on CCCH
gsm_a.ie.mobileid.type Mobile Identity Type Unsigned 8-bit integer Mobile Identity Type
gsm_a.imei IMEI String
gsm_a.imeisv IMEISV String
gsm_a.imsi IMSI String
gsm_a.len Length Unsigned 8-bit integer
gsm_a.ncc NCC Unsigned 8-bit integer NCC
gsm_a.none Sub tree No value
gsm_a.numbering_plan_id Numbering plan identification Unsigned 8-bit integer Numbering plan identification
gsm_a.oddevenind Odd/even indication Unsigned 8-bit integer Mobile Identity
gsm_a.ps_sup_cap PS capability (pseudo-synchronization capability) Unsigned 8-bit integer PS capability (pseudo-synchronization capability)
gsm_a.ptmsi_sig P-TMSI Signature Unsigned 24-bit integer P-TMSI Signature
gsm_a.ptmsi_sig2 P-TMSI Signature 2 Unsigned 24-bit integer P-TMSI Signature 2
gsm_a.qos.ber Residual Bit Error Rate (BER) Unsigned 8-bit integer Residual Bit Error Rate (BER)
gsm_a.qos.del_of_err_sdu Delivery of erroneous SDUs Unsigned 8-bit integer Delivery of erroneous SDUs
gsm_a.qos.del_order Delivery order Unsigned 8-bit integer Delivery order
gsm_a.qos.sdu_err_rat SDU error ratio Unsigned 8-bit integer SDU error ratio
gsm_a.qos.traff_hdl_pri Traffic handling priority Unsigned 8-bit integer Traffic handling priority
gsm_a.qos.traffic_cls Traffic class Unsigned 8-bit integer Traffic class
gsm_a.rp_msg_type RP Message Type Unsigned 8-bit integer
gsm_a.rr.Group_cipher_key_number Group cipher key number Unsigned 8-bit integer Group cipher key number
gsm_a.rr.ICMI ICMI: Initial Codec Mode Indicator Unsigned 8-bit integer ICMI: Initial Codec Mode Indicator
gsm_a.rr.NCSB NSCB: Noise Suppression Control Bit Unsigned 8-bit integer NSCB: Noise Suppression Control Bit
gsm_a.rr.RRcause RR cause value Unsigned 8-bit integer RR cause value
gsm_a.rr.SC SC Unsigned 8-bit integer SC
gsm_a.rr.channel_mode Channel Mode Unsigned 8-bit integer Channel Mode
gsm_a.rr.channel_mode2 Channel Mode 2 Unsigned 8-bit integer Channel Mode 2
gsm_a.rr.ho_ref_val Handover reference value Unsigned 8-bit integer Handover reference value
gsm_a.rr.last_segment Last Segment Boolean Last Segment
gsm_a.rr.multirate_speech_ver Multirate speech version Unsigned 8-bit integer Multirate speech version
gsm_a.rr.pow_cmd_atc Spare Boolean Spare
gsm_a.rr.pow_cmd_epc EPC_mode Boolean EPC_mode
gsm_a.rr.pow_cmd_fpcepc FPC_EPC Boolean FPC_EPC
gsm_a.rr.set_of_amr_codec_modes_v1b1 4,75 kbit/s codec rate Boolean 4,75 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v1b2 5,15 kbit/s codec rate Boolean 5,15 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v1b3 5,90 kbit/s codec rate Boolean 5,90 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v1b4 6,70 kbit/s codec rate Boolean 6,70 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v1b5 7,40 kbit/s codec rate Boolean 7,40 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v1b6 7,95 kbit/s codec rate Boolean 7,95 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v1b7 10,2 kbit/s codec rate Boolean 10,2 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v1b8 12,2 kbit/s codec rate Boolean 12,2 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v2b1 6,60 kbit/s codec rate Boolean 6,60 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v2b2 8,85 kbit/s codec rate Boolean 8,85 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v2b3 12,65 kbit/s codec rate Boolean 12,65 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v2b4 15,85 kbit/s codec rate Boolean 15,85 kbit/s codec rate
gsm_a.rr.set_of_amr_codec_modes_v2b5 23,85 kbit/s codec rate Boolean 23,85 kbit/s codec rate
gsm_a.rr.start_mode Start Mode Unsigned 8-bit integer Start Mode
gsm_a.rr.suspension_cause Suspension cause value Unsigned 8-bit integer Suspension cause value
gsm_a.rr.sync_ind_nci Normal cell indication(NCI) Boolean Normal cell indication(NCI)
gsm_a.rr.sync_ind_rot Report Observed Time Difference(ROT) Boolean Report Observed Time Difference(ROT)
gsm_a.rr.target_mode Target mode Unsigned 8-bit integer Target mode
gsm_a.rr.time_diff Time difference value Unsigned 8-bit integer Time difference value
gsm_a.rr.timing_adv Timing advance value Unsigned 8-bit integer Timing advance value
gsm_a.rr.tlli TLLI Unsigned 32-bit integer TLLI
gsm_a.rr_cdma200_cm_cng_msg_req CDMA2000 CLASSMARK CHANGE Boolean CDMA2000 CLASSMARK CHANGE
gsm_a.rr_chnl_needed_ch1 Channel 1 Unsigned 8-bit integer Channel 1
gsm_a.rr_cm_cng_msg_req CLASSMARK CHANGE Boolean CLASSMARK CHANGE
gsm_a.rr_format_id Format Identifier Unsigned 8-bit integer Format Identifier
gsm_a.rr_geran_iu_cm_cng_msg_req GERAN IU MODE CLASSMARK CHANGE Boolean GERAN IU MODE CLASSMARK CHANGE
gsm_a.rr_sync_ind_si Synchronization indication(SI) Unsigned 8-bit integer Synchronization indication(SI)
gsm_a.rr_utran_cm_cng_msg_req UTRAN CLASSMARK CHANGE Unsigned 8-bit integer UTRAN CLASSMARK CHANGE
gsm_a.skip.ind Skip Indicator Unsigned 8-bit integer Skip Indicator
gsm_a.spareb7 Spare Unsigned 8-bit integer Spare
gsm_a.spareb8 Spare Unsigned 8-bit integer Spare
gsm_a.tft.e_bit E bit Boolean E bit
gsm_a.tft.flow IPv6 flow label Unsigned 24-bit integer IPv6 flow label
gsm_a.tft.ip4_address IPv4 adress IPv4 address IPv4 address
gsm_a.tft.ip4_mask IPv4 address mask IPv4 address IPv4 address mask
gsm_a.tft.ip6_address IPv6 adress IPv6 address IPv6 address
gsm_a.tft.ip6_mask IPv6 adress mask IPv6 address IPv6 address mask
gsm_a.tft.op_code TFT operation code Unsigned 8-bit integer TFT operation code
gsm_a.tft.pkt_flt Number of packet filters Unsigned 8-bit integer Number of packet filters
gsm_a.tft.port Port Unsigned 16-bit integer Port
gsm_a.tft.port_high High limit port Unsigned 16-bit integer High limit port
gsm_a.tft.port_low Low limit port Unsigned 16-bit integer Low limit port
gsm_a.tft.protocol_header Protocol/header Unsigned 8-bit integer Protocol/header
gsm_a.tft.security IPSec security parameter index Unsigned 32-bit integer IPSec security parameter index
gsm_a.tft.traffic_mask Mask field Unsigned 8-bit integer Mask field
gsm_a.tmsi TMSI/P-TMSI Unsigned 32-bit integer
gsm_a.type_of_number Type of number Unsigned 8-bit integer Type of number
gsm_a_bssmap.cause BSSMAP Cause Unsigned 8-bit integer
gsm_a_bssmap.elem_id Element ID Unsigned 8-bit integer
gsm_a_dtap.cause DTAP Cause Unsigned 8-bit integer
gsm_a_dtap.elem_id Element ID Unsigned 8-bit integer
sm_a.rr.pow_cmd_pow POWER LEVEL Unsigned 8-bit integer POWER LEVEL
gad.D D: Direction of Altitude Unsigned 16-bit integer D: Direction of Altitude
gad.altitude Altitude in meters Unsigned 16-bit integer Altitude
gad.confidence Confidence(%) Unsigned 8-bit integer Confidence(%)
gad.included_angle Included angle Unsigned 8-bit integer Included angle
gad.location_estimate Location estimate Unsigned 8-bit integer Location estimate
gad.no_of_points Number of points Unsigned 8-bit integer Number of points
gad.offset_angle Offset angle Unsigned 8-bit integer Offset angle
gad.orientation_of_major_axis Orientation of major axis Unsigned 8-bit integer Orientation of major axis
gad.sign_of_latitude Sign of latitude Unsigned 8-bit integer Sign of latitude
gad.sign_of_longitude Degrees of longitude Unsigned 24-bit integer Degrees of longitude
gad.uncertainty_altitude Uncertainty Altitude Unsigned 8-bit integer Uncertainty Altitude
gad.uncertainty_code Uncertainty code Unsigned 8-bit integer Uncertainty code
gad.uncertainty_semi_major Uncertainty semi-major Unsigned 8-bit integer Uncertainty semi-major
gad.uncertainty_semi_minor Uncertainty semi-minor Unsigned 8-bit integer Uncertainty semi-minor
gsm_map.AreaList_item Item No value gsm_map.Area
gsm_map.BSSMAP_ServiceHandoverList_item Item No value gsm_map.BSSMAP_ServiceHandoverInfo
gsm_map.BasicServiceCriteria_item Item Unsigned 32-bit integer gsm_map.Ext_BasicServiceCode
gsm_map.BasicServiceGroupList_item Item Unsigned 32-bit integer gsm_map.BasicService
gsm_map.BasicServiceList_item Item Unsigned 32-bit integer gsm_map.Ext_BasicServiceCode
gsm_map.BcsmCamelTDPDataList_item Item No value gsm_map.BcsmCamelTDPData
gsm_map.BearerServiceList_item Item Unsigned 8-bit integer gsm_map.Ext_BearerServiceCode
gsm_map.CCBS_FeatureList_item Item No value gsm_map.CCBS_Feature
gsm_map.CUG_FeatureList_item Item No value gsm_map.CUG_Feature
gsm_map.CUG_SubscriptionList_item Item No value gsm_map.CUG_Subscription
gsm_map.CallBarringFeatureList_item Item No value gsm_map.CallBarringFeature
gsm_map.CheckIMEIArg gsm_CheckIMEIArg Byte array gsm_CheckIMEIArg
gsm_map.Component Component Unsigned 32-bit integer gsm_map.Component
gsm_map.ContextIdList_item Item Unsigned 32-bit integer gsm_map.ContextId
gsm_map.DP_AnalysedInfoCriteriaList_item Item No value gsm_map.DP_AnalysedInfoCriterium
gsm_map.DestinationNumberLengthList_item Item Unsigned 32-bit integer gsm_map.INTEGER_1_15
gsm_map.DestinationNumberList_item Item Byte array gsm_map.ISDN_AddressString
gsm_map.Ext_BasicServiceGroupList_item Item Unsigned 32-bit integer gsm_map.Ext_BasicServiceCode
gsm_map.Ext_CallBarFeatureList_item Item No value gsm_map.Ext_CallBarringFeature
gsm_map.Ext_ExternalClientList_item Item No value gsm_map.ExternalClient
gsm_map.Ext_ForwFeatureList_item Item No value gsm_map.Ext_ForwFeature
gsm_map.Ext_SS_InfoList_item Item Unsigned 32-bit integer gsm_map.Ext_SS_Info
gsm_map.ExternalClientList_item Item No value gsm_map.ExternalClient
gsm_map.ForwardingFeatureList_item Item No value gsm_map.ForwardingFeature
gsm_map.GMLC_List_item Item Byte array gsm_map.ISDN_AddressString
gsm_map.GPRSDataList_item Item No value gsm_map.PDP_Context
gsm_map.GPRS_CamelTDPDataList_item Item No value gsm_map.GPRS_CamelTDPData
gsm_map.HLR_List_item Item Byte array gsm_map.HLR_Id
gsm_map.LCS_PrivacyExceptionList_item Item No value gsm_map.LCS_PrivacyClass
gsm_map.LSADataList_item Item No value gsm_map.LSAData
gsm_map.LSAIdentityList_item Item Byte array gsm_map.LSAIdentity
gsm_map.MOLR_List_item Item No value gsm_map.MOLR_Class
gsm_map.MT_smsCAMELTDP_CriteriaList_item Item No value gsm_map.MT_smsCAMELTDP_Criteria
gsm_map.MobilityTriggers_item Item Byte array gsm_map.MM_Code
gsm_map.O_BcsmCamelTDPCriteriaList_item Item No value gsm_map.O_BcsmCamelTDP_Criteria
gsm_map.O_BcsmCamelTDPDataList_item Item No value gsm_map.O_BcsmCamelTDPData
gsm_map.O_CauseValueCriteria_item Item Byte array gsm_map.CauseValue
gsm_map.PDP_ContextInfoList_item Item No value gsm_map.PDP_ContextInfo
gsm_map.PLMNClientList_item Item Unsigned 32-bit integer gsm_map.LCSClientInternalID
gsm_map.PrivateExtensionList_item Item No value gsm_map.PrivateExtension
gsm_map.QuintupletList_item Item No value gsm_map.AuthenticationQuintuplet
gsm_map.RadioResourceList_item Item No value gsm_map.RadioResource
gsm_map.RelocationNumberList_item Item No value gsm_map.RelocationNumber
gsm_map.SMS_CAMEL_TDP_DataList_item Item No value gsm_map.SMS_CAMEL_TDP_Data
gsm_map.SS_EventList_item Item Unsigned 8-bit integer gsm_map.SS_Code
gsm_map.SS_List_item Item Unsigned 8-bit integer gsm_map.SS_Code
gsm_map.SendAuthenticationInfoArg SendAuthenticationInfoArg Byte array SendAuthenticationInfoArg
gsm_map.SendAuthenticationInfoRes SendAuthenticationInfoRes Byte array SendAuthenticationInfoRes
gsm_map.SendAuthenticationInfoRes_item Item No value gsm_map.SendAuthenticationInfoRes_item
gsm_map.ServiceTypeList_item Item No value gsm_map.ServiceType
gsm_map.TPDU_TypeCriterion_item Item Unsigned 32-bit integer gsm_map.MT_SMS_TPDU_Type
gsm_map.T_BCSM_CAMEL_TDP_CriteriaList_item Item No value gsm_map.T_BCSM_CAMEL_TDP_Criteria
gsm_map.T_BcsmCamelTDPDataList_item Item No value gsm_map.T_BcsmCamelTDPData
gsm_map.T_CauseValueCriteria_item Item Byte array gsm_map.CauseValue
gsm_map.TeleserviceList_item Item Unsigned 8-bit integer gsm_map.Ext_TeleserviceCode
gsm_map.TripletList_item Item No value gsm_map.AuthenticationTriplet
gsm_map.VBSDataList_item Item No value gsm_map.VoiceBroadcastData
gsm_map.VGCSDataList_item Item No value gsm_map.VoiceGroupCallData
gsm_map.ZoneCodeList_item Item Byte array gsm_map.ZoneCode
gsm_map.absentSubscriberDiagnosticSM absentSubscriberDiagnosticSM Unsigned 32-bit integer gsm_map.AbsentSubscriberDiagnosticSM
gsm_map.absentSubscriberReason absentSubscriberReason Unsigned 32-bit integer gsm_map.AbsentSubscriberReason
gsm_map.access access Unsigned 32-bit integer gsm_map.Access
gsm_map.accessNetworkProtocolId accessNetworkProtocolId Unsigned 32-bit integer gsm_map.AccessNetworkProtocolId
gsm_map.accessRestrictionData accessRestrictionData Byte array gsm_map.AccessRestrictionData
gsm_map.accessType accessType Unsigned 32-bit integer gsm_map.AccessType
gsm_map.add_Capability add-Capability No value gsm_map.NULL
gsm_map.add_LocationEstimate add-LocationEstimate Byte array gsm_map.Add_GeographicalInformation
gsm_map.add_info add-info No value gsm_map.ADD_Info
gsm_map.add_lcs_PrivacyExceptionList add-lcs-PrivacyExceptionList Unsigned 32-bit integer gsm_map.LCS_PrivacyExceptionList
gsm_map.additionalAbsentSubscriberDiagnosticSM additionalAbsentSubscriberDiagnosticSM Unsigned 32-bit integer gsm_map.AbsentSubscriberDiagnosticSM
gsm_map.additionalRequestedCAMEL_SubscriptionInfo additionalRequestedCAMEL-SubscriptionInfo Unsigned 32-bit integer gsm_map.AdditionalRequestedCAMEL_SubscriptionInfo
gsm_map.additionalSM_DeliveryOutcome additionalSM-DeliveryOutcome Unsigned 32-bit integer gsm_map.Sm_DeliveryOutcome
gsm_map.additionalSignalInfo additionalSignalInfo No value gsm_map.Ext_ExternalSignalInfo
gsm_map.additional_LCS_CapabilitySets additional-LCS-CapabilitySets Byte array gsm_map.SupportedLCS_CapabilitySets
gsm_map.additional_Number additional-Number Unsigned 32-bit integer gsm_map.Additional_Number
gsm_map.additional_v_gmlc_Address additional-v-gmlc-Address Byte array gsm_map.GSN_Address
gsm_map.address.digits Address digits String Address digits
gsm_map.ageOfLocationEstimate ageOfLocationEstimate Unsigned 32-bit integer gsm_map.AgeOfLocationInformation
gsm_map.ageOfLocationInformation ageOfLocationInformation Unsigned 32-bit integer gsm_map.AgeOfLocationInformation
gsm_map.alertReason alertReason Unsigned 32-bit integer gsm_map.T_alertReason
gsm_map.alertReasonIndicator alertReasonIndicator No value gsm_map.NULL
gsm_map.alertingDP alertingDP Boolean
gsm_map.alertingPattern alertingPattern Byte array gsm_map.AlertingPattern
gsm_map.allECT-Barred allECT-Barred Boolean
gsm_map.allGPRSData allGPRSData No value gsm_map.NULL
gsm_map.allIC-CallsBarred allIC-CallsBarred Boolean
gsm_map.allInformationSent allInformationSent No value gsm_map.NULL
gsm_map.allLSAData allLSAData No value gsm_map.NULL
gsm_map.allOG-CallsBarred allOG-CallsBarred Boolean
gsm_map.allPacketOrientedServicesBarred allPacketOrientedServicesBarred Boolean
gsm_map.allowedGSM_Algorithms allowedGSM-Algorithms Byte array gsm_map.AllowedGSM_Algorithms
gsm_map.allowedServices allowedServices Byte array gsm_map.AllowedServices
gsm_map.allowedUMTS_Algorithms allowedUMTS-Algorithms No value gsm_map.AllowedUMTS_Algorithms
gsm_map.an_APDU an-APDU No value gsm_map.AccessNetworkSignalInfo
gsm_map.apn apn Byte array gsm_map.APN
gsm_map.apn_InUse apn-InUse Byte array gsm_map.APN
gsm_map.apn_Subscribed apn-Subscribed Byte array gsm_map.APN
gsm_map.areaDefinition areaDefinition No value gsm_map.AreaDefinition
gsm_map.areaEventInfo areaEventInfo No value gsm_map.AreaEventInfo
gsm_map.areaIdentification areaIdentification Byte array gsm_map.AreaIdentification
gsm_map.areaList areaList Unsigned 32-bit integer gsm_map.AreaList
gsm_map.areaType areaType Unsigned 32-bit integer gsm_map.AreaType
gsm_map.asciCallReference asciCallReference Byte array gsm_map.ASCI_CallReference
gsm_map.assumedIdle assumedIdle No value gsm_map.NULL
gsm_map.authenticationSetList authenticationSetList Unsigned 32-bit integer gsm_map.AuthenticationSetList
gsm_map.autn autn Byte array gsm_map.AUTN
gsm_map.auts auts Byte array gsm_map.AUTS
gsm_map.b_Subscriber_Address b-Subscriber-Address Byte array gsm_map.ISDN_AddressString
gsm_map.b_subscriberNumber b-subscriberNumber Byte array gsm_map.ISDN_AddressString
gsm_map.b_subscriberSubaddress b-subscriberSubaddress Byte array gsm_map.ISDN_SubaddressString
gsm_map.basicService basicService Unsigned 32-bit integer gsm_map.Ext_BasicServiceCode
gsm_map.basicService2 basicService2 Unsigned 32-bit integer gsm_map.Ext_BasicServiceCode
gsm_map.basicServiceCriteria basicServiceCriteria Unsigned 32-bit integer gsm_map.BasicServiceCriteria
gsm_map.basicServiceGroup basicServiceGroup Unsigned 32-bit integer gsm_map.Ext_BasicServiceCode
gsm_map.basicServiceGroup2 basicServiceGroup2 Unsigned 32-bit integer gsm_map.Ext_BasicServiceCode
gsm_map.basicServiceGroupList basicServiceGroupList Unsigned 32-bit integer gsm_map.Ext_BasicServiceGroupList
gsm_map.basicServiceList basicServiceList Unsigned 32-bit integer gsm_map.BasicServiceList
gsm_map.bcsmTriggerDetectionPoint bcsmTriggerDetectionPoint Unsigned 32-bit integer gsm_map.BcsmTriggerDetectionPoint
gsm_map.bearerService bearerService Unsigned 8-bit integer gsm_map.BearerServiceCode
gsm_map.bearerServiceList bearerServiceList Unsigned 32-bit integer gsm_map.BearerServiceList
gsm_map.bearerservice bearerservice Unsigned 8-bit integer gsm_map.Bearerservice
gsm_map.bearerserviceList bearerserviceList Unsigned 32-bit integer gsm_map.BearerServiceList
gsm_map.beingInsideArea beingInsideArea Boolean
gsm_map.bmuef bmuef No value gsm_map.UESBI_Iu
gsm_map.broadcastInitEntitlement broadcastInitEntitlement No value gsm_map.NULL
gsm_map.bss_APDU bss-APDU No value gsm_map.Bss_APDU
gsm_map.bssmap_ServiceHandover bssmap-ServiceHandover Byte array gsm_map.BSSMAP_ServiceHandover
gsm_map.bssmap_ServiceHandoverList bssmap-ServiceHandoverList Unsigned 32-bit integer gsm_map.BSSMAP_ServiceHandoverList
gsm_map.callBarringCause callBarringCause Unsigned 32-bit integer gsm_map.CallBarringCause
gsm_map.callBarringData callBarringData No value gsm_map.CallBarringData
gsm_map.callBarringFeatureList callBarringFeatureList Unsigned 32-bit integer gsm_map.Ext_CallBarFeatureList
gsm_map.callBarringInfo callBarringInfo No value gsm_map.Ext_CallBarInfo
gsm_map.callBarringInfoFor_CSE callBarringInfoFor-CSE No value gsm_map.Ext_CallBarringInfoFor_CSE
gsm_map.callDiversionTreatmentIndicator callDiversionTreatmentIndicator Byte array gsm_map.CallDiversionTreatmentIndicator
gsm_map.callForwardingData callForwardingData No value gsm_map.CallForwardingData
gsm_map.callInfo callInfo No value gsm_map.ExternalSignalInfo
gsm_map.callOutcome callOutcome Unsigned 32-bit integer gsm_map.CallOutcome
gsm_map.callReferenceNumber callReferenceNumber Byte array gsm_map.CallReferenceNumber
gsm_map.callReportdata callReportdata No value gsm_map.CallReportData
gsm_map.callSessionRelated callSessionRelated Unsigned 32-bit integer gsm_map.PrivacyCheckRelatedAction
gsm_map.callSessionUnrelated callSessionUnrelated Unsigned 32-bit integer gsm_map.PrivacyCheckRelatedAction
gsm_map.callTerminationIndicator callTerminationIndicator Unsigned 32-bit integer gsm_map.CallTerminationIndicator
gsm_map.callTypeCriteria callTypeCriteria Unsigned 32-bit integer gsm_map.CallTypeCriteria
gsm_map.call_Direction call-Direction Byte array gsm_map.CallDirection
gsm_map.camel-invoked camel-invoked Boolean
gsm_map.camelBusy camelBusy No value gsm_map.NULL
gsm_map.camelCapabilityHandling camelCapabilityHandling Unsigned 32-bit integer gsm_map.CamelCapabilityHandling
gsm_map.camelInfo camelInfo No value gsm_map.CamelInfo
gsm_map.camelRoutingInfo camelRoutingInfo No value gsm_map.CamelRoutingInfo
gsm_map.camelSubscriptionInfoWithdraw camelSubscriptionInfoWithdraw No value gsm_map.NULL
gsm_map.camel_SubscriptionInfo camel-SubscriptionInfo No value gsm_map.CAMEL_SubscriptionInfo
gsm_map.cancellationType cancellationType Unsigned 32-bit integer gsm_map.CancellationType
gsm_map.category category Byte array gsm_map.Category
gsm_map.ccbs_Busy ccbs-Busy No value gsm_map.NULL
gsm_map.ccbs_Call ccbs-Call No value gsm_map.NULL
gsm_map.ccbs_Data ccbs-Data No value gsm_map.CCBS_Data
gsm_map.ccbs_Feature ccbs-Feature No value gsm_map.CCBS_Feature
gsm_map.ccbs_FeatureList ccbs-FeatureList Unsigned 32-bit integer gsm_map.CCBS_FeatureList
gsm_map.ccbs_Index ccbs-Index Unsigned 32-bit integer gsm_map.CCBS_Index
gsm_map.ccbs_Indicators ccbs-Indicators No value gsm_map.CCBS_Indicators
gsm_map.ccbs_Monitoring ccbs-Monitoring Unsigned 32-bit integer gsm_map.ReportingState
gsm_map.ccbs_Possible ccbs-Possible No value gsm_map.NULL
gsm_map.ccbs_SubscriberStatus ccbs-SubscriberStatus Unsigned 32-bit integer gsm_map.CCBS_SubscriberStatus
gsm_map.cellGlobalIdOrServiceAreaIdFixedLength cellGlobalIdOrServiceAreaIdFixedLength Byte array gsm_map.CellGlobalIdOrServiceAreaIdFixedLength
gsm_map.cellGlobalIdOrServiceAreaIdOrLAI cellGlobalIdOrServiceAreaIdOrLAI Unsigned 32-bit integer gsm_map.CellGlobalIdOrServiceAreaIdOrLAI
gsm_map.cellIdOrSai cellIdOrSai Unsigned 32-bit integer gsm_map.CellGlobalIdOrServiceAreaIdOrLAI
gsm_map.cf-Enhancements cf-Enhancements Boolean
gsm_map.changeOfPositionDP changeOfPositionDP Boolean
gsm_map.channelType channelType No value gsm_map.ExternalSignalInfo
gsm_map.chargeableECT-Barred chargeableECT-Barred Boolean
gsm_map.chargingCharacteristics chargingCharacteristics Unsigned 16-bit integer gsm_map.ChargingCharacteristics
gsm_map.chargingCharacteristicsWithdraw chargingCharacteristicsWithdraw No value gsm_map.NULL
gsm_map.chargingId chargingId Byte array gsm_map.GPRSChargingID
gsm_map.chargingIndicator chargingIndicator Boolean
gsm_map.chosenChannel chosenChannel No value gsm_map.ExternalSignalInfo
gsm_map.chosenChannelInfo chosenChannelInfo Byte array gsm_map.ChosenChannelInfo
gsm_map.chosenRadioResourceInformation chosenRadioResourceInformation No value gsm_map.ChosenRadioResourceInformation
gsm_map.chosenSpeechVersion chosenSpeechVersion Byte array gsm_map.ChosenSpeechVersion
gsm_map.cipheringAlgorithm cipheringAlgorithm Byte array gsm_map.CipheringAlgorithm
gsm_map.ck ck Byte array gsm_map.CK
gsm_map.cksn cksn Byte array gsm_map.Cksn
gsm_map.cliRestrictionOption cliRestrictionOption Unsigned 32-bit integer gsm_map.CliRestrictionOption
gsm_map.clientIdentity clientIdentity No value gsm_map.LCSClientExternalID
gsm_map.clir-invoked clir-invoked Boolean
gsm_map.codec1 codec1 Byte array gsm_map.Codec
gsm_map.codec2 codec2 Byte array gsm_map.Codec
gsm_map.codec3 codec3 Byte array gsm_map.Codec
gsm_map.codec4 codec4 Byte array gsm_map.Codec
gsm_map.codec5 codec5 Byte array gsm_map.Codec
gsm_map.codec6 codec6 Byte array gsm_map.Codec
gsm_map.codec7 codec7 Byte array gsm_map.Codec
gsm_map.codec8 codec8 Byte array gsm_map.Codec
gsm_map.codec_Info codec-Info Byte array gsm_map.CODEC_Info
gsm_map.completeDataListIncluded completeDataListIncluded No value gsm_map.NULL
gsm_map.contextIdList contextIdList Unsigned 32-bit integer gsm_map.ContextIdList
gsm_map.criteriaForChangeOfPositionDP criteriaForChangeOfPositionDP Boolean
gsm_map.cs_AllocationRetentionPriority cs-AllocationRetentionPriority Byte array gsm_map.CS_AllocationRetentionPriority
gsm_map.cs_LCS_NotSupportedByUE cs-LCS-NotSupportedByUE No value gsm_map.NULL
gsm_map.csiActive csiActive No value gsm_map.NULL
gsm_map.csi_Active csi-Active No value gsm_map.NULL
gsm_map.cugSubscriptionFlag cugSubscriptionFlag No value gsm_map.NULL
gsm_map.cug_CheckInfo cug-CheckInfo No value gsm_map.CUG_CheckInfo
gsm_map.cug_FeatureList cug-FeatureList Unsigned 32-bit integer gsm_map.CUG_FeatureList
gsm_map.cug_Index cug-Index Unsigned 32-bit integer gsm_map.CUG_Index
gsm_map.cug_Info cug-Info No value gsm_map.CUG_Info
gsm_map.cug_Interlock cug-Interlock Byte array gsm_map.CUG_Interlock
gsm_map.cug_OutgoingAccess cug-OutgoingAccess No value gsm_map.NULL
gsm_map.cug_RejectCause cug-RejectCause Unsigned 32-bit integer gsm_map.CUG_RejectCause
gsm_map.cug_SubscriptionList cug-SubscriptionList Unsigned 32-bit integer gsm_map.CUG_SubscriptionList
gsm_map.currentLocation currentLocation No value gsm_map.NULL
gsm_map.currentLocationRetrieved currentLocationRetrieved No value gsm_map.NULL
gsm_map.currentPassword currentPassword String
gsm_map.currentSecurityContext currentSecurityContext Unsigned 32-bit integer gsm_map.CurrentSecurityContext
gsm_map.currentlyUsedCodec currentlyUsedCodec Byte array gsm_map.Codec
gsm_map.d-IM-CSI d-IM-CSI Boolean
gsm_map.d-csi d-csi Boolean
gsm_map.d_CSI d-CSI No value gsm_map.D_CSI
gsm_map.d_IM_CSI d-IM-CSI No value gsm_map.D_CSI
gsm_map.d_csi d-csi No value gsm_map.D_CSI
gsm_map.dataCodingScheme dataCodingScheme Byte array gsm_map.USSD_DataCodingScheme
gsm_map.defaultCallHandling defaultCallHandling Unsigned 32-bit integer gsm_map.DefaultCallHandling
gsm_map.defaultPriority defaultPriority Unsigned 32-bit integer gsm_map.EMLPP_Priority
gsm_map.defaultSMS_Handling defaultSMS-Handling Unsigned 32-bit integer gsm_map.DefaultSMS_Handling
gsm_map.defaultSessionHandling defaultSessionHandling Unsigned 32-bit integer gsm_map.DefaultGPRS_Handling
gsm_map.deferredLocationEventType deferredLocationEventType Byte array gsm_map.DeferredLocationEventType
gsm_map.deferredmt_lrData deferredmt-lrData No value gsm_map.Deferredmt_lrData
gsm_map.deferredmt_lrResponseIndicator deferredmt-lrResponseIndicator No value gsm_map.NULL
gsm_map.deliveryOutcomeIndicator deliveryOutcomeIndicator No value gsm_map.NULL
gsm_map.derivable derivable Signed 32-bit integer gsm_map.InvokeIdType
gsm_map.destinationNumberCriteria destinationNumberCriteria No value gsm_map.DestinationNumberCriteria
gsm_map.destinationNumberLengthList destinationNumberLengthList Unsigned 32-bit integer gsm_map.DestinationNumberLengthList
gsm_map.destinationNumberList destinationNumberList Unsigned 32-bit integer gsm_map.DestinationNumberList
gsm_map.dfc-WithArgument dfc-WithArgument Boolean
gsm_map.diagnosticInfo diagnosticInfo Byte array gsm_map.SignalInfo
gsm_map.dialledNumber dialledNumber Byte array gsm_map.ISDN_AddressString
gsm_map.disconnectLeg disconnectLeg Boolean
gsm_map.doublyChargeableECT-Barred doublyChargeableECT-Barred Boolean
gsm_map.dp_AnalysedInfoCriteriaList dp-AnalysedInfoCriteriaList Unsigned 32-bit integer gsm_map.DP_AnalysedInfoCriteriaList
gsm_map.dtmf-MidCall dtmf-MidCall Boolean
gsm_map.ellipsoidArc ellipsoidArc Boolean
gsm_map.ellipsoidPoint ellipsoidPoint Boolean
gsm_map.ellipsoidPointWithAltitude ellipsoidPointWithAltitude Boolean
gsm_map.ellipsoidPointWithAltitudeAndUncertaintyElipsoid ellipsoidPointWithAltitudeAndUncertaintyElipsoid Boolean
gsm_map.ellipsoidPointWithUncertaintyCircle ellipsoidPointWithUncertaintyCircle Boolean
gsm_map.ellipsoidPointWithUncertaintyEllipse ellipsoidPointWithUncertaintyEllipse Boolean
gsm_map.emlpp_Info emlpp-Info No value gsm_map.EMLPP_Info
gsm_map.encryptionAlgorithm encryptionAlgorithm Byte array gsm_map.ChosenEncryptionAlgorithm
gsm_map.encryptionAlgorithms encryptionAlgorithms Byte array gsm_map.PermittedEncryptionAlgorithms
gsm_map.encryptionInfo encryptionInfo Byte array gsm_map.EncryptionInformation
gsm_map.enteringIntoArea enteringIntoArea Boolean
gsm_map.entityReleased entityReleased Boolean
gsm_map.equipmentStatus equipmentStatus Unsigned 32-bit integer gsm_map.EquipmentStatus
gsm_map.errorCode errorCode Unsigned 32-bit integer gsm_map.ERROR
gsm_map.eventMet eventMet Byte array gsm_map.MM_Code
gsm_map.eventReportData eventReportData No value gsm_map.EventReportData
gsm_map.ext2_QoS_Subscribed ext2-QoS-Subscribed Byte array gsm_map.Ext2_QoS_Subscribed
gsm_map.extId extId gsm_map.OBJECT_IDENTIFIER
gsm_map.extType extType No value gsm_map.T_extType
gsm_map.ext_BearerService ext-BearerService Unsigned 8-bit integer gsm_map.Ext_BearerServiceCode
gsm_map.ext_ProtocolId ext-ProtocolId Unsigned 32-bit integer gsm_map.Ext_ProtocolId
gsm_map.ext_QoS_Subscribed ext-QoS-Subscribed Byte array gsm_map.Ext_QoS_Subscribed
gsm_map.ext_Teleservice ext-Teleservice Unsigned 8-bit integer gsm_map.Ext_TeleserviceCode
gsm_map.ext_externalClientList ext-externalClientList Unsigned 32-bit integer gsm_map.Ext_ExternalClientList
gsm_map.ext_qos_subscribed_pri Allocation/Retention priority Unsigned 8-bit integer Allocation/Retention priority
gsm_map.extendedRoutingInfo extendedRoutingInfo Unsigned 32-bit integer gsm_map.ExtendedRoutingInfo
gsm_map.extensibleCallBarredParam extensibleCallBarredParam No value gsm_map.ExtensibleCallBarredParam
gsm_map.extensibleSystemFailureParam extensibleSystemFailureParam No value gsm_map.T_extensibleSystemFailureParam
gsm_map.extension Extension Boolean Extension
gsm_map.extensionContainer extensionContainer No value gsm_map.ExtensionContainer
gsm_map.externalAddress externalAddress Byte array gsm_map.ISDN_AddressString
gsm_map.externalClientList externalClientList Unsigned 32-bit integer gsm_map.ExternalClientList
gsm_map.failureCause failureCause Unsigned 32-bit integer gsm_map.FailureCause
gsm_map.firstServiceAllowed firstServiceAllowed Boolean
gsm_map.forwardedToNumber forwardedToNumber Byte array gsm_map.ISDN_AddressString
gsm_map.forwardedToSubaddress forwardedToSubaddress Byte array gsm_map.ISDN_SubaddressString
gsm_map.forwardingData forwardingData No value gsm_map.ForwardingData
gsm_map.forwardingFeatureList forwardingFeatureList Unsigned 32-bit integer gsm_map.Ext_ForwFeatureList
gsm_map.forwardingInfo forwardingInfo No value gsm_map.Ext_ForwInfo
gsm_map.forwardingInfoFor_CSE forwardingInfoFor-CSE No value gsm_map.Ext_ForwardingInfoFor_CSE
gsm_map.forwardingInterrogationRequired forwardingInterrogationRequired No value gsm_map.NULL
gsm_map.forwardingOptions forwardingOptions Byte array gsm_map.T_ext_forwardingOptions
gsm_map.forwardingReason forwardingReason Unsigned 32-bit integer gsm_map.ForwardingReason
gsm_map.forwarding_reason Forwarding reason Unsigned 8-bit integer forwarding reason
gsm_map.freezeP_TMSI freezeP-TMSI No value gsm_map.NULL
gsm_map.freezeTMSI freezeTMSI No value gsm_map.NULL
gsm_map.generalProblem generalProblem Signed 32-bit integer gsm_map.GeneralProblem
gsm_map.genericServiceInfo genericServiceInfo No value gsm_map.GenericServiceInfo
gsm_map.geodeticInformation geodeticInformation Byte array gsm_map.GeodeticInformation
gsm_map.geographicalInformation geographicalInformation Byte array gsm_map.GeographicalInformation
gsm_map.geranCodecList geranCodecList No value gsm_map.CodecList
gsm_map.geranNotAllowed geranNotAllowed Boolean
gsm_map.geranPositioningData geranPositioningData Byte array gsm_map.PositioningDataInformation
gsm_map.geran_classmark geran-classmark Byte array gsm_map.GERAN_Classmark
gsm_map.ggsn_Address ggsn-Address Byte array gsm_map.GSN_Address
gsm_map.ggsn_Number ggsn-Number Byte array gsm_map.ISDN_AddressString
gsm_map.globalValue globalValue gsm_map.OBJECT_IDENTIFIER
gsm_map.gmlc_List gmlc-List Unsigned 32-bit integer gsm_map.GMLC_List
gsm_map.gmlc_ListWithdraw gmlc-ListWithdraw No value gsm_map.NULL
gsm_map.gmlc_Restriction gmlc-Restriction Unsigned 32-bit integer gsm_map.GMLC_Restriction
gsm_map.gmscCamelSubscriptionInfo gmscCamelSubscriptionInfo No value gsm_map.GmscCamelSubscriptionInfo
gsm_map.gmsc_Address gmsc-Address Byte array gsm_map.ISDN_AddressString
gsm_map.gmsc_OrGsmSCF_Address gmsc-OrGsmSCF-Address Byte array gsm_map.ISDN_AddressString
gsm_map.gprs-csi gprs-csi Boolean
gsm_map.gprsConnectionSuspended gprsConnectionSuspended No value gsm_map.NULL
gsm_map.gprsDataList gprsDataList Unsigned 32-bit integer gsm_map.GPRSDataList
gsm_map.gprsEnhancementsSupportIndicator gprsEnhancementsSupportIndicator No value gsm_map.NULL
gsm_map.gprsNodeIndicator gprsNodeIndicator No value gsm_map.NULL
gsm_map.gprsSubscriptionData gprsSubscriptionData No value gsm_map.GPRSSubscriptionData
gsm_map.gprsSubscriptionDataWithdraw gprsSubscriptionDataWithdraw Unsigned 32-bit integer gsm_map.GPRSSubscriptionDataWithdraw
gsm_map.gprsSupportIndicator gprsSupportIndicator No value gsm_map.NULL
gsm_map.gprs_CSI gprs-CSI No value gsm_map.GPRS_CSI
gsm_map.gprs_CamelTDPDataList gprs-CamelTDPDataList Unsigned 32-bit integer gsm_map.GPRS_CamelTDPDataList
gsm_map.gprs_MS_Class gprs-MS-Class No value gsm_map.GPRSMSClass
gsm_map.gprs_TriggerDetectionPoint gprs-TriggerDetectionPoint Unsigned 32-bit integer gsm_map.GPRS_TriggerDetectionPoint
gsm_map.groupCallNumber groupCallNumber Byte array gsm_map.ISDN_AddressString
gsm_map.groupId groupId Byte array gsm_map.GroupId
gsm_map.groupKey groupKey Byte array gsm_map.Kc
gsm_map.groupKeyNumber_Vk_Id groupKeyNumber-Vk-Id Unsigned 32-bit integer gsm_map.GroupKeyNumber
gsm_map.groupid groupid Byte array gsm_map.GroupId
gsm_map.gsmSCFAddress gsmSCFAddress Byte array gsm_map.GsmSCF_Address
gsm_map.gsmSCF_Address gsmSCF-Address Byte array gsm_map.ISDN_AddressString
gsm_map.gsmSCF_InitiatedCall gsmSCF-InitiatedCall No value gsm_map.NULL
gsm_map.gsm_BearerCapability gsm-BearerCapability No value gsm_map.ExternalSignalInfo
gsm_map.gsm_SecurityContextData gsm-SecurityContextData No value gsm_map.GSM_SecurityContextData
gsm_map.gsnaddress_ipv4 GSN-Address IPv4 IPv4 address IPAddress IPv4
gsm_map.gsnaddress_ipv6 GSN Address IPv6 IPv4 address IPAddress IPv6
gsm_map.h_gmlc_Address h-gmlc-Address Byte array gsm_map.GSN_Address
gsm_map.handoverNumber handoverNumber Byte array gsm_map.ISDN_AddressString
gsm_map.highLayerCompatibility highLayerCompatibility No value gsm_map.ExternalSignalInfo
gsm_map.hlr_List hlr-List Unsigned 32-bit integer gsm_map.HLR_List
gsm_map.hlr_Number hlr-Number Byte array gsm_map.ISDN_AddressString
gsm_map.ho_NumberNotRequired ho-NumberNotRequired No value gsm_map.NULL
gsm_map.hopCounter hopCounter Unsigned 32-bit integer gsm_map.HopCounter
gsm_map.horizontal_accuracy horizontal-accuracy Byte array gsm_map.Horizontal_Accuracy
gsm_map.iUSelectedCodec iUSelectedCodec Byte array gsm_map.Codec
gsm_map.identity identity Unsigned 32-bit integer gsm_map.Identity
gsm_map.ietf_pdp_type_number PDP Type Number Unsigned 8-bit integer IETF PDP Type Number
gsm_map.ik ik Byte array gsm_map.IK
gsm_map.imei imei Byte array gsm_map.IMEI
gsm_map.imeisv imeisv Byte array gsm_map.IMEI
gsm_map.immediateResponsePreferred immediateResponsePreferred No value gsm_map.NULL
gsm_map.imsi imsi Byte array gsm_map.IMSI
gsm_map.imsi_WithLMSI imsi-WithLMSI No value gsm_map.IMSI_WithLMSI
gsm_map.imsi_digits Imsi digits String Imsi digits
gsm_map.informPreviousNetworkEntity informPreviousNetworkEntity No value gsm_map.NULL
gsm_map.initialisationVector initialisationVector Byte array gsm_map.InitialisationVector
gsm_map.initiateCallAttempt initiateCallAttempt Boolean
gsm_map.integrityProtectionAlgorithm integrityProtectionAlgorithm Byte array gsm_map.ChosenIntegrityProtectionAlgorithm
gsm_map.integrityProtectionAlgorithms integrityProtectionAlgorithms Byte array gsm_map.PermittedIntegrityProtectionAlgorithms
gsm_map.integrityProtectionInfo integrityProtectionInfo Byte array gsm_map.IntegrityProtectionInformation
gsm_map.interCUG_Restrictions interCUG-Restrictions Byte array gsm_map.InterCUG_Restrictions
gsm_map.internationalECT-Barred internationalECT-Barred Boolean
gsm_map.internationalOGCallsBarred internationalOGCallsBarred Boolean
gsm_map.internationalOGCallsNotToHPLMN-CountryBarred internationalOGCallsNotToHPLMN-CountryBarred Boolean
gsm_map.interrogationType interrogationType Unsigned 32-bit integer gsm_map.InterrogationType
gsm_map.intervalTime intervalTime Unsigned 32-bit integer gsm_map.IntervalTime
gsm_map.interzonalECT-Barred interzonalECT-Barred Boolean
gsm_map.interzonalOGCallsAndInternationalOGCallsNotToHPLMN-CountryBarred interzonalOGCallsAndInternationalOGCallsNotToHPLMN-CountryBarred Boolean
gsm_map.interzonalOGCallsBarred interzonalOGCallsBarred Boolean
gsm_map.interzonalOGCallsNotToHPLMN-CountryBarred interzonalOGCallsNotToHPLMN-CountryBarred Boolean
gsm_map.intraCUG_Options intraCUG-Options Unsigned 32-bit integer gsm_map.IntraCUG_Options
gsm_map.invoke invoke No value gsm_map.Invoke
gsm_map.invokeID invokeID Signed 32-bit integer gsm_map.InvokeIdType
gsm_map.invokeIDRej invokeIDRej Unsigned 32-bit integer gsm_map.T_invokeIDRej
gsm_map.invokeProblem invokeProblem Signed 32-bit integer gsm_map.InvokeProblem
gsm_map.invokeparameter invokeparameter No value gsm_map.InvokeParameter
gsm_map.isdn.address.digits ISDN Address digits String ISDN Address digits
gsm_map.isdn_BearerCapability isdn-BearerCapability No value gsm_map.ExternalSignalInfo
gsm_map.istAlertTimer istAlertTimer Unsigned 32-bit integer gsm_map.IST_AlertTimerValue
gsm_map.istInformationWithdraw istInformationWithdraw No value gsm_map.NULL
gsm_map.istSupportIndicator istSupportIndicator Unsigned 32-bit integer gsm_map.IST_SupportIndicator
gsm_map.iuAvailableCodecsList iuAvailableCodecsList No value gsm_map.CodecList
gsm_map.iuCurrentlyUsedCodec iuCurrentlyUsedCodec Byte array gsm_map.Codec
gsm_map.iuSelectedCodec iuSelectedCodec Byte array gsm_map.Codec
gsm_map.iuSupportedCodecsList iuSupportedCodecsList No value gsm_map.SupportedCodecsList
gsm_map.kc kc Byte array gsm_map.Kc
gsm_map.keepCCBS_CallIndicator keepCCBS-CallIndicator No value gsm_map.NULL
gsm_map.keyStatus keyStatus Unsigned 32-bit integer gsm_map.KeyStatus
gsm_map.ksi ksi Byte array gsm_map.KSI
gsm_map.laiFixedLength laiFixedLength Byte array gsm_map.LAIFixedLength
gsm_map.lcsAPN lcsAPN Byte array gsm_map.APN
gsm_map.lcsCapabilitySet1 lcsCapabilitySet1 Boolean
gsm_map.lcsCapabilitySet2 lcsCapabilitySet2 Boolean
gsm_map.lcsCapabilitySet3 lcsCapabilitySet3 Boolean
gsm_map.lcsCapabilitySet4 lcsCapabilitySet4 Boolean
gsm_map.lcsClientDialedByMS lcsClientDialedByMS Byte array gsm_map.AddressString
gsm_map.lcsClientExternalID lcsClientExternalID No value gsm_map.LCSClientExternalID
gsm_map.lcsClientInternalID lcsClientInternalID Unsigned 32-bit integer gsm_map.LCSClientInternalID
gsm_map.lcsClientName lcsClientName No value gsm_map.LCSClientName
gsm_map.lcsClientType lcsClientType Unsigned 32-bit integer gsm_map.LCSClientType
gsm_map.lcsCodeword lcsCodeword No value gsm_map.LCSCodeword
gsm_map.lcsCodewordString lcsCodewordString Byte array gsm_map.LCSCodewordString
gsm_map.lcsInformation lcsInformation No value gsm_map.LCSInformation
gsm_map.lcsLocationInfo lcsLocationInfo No value gsm_map.LCSLocationInfo
gsm_map.lcsRequestorID lcsRequestorID No value gsm_map.LCSRequestorID
gsm_map.lcsServiceTypeID lcsServiceTypeID Unsigned 32-bit integer gsm_map.LCSServiceTypeID
gsm_map.lcs_ClientID lcs-ClientID No value gsm_map.LCS_ClientID
gsm_map.lcs_Event lcs-Event Unsigned 32-bit integer gsm_map.LCS_Event
gsm_map.lcs_FormatIndicator lcs-FormatIndicator Unsigned 32-bit integer gsm_map.LCS_FormatIndicator
gsm_map.lcs_Priority lcs-Priority Byte array gsm_map.LCS_Priority
gsm_map.lcs_PrivacyCheck lcs-PrivacyCheck No value gsm_map.LCS_PrivacyCheck
gsm_map.lcs_PrivacyExceptionList lcs-PrivacyExceptionList Unsigned 32-bit integer gsm_map.LCS_PrivacyExceptionList
gsm_map.lcs_QoS lcs-QoS No value gsm_map.LCS_QoS
gsm_map.lcs_ReferenceNumber lcs-ReferenceNumber Byte array gsm_map.LCS_ReferenceNumber
gsm_map.leavingFromArea leavingFromArea Boolean
gsm_map.linkedID linkedID Signed 32-bit integer gsm_map.InvokeIdType
gsm_map.lmsi lmsi Byte array gsm_map.LMSI
gsm_map.lmu_Indicator lmu-Indicator No value gsm_map.NULL
gsm_map.localValue localValue Signed 32-bit integer gsm_map.OperationLocalvalue
gsm_map.locationAtAlerting locationAtAlerting Boolean
gsm_map.locationEstimate locationEstimate Byte array gsm_map.Ext_GeographicalInformation
gsm_map.locationEstimateType locationEstimateType Unsigned 32-bit integer gsm_map.LocationEstimateType
gsm_map.locationInfoWithLMSI locationInfoWithLMSI No value gsm_map.LocationInfoWithLMSI
gsm_map.locationInformation locationInformation No value gsm_map.LocationInformation
gsm_map.locationInformationGPRS locationInformationGPRS No value gsm_map.LocationInformationGPRS
gsm_map.locationNumber locationNumber Byte array gsm_map.LocationNumber
gsm_map.locationType locationType No value gsm_map.LocationType
gsm_map.longFTN_Supported longFTN-Supported No value gsm_map.NULL
gsm_map.longForwardedToNumber longForwardedToNumber Byte array gsm_map.FTN_AddressString
gsm_map.lowerLayerCompatibility lowerLayerCompatibility No value gsm_map.ExternalSignalInfo
gsm_map.lsaActiveModeIndicator lsaActiveModeIndicator No value gsm_map.NULL
gsm_map.lsaAttributes lsaAttributes Byte array gsm_map.LSAAttributes
gsm_map.lsaDataList lsaDataList Unsigned 32-bit integer gsm_map.LSADataList
gsm_map.lsaIdentity lsaIdentity Byte array gsm_map.LSAIdentity
gsm_map.lsaIdentityList lsaIdentityList Unsigned 32-bit integer gsm_map.LSAIdentityList
gsm_map.lsaInformation lsaInformation No value gsm_map.LSAInformation
gsm_map.lsaInformationWithdraw lsaInformationWithdraw Unsigned 32-bit integer gsm_map.LSAInformationWithdraw
gsm_map.lsaOnlyAccessIndicator lsaOnlyAccessIndicator Unsigned 32-bit integer gsm_map.LSAOnlyAccessIndicator
gsm_map.m-csi m-csi Boolean
gsm_map.mSNetworkCapability mSNetworkCapability Byte array gsm_map.MSNetworkCapability
gsm_map.mSRadioAccessCapability mSRadioAccessCapability Byte array gsm_map.MSRadioAccessCapability
gsm_map.m_CSI m-CSI No value gsm_map.M_CSI
gsm_map.mapsendendsignalarg mapSendEndSignalArg Byte array mapSendEndSignalArg
gsm_map.matchType matchType Unsigned 32-bit integer gsm_map.MatchType
gsm_map.maximumEntitledPriority maximumEntitledPriority Unsigned 32-bit integer gsm_map.EMLPP_Priority
gsm_map.maximumentitledPriority maximumentitledPriority Unsigned 32-bit integer gsm_map.EMLPP_Priority
gsm_map.mc_SS_Info mc-SS-Info No value gsm_map.MC_SS_Info
gsm_map.mcefSet mcefSet Boolean
gsm_map.mg-csi mg-csi Boolean
gsm_map.mg_csi mg-csi No value gsm_map.MG_CSI
gsm_map.mlcNumber mlcNumber Byte array gsm_map.ISDN_AddressString
gsm_map.mlc_Number mlc-Number Byte array gsm_map.ISDN_AddressString
gsm_map.mnpInfoRes mnpInfoRes No value gsm_map.MNPInfoRes
gsm_map.mnpRequestedInfo mnpRequestedInfo No value gsm_map.NULL
gsm_map.mnrfSet mnrfSet Boolean
gsm_map.mnrgSet mnrgSet Boolean
gsm_map.mo-sms-csi mo-sms-csi Boolean
gsm_map.mo_sms_CSI mo-sms-CSI No value gsm_map.SMS_CSI
gsm_map.mobileNotReachableReason mobileNotReachableReason Unsigned 32-bit integer gsm_map.AbsentSubscriberDiagnosticSM
gsm_map.mobilityTriggers mobilityTriggers Unsigned 32-bit integer gsm_map.MobilityTriggers
gsm_map.modificationRequestFor_CB_Info modificationRequestFor-CB-Info No value gsm_map.ModificationRequestFor_CB_Info
gsm_map.modificationRequestFor_CF_Info modificationRequestFor-CF-Info No value gsm_map.ModificationRequestFor_CF_Info
gsm_map.modificationRequestFor_CSI modificationRequestFor-CSI No value gsm_map.ModificationRequestFor_CSI
gsm_map.modificationRequestFor_ODB_data modificationRequestFor-ODB-data No value gsm_map.ModificationRequestFor_ODB_data
gsm_map.modifyCSI_State modifyCSI-State Unsigned 32-bit integer gsm_map.ModificationInstruction
gsm_map.modifyNotificationToCSE modifyNotificationToCSE Unsigned 32-bit integer gsm_map.ModificationInstruction
gsm_map.molr_List molr-List Unsigned 32-bit integer gsm_map.MOLR_List
gsm_map.monitoringMode monitoringMode Unsigned 32-bit integer gsm_map.MonitoringMode
gsm_map.moreMessagesToSend moreMessagesToSend No value gsm_map.NULL
gsm_map.moveLeg moveLeg Boolean
gsm_map.msAvailable msAvailable Boolean
gsm_map.msNotReachable msNotReachable No value gsm_map.NULL
gsm_map.ms_Classmark2 ms-Classmark2 Byte array gsm_map.MS_Classmark2
gsm_map.ms_classmark ms-classmark No value gsm_map.NULL
gsm_map.msc_Number msc-Number Byte array gsm_map.ISDN_AddressString
gsm_map.msisdn msisdn Byte array gsm_map.ISDN_AddressString
gsm_map.msrn msrn Byte array gsm_map.ISDN_AddressString
gsm_map.mt-sms-csi mt-sms-csi Boolean
gsm_map.mt_smsCAMELTDP_CriteriaList mt-smsCAMELTDP-CriteriaList Unsigned 32-bit integer gsm_map.MT_smsCAMELTDP_CriteriaList
gsm_map.mt_sms_CSI mt-sms-CSI No value gsm_map.SMS_CSI
gsm_map.multicallBearerInfo multicallBearerInfo Unsigned 32-bit integer gsm_map.MulticallBearerInfo
gsm_map.multipleBearerNotSupported multipleBearerNotSupported No value gsm_map.NULL
gsm_map.multipleBearerRequested multipleBearerRequested No value gsm_map.NULL
gsm_map.multipleECT-Barred multipleECT-Barred Boolean
gsm_map.mw_Status mw-Status Byte array gsm_map.T_mw_Status
gsm_map.na_ESRD na-ESRD Byte array gsm_map.ISDN_AddressString
gsm_map.na_ESRK na-ESRK Byte array gsm_map.ISDN_AddressString
gsm_map.na_ESRK_Request na-ESRK-Request No value gsm_map.NULL
gsm_map.naea_PreferredCI naea-PreferredCI No value gsm_map.NAEA_PreferredCI
gsm_map.naea_PreferredCIC naea-PreferredCIC Byte array gsm_map.NAEA_CIC
gsm_map.nameString nameString Byte array gsm_map.NameString
gsm_map.nature_of_number Nature of number Unsigned 8-bit integer Nature of number
gsm_map.nbrSB nbrSB Unsigned 32-bit integer gsm_map.MaxMC_Bearers
gsm_map.nbrSN nbrSN Unsigned 32-bit integer gsm_map.MC_Bearers
gsm_map.nbrUser nbrUser Unsigned 32-bit integer gsm_map.MC_Bearers
gsm_map.netDetNotReachable netDetNotReachable Unsigned 32-bit integer gsm_map.NotReachableReason
gsm_map.networkAccessMode networkAccessMode Unsigned 32-bit integer gsm_map.NetworkAccessMode
gsm_map.networkNode_Number networkNode-Number Byte array gsm_map.ISDN_AddressString
gsm_map.networkResource networkResource Unsigned 32-bit integer gsm_map.NetworkResource
gsm_map.networkSignalInfo networkSignalInfo No value gsm_map.ExternalSignalInfo
gsm_map.networkSignalInfo2 networkSignalInfo2 No value gsm_map.ExternalSignalInfo
gsm_map.noReplyConditionTime noReplyConditionTime Unsigned 32-bit integer gsm_map.Ext_NoRepCondTime
gsm_map.noSM_RP_DA noSM-RP-DA No value gsm_map.NULL
gsm_map.noSM_RP_OA noSM-RP-OA No value gsm_map.NULL
gsm_map.notProvidedFromSGSN notProvidedFromSGSN No value gsm_map.NULL
gsm_map.notProvidedFromVLR notProvidedFromVLR No value gsm_map.NULL
gsm_map.not_derivable not-derivable No value gsm_map.NULL
gsm_map.notificationToCSE notificationToCSE No value gsm_map.NULL
gsm_map.notificationToMSUser notificationToMSUser Unsigned 32-bit integer gsm_map.NotificationToMSUser
gsm_map.notification_to_clling_party Notification to calling party Boolean Notification to calling party
gsm_map.notification_to_forwarding_party Notification to forwarding party Boolean Notification to forwarding party
gsm_map.nsapi nsapi Unsigned 32-bit integer gsm_map.NSAPI
gsm_map.numberOfForwarding numberOfForwarding Unsigned 32-bit integer gsm_map.NumberOfForwarding
gsm_map.numberOfRequestedVectors numberOfRequestedVectors Unsigned 32-bit integer gsm_map.NumberOfRequestedVectors
gsm_map.numberPortabilityStatus numberPortabilityStatus Unsigned 32-bit integer gsm_map.NumberPortabilityStatus
gsm_map.number_plan Number plan Unsigned 8-bit integer Number plan
gsm_map.o-IM-CSI o-IM-CSI Boolean
gsm_map.o-csi o-csi Boolean
gsm_map.o_BcsmCamelTDPCriteriaList o-BcsmCamelTDPCriteriaList Unsigned 32-bit integer gsm_map.O_BcsmCamelTDPCriteriaList
gsm_map.o_BcsmCamelTDPDataList o-BcsmCamelTDPDataList Unsigned 32-bit integer gsm_map.O_BcsmCamelTDPDataList
gsm_map.o_BcsmCamelTDP_CriteriaList o-BcsmCamelTDP-CriteriaList Unsigned 32-bit integer gsm_map.O_BcsmCamelTDPCriteriaList
gsm_map.o_BcsmTriggerDetectionPoint o-BcsmTriggerDetectionPoint Unsigned 32-bit integer gsm_map.O_BcsmTriggerDetectionPoint
gsm_map.o_CSI o-CSI No value gsm_map.O_CSI
gsm_map.o_CauseValueCriteria o-CauseValueCriteria Unsigned 32-bit integer gsm_map.O_CauseValueCriteria
gsm_map.o_IM_BcsmCamelTDP_CriteriaList o-IM-BcsmCamelTDP-CriteriaList Unsigned 32-bit integer gsm_map.O_BcsmCamelTDPCriteriaList
gsm_map.o_IM_CSI o-IM-CSI No value gsm_map.O_CSI
gsm_map.occurrenceInfo occurrenceInfo Unsigned 32-bit integer gsm_map.OccurrenceInfo
gsm_map.odb odb No value gsm_map.NULL
gsm_map.odb_Data odb-Data No value gsm_map.ODB_Data
gsm_map.odb_GeneralData odb-GeneralData Byte array gsm_map.ODB_GeneralData
gsm_map.odb_HPLMN_Data odb-HPLMN-Data Byte array gsm_map.ODB_HPLMN_Data
gsm_map.odb_Info odb-Info No value gsm_map.ODB_Info
gsm_map.odb_data odb-data No value gsm_map.ODB_Data
gsm_map.offeredCamel4CSIs offeredCamel4CSIs Byte array gsm_map.OfferedCamel4CSIs
gsm_map.offeredCamel4CSIsInInterrogatingNode offeredCamel4CSIsInInterrogatingNode Byte array gsm_map.OfferedCamel4CSIs
gsm_map.offeredCamel4CSIsInSGSN offeredCamel4CSIsInSGSN Byte array gsm_map.OfferedCamel4CSIs
gsm_map.offeredCamel4CSIsInVLR offeredCamel4CSIsInVLR Byte array gsm_map.OfferedCamel4CSIs
gsm_map.offeredCamel4CSIsInVMSC offeredCamel4CSIsInVMSC Byte array gsm_map.OfferedCamel4CSIs
gsm_map.offeredCamel4Functionalities offeredCamel4Functionalities Byte array gsm_map.OfferedCamel4Functionalities
gsm_map.omc_Id omc-Id Byte array gsm_map.OCTET_STRING_SIZE_1_20
gsm_map.opCode opCode Unsigned 32-bit integer gsm_map.OPERATION
gsm_map.operationCode operationCode Unsigned 32-bit integer gsm_map.OperationCode
gsm_map.or-Interactions or-Interactions Boolean
gsm_map.orNotSupportedInGMSC orNotSupportedInGMSC No value gsm_map.NULL
gsm_map.or_Capability or-Capability Unsigned 32-bit integer gsm_map.OR_Phase
gsm_map.or_Interrogation or-Interrogation No value gsm_map.NULL
gsm_map.originalComponentIdentifier originalComponentIdentifier Unsigned 32-bit integer gsm_map.OriginalComponentIdentifier
gsm_map.overrideCategory overrideCategory Unsigned 32-bit integer gsm_map.OverrideCategory
gsm_map.parameter parameter No value gsm_map.ReturnErrorParameter
gsm_map.password password String gsm_map.Password
gsm_map.pcsExtensions pcsExtensions No value gsm_map.PcsExtensions
gsm_map.pdp_Address pdp-Address Byte array gsm_map.PDP_Address
gsm_map.pdp_ChargingCharacteristics pdp-ChargingCharacteristics Unsigned 16-bit integer gsm_map.ChargingCharacteristics
gsm_map.pdp_ContextActive pdp-ContextActive No value gsm_map.NULL
gsm_map.pdp_ContextId pdp-ContextId Unsigned 32-bit integer gsm_map.ContextId
gsm_map.pdp_ContextIdentifier pdp-ContextIdentifier Unsigned 32-bit integer gsm_map.ContextId
gsm_map.pdp_Type pdp-Type Byte array gsm_map.PDP_Type
gsm_map.pdp_type_org PDP Type Organization Unsigned 8-bit integer PDP Type Organization
gsm_map.phase1 phase1 Boolean
gsm_map.phase2 phase2 Boolean
gsm_map.phase3 phase3 Boolean
gsm_map.phase4 phase4 Boolean
gsm_map.playTone playTone Boolean
gsm_map.plmn-SpecificBarringType1 plmn-SpecificBarringType1 Boolean
gsm_map.plmn-SpecificBarringType2 plmn-SpecificBarringType2 Boolean
gsm_map.plmn-SpecificBarringType3 plmn-SpecificBarringType3 Boolean
gsm_map.plmn-SpecificBarringType4 plmn-SpecificBarringType4 Boolean
gsm_map.plmnClientList plmnClientList Unsigned 32-bit integer gsm_map.PLMNClientList
gsm_map.polygon polygon Boolean
gsm_map.positionMethodFailure_Diagnostic positionMethodFailure-Diagnostic Unsigned 32-bit integer gsm_map.PositionMethodFailure_Diagnostic
gsm_map.ppr_Address ppr-Address Byte array gsm_map.GSN_Address
gsm_map.pre_pagingSupported pre-pagingSupported No value gsm_map.NULL
gsm_map.preferentialCUG_Indicator preferentialCUG-Indicator Unsigned 32-bit integer gsm_map.CUG_Index
gsm_map.premiumRateEntertainementOGCallsBarred premiumRateEntertainementOGCallsBarred Boolean
gsm_map.premiumRateInformationOGCallsBarred premiumRateInformationOGCallsBarred Boolean
gsm_map.previous_LAI previous-LAI Byte array gsm_map.LAIFixedLength
gsm_map.priority priority Unsigned 32-bit integer gsm_map.EMLPP_Priority
gsm_map.privacyOverride privacyOverride No value gsm_map.NULL
gsm_map.privateExtensionList privateExtensionList Unsigned 32-bit integer gsm_map.PrivateExtensionList
gsm_map.problem problem Unsigned 32-bit integer gsm_map.T_problem
gsm_map.protectedPayload protectedPayload Byte array gsm_map.ProtectedPayload
gsm_map.protocolId protocolId Unsigned 32-bit integer gsm_map.ProtocolId
gsm_map.provisionedSS provisionedSS Unsigned 32-bit integer gsm_map.Ext_SS_InfoList
gsm_map.ps_AttachedNotReachableForPaging ps-AttachedNotReachableForPaging No value gsm_map.NULL
gsm_map.ps_AttachedReachableForPaging ps-AttachedReachableForPaging No value gsm_map.NULL
gsm_map.ps_Detached ps-Detached No value gsm_map.NULL
gsm_map.ps_LCS_NotSupportedByUE ps-LCS-NotSupportedByUE No value gsm_map.NULL
gsm_map.ps_PDP_ActiveNotReachableForPaging ps-PDP-ActiveNotReachableForPaging Unsigned 32-bit integer gsm_map.PDP_ContextInfoList
gsm_map.ps_PDP_ActiveReachableForPaging ps-PDP-ActiveReachableForPaging Unsigned 32-bit integer gsm_map.PDP_ContextInfoList
gsm_map.ps_SubscriberState ps-SubscriberState Unsigned 32-bit integer gsm_map.PS_SubscriberState
gsm_map.pseudonymIndicator pseudonymIndicator No value gsm_map.NULL
gsm_map.psi-enhancements psi-enhancements Boolean
gsm_map.qos.ber Residual Bit Error Rate (BER) Unsigned 8-bit integer Residual Bit Error Rate (BER)
gsm_map.qos.brate_dlink Guaranteed bit rate for downlink in kbit/s Unsigned 32-bit integer Guaranteed bit rate for downlink
gsm_map.qos.brate_ulink Guaranteed bit rate for uplink in kbit/s Unsigned 32-bit integer Guaranteed bit rate for uplink
gsm_map.qos.del_of_err_sdu Delivery of erroneous SDUs Unsigned 8-bit integer Delivery of erroneous SDUs
gsm_map.qos.del_order Delivery order Unsigned 8-bit integer Delivery order
gsm_map.qos.max_brate_dlink Maximum bit rate for downlink in kbit/s Unsigned 32-bit integer Maximum bit rate for downlink
gsm_map.qos.max_brate_ulink Maximum bit rate for uplink in kbit/s Unsigned 32-bit integer Maximum bit rate for uplink
gsm_map.qos.max_sdu Maximum SDU size Unsigned 32-bit integer Maximum SDU size
gsm_map.qos.sdu_err_rat SDU error ratio Unsigned 8-bit integer SDU error ratio
gsm_map.qos.traff_hdl_pri Traffic handling priority Unsigned 8-bit integer Traffic handling priority
gsm_map.qos.traffic_cls Traffic class Unsigned 8-bit integer Traffic class
gsm_map.qos.transfer_delay Transfer delay (Raw data see TS 24.008 for interpretation) Unsigned 8-bit integer Transfer delay
gsm_map.qos2_Negotiated qos2-Negotiated Byte array gsm_map.Ext2_QoS_Subscribed
gsm_map.qos2_Requested qos2-Requested Byte array gsm_map.Ext2_QoS_Subscribed
gsm_map.qos2_Subscribed qos2-Subscribed Byte array gsm_map.Ext2_QoS_Subscribed
gsm_map.qos_Negotiated qos-Negotiated Byte array gsm_map.Ext_QoS_Subscribed
gsm_map.qos_Requested qos-Requested Byte array gsm_map.Ext_QoS_Subscribed
gsm_map.qos_Subscribed qos-Subscribed Byte array gsm_map.QoS_Subscribed
gsm_map.quintupletList quintupletList Unsigned 32-bit integer gsm_map.QuintupletList
gsm_map.rab_ConfigurationIndicator rab-ConfigurationIndicator No value gsm_map.NULL
gsm_map.rab_Id rab-Id Unsigned 32-bit integer gsm_map.RAB_Id
gsm_map.radioResourceInformation radioResourceInformation Byte array gsm_map.RadioResourceInformation
gsm_map.radioResourceList radioResourceList Unsigned 32-bit integer gsm_map.RadioResourceList
gsm_map.ranap_ServiceHandover ranap-ServiceHandover Byte array gsm_map.RANAP_ServiceHandover
gsm_map.rand rand Byte array gsm_map.RAND
gsm_map.re_attempt re-attempt Boolean gsm_map.BOOLEAN
gsm_map.re_synchronisationInfo re-synchronisationInfo No value gsm_map.Re_synchronisationInfo
gsm_map.redirecting_presentation Redirecting presentation Boolean Redirecting presentation
gsm_map.regionalSubscriptionData regionalSubscriptionData Unsigned 32-bit integer gsm_map.ZoneCodeList
gsm_map.regionalSubscriptionIdentifier regionalSubscriptionIdentifier Byte array gsm_map.ZoneCode
gsm_map.regionalSubscriptionResponse regionalSubscriptionResponse Unsigned 32-bit integer gsm_map.RegionalSubscriptionResponse
gsm_map.registrationAllCF-Barred registrationAllCF-Barred Boolean
gsm_map.registrationCFNotToHPLMN-Barred registrationCFNotToHPLMN-Barred Boolean
gsm_map.registrationInternationalCF-Barred registrationInternationalCF-Barred Boolean
gsm_map.registrationInterzonalCF-Barred registrationInterzonalCF-Barred Boolean
gsm_map.registrationInterzonalCFNotToHPLMN-Barred registrationInterzonalCFNotToHPLMN-Barred Boolean
gsm_map.reject reject No value gsm_map.Reject
gsm_map.releaseGroupCall releaseGroupCall No value gsm_map.NULL
gsm_map.releaseResourcesSupported releaseResourcesSupported No value gsm_map.NULL
gsm_map.relocationNumberList relocationNumberList Unsigned 32-bit integer gsm_map.RelocationNumberList
gsm_map.replaceB_Number replaceB-Number No value gsm_map.NULL
gsm_map.requestedCAMEL_SubscriptionInfo requestedCAMEL-SubscriptionInfo Unsigned 32-bit integer gsm_map.RequestedCAMEL_SubscriptionInfo
gsm_map.requestedCamel_SubscriptionInfo requestedCamel-SubscriptionInfo Unsigned 32-bit integer gsm_map.RequestedCAMEL_SubscriptionInfo
gsm_map.requestedDomain requestedDomain Unsigned 32-bit integer gsm_map.T_requestedDomain
gsm_map.requestedEquipmentInfo requestedEquipmentInfo Byte array gsm_map.RequestedEquipmentInfo
gsm_map.requestedInfo requestedInfo No value gsm_map.RequestedInfo
gsm_map.requestedSS_Info requestedSS-Info No value gsm_map.SS_ForBS_Code
gsm_map.requestedSubscriptionInfo requestedSubscriptionInfo No value gsm_map.RequestedSubscriptionInfo
gsm_map.requestingNodeType requestingNodeType Unsigned 32-bit integer gsm_map.RequestingNodeType
gsm_map.requestingPLMN_Id requestingPLMN-Id Byte array gsm_map.PLMN_Id
gsm_map.requestorIDString requestorIDString Byte array gsm_map.RequestorIDString
gsm_map.responseTime responseTime No value gsm_map.ResponseTime
gsm_map.responseTimeCategory responseTimeCategory Unsigned 32-bit integer gsm_map.ResponseTimeCategory
gsm_map.resultretres resultretres No value gsm_map.T_resultretres
gsm_map.returnError returnError No value gsm_map.ReturnError
gsm_map.returnErrorProblem returnErrorProblem Signed 32-bit integer gsm_map.ReturnErrorProblem
gsm_map.returnResultLast returnResultLast No value gsm_map.ReturnResult
gsm_map.returnResultProblem returnResultProblem Signed 32-bit integer gsm_map.ReturnResultProblem
gsm_map.returnparameter returnparameter No value gsm_map.ReturnResultParameter
gsm_map.rnc_Address rnc-Address Byte array gsm_map.GSN_Address
gsm_map.roamerAccessToHPLMN-AP-Barred roamerAccessToHPLMN-AP-Barred Boolean
gsm_map.roamerAccessToVPLMN-AP-Barred roamerAccessToVPLMN-AP-Barred Boolean
gsm_map.roamingNotAllowedCause roamingNotAllowedCause Unsigned 32-bit integer gsm_map.T_roamingNotAllowedCause
gsm_map.roamingNumber roamingNumber Byte array gsm_map.ISDN_AddressString
gsm_map.roamingOutsidePLMN-Barred roamingOutsidePLMN-Barred Boolean
gsm_map.roamingOutsidePLMN-CountryBarred roamingOutsidePLMN-CountryBarred Boolean
gsm_map.roamingOutsidePLMNIC-CallsBarred roamingOutsidePLMNIC-CallsBarred Boolean
gsm_map.roamingOutsidePLMNICountryIC-CallsBarred roamingOutsidePLMNICountryIC-CallsBarred Boolean
gsm_map.roamingOutsidePLMNOG-CallsBarred roamingOutsidePLMNOG-CallsBarred Boolean
gsm_map.roamingRestrictedInSgsnDueToUnsupportedFeature roamingRestrictedInSgsnDueToUnsupportedFeature No value gsm_map.NULL
gsm_map.roamingRestrictedInSgsnDueToUnsuppportedFeature roamingRestrictedInSgsnDueToUnsuppportedFeature No value gsm_map.NULL
gsm_map.roamingRestrictionDueToUnsupportedFeature roamingRestrictionDueToUnsupportedFeature No value gsm_map.NULL
gsm_map.routeingAreaIdentity routeingAreaIdentity Byte array gsm_map.RAIdentity
gsm_map.routeingNumber routeingNumber Byte array gsm_map.RouteingNumber
gsm_map.routingInfo routingInfo Unsigned 32-bit integer gsm_map.RoutingInfo
gsm_map.routingInfo2 routingInfo2 Unsigned 32-bit integer gsm_map.RoutingInfo
gsm_map.ruf_Outcome ruf-Outcome Unsigned 32-bit integer gsm_map.Ruf_Outcome
gsm_map.sIWFSNumber sIWFSNumber Byte array gsm_map.ISDN_AddressString
gsm_map.sai_Present sai-Present No value gsm_map.NULL
gsm_map.scAddressNotIncluded scAddressNotIncluded Boolean
gsm_map.secondServiceAllowed secondServiceAllowed Boolean
gsm_map.securityHeader securityHeader No value gsm_map.SecurityHeader
gsm_map.securityParametersIndex securityParametersIndex Byte array gsm_map.SecurityParametersIndex
gsm_map.segmentationProhibited segmentationProhibited No value gsm_map.NULL
gsm_map.selectedGSM_Algorithm selectedGSM-Algorithm Byte array gsm_map.SelectedGSM_Algorithm
gsm_map.selectedLSAIdentity selectedLSAIdentity Byte array gsm_map.LSAIdentity
gsm_map.selectedLSA_Id selectedLSA-Id Byte array gsm_map.LSAIdentity
gsm_map.selectedRab_Id selectedRab-Id Unsigned 32-bit integer gsm_map.RAB_Id
gsm_map.selectedUMTS_Algorithms selectedUMTS-Algorithms No value gsm_map.SelectedUMTS_Algorithms
gsm_map.sendSubscriberData sendSubscriberData No value gsm_map.NULL
gsm_map.serviceCentreAddress serviceCentreAddress Byte array gsm_map.ServiceCentreAddress
gsm_map.serviceCentreAddressDA serviceCentreAddressDA Byte array gsm_map.ServiceCentreAddress
gsm_map.serviceCentreAddressOA serviceCentreAddressOA Byte array gsm_map.ServiceCentreAddress
gsm_map.serviceChangeDP serviceChangeDP Boolean
gsm_map.serviceIndicator serviceIndicator Byte array gsm_map.ServiceIndicator
gsm_map.serviceKey serviceKey Unsigned 32-bit integer gsm_map.ServiceKey
gsm_map.serviceTypeIdentity serviceTypeIdentity Unsigned 32-bit integer gsm_map.LCSServiceTypeID
gsm_map.serviceTypeList serviceTypeList Unsigned 32-bit integer gsm_map.ServiceTypeList
gsm_map.servicecentreaddress_digits ServiceCentreAddress digits String ServiceCentreAddress digits
gsm_map.servingNetworkEnhancedDialledServices servingNetworkEnhancedDialledServices Boolean
gsm_map.sgsn_Address sgsn-Address Byte array gsm_map.GSN_Address
gsm_map.sgsn_CAMEL_SubscriptionInfo sgsn-CAMEL-SubscriptionInfo No value gsm_map.SGSN_CAMEL_SubscriptionInfo
gsm_map.sgsn_Capability sgsn-Capability No value gsm_map.SGSN_Capability
gsm_map.sgsn_Number sgsn-Number Byte array gsm_map.ISDN_AddressString
gsm_map.signalInfo signalInfo Byte array gsm_map.SignalInfo
gsm_map.skipSubscriberDataUpdate skipSubscriberDataUpdate No value gsm_map.NULL
gsm_map.slr_ArgExtensionContainer slr-ArgExtensionContainer No value gsm_map.SLR_ArgExtensionContainer
gsm_map.slr_Arg_PCS_Extensions slr-Arg-PCS-Extensions No value gsm_map.SLR_Arg_PCS_Extensions
gsm_map.sm_DeliveryOutcome sm-DeliveryOutcome Unsigned 32-bit integer gsm_map.Sm_DeliveryOutcome
gsm_map.sm_EnumeratedDeliveryFailureCause sm-EnumeratedDeliveryFailureCause Unsigned 32-bit integer gsm_map.SM_EnumeratedDeliveryFailureCause
gsm_map.sm_RP_DA sm-RP-DA Unsigned 32-bit integer gsm_map.Sm_RP_DA
gsm_map.sm_RP_MTI sm-RP-MTI Unsigned 32-bit integer gsm_map.INTEGER_0_10
gsm_map.sm_RP_OA sm-RP-OA Unsigned 32-bit integer gsm_map.Sm_RP_OA
gsm_map.sm_RP_PRI sm-RP-PRI Boolean gsm_map.BOOLEAN
gsm_map.sm_RP_SMEA sm-RP-SMEA Byte array gsm_map.OCTET_STRING_SIZE_1_12
gsm_map.sm_RP_UI sm-RP-UI Byte array gsm_map.Sm_RP_UI
gsm_map.smsCallBarringSupportIndicator smsCallBarringSupportIndicator No value gsm_map.NULL
gsm_map.sms_CAMEL_TDP_DataList sms-CAMEL-TDP-DataList Unsigned 32-bit integer gsm_map.SMS_CAMEL_TDP_DataList
gsm_map.sms_TriggerDetectionPoint sms-TriggerDetectionPoint Unsigned 32-bit integer gsm_map.SMS_TriggerDetectionPoint
gsm_map.solsaSupportIndicator solsaSupportIndicator No value gsm_map.NULL
gsm_map.specificCSIDeletedList specificCSIDeletedList Byte array gsm_map.SpecificCSI_Withdraw
gsm_map.specificCSI_Withdraw specificCSI-Withdraw Byte array gsm_map.SpecificCSI_Withdraw
gsm_map.splitLeg splitLeg Boolean
gsm_map.sres sres Byte array gsm_map.SRES
gsm_map.ss-AccessBarred ss-AccessBarred Boolean
gsm_map.ss-csi ss-csi Boolean
gsm_map.ss_CSI ss-CSI No value gsm_map.SS_CSI
gsm_map.ss_CamelData ss-CamelData No value gsm_map.SS_CamelData
gsm_map.ss_Code ss-Code Unsigned 8-bit integer gsm_map.SS_Code
gsm_map.ss_Data ss-Data No value gsm_map.Ext_SS_Data
gsm_map.ss_Event ss-Event Byte array gsm_map.OCTET_STRING_SIZE_1
gsm_map.ss_EventList ss-EventList Unsigned 32-bit integer gsm_map.SS_EventList
gsm_map.ss_EventSpecification ss-EventSpecification Unsigned 32-bit integer gsm_map.T_ss_EventSpecification
gsm_map.ss_EventSpecification_item Item Byte array gsm_map.OCTET_STRING_SIZE_1_20
gsm_map.ss_InfoFor_CSE ss-InfoFor-CSE Unsigned 32-bit integer gsm_map.Ext_SS_InfoFor_CSE
gsm_map.ss_List ss-List Unsigned 32-bit integer gsm_map.SS_List
gsm_map.ss_List2 ss-List2 Unsigned 32-bit integer gsm_map.SS_List
gsm_map.ss_Status ss-Status Byte array gsm_map.Ext_SS_Status
gsm_map.ss_SubscriptionOption ss-SubscriptionOption Unsigned 32-bit integer gsm_map.SS_SubscriptionOption
gsm_map.ss_status_a_bit A bit Boolean A bit
gsm_map.ss_status_p_bit P bit Boolean P bit
gsm_map.ss_status_q_bit Q bit Boolean Q bit
gsm_map.ss_status_r_bit R bit Boolean R bit
gsm_map.storedMSISDN storedMSISDN Byte array gsm_map.StoredMSISDN
gsm_map.subscribedEnhancedDialledServices subscribedEnhancedDialledServices Boolean
gsm_map.subscriberDataStored subscriberDataStored Byte array gsm_map.AgeIndicator
gsm_map.subscriberIdentity subscriberIdentity Unsigned 32-bit integer gsm_map.SubscriberIdentity
gsm_map.subscriberInfo subscriberInfo No value gsm_map.SubscriberInfo
gsm_map.subscriberState subscriberState Unsigned 32-bit integer gsm_map.SubscriberState
gsm_map.subscriberStatus subscriberStatus Unsigned 32-bit integer gsm_map.SubscriberStatus
gsm_map.superChargerSupportedInHLR superChargerSupportedInHLR Byte array gsm_map.AgeIndicator
gsm_map.superChargerSupportedInServingNetworkEntity superChargerSupportedInServingNetworkEntity Unsigned 32-bit integer gsm_map.SuperChargerInfo
gsm_map.supportedCAMELPhases supportedCAMELPhases Byte array gsm_map.SupportedCamelPhases
gsm_map.supportedCCBS_Phase supportedCCBS-Phase Unsigned 32-bit integer gsm_map.SupportedCCBS_Phase
gsm_map.supportedCamelPhases supportedCamelPhases Byte array gsm_map.SupportedCamelPhases
gsm_map.supportedCamelPhasesInInterrogatingNode supportedCamelPhasesInInterrogatingNode Byte array gsm_map.SupportedCamelPhases
gsm_map.supportedCamelPhasesInVMSC supportedCamelPhasesInVMSC Byte array gsm_map.SupportedCamelPhases
gsm_map.supportedGADShapes supportedGADShapes Byte array gsm_map.SupportedGADShapes
gsm_map.supportedLCS_CapabilitySets supportedLCS-CapabilitySets Byte array gsm_map.SupportedLCS_CapabilitySets
gsm_map.supportedSGSN_CAMEL_Phases supportedSGSN-CAMEL-Phases Byte array gsm_map.SupportedCamelPhases
gsm_map.supportedVLR_CAMEL_Phases supportedVLR-CAMEL-Phases Byte array gsm_map.SupportedCamelPhases
gsm_map.suppressIncomingCallBarring suppressIncomingCallBarring No value gsm_map.NULL
gsm_map.suppress_T_CSI suppress-T-CSI No value gsm_map.NULL
gsm_map.suppress_VT_CSI suppress-VT-CSI No value gsm_map.NULL
gsm_map.suppressionOfAnnouncement suppressionOfAnnouncement No value gsm_map.SuppressionOfAnnouncement
gsm_map.t-csi t-csi Boolean
gsm_map.t_BCSM_CAMEL_TDP_CriteriaList t-BCSM-CAMEL-TDP-CriteriaList Unsigned 32-bit integer gsm_map.T_BCSM_CAMEL_TDP_CriteriaList
gsm_map.t_BCSM_TriggerDetectionPoint t-BCSM-TriggerDetectionPoint Unsigned 32-bit integer gsm_map.T_BcsmTriggerDetectionPoint
gsm_map.t_BcsmCamelTDPDataList t-BcsmCamelTDPDataList Unsigned 32-bit integer gsm_map.T_BcsmCamelTDPDataList
gsm_map.t_BcsmTriggerDetectionPoint t-BcsmTriggerDetectionPoint Unsigned 32-bit integer gsm_map.T_BcsmTriggerDetectionPoint
gsm_map.t_CSI t-CSI No value gsm_map.T_CSI
gsm_map.t_CauseValueCriteria t-CauseValueCriteria Unsigned 32-bit integer gsm_map.T_CauseValueCriteria
gsm_map.targetCellId targetCellId Byte array gsm_map.GlobalCellId
gsm_map.targetMS targetMS Unsigned 32-bit integer gsm_map.SubscriberIdentity
gsm_map.targetMSC_Number targetMSC-Number Byte array gsm_map.ISDN_AddressString
gsm_map.targetRNCId targetRNCId Byte array gsm_map.RNCId
gsm_map.teid_ForGnAndGp teid-ForGnAndGp Byte array gsm_map.TEID
gsm_map.teid_ForIu teid-ForIu Byte array gsm_map.TEID
gsm_map.teleservice teleservice Unsigned 8-bit integer gsm_map.Teleservice
gsm_map.teleserviceList teleserviceList Unsigned 32-bit integer gsm_map.TeleserviceList
gsm_map.terminationCause terminationCause Unsigned 32-bit integer gsm_map.TerminationCause
gsm_map.tif-csi tif-csi Boolean
gsm_map.tif_CSI tif-CSI No value gsm_map.NULL
gsm_map.tif_CSI_NotificationToCSE tif-CSI-NotificationToCSE No value gsm_map.NULL
gsm_map.tmsi tmsi Byte array gsm_map.TMSI
gsm_map.tpdu_TypeCriterion tpdu-TypeCriterion Unsigned 32-bit integer gsm_map.TPDU_TypeCriterion
gsm_map.traceReference traceReference Byte array gsm_map.OCTET_STRING_SIZE_1_2
gsm_map.traceType traceType Unsigned 32-bit integer gsm_map.INTEGER_0_255
gsm_map.transactionId transactionId Byte array gsm_map.TransactionId
gsm_map.translatedB_Number translatedB-Number Byte array gsm_map.ISDN_AddressString
gsm_map.tripletList tripletList Unsigned 32-bit integer gsm_map.TripletList
gsm_map.uesbi_Iu uesbi-Iu No value gsm_map.UESBI_Iu
gsm_map.uesbi_IuA uesbi-IuA Byte array gsm_map.UESBI_IuA
gsm_map.uesbi_IuB uesbi-IuB Byte array gsm_map.UESBI_IuB
gsm_map.umts_SecurityContextData umts-SecurityContextData No value gsm_map.UMTS_SecurityContextData
gsm_map.unauthorisedMessageOriginator unauthorisedMessageOriginator No value gsm_map.NULL
gsm_map.unauthorizedLCSClient_Diagnostic unauthorizedLCSClient-Diagnostic Unsigned 32-bit integer gsm_map.T_unauthorizedLCSClient_Diagnostic
gsm_map.unavailabilityCause unavailabilityCause Unsigned 32-bit integer gsm_map.UnavailabilityCause
gsm_map.unknownSubscriberDiagnostic unknownSubscriberDiagnostic Unsigned 32-bit integer gsm_map.T_unknownSubscriberDiagnostic
gsm_map.unused Unused Unsigned 8-bit integer Unused
gsm_map.uplinkFree uplinkFree No value gsm_map.NULL
gsm_map.uplinkRejectCommand uplinkRejectCommand No value gsm_map.NULL
gsm_map.uplinkReleaseCommand uplinkReleaseCommand No value gsm_map.NULL
gsm_map.uplinkReleaseIndication uplinkReleaseIndication No value gsm_map.NULL
gsm_map.uplinkRequest uplinkRequest No value gsm_map.NULL
gsm_map.uplinkRequestAck uplinkRequestAck No value gsm_map.NULL
gsm_map.uplinkSeizedCommand uplinkSeizedCommand No value gsm_map.NULL
gsm_map.userInfo userInfo No value gsm_map.NULL
gsm_map.ussd_DataCodingScheme ussd-DataCodingScheme Byte array gsm_map.USSD_DataCodingScheme
gsm_map.ussd_String ussd-String Byte array gsm_map.USSD_String
gsm_map.utranCodecList utranCodecList No value gsm_map.CodecList
gsm_map.utranNotAllowed utranNotAllowed Boolean
gsm_map.utranPositioningData utranPositioningData Byte array gsm_map.UtranPositioningDataInfo
gsm_map.uuIndicator uuIndicator Byte array gsm_map.UUIndicator
gsm_map.uu_Data uu-Data No value gsm_map.UU_Data
gsm_map.uui uui Byte array gsm_map.UUI
gsm_map.uusCFInteraction uusCFInteraction No value gsm_map.NULL
gsm_map.v_gmlc_Address v-gmlc-Address Byte array gsm_map.GSN_Address
gsm_map.vbsGroupIndication vbsGroupIndication No value gsm_map.NULL
gsm_map.vbsSubscriptionData vbsSubscriptionData Unsigned 32-bit integer gsm_map.VBSDataList
gsm_map.version version Unsigned 32-bit integer gsm_map.Version
gsm_map.verticalCoordinateRequest verticalCoordinateRequest No value gsm_map.NULL
gsm_map.vertical_accuracy vertical-accuracy Byte array gsm_map.Vertical_Accuracy
gsm_map.vgcsGroupIndication vgcsGroupIndication No value gsm_map.NULL
gsm_map.vgcsSubscriptionData vgcsSubscriptionData Unsigned 32-bit integer gsm_map.VGCSDataList
gsm_map.vlrCamelSubscriptionInfo vlrCamelSubscriptionInfo No value gsm_map.VlrCamelSubscriptionInfo
gsm_map.vlr_Capability vlr-Capability No value gsm_map.VLR_Capability
gsm_map.vlr_Number vlr-Number Byte array gsm_map.ISDN_AddressString
gsm_map.vlr_number vlr-number Byte array gsm_map.ISDN_AddressString
gsm_map.vmsc_Address vmsc-Address Byte array gsm_map.ISDN_AddressString
gsm_map.vplmnAddressAllowed vplmnAddressAllowed No value gsm_map.NULL
gsm_map.vstk vstk Byte array gsm_map.VSTK
gsm_map.vstk_rand vstk-rand Byte array gsm_map.VSTK_RAND
gsm_map.vt-IM-CSI vt-IM-CSI Boolean
gsm_map.vt-csi vt-csi Boolean
gsm_map.vt_BCSM_CAMEL_TDP_CriteriaList vt-BCSM-CAMEL-TDP-CriteriaList Unsigned 32-bit integer gsm_map.T_BCSM_CAMEL_TDP_CriteriaList
gsm_map.vt_CSI vt-CSI No value gsm_map.T_CSI
gsm_map.vt_IM_BCSM_CAMEL_TDP_CriteriaList vt-IM-BCSM-CAMEL-TDP-CriteriaList Unsigned 32-bit integer gsm_map.T_BCSM_CAMEL_TDP_CriteriaList
gsm_map.vt_IM_CSI vt-IM-CSI No value gsm_map.T_CSI
gsm_map.warningToneEnhancements warningToneEnhancements Boolean
gsm_map.wrongPasswordAttemptsCounter wrongPasswordAttemptsCounter Unsigned 32-bit integer gsm_map.WrongPasswordAttemptsCounter
gsm_map.xres xres Byte array gsm_map.XRES
gsm-sms-ud.fragment Short Message fragment Frame number GSM Short Message fragment
gsm-sms-ud.fragment.error Short Message defragmentation error Frame number GSM Short Message defragmentation error due to illegal fragments
gsm-sms-ud.fragment.multiple_tails Short Message has multiple tail fragments Boolean GSM Short Message fragment has multiple tail fragments
gsm-sms-ud.fragment.overlap Short Message fragment overlap Boolean GSM Short Message fragment overlaps with other fragment(s)
gsm-sms-ud.fragment.overlap.conflicts Short Message fragment overlapping with conflicting data Boolean GSM Short Message fragment overlaps with conflicting data
gsm-sms-ud.fragment.too_long_fragment Short Message fragment too long Boolean GSM Short Message fragment data goes beyond the packet end
gsm-sms-ud.fragments Short Message fragments No value GSM Short Message fragments
gsm-sms-ud.reassembled.in Reassembled in Frame number GSM Short Message has been reassembled in this packet.
gsm-sms-ud.udh.iei IE Id Unsigned 8-bit integer Name of the User Data Header Information Element.
gsm-sms-ud.udh.len UDH Length Unsigned 8-bit integer Length of the User Data Header (bytes)
gsm-sms-ud.udh.mm Multiple messages UDH No value Multiple messages User Data Header
gsm-sms-ud.udh.mm.msg_id Message identifier Unsigned 16-bit integer Identification of the message
gsm-sms-ud.udh.mm.msg_part Message part number Unsigned 8-bit integer Message part (fragment) sequence number
gsm-sms-ud.udh.mm.msg_parts Message parts Unsigned 8-bit integer Total number of message parts (fragments)
gsm-sms-ud.udh.ports Port number UDH No value Port number User Data Header
gsm-sms-ud.udh.ports.dst Destination port Unsigned 8-bit integer Destination port
gsm-sms-ud.udh.ports.src Source port Unsigned 8-bit integer Source port
gsm_ss.accessRegisterCCEntry accessRegisterCCEntry No value gsm_ss.AccessRegisterCCEntryArg
gsm_ss.add_LocationEstimate add-LocationEstimate Byte array gsm_map.Add_GeographicalInformation
gsm_ss.ageOfLocationInfo ageOfLocationInfo Unsigned 32-bit integer gsm_map.AgeOfLocationInformation
gsm_ss.alertingPattern alertingPattern Byte array gsm_map.AlertingPattern
gsm_ss.areaEventInfo areaEventInfo No value gsm_map.AreaEventInfo
gsm_ss.b_subscriberNumber b-subscriberNumber Byte array gsm_ss.T_b_subscriberNumber
gsm_ss.b_subscriberSubaddress b-subscriberSubaddress Byte array gsm_ss.OCTET_STRING_SIZE_1_21
gsm_ss.basicServiceGroup basicServiceGroup Unsigned 32-bit integer gsm_ss.T_basicServiceGroup
gsm_ss.bearerService bearerService Byte array gsm_ss.OCTET_STRING_SIZE_1
gsm_ss.callDeflection callDeflection No value gsm_ss.CallDeflectionArg
gsm_ss.callIsWaiting_Indicator callIsWaiting-Indicator No value gsm_ss.NULL
gsm_ss.callOnHold_Indicator callOnHold-Indicator Unsigned 32-bit integer gsm_ss.CallOnHold_Indicator
gsm_ss.callingName callingName Unsigned 32-bit integer gsm_ss.Name
gsm_ss.ccbs_Feature ccbs-Feature No value gsm_map.CCBS_Feature
gsm_ss.ccbs_Index ccbs-Index Unsigned 32-bit integer gsm_ss.INTEGER_1_5
gsm_ss.chargingInformation chargingInformation No value gsm_ss.ChargingInformation
gsm_ss.clirSuppressionRejected clirSuppressionRejected No value gsm_ss.NULL
gsm_ss.cug_Index cug-Index Unsigned 32-bit integer gsm_map.CUG_Index
gsm_ss.currentPassword currentPassword String
gsm_ss.dataCodingScheme dataCodingScheme Byte array gsm_map.USSD_DataCodingScheme
gsm_ss.decipheringKeys decipheringKeys Byte array gsm_ss.DecipheringKeys
gsm_ss.deferredLocationEventType deferredLocationEventType Byte array gsm_map.DeferredLocationEventType
gsm_ss.deflectedToNumber deflectedToNumber Byte array gsm_map.AddressString
gsm_ss.deflectedToSubaddress deflectedToSubaddress Byte array gsm_map.ISDN_SubaddressString
gsm_ss.e1 e1 Unsigned 32-bit integer gsm_ss.E1
gsm_ss.e2 e2 Unsigned 32-bit integer gsm_ss.E2
gsm_ss.e3 e3 Unsigned 32-bit integer gsm_ss.E3
gsm_ss.e4 e4 Unsigned 32-bit integer gsm_ss.E4
gsm_ss.e5 e5 Unsigned 32-bit integer gsm_ss.E5
gsm_ss.e6 e6 Unsigned 32-bit integer gsm_ss.E6
gsm_ss.e7 e7 Unsigned 32-bit integer gsm_ss.E7
gsm_ss.ect_CallState ect-CallState Unsigned 32-bit integer gsm_ss.ECT_CallState
gsm_ss.ect_Indicator ect-Indicator No value gsm_ss.ECT_Indicator
gsm_ss.forwardCUG_Info forwardCUG-Info No value gsm_ss.ForwardCUG_InfoArg
gsm_ss.forwardChargeAdvice forwardChargeAdvice No value gsm_ss.ForwardChargeAdviceArg
gsm_ss.gpsAssistanceData gpsAssistanceData Byte array gsm_ss.GPSAssistanceData
gsm_ss.h_gmlc_address h-gmlc-address Byte array gsm_map.GSN_Address
gsm_ss.lcsClientExternalID lcsClientExternalID No value gsm_map.LCSClientExternalID
gsm_ss.lcsClientName lcsClientName No value gsm_map.LCSClientName
gsm_ss.lcsCodeword lcsCodeword No value gsm_map.LCSCodeword
gsm_ss.lcsRequestorID lcsRequestorID No value gsm_map.LCSRequestorID
gsm_ss.lcsServiceTypeID lcsServiceTypeID Unsigned 32-bit integer gsm_map.LCSServiceTypeID
gsm_ss.lcs_AreaEventCancellation lcs-AreaEventCancellation No value gsm_ss.LCS_AreaEventCancellationArg
gsm_ss.lcs_AreaEventReport lcs-AreaEventReport No value gsm_ss.LCS_AreaEventReportArg
gsm_ss.lcs_AreaEventRequest lcs-AreaEventRequest No value gsm_ss.LCS_AreaEventRequestArg
gsm_ss.lcs_LocationNotification lcs-LocationNotification No value gsm_ss.LocationNotificationArg
gsm_ss.lcs_LocationNotification_res lcs-LocationNotification-res No value gsm_ss.LocationNotificationRes
gsm_ss.lcs_MOLR lcs-MOLR No value gsm_ss.LCS_MOLRArg
gsm_ss.lcs_MOLR_res lcs-MOLR-res No value gsm_ss.LCS_MOLRRes
gsm_ss.lcs_QoS lcs-QoS No value gsm_map.LCS_QoS
gsm_ss.lengthInCharacters lengthInCharacters Signed 32-bit integer gsm_ss.INTEGER
gsm_ss.locationEstimate locationEstimate Byte array gsm_map.Ext_GeographicalInformation
gsm_ss.locationMethod locationMethod Unsigned 32-bit integer gsm_ss.LocationMethod
gsm_ss.locationType locationType No value gsm_map.LocationType
gsm_ss.mlc_Number mlc-Number Byte array gsm_map.ISDN_AddressString
gsm_ss.molr_Type molr-Type Unsigned 32-bit integer gsm_ss.MOLR_Type
gsm_ss.mpty_Indicator mpty-Indicator No value gsm_ss.NULL
gsm_ss.multicall_Indicator multicall-Indicator Unsigned 32-bit integer gsm_ss.Multicall_Indicator
gsm_ss.nameIndicator nameIndicator No value gsm_ss.NameIndicator
gsm_ss.namePresentationAllowed namePresentationAllowed No value gsm_ss.NameSet
gsm_ss.namePresentationRestricted namePresentationRestricted No value gsm_ss.NameSet
gsm_ss.nameString nameString Byte array gsm_map.USSD_String
gsm_ss.nameUnavailable nameUnavailable No value gsm_ss.NULL
gsm_ss.notificationType notificationType Unsigned 32-bit integer gsm_map.NotificationToMSUser
gsm_ss.notifySS notifySS No value gsm_ss.NotifySS_Arg
gsm_ss.numberNotAvailableDueToInterworking numberNotAvailableDueToInterworking No value gsm_ss.NULL
gsm_ss.partyNumber partyNumber Byte array gsm_map.ISDN_AddressString
gsm_ss.partyNumberSubaddress partyNumberSubaddress Byte array gsm_map.ISDN_SubaddressString
gsm_ss.password Password Unsigned 8-bit integer Password
gsm_ss.presentationAllowedAddress presentationAllowedAddress No value gsm_ss.RemotePartyNumber
gsm_ss.presentationRestricted presentationRestricted No value gsm_ss.NULL
gsm_ss.presentationRestrictedAddress presentationRestrictedAddress No value gsm_ss.RemotePartyNumber
gsm_ss.processUnstructuredSS_Data processUnstructuredSS-Data String gsm_ss.SS_UserData
gsm_ss.pseudonymIndicator pseudonymIndicator No value gsm_ss.NULL
gsm_ss.rdn rdn Unsigned 32-bit integer gsm_ss.RDN
gsm_ss.referenceNumber referenceNumber Byte array gsm_map.LCS_ReferenceNumber
gsm_ss.registerCC_EntryRes registerCC-EntryRes No value gsm_ss.RegisterCC_EntryRes
gsm_ss.ss_Code ss-Code Unsigned 8-bit integer
gsm_ss.ss_Notification ss-Notification Byte array gsm_ss.SS_Notification
gsm_ss.ss_Status ss-Status Byte array gsm_map.SS_Status
gsm_ss.supportedGADShapes supportedGADShapes Byte array gsm_map.SupportedGADShapes
gsm_ss.suppressOA suppressOA No value gsm_ss.NULL
gsm_ss.suppressPrefCUG suppressPrefCUG No value gsm_ss.NULL
gsm_ss.teleservice teleservice Byte array gsm_ss.OCTET_STRING_SIZE_1
gsm_ss.uUS_Required uUS-Required Boolean gsm_ss.BOOLEAN
gsm_ss.uUS_Service uUS-Service Unsigned 32-bit integer gsm_ss.UUS_Service
gsm_ss.verificationResponse verificationResponse Unsigned 32-bit integer gsm_ss.VerificationResponse
gss-api.OID OID String This is a GSS-API Object Identifier
giop.TCKind TypeCode enum Unsigned 32-bit integer
giop.endianess Endianess Unsigned 8-bit integer
giop.exceptionid Exception id String
giop.iiop.host IIOP::Profile_host String
giop.iiop.port IIOP::Profile_port Unsigned 16-bit integer
giop.iiop.scid SCID Unsigned 32-bit integer
giop.iiop.vscid VSCID Unsigned 32-bit integer
giop.iiop_vmaj IIOP Major Version Unsigned 8-bit integer
giop.iiop_vmin IIOP Minor Version Unsigned 8-bit integer
giop.iioptag IIOP Component TAG Unsigned 32-bit integer
giop.iortag IOR Profile TAG Unsigned 8-bit integer
giop.len Message size Unsigned 32-bit integer
giop.objektkey Object Key Byte array
giop.profid Profile ID Unsigned 32-bit integer
giop.replystatus Reply status Unsigned 32-bit integer
giop.repoid Repository ID String
giop.request_id Request id Unsigned 32-bit integer
giop.request_op Request operation String
giop.seqlen Sequence Length Unsigned 32-bit integer
giop.strlen String Length Unsigned 32-bit integer
giop.tcValueModifier ValueModifier Signed 16-bit integer
giop.tcVisibility Visibility Signed 16-bit integer
giop.tcboolean TypeCode boolean data Boolean
giop.tcchar TypeCode char data Unsigned 8-bit integer
giop.tccount TypeCode count Unsigned 32-bit integer
giop.tcdefault_used default_used Signed 32-bit integer
giop.tcdigits Digits Unsigned 16-bit integer
giop.tcdouble TypeCode double data Double-precision floating point
giop.tcenumdata TypeCode enum data Unsigned 32-bit integer
giop.tcfloat TypeCode float data Double-precision floating point
giop.tclength Length Unsigned 32-bit integer
giop.tclongdata TypeCode long data Signed 32-bit integer
giop.tcmaxlen Maximum length Unsigned 32-bit integer
giop.tcmemname TypeCode member name String
giop.tcname TypeCode name String
giop.tcoctet TypeCode octet data Unsigned 8-bit integer
giop.tcscale Scale Signed 16-bit integer
giop.tcshortdata TypeCode short data Signed 16-bit integer
giop.tcstring TypeCode string data String
giop.tculongdata TypeCode ulong data Unsigned 32-bit integer
giop.tcushortdata TypeCode ushort data Unsigned 16-bit integer
giop.type Message type Unsigned 8-bit integer
giop.typeid IOR::type_id String
gre.3ggp2_di Duration Indicator Boolean Duration Indicator
gre.3ggp2_fci Flow Control Indicator Boolean Flow Control Indicator
gre.3ggp2_sdi SDI/DOS Boolean Short Data Indicator(SDI)/Data Over Signaling (DOS)
gre.ggp2_3ggp2_seg Type Unsigned 16-bit integer Type
gre.ggp2_attrib_id Type Unsigned 8-bit integer Type
gre.ggp2_attrib_length Length Unsigned 8-bit integer Length
gre.ggp2_flow_disc Flow ID Byte array Flow ID
gre.key GRE Key Unsigned 32-bit integer
gre.proto Protocol Type Unsigned 16-bit integer The protocol that is GRE encapsulated
gnutella.header Descriptor Header No value Gnutella Descriptor Header
gnutella.header.hops Hops Unsigned 8-bit integer Gnutella Descriptor Hop Count
gnutella.header.id ID Byte array Gnutella Descriptor ID
gnutella.header.payload Payload Unsigned 8-bit integer Gnutella Descriptor Payload
gnutella.header.size Length Unsigned 8-bit integer Gnutella Descriptor Payload Length
gnutella.header.ttl TTL Unsigned 8-bit integer Gnutella Descriptor Time To Live
gnutella.pong.files Files Shared Unsigned 32-bit integer Gnutella Pong Files Shared
gnutella.pong.ip IP IPv4 address Gnutella Pong IP Address
gnutella.pong.kbytes KBytes Shared Unsigned 32-bit integer Gnutella Pong KBytes Shared
gnutella.pong.payload Pong No value Gnutella Pong Payload
gnutella.pong.port Port Unsigned 16-bit integer Gnutella Pong TCP Port
gnutella.push.index Index Unsigned 32-bit integer Gnutella Push Index
gnutella.push.ip IP IPv4 address Gnutella Push IP Address
gnutella.push.payload Push No value Gnutella Push Payload
gnutella.push.port Port Unsigned 16-bit integer Gnutella Push Port
gnutella.push.servent_id Servent ID Byte array Gnutella Push Servent ID
gnutella.query.min_speed Min Speed Unsigned 32-bit integer Gnutella Query Minimum Speed
gnutella.query.payload Query No value Gnutella Query Payload
gnutella.query.search Search String Gnutella Query Search
gnutella.queryhit.count Count Unsigned 8-bit integer Gnutella QueryHit Count
gnutella.queryhit.extra Extra Byte array Gnutella QueryHit Extra
gnutella.queryhit.hit Hit No value Gnutella QueryHit
gnutella.queryhit.hit.extra Extra Byte array Gnutella Query Extra
gnutella.queryhit.hit.index Index Unsigned 32-bit integer Gnutella QueryHit Index
gnutella.queryhit.hit.name Name String Gnutella Query Name
gnutella.queryhit.hit.size Size Unsigned 32-bit integer Gnutella QueryHit Size
gnutella.queryhit.ip IP IPv4 address Gnutella QueryHit IP Address
gnutella.queryhit.payload QueryHit No value Gnutella QueryHit Payload
gnutella.queryhit.port Port Unsigned 16-bit integer Gnutella QueryHit Port
gnutella.queryhit.servent_id Servent ID Byte array Gnutella QueryHit Servent ID
gnutella.queryhit.speed Speed Unsigned 32-bit integer Gnutella QueryHit Speed
gnutella.stream Gnutella Upload / Download Stream No value Gnutella Upload / Download Stream
h248.EventBufferDescriptor_item Item No value h248.EventSpec
h248.EventParameters_item Item No value h248.EventParameter
h248.IndAudPropertyGroup_item Item No value h248.IndAudPropertyParm
h248.IndAudPropertyParms_item Item No value h248.IndAudPropertyParm
h248.PackagesDescriptor_item Item No value h248.PackagesItem
h248.PropertyGroup_item Item No value h248.PropertyParm
h248.PropertyParms_item Item No value h248.PropertyParm
h248.RequestedEvents_item Item No value h248.RequestedEvent
h248.SignalsDescriptor_item Item Unsigned 32-bit integer h248.SignalRequest
h248.StatisticsDescriptor_item Item No value h248.StatisticsParameter
h248.TerminationAudit_item Item Unsigned 32-bit integer h248.AuditReturnParameter
h248.TerminationIDList_item Item No value h248.TerminationID
h248.TransactionResponseAck_item Item No value h248.TransactionAck
h248.Value_item Item Byte array h248.OCTET_STRING
h248.actionReplies actionReplies Unsigned 32-bit integer h248.SEQUENCE_OF_ActionReply
h248.actionReplies_item Item No value h248.ActionReply
h248.actions actions Unsigned 32-bit integer h248.SEQUENCE_OF_ActionRequest
h248.actions_item Item No value h248.ActionRequest
h248.ad ad Byte array h248.AuthData
h248.addReply addReply No value h248.T_addReply
h248.addReq addReq No value h248.T_addReq
h248.address address IPv4 address h248.OCTET_STRING_SIZE_4
h248.auditCapReply auditCapReply Unsigned 32-bit integer h248.T_auditCapReply
h248.auditCapRequest auditCapRequest No value h248.T_auditCapRequest
h248.auditDescriptor auditDescriptor No value h248.AuditDescriptor
h248.auditPropertyToken auditPropertyToken Unsigned 32-bit integer h248.SEQUENCE_OF_IndAuditParameter
h248.auditPropertyToken_item Item Unsigned 32-bit integer h248.IndAuditParameter
h248.auditResult auditResult No value h248.AuditResult
h248.auditToken auditToken Byte array h248.T_auditToken
h248.auditValueReply auditValueReply Unsigned 32-bit integer h248.T_auditValueReply
h248.auditValueRequest auditValueRequest No value h248.T_auditValueRequest
h248.authHeader authHeader No value h248.AuthenticationHeader
h248.command command Unsigned 32-bit integer h248.Command
h248.commandReply commandReply Unsigned 32-bit integer h248.SEQUENCE_OF_CommandReply
h248.commandReply_item Item Unsigned 32-bit integer h248.CommandReply
h248.commandRequests commandRequests Unsigned 32-bit integer h248.SEQUENCE_OF_CommandRequest
h248.commandRequests_item Item No value h248.CommandRequest
h248.contextAttrAuditReq contextAttrAuditReq No value h248.T_contextAttrAuditReq
h248.contextAuditResult contextAuditResult Unsigned 32-bit integer h248.TerminationIDList
h248.contextId contextId Unsigned 32-bit integer Context ID
h248.contextReply contextReply No value h248.ContextRequest
h248.contextRequest contextRequest No value h248.ContextRequest
h248.ctx Context Unsigned 32-bit integer
h248.ctx.cmd Command Frame number
h248.ctx.term Termination String
h248.ctx.term.bir BIR String
h248.ctx.term.nsap NSAP String
h248.ctx.term.type Type Unsigned 32-bit integer
h248.data data Byte array h248.OCTET_STRING
h248.date date String h248.IA5String_SIZE_8
h248.descriptors descriptors Unsigned 32-bit integer h248.SEQUENCE_OF_AmmDescriptor
h248.descriptors_item Item Unsigned 32-bit integer h248.AmmDescriptor
h248.deviceName deviceName String h248.PathName
h248.digitMapBody digitMapBody String h248.IA5String
h248.digitMapDescriptor digitMapDescriptor No value h248.DigitMapDescriptor
h248.digitMapName digitMapName Byte array h248.DigitMapName
h248.digitMapToken digitMapToken Boolean
h248.digitMapValue digitMapValue No value h248.DigitMapValue
h248.domainName domainName No value h248.DomainName
h248.duration duration Unsigned 32-bit integer h248.INTEGER_0_65535
h248.durationTimer durationTimer Unsigned 32-bit integer h248.INTEGER_0_99
h248.emergency emergency Boolean h248.BOOLEAN
h248.emptyDescriptors emptyDescriptors No value h248.AuditDescriptor
h248.error error No value h248.ErrorDescriptor
h248.errorCode errorCode Unsigned 32-bit integer ErrorDescriptor/errorCode
h248.errorDescriptor errorDescriptor No value h248.ErrorDescriptor
h248.errorText errorText String h248.ErrorText
h248.evParList evParList Unsigned 32-bit integer h248.EventParameters
h248.eventAction eventAction No value h248.RequestedActions
h248.eventBufferControl eventBufferControl No value h248.NULL
h248.eventBufferDescriptor eventBufferDescriptor Unsigned 32-bit integer h248.EventBufferDescriptor
h248.eventBufferToken eventBufferToken Boolean
h248.eventDM eventDM Unsigned 32-bit integer h248.EventDM
h248.eventList eventList Unsigned 32-bit integer h248.RequestedEvents
h248.eventList_item Item No value h248.SecondRequestedEvent
h248.eventName eventName Byte array h248.PkgdName
h248.eventParList eventParList Unsigned 32-bit integer h248.EventParameters
h248.eventParameterName eventParameterName Byte array h248.Name
h248.event_name Package and Event name Unsigned 32-bit integer Package
h248.eventsDescriptor eventsDescriptor No value h248.EventsDescriptor
h248.eventsToken eventsToken Boolean
h248.experimental experimental String h248.IA5String_SIZE_8
h248.extraInfo extraInfo Unsigned 32-bit integer h248.ExtraInfo
h248.firstAck firstAck Unsigned 32-bit integer h248.TransactionId
h248.h221NonStandard h221NonStandard No value h248.H221NonStandard
h248.id id Unsigned 32-bit integer h248.INTEGER_0_65535
h248.immAckRequired immAckRequired No value h248.NULL
h248.indauddigitMapDescriptor indauddigitMapDescriptor No value h248.IndAudDigitMapDescriptor
h248.indaudeventBufferDescriptor indaudeventBufferDescriptor No value h248.IndAudEventBufferDescriptor
h248.indaudeventsDescriptor indaudeventsDescriptor No value h248.IndAudEventsDescriptor
h248.indaudmediaDescriptor indaudmediaDescriptor No value h248.IndAudMediaDescriptor
h248.indaudpackagesDescriptor indaudpackagesDescriptor No value h248.IndAudPackagesDescriptor
h248.indaudsignalsDescriptor indaudsignalsDescriptor Unsigned 32-bit integer h248.IndAudSignalsDescriptor
h248.indaudstatisticsDescriptor indaudstatisticsDescriptor No value h248.IndAudStatisticsDescriptor
h248.ip4Address ip4Address No value h248.IP4Address
h248.ip6Address ip6Address No value h248.IP6Address
h248.keepActive keepActive Boolean h248.BOOLEAN
h248.lastAck lastAck Unsigned 32-bit integer h248.TransactionId
h248.localControlDescriptor localControlDescriptor No value h248.IndAudLocalControlDescriptor
h248.localDescriptor localDescriptor No value h248.IndAudLocalRemoteDescriptor
h248.longTimer longTimer Unsigned 32-bit integer h248.INTEGER_0_99
h248.mId mId Unsigned 32-bit integer h248.MId
h248.manufacturerCode manufacturerCode Unsigned 32-bit integer h248.INTEGER_0_65535
h248.mediaDescriptor mediaDescriptor No value h248.MediaDescriptor
h248.mediaToken mediaToken Boolean
h248.mess mess No value h248.Message
h248.messageBody messageBody Unsigned 32-bit integer h248.T_messageBody
h248.messageError messageError No value h248.ErrorDescriptor
h248.modReply modReply No value h248.T_modReply
h248.modReq modReq No value h248.T_modReq
h248.modemDescriptor modemDescriptor No value h248.ModemDescriptor
h248.modemToken modemToken Boolean
h248.moveReply moveReply No value h248.T_moveReply
h248.moveReq moveReq No value h248.T_moveReq
h248.mpl mpl Unsigned 32-bit integer h248.PropertyParms
h248.mtl mtl Unsigned 32-bit integer h248.SEQUENCE_OF_ModemType
h248.mtl_item Item Unsigned 32-bit integer h248.ModemType
h248.mtpAddress mtpAddress Byte array h248.MtpAddress
h248.mtpaddress.ni NI Unsigned 32-bit integer NI
h248.mtpaddress.pc PC Unsigned 32-bit integer PC
h248.multiStream multiStream Unsigned 32-bit integer h248.SEQUENCE_OF_IndAudStreamDescriptor
h248.multiStream_item Item No value h248.IndAudStreamDescriptor
h248.muxDescriptor muxDescriptor No value h248.MuxDescriptor
h248.muxToken muxToken Boolean
h248.muxType muxType Unsigned 32-bit integer h248.MuxType
h248.name name String h248.IA5String
h248.nonStandardData nonStandardData No value h248.NonStandardData
h248.nonStandardIdentifier nonStandardIdentifier Unsigned 32-bit integer h248.NonStandardIdentifier
h248.notifyCompletion notifyCompletion Byte array h248.NotifyCompletion
h248.notifyReply notifyReply No value h248.T_notifyReply
h248.notifyReq notifyReq No value h248.T_notifyReq
h248.object object h248.OBJECT_IDENTIFIER
h248.observedEventLst observedEventLst Unsigned 32-bit integer h248.SEQUENCE_OF_ObservedEvent
h248.observedEventLst_item Item No value h248.ObservedEvent
h248.observedEventsDescriptor observedEventsDescriptor No value h248.ObservedEventsDescriptor
h248.observedEventsToken observedEventsToken Boolean
h248.onInterruptByEvent onInterruptByEvent Boolean
h248.onInterruptByNewSignalDescr onInterruptByNewSignalDescr Boolean
h248.onTimeOut onTimeOut Boolean
h248.oneStream oneStream No value h248.IndAudStreamParms
h248.optional optional No value h248.NULL
h248.otherReason otherReason Boolean
h248.packageName packageName Byte array h248.Name
h248.packageVersion packageVersion Unsigned 32-bit integer h248.INTEGER_0_99
h248.package_3GUP.Mode Mode Unsigned 32-bit integer Mode
h248.package_3GUP.delerrsdu Delivery of erroneous SDUs Unsigned 32-bit integer Delivery of erroneous SDUs
h248.package_3GUP.initdir Initialisation Direction Unsigned 32-bit integer Initialisation Direction
h248.package_3GUP.interface Interface Unsigned 32-bit integer Interface
h248.package_3GUP.upversions UPversions Unsigned 32-bit integer UPversions
h248.package_annex_C.ACodec ACodec Byte array ACodec
h248.package_annex_C.BIR BIR Byte array BIR
h248.package_annex_C.Mediatx Mediatx Unsigned 32-bit integer Mediatx
h248.package_annex_C.NSAP NSAP Byte array NSAP
h248.package_annex_C.TMR TMR Unsigned 32-bit integer BNCChar
h248.package_annex_C.USI USI Byte array User Service Information
h248.package_annex_C.aesa AESA Byte array ATM End System Address
h248.package_annex_C.atc ATC Unsigned 32-bit integer ATM Traffic Capability
h248.package_annex_C.bbtc BBTC Unsigned 8-bit integer Broadband Transfer Capability
h248.package_annex_C.bcob BCOB Unsigned 8-bit integer Broadband Bearer Class
h248.package_annex_C.bit_rate Bit Rate Unsigned 32-bit integer Bit Rate
h248.package_annex_C.encrypt_type Encrypttype Byte array Encryption Type
h248.package_annex_C.gain Gain Unsigned 32-bit integer Gain (dB)
h248.package_annex_C.h222 H222LogicalChannelParameters Byte array H222LogicalChannelParameters
h248.package_annex_C.h223 H223LogicalChannelParameters Byte array H223LogicalChannelParameters
h248.package_annex_C.h2250 H2250LogicalChannelParameters Byte array H2250LogicalChannelParameters
h248.package_annex_C.jitterbuf JitterBuff Unsigned 32-bit integer Jitter Buffer Size (ms)
h248.package_annex_C.media Media Unsigned 32-bit integer Media Type
h248.package_annex_C.num_of_channels Number of Channels Unsigned 32-bit integer Number of Channels
h248.package_annex_C.rtp_payload RTP Payload type Unsigned 32-bit integer Payload type in RTP Profile
h248.package_annex_C.samplepp Samplepp Unsigned 32-bit integer Samplepp
h248.package_annex_C.sampling_rate Sampling Rate Unsigned 32-bit integer Sampling Rate
h248.package_annex_C.sc Service Class Unsigned 32-bit integer Service Class
h248.package_annex_C.silence_supp SilenceSupp Boolean Silence Suppression
h248.package_annex_C.stc STC Unsigned 8-bit integer Susceptibility to Clipping
h248.package_annex_C.tdmc.ec Echo Cancellation Boolean Echo Cancellation
h248.package_annex_C.tdmc.gain Gain Unsigned 32-bit integer Gain
h248.package_annex_C.transmission_mode Transmission Mode Unsigned 32-bit integer Transmission Mode
h248.package_annex_C.uppc UPPC Unsigned 8-bit integer User Plane Connection Configuration
h248.package_annex_C.v76 V76LogicalChannelParameters Byte array V76LogicalChannelParameters
h248.package_annex_C.vci VCI Unsigned 16-bit integer Virtual Circuit Identifier
h248.package_annex_C.vpi VPI Unsigned 16-bit integer Virtual Path Identifier
h248.package_bcp.BNCChar BNCChar Unsigned 32-bit integer BNCChar
h248.package_name Package Unsigned 16-bit integer Package
h248.packagesDescriptor packagesDescriptor Unsigned 32-bit integer h248.PackagesDescriptor
h248.packagesToken packagesToken Boolean
h248.pkgdName pkgdName Byte array h248.PkgdName
h248.portNumber portNumber Unsigned 32-bit integer h248.INTEGER_0_65535
h248.priority priority Unsigned 32-bit integer h248.INTEGER_0_15
h248.profileName profileName String h248.IA5String_SIZE_1_67
h248.propGroupID propGroupID Unsigned 32-bit integer h248.INTEGER_0_65535
h248.propGrps propGrps Unsigned 32-bit integer h248.IndAudPropertyGroup
h248.propGrps_item Item Unsigned 32-bit integer h248.PropertyGroup
h248.propertyName propertyName Byte array h248.PkgdName
h248.propertyParms propertyParms Unsigned 32-bit integer h248.IndAudPropertyParms
h248.range range Boolean h248.BOOLEAN
h248.relation relation Unsigned 32-bit integer h248.Relation
h248.remoteDescriptor remoteDescriptor No value h248.IndAudLocalRemoteDescriptor
h248.requestID requestID Unsigned 32-bit integer h248.RequestID
h248.requestId requestId Unsigned 32-bit integer h248.RequestID
h248.reserveGroup reserveGroup No value h248.NULL
h248.reserveValue reserveValue No value h248.NULL
h248.secParmIndex secParmIndex Byte array h248.SecurityParmIndex
h248.secondEvent secondEvent No value h248.SecondEventsDescriptor
h248.seqNum seqNum Byte array h248.SequenceNum
h248.seqSigList seqSigList No value h248.IndAudSeqSigList
h248.serviceChangeAddress serviceChangeAddress Unsigned 32-bit integer h248.ServiceChangeAddress
h248.serviceChangeDelay serviceChangeDelay Unsigned 32-bit integer h248.INTEGER_0_4294967295
h248.serviceChangeInfo serviceChangeInfo No value h248.AuditDescriptor
h248.serviceChangeMethod serviceChangeMethod Unsigned 32-bit integer h248.ServiceChangeMethod
h248.serviceChangeMgcId serviceChangeMgcId Unsigned 32-bit integer h248.MId
h248.serviceChangeParms serviceChangeParms No value h248.ServiceChangeParm
h248.serviceChangeProfile serviceChangeProfile No value h248.ServiceChangeProfile
h248.serviceChangeReason serviceChangeReason Unsigned 32-bit integer h248.Value
h248.serviceChangeReply serviceChangeReply No value h248.ServiceChangeReply
h248.serviceChangeReq serviceChangeReq No value h248.ServiceChangeRequest
h248.serviceChangeResParms serviceChangeResParms No value h248.ServiceChangeResParm
h248.serviceChangeResult serviceChangeResult Unsigned 32-bit integer h248.ServiceChangeResult
h248.serviceChangeVersion serviceChangeVersion Unsigned 32-bit integer h248.INTEGER_0_99
h248.serviceState serviceState No value h248.NULL
h248.shortTimer shortTimer Unsigned 32-bit integer h248.INTEGER_0_99
h248.sigParList sigParList Unsigned 32-bit integer h248.SEQUENCE_OF_SigParameter
h248.sigParList_item Item No value h248.SigParameter
h248.sigParameterName sigParameterName Byte array h248.Name
h248.sigType sigType Unsigned 32-bit integer h248.SignalType
h248.signal signal No value h248.IndAudSignal
h248.signalList signalList No value h248.IndAudSignal
h248.signalList_item Item No value h248.Signal
h248.signalName signalName Byte array h248.PkgdName
h248.signal_name Package and Signal name Unsigned 32-bit integer Package
h248.signalsDescriptor signalsDescriptor Unsigned 32-bit integer h248.SignalsDescriptor
h248.signalsToken signalsToken Boolean
h248.startTimer startTimer Unsigned 32-bit integer h248.INTEGER_0_99
h248.statName statName Byte array h248.PkgdName
h248.statValue statValue Unsigned 32-bit integer h248.Value
h248.statisticsDescriptor statisticsDescriptor Unsigned 32-bit integer h248.StatisticsDescriptor
h248.statsToken statsToken Boolean
h248.streamID streamID Unsigned 32-bit integer h248.StreamID
h248.streamMode streamMode No value h248.NULL
h248.streamParms streamParms No value h248.IndAudStreamParms
h248.streams streams Unsigned 32-bit integer h248.indAudMediaDescriptorStreams
h248.sublist sublist Boolean h248.BOOLEAN
h248.subtractReply subtractReply No value h248.T_subtractReply
h248.subtractReq subtractReq No value h248.T_subtractReq
h248.t35CountryCode1 t35CountryCode1 Unsigned 32-bit integer h248.INTEGER_0_255
h248.t35CountryCode2 t35CountryCode2 Unsigned 32-bit integer h248.INTEGER_0_255
h248.t35Extension t35Extension Unsigned 32-bit integer h248.INTEGER_0_255
h248.term.wildcard.level Wildcarding Level Unsigned 8-bit integer
h248.term.wildcard.mode Wildcard Mode Unsigned 8-bit integer
h248.term.wildcard.pos Wildcarding Position Unsigned 8-bit integer
h248.termList termList Unsigned 32-bit integer h248.SEQUENCE_OF_TerminationID
h248.termList_item Item No value h248.TerminationID
h248.termStateDescr termStateDescr No value h248.IndAudTerminationStateDescriptor
h248.terminationAudit terminationAudit Unsigned 32-bit integer h248.TerminationAudit
h248.terminationAuditResult terminationAuditResult Unsigned 32-bit integer h248.TerminationAudit
h248.terminationFrom terminationFrom No value h248.TerminationID
h248.terminationID terminationID Unsigned 32-bit integer h248.TerminationIDList
h248.terminationTo terminationTo No value h248.TerminationID
h248.time time String h248.IA5String_SIZE_8
h248.timeNotation timeNotation No value h248.TimeNotation
h248.timeStamp timeStamp No value h248.TimeNotation
h248.timestamp timestamp No value h248.TimeNotation
h248.topology topology No value h248.NULL
h248.topologyDirection topologyDirection Unsigned 32-bit integer h248.T_topologyDirection
h248.topologyReq topologyReq Unsigned 32-bit integer h248.T_topologyReq
h248.topologyReq_item Item No value h248.TopologyRequest
h248.transactionError transactionError No value h248.ErrorDescriptor
h248.transactionId transactionId Unsigned 32-bit integer h248.transactionId
h248.transactionPending transactionPending No value h248.TransactionPending
h248.transactionReply transactionReply No value h248.TransactionReply
h248.transactionRequest transactionRequest No value h248.TransactionRequest
h248.transactionResponseAck transactionResponseAck Unsigned 32-bit integer h248.TransactionResponseAck
h248.transactionResult transactionResult Unsigned 32-bit integer h248.T_transactionResult
h248.transactions transactions Unsigned 32-bit integer h248.SEQUENCE_OF_Transaction
h248.transactions_item Item Unsigned 32-bit integer h248.Transaction
h248.value value Unsigned 32-bit integer h248.Value
h248.value_item Item Byte array h248.PropertyID
h248.version version Unsigned 32-bit integer h248.INTEGER_0_99
h248.wildcard wildcard Unsigned 32-bit integer h248.SEQUENCE_OF_WildcardField
h248.wildcardReturn wildcardReturn No value h248.NULL
h248.wildcard_item Item Byte array h248.WildcardField
h235.SrtpCryptoCapability_item Item No value h235.SrtpCryptoInfo
h235.SrtpKeys_item Item No value h235.SrtpKeyParameters
h235.algorithmOID algorithmOID h235.OBJECT_IDENTIFIER
h235.allowMKI allowMKI Boolean h235.BOOLEAN
h235.authenticationBES authenticationBES Unsigned 32-bit integer h235.AuthenticationBES
h235.base base No value h235.ECpoint
h235.bits bits Byte array h235.BIT_STRING
h235.certProtectedKey certProtectedKey No value h235.SIGNEDxxx
h235.certSign certSign No value h235.NULL
h235.certificate certificate Byte array h235.OCTET_STRING
h235.challenge challenge Byte array h235.ChallengeString
h235.clearSalt clearSalt Byte array h235.OCTET_STRING
h235.clearSaltingKey clearSaltingKey Byte array h235.OCTET_STRING
h235.cryptoEncryptedToken cryptoEncryptedToken No value h235.T_cryptoEncryptedToken
h235.cryptoHashedToken cryptoHashedToken No value h235.T_cryptoHashedToken
h235.cryptoPwdEncr cryptoPwdEncr No value h235.ENCRYPTEDxxx
h235.cryptoSignedToken cryptoSignedToken No value h235.T_cryptoSignedToken
h235.cryptoSuite cryptoSuite h235.OBJECT_IDENTIFIER
h235.data data Unsigned 32-bit integer h235.OCTET_STRING
h235.default default No value h235.NULL
h235.dhExch dhExch No value h235.NULL
h235.dhkey dhkey No value h235.DHset
h235.eckasdh2 eckasdh2 No value h235.T_eckasdh2
h235.eckasdhkey eckasdhkey Unsigned 32-bit integer h235.ECKASDH
h235.eckasdhp eckasdhp No value h235.T_eckasdhp
h235.element element Unsigned 32-bit integer h235.Element
h235.elementID elementID Unsigned 32-bit integer h235.INTEGER_0_255
h235.encrptval encrptval No value h235.ENCRYPTEDxxx
h235.encryptedData encryptedData Byte array h235.OCTET_STRING
h235.encryptedSaltingKey encryptedSaltingKey Byte array h235.OCTET_STRING
h235.encryptedSessionKey encryptedSessionKey Byte array h235.OCTET_STRING
h235.fecAfterSrtp fecAfterSrtp No value h235.NULL
h235.fecBeforeSrtp fecBeforeSrtp No value h235.NULL
h235.fecOrder fecOrder No value h235.FecOrder
h235.fieldSize fieldSize Byte array h235.BIT_STRING_SIZE_0_511
h235.flag flag Boolean h235.BOOLEAN
h235.generalID generalID String h235.Identifier
h235.generalId generalId String h235.Identifier
h235.generator generator Byte array h235.BIT_STRING_SIZE_0_2048
h235.genericKeyMaterial genericKeyMaterial Byte array h235.OCTET_STRING
h235.h235Key h235Key Unsigned 32-bit integer h235.H235Key
h235.halfkey halfkey Byte array h235.BIT_STRING_SIZE_0_2048
h235.hash hash Byte array h235.BIT_STRING
h235.hashedVals hashedVals No value h235.ClearToken
h235.integer integer Signed 32-bit integer h235.INTEGER
h235.ipsec ipsec No value h235.NULL
h235.iv iv Byte array h235.OCTET_STRING
h235.iv16 iv16 Byte array h235.IV16
h235.iv8 iv8 Byte array h235.IV8
h235.kdr kdr Unsigned 32-bit integer h235.INTEGER_0_24
h235.keyDerivationOID keyDerivationOID h235.OBJECT_IDENTIFIER
h235.keyExch keyExch h235.OBJECT_IDENTIFIER
h235.keyMaterial keyMaterial Byte array h235.KeyMaterial
h235.length length Unsigned 32-bit integer h235.INTEGER_1_128
h235.lifetime lifetime Unsigned 32-bit integer h235.T_lifetime
h235.masterKey masterKey Byte array h235.OCTET_STRING
h235.masterSalt masterSalt Byte array h235.OCTET_STRING
h235.mki mki No value h235.T_mki
h235.modSize modSize Byte array h235.BIT_STRING_SIZE_0_2048
h235.modulus modulus Byte array h235.BIT_STRING_SIZE_0_511
h235.mrandom mrandom Signed 32-bit integer h235.RandomVal
h235.name name String h235.BMPString
h235.newParameter newParameter Unsigned 32-bit integer h235.SEQUENCE_OF_GenericData
h235.newParameter_item Item No value h225.GenericData
h235.nonStandard nonStandard No value h235.NonStandardParameter
h235.nonStandardIdentifier nonStandardIdentifier h235.OBJECT_IDENTIFIER
h235.octets octets Byte array h235.OCTET_STRING
h235.paramS paramS No value h235.Params
h235.paramSsalt paramSsalt No value h235.Params
h235.password password String h235.Password
h235.powerOfTwo powerOfTwo Signed 32-bit integer h235.INTEGER
h235.profileInfo profileInfo Unsigned 32-bit integer h235.SEQUENCE_OF_ProfileElement
h235.profileInfo_item Item No value h235.ProfileElement
h235.public_key public-key No value h235.ECpoint
h235.pwdHash pwdHash No value h235.NULL
h235.pwdSymEnc pwdSymEnc No value h235.NULL
h235.radius radius No value h235.NULL
h235.ranInt ranInt Signed 32-bit integer h235.INTEGER
h235.random random Signed 32-bit integer h235.RandomVal
h235.requestRandom requestRandom Signed 32-bit integer h235.RandomVal
h235.responseRandom responseRandom Signed 32-bit integer h235.RandomVal
h235.secureChannel secureChannel Byte array h235.KeyMaterial
h235.secureSharedSecret secureSharedSecret No value h235.V3KeySyncMaterial
h235.sendersID sendersID String h235.Identifier
h235.sessionParams sessionParams No value h235.SrtpSessionParameters
h235.sharedSecret sharedSecret No value h235.ENCRYPTEDxxx
h235.signature signature Byte array h235.BIT_STRING
h235.specific specific Signed 32-bit integer h235.INTEGER
h235.srandom srandom Signed 32-bit integer h235.RandomVal
h235.timeStamp timeStamp Date/Time stamp h235.TimeStamp
h235.tls tls No value h235.NULL
h235.toBeSigned toBeSigned No value xxx.ToBeSigned
h235.token token No value h235.ENCRYPTEDxxx
h235.tokenOID tokenOID h235.OBJECT_IDENTIFIER
h235.type type h235.OBJECT_IDENTIFIER
h235.unauthenticatedSrtp unauthenticatedSrtp Boolean h235.BOOLEAN
h235.unencryptedSrtcp unencryptedSrtcp Boolean h235.BOOLEAN
h235.unencryptedSrtp unencryptedSrtp Boolean h235.BOOLEAN
h235.value value Byte array h235.OCTET_STRING
h235.weierstrassA weierstrassA Byte array h235.BIT_STRING_SIZE_0_511
h235.weierstrassB weierstrassB Byte array h235.BIT_STRING_SIZE_0_511
h235.windowSizeHint windowSizeHint Unsigned 32-bit integer h235.INTEGER_64_65535
h235.x x Byte array h235.BIT_STRING_SIZE_0_511
h235.y y Byte array h235.BIT_STRING_SIZE_0_511
h221.Manufacturer H.221 Manufacturer Unsigned 32-bit integer H.221 Manufacturer
h225.DestinationInfo_item Item Unsigned 32-bit integer h225.DestinationInfo_item
h225.FastStart_item Item Unsigned 32-bit integer h225.FastStart_item
h225.H245Control_item Item Unsigned 32-bit integer h225.H245Control_item
h225.H323_UserInformation H323_UserInformation No value H323_UserInformation sequence
h225.Language_item Item String h225.IA5String_SIZE_1_32
h225.ParallelH245Control_item Item Unsigned 32-bit integer h225.ParallelH245Control_item
h225.RasMessage RasMessage Unsigned 32-bit integer RasMessage choice
h225.abbreviatedNumber abbreviatedNumber No value h225.NULL
h225.activeMC activeMC Boolean h225.BOOLEAN
h225.adaptiveBusy adaptiveBusy No value h225.NULL
h225.additionalSourceAddresses additionalSourceAddresses Unsigned 32-bit integer h225.SEQUENCE_OF_ExtendedAliasAddress
h225.additionalSourceAddresses_item Item No value h225.ExtendedAliasAddress
h225.additiveRegistration additiveRegistration No value h225.NULL
h225.additiveRegistrationNotSupported additiveRegistrationNotSupported No value h225.NULL
h225.address address String h225.IsupDigits
h225.addressNotAvailable addressNotAvailable No value h225.NULL
h225.admissionConfirm admissionConfirm No value h225.AdmissionConfirm
h225.admissionConfirmSequence admissionConfirmSequence Unsigned 32-bit integer h225.SEQUENCE_OF_AdmissionConfirm
h225.admissionConfirmSequence_item Item No value h225.AdmissionConfirm
h225.admissionReject admissionReject No value h225.AdmissionReject
h225.admissionRequest admissionRequest No value h225.AdmissionRequest
h225.alerting alerting No value h225.Alerting_UUIE
h225.alertingAddress alertingAddress Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.alertingAddress_item Item Unsigned 32-bit integer h225.AliasAddress
h225.alertingTime alertingTime Date/Time stamp h235.TimeStamp
h225.algorithmOID algorithmOID h225.OBJECT_IDENTIFIER
h225.algorithmOIDs algorithmOIDs Unsigned 32-bit integer h225.T_algorithmOIDs
h225.algorithmOIDs_item Item h225.OBJECT_IDENTIFIER
h225.alias alias Unsigned 32-bit integer h225.AliasAddress
h225.aliasAddress aliasAddress Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.aliasAddress_item Item Unsigned 32-bit integer h225.AliasAddress
h225.aliasesInconsistent aliasesInconsistent No value h225.NULL
h225.allowedBandWidth allowedBandWidth Unsigned 32-bit integer h225.BandWidth
h225.almostOutOfResources almostOutOfResources Boolean h225.BOOLEAN
h225.altGKInfo altGKInfo No value h225.AltGKInfo
h225.altGKisPermanent altGKisPermanent Boolean h225.BOOLEAN
h225.alternateEndpoints alternateEndpoints Unsigned 32-bit integer h225.SEQUENCE_OF_Endpoint
h225.alternateEndpoints_item Item No value h225.Endpoint
h225.alternateGatekeeper alternateGatekeeper Unsigned 32-bit integer h225.SEQUENCE_OF_AlternateGK
h225.alternateGatekeeper_item Item No value h225.AlternateGK
h225.alternateTransportAddresses alternateTransportAddresses No value h225.AlternateTransportAddresses
h225.alternativeAddress alternativeAddress Unsigned 32-bit integer h225.TransportAddress
h225.alternativeAliasAddress alternativeAliasAddress Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.alternativeAliasAddress_item Item Unsigned 32-bit integer h225.AliasAddress
h225.amountString amountString String h225.BMPString_SIZE_1_512
h225.annexE annexE Unsigned 32-bit integer h225.SEQUENCE_OF_TransportAddress
h225.annexE_item Item Unsigned 32-bit integer h225.TransportAddress
h225.ansi_41_uim ansi-41-uim No value h225.ANSI_41_UIM
h225.answerCall answerCall Boolean h225.BOOLEAN
h225.answeredCall answeredCall Boolean h225.BOOLEAN
h225.assignedGatekeeper assignedGatekeeper No value h225.AlternateGK
h225.associatedSessionIds associatedSessionIds Unsigned 32-bit integer h225.T_associatedSessionIds
h225.associatedSessionIds_item Item Unsigned 32-bit integer h225.INTEGER_1_255
h225.audio audio Unsigned 32-bit integer h225.SEQUENCE_OF_RTPSession
h225.audio_item Item No value h225.RTPSession
h225.authenticationCapability authenticationCapability Unsigned 32-bit integer h225.SEQUENCE_OF_AuthenticationMechanism
h225.authenticationCapability_item Item Unsigned 32-bit integer h235.AuthenticationMechanism
h225.authenticationMode authenticationMode Unsigned 32-bit integer h235.AuthenticationMechanism
h225.authenticaton authenticaton Unsigned 32-bit integer h225.SecurityServiceMode
h225.auto auto No value h225.NULL
h225.bChannel bChannel No value h225.NULL
h225.badFormatAddress badFormatAddress No value h225.NULL
h225.bandWidth bandWidth Unsigned 32-bit integer h225.BandWidth
h225.bandwidth bandwidth Unsigned 32-bit integer h225.BandWidth
h225.bandwidthConfirm bandwidthConfirm No value h225.BandwidthConfirm
h225.bandwidthDetails bandwidthDetails Unsigned 32-bit integer h225.SEQUENCE_OF_BandwidthDetails
h225.bandwidthDetails_item Item No value h225.BandwidthDetails
h225.bandwidthReject bandwidthReject No value h225.BandwidthReject
h225.bandwidthRequest bandwidthRequest No value h225.BandwidthRequest
h225.billingMode billingMode Unsigned 32-bit integer h225.T_billingMode
h225.bonded_mode1 bonded-mode1 No value h225.NULL
h225.bonded_mode2 bonded-mode2 No value h225.NULL
h225.bonded_mode3 bonded-mode3 No value h225.NULL
h225.bool bool Boolean h225.BOOLEAN
h225.busyAddress busyAddress Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.busyAddress_item Item Unsigned 32-bit integer h225.AliasAddress
h225.callCreditCapability callCreditCapability No value h225.CallCreditCapability
h225.callCreditServiceControl callCreditServiceControl No value h225.CallCreditServiceControl
h225.callDurationLimit callDurationLimit Unsigned 32-bit integer h225.INTEGER_1_4294967295
h225.callEnd callEnd No value h225.NULL
h225.callForwarded callForwarded No value h225.NULL
h225.callIdentifier callIdentifier No value h225.CallIdentifier
h225.callInProgress callInProgress No value h225.NULL
h225.callIndependentSupplementaryService callIndependentSupplementaryService No value h225.NULL
h225.callLinkage callLinkage No value h225.CallLinkage
h225.callModel callModel Unsigned 32-bit integer h225.CallModel
h225.callProceeding callProceeding No value h225.CallProceeding_UUIE
h225.callReferenceValue callReferenceValue Unsigned 32-bit integer h225.CallReferenceValue
h225.callServices callServices No value h225.QseriesOptions
h225.callSignalAddress callSignalAddress Unsigned 32-bit integer h225.SEQUENCE_OF_TransportAddress
h225.callSignalAddress_item Item Unsigned 32-bit integer h225.TransportAddress
h225.callSignaling callSignaling No value h225.TransportChannelInfo
h225.callSpecific callSpecific No value h225.T_callSpecific
h225.callStart callStart No value h225.NULL
h225.callStartingPoint callStartingPoint No value h225.RasUsageSpecificationcallStartingPoint
h225.callType callType Unsigned 32-bit integer h225.CallType
h225.calledPartyNotRegistered calledPartyNotRegistered No value h225.NULL
h225.callerNotRegistered callerNotRegistered No value h225.NULL
h225.calls calls Unsigned 32-bit integer h225.INTEGER_0_4294967295
h225.canDisplayAmountString canDisplayAmountString Boolean h225.BOOLEAN
h225.canEnforceDurationLimit canEnforceDurationLimit Boolean h225.BOOLEAN
h225.canMapAlias canMapAlias Boolean h225.BOOLEAN
h225.canMapSrcAlias canMapSrcAlias Boolean h225.BOOLEAN
h225.canOverlapSend canOverlapSend Boolean h225.BOOLEAN
h225.canReportCallCapacity canReportCallCapacity Boolean h225.BOOLEAN
h225.capability_negotiation capability-negotiation No value h225.NULL
h225.capacity capacity No value h225.CallCapacity
h225.capacityInfoRequested capacityInfoRequested No value h225.NULL
h225.capacityReportingCapability capacityReportingCapability No value h225.CapacityReportingCapability
h225.capacityReportingSpec capacityReportingSpec No value h225.CapacityReportingSpecification
h225.carrier carrier No value h225.CarrierInfo
h225.carrierIdentificationCode carrierIdentificationCode Byte array h225.OCTET_STRING_SIZE_3_4
h225.carrierName carrierName String h225.IA5String_SIZE_1_128
h225.channelMultiplier channelMultiplier Unsigned 32-bit integer h225.INTEGER_1_256
h225.channelRate channelRate Unsigned 32-bit integer h225.BandWidth
h225.cic cic No value h225.CicInfo
h225.cic_item Item Byte array h225.OCTET_STRING_SIZE_2_4
h225.circuitInfo circuitInfo No value h225.CircuitInfo
h225.close close No value h225.NULL
h225.cname cname String h225.PrintableString
h225.collectDestination collectDestination No value h225.NULL
h225.collectPIN collectPIN No value h225.NULL
h225.complete complete No value h225.NULL
h225.compound compound Unsigned 32-bit integer h225.SEQUENCE_SIZE_1_512_OF_EnumeratedParameter
h225.compound_item Item No value h225.EnumeratedParameter
h225.conferenceAlias conferenceAlias Unsigned 32-bit integer h225.AliasAddress
h225.conferenceCalling conferenceCalling Boolean h225.BOOLEAN
h225.conferenceGoal conferenceGoal Unsigned 32-bit integer h225.T_conferenceGoal
h225.conferenceID conferenceID h225.ConferenceIdentifier
h225.conferenceListChoice conferenceListChoice No value h225.NULL
h225.conferences conferences Unsigned 32-bit integer h225.SEQUENCE_OF_ConferenceList
h225.conferences_item Item No value h225.ConferenceList
h225.connect connect No value h225.Connect_UUIE
h225.connectTime connectTime Date/Time stamp h235.TimeStamp
h225.connectedAddress connectedAddress Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.connectedAddress_item Item Unsigned 32-bit integer h225.AliasAddress
h225.connectionAggregation connectionAggregation Unsigned 32-bit integer h225.ScnConnectionAggregation
h225.connectionParameters connectionParameters No value h225.T_connectionParameters
h225.connectionType connectionType Unsigned 32-bit integer h225.ScnConnectionType
h225.content content Unsigned 32-bit integer h225.Content
h225.contents contents Unsigned 32-bit integer h225.ServiceControlDescriptor
h225.create create No value h225.NULL
h225.credit credit No value h225.NULL
h225.cryptoEPCert cryptoEPCert No value h235.SIGNEDxxx
h225.cryptoEPPwdEncr cryptoEPPwdEncr No value h235.ENCRYPTEDxxx
h225.cryptoEPPwdHash cryptoEPPwdHash No value h225.T_cryptoEPPwdHash
h225.cryptoFastStart cryptoFastStart No value h235.SIGNEDxxx
h225.cryptoGKCert cryptoGKCert No value h235.SIGNEDxxx
h225.cryptoGKPwdEncr cryptoGKPwdEncr No value h235.ENCRYPTEDxxx
h225.cryptoGKPwdHash cryptoGKPwdHash No value h225.T_cryptoGKPwdHash
h225.cryptoTokens cryptoTokens Unsigned 32-bit integer h225.SEQUENCE_OF_CryptoH323Token
h225.cryptoTokens_item Item Unsigned 32-bit integer h225.CryptoH323Token
h225.currentCallCapacity currentCallCapacity No value h225.CallCapacityInfo
h225.data data Unsigned 32-bit integer h225.T_nsp_data
h225.dataPartyNumber dataPartyNumber String h225.NumberDigits
h225.dataRatesSupported dataRatesSupported Unsigned 32-bit integer h225.SEQUENCE_OF_DataRate
h225.dataRatesSupported_item Item No value h225.DataRate
h225.data_item Item No value h225.TransportChannelInfo
h225.debit debit No value h225.NULL
h225.default default No value h225.NULL
h225.delay delay Unsigned 32-bit integer h225.INTEGER_1_65535
h225.desiredFeatures desiredFeatures Unsigned 32-bit integer h225.SEQUENCE_OF_FeatureDescriptor
h225.desiredFeatures_item Item No value h225.FeatureDescriptor
h225.desiredProtocols desiredProtocols Unsigned 32-bit integer h225.SEQUENCE_OF_SupportedProtocols
h225.desiredProtocols_item Item Unsigned 32-bit integer h225.SupportedProtocols
h225.desiredTunnelledProtocol desiredTunnelledProtocol No value h225.TunnelledProtocol
h225.destAlternatives destAlternatives Unsigned 32-bit integer h225.SEQUENCE_OF_Endpoint
h225.destAlternatives_item Item No value h225.Endpoint
h225.destCallSignalAddress destCallSignalAddress Unsigned 32-bit integer h225.TransportAddress
h225.destExtraCRV destExtraCRV Unsigned 32-bit integer h225.SEQUENCE_OF_CallReferenceValue
h225.destExtraCRV_item Item Unsigned 32-bit integer h225.CallReferenceValue
h225.destExtraCallInfo destExtraCallInfo Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.destExtraCallInfo_item Item Unsigned 32-bit integer h225.AliasAddress
h225.destinationAddress destinationAddress Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.destinationAddress_item Item Unsigned 32-bit integer h225.AliasAddress
h225.destinationCircuitID destinationCircuitID No value h225.CircuitIdentifier
h225.destinationInfo destinationInfo No value h225.EndpointType
h225.destinationRejection destinationRejection No value h225.NULL
h225.destinationType destinationType No value h225.EndpointType
h225.dialedDigits dialedDigits String h225.DialedDigits
h225.digSig digSig No value h225.NULL
h225.direct direct No value h225.NULL
h225.discoveryComplete discoveryComplete Boolean h225.BOOLEAN
h225.discoveryRequired discoveryRequired No value h225.NULL
h225.disengageConfirm disengageConfirm No value h225.DisengageConfirm
h225.disengageReason disengageReason Unsigned 32-bit integer h225.DisengageReason
h225.disengageReject disengageReject No value h225.DisengageReject
h225.disengageRequest disengageRequest No value h225.DisengageRequest
h225.duplicateAlias duplicateAlias Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.duplicateAlias_item Item Unsigned 32-bit integer h225.AliasAddress
h225.e164Number e164Number No value h225.PublicPartyNumber
h225.email_ID email-ID String h225.IA5String_SIZE_1_512
h225.empty empty No value h225.T_empty_flg
h225.encryption encryption Unsigned 32-bit integer h225.SecurityServiceMode
h225.end end No value h225.NULL
h225.endOfRange endOfRange Unsigned 32-bit integer h225.PartyNumber
h225.endTime endTime No value h225.NULL
h225.endpointAlias endpointAlias Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.endpointAliasPattern endpointAliasPattern Unsigned 32-bit integer h225.SEQUENCE_OF_AddressPattern
h225.endpointAliasPattern_item Item Unsigned 32-bit integer h225.AddressPattern
h225.endpointAlias_item Item Unsigned 32-bit integer h225.AliasAddress
h225.endpointBased endpointBased No value h225.NULL
h225.endpointControlled endpointControlled No value h225.NULL
h225.endpointIdentifier endpointIdentifier String h225.EndpointIdentifier
h225.endpointType endpointType No value h225.EndpointType
h225.endpointVendor endpointVendor No value h225.VendorIdentifier
h225.enforceCallDurationLimit enforceCallDurationLimit Boolean h225.BOOLEAN
h225.enterpriseNumber enterpriseNumber h225.OBJECT_IDENTIFIER
h225.esn esn String h225.TBCD_STRING
h225.exceedsCallCapacity exceedsCallCapacity No value h225.NULL
h225.facility facility No value h225.Facility_UUIE
h225.facilityCallDeflection facilityCallDeflection No value h225.NULL
h225.failed failed No value h225.NULL
h225.fastConnectRefused fastConnectRefused No value h225.NULL
h225.fastStart fastStart Unsigned 32-bit integer h225.FastStart
h225.fastStart_item_length fastStart item length Unsigned 32-bit integer fastStart item length
h225.featureServerAlias featureServerAlias Unsigned 32-bit integer h225.AliasAddress
h225.featureSet featureSet No value h225.FeatureSet
h225.featureSetUpdate featureSetUpdate No value h225.NULL
h225.forcedDrop forcedDrop No value h225.NULL
h225.forwardedElements forwardedElements No value h225.NULL
h225.fullRegistrationRequired fullRegistrationRequired No value h225.NULL
h225.gatekeeper gatekeeper No value h225.GatekeeperInfo
h225.gatekeeperBased gatekeeperBased No value h225.NULL
h225.gatekeeperConfirm gatekeeperConfirm No value h225.GatekeeperConfirm
h225.gatekeeperControlled gatekeeperControlled No value h225.NULL
h225.gatekeeperId gatekeeperId String h225.GatekeeperIdentifier
h225.gatekeeperIdentifier gatekeeperIdentifier String h225.GatekeeperIdentifier
h225.gatekeeperReject gatekeeperReject No value h225.GatekeeperReject
h225.gatekeeperRequest gatekeeperRequest No value h225.GatekeeperRequest
h225.gatekeeperResources gatekeeperResources No value h225.NULL
h225.gatekeeperRouted gatekeeperRouted No value h225.NULL
h225.gateway gateway No value h225.GatewayInfo
h225.gatewayDataRate gatewayDataRate No value h225.DataRate
h225.gatewayResources gatewayResources No value h225.NULL
h225.genericData genericData Unsigned 32-bit integer h225.SEQUENCE_OF_GenericData
h225.genericDataReason genericDataReason No value h225.NULL
h225.genericData_item Item No value h225.GenericData
h225.globalCallId globalCallId h225.GloballyUniqueID
h225.group group String h225.IA5String_SIZE_1_128
h225.gsm_uim gsm-uim No value h225.GSM_UIM
h225.guid guid h225.T_guid
h225.h221 h221 No value h225.NULL
h225.h221NonStandard h221NonStandard No value h225.H221NonStandard
h225.h245 h245 No value h225.TransportChannelInfo
h225.h245Address h245Address Unsigned 32-bit integer h225.H245TransportAddress
h225.h245Control h245Control Unsigned 32-bit integer h225.H245Control
h225.h245SecurityCapability h245SecurityCapability Unsigned 32-bit integer h225.SEQUENCE_OF_H245Security
h225.h245SecurityCapability_item Item Unsigned 32-bit integer h225.H245Security
h225.h245SecurityMode h245SecurityMode Unsigned 32-bit integer h225.H245Security
h225.h245Tunneling h245Tunneling Boolean h225.T_h245Tunneling
h225.h248Message h248Message Byte array h225.OCTET_STRING
h225.h310 h310 No value h225.H310Caps
h225.h310GwCallsAvailable h310GwCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.h310GwCallsAvailable_item Item No value h225.CallsAvailable
h225.h320 h320 No value h225.H320Caps
h225.h320GwCallsAvailable h320GwCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.h320GwCallsAvailable_item Item No value h225.CallsAvailable
h225.h321 h321 No value h225.H321Caps
h225.h321GwCallsAvailable h321GwCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.h321GwCallsAvailable_item Item No value h225.CallsAvailable
h225.h322 h322 No value h225.H322Caps
h225.h322GwCallsAvailable h322GwCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.h322GwCallsAvailable_item Item No value h225.CallsAvailable
h225.h323 h323 No value h225.H323Caps
h225.h323GwCallsAvailable h323GwCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.h323GwCallsAvailable_item Item No value h225.CallsAvailable
h225.h323_ID h323-ID String h225.BMPString_SIZE_1_256
h225.h323_message_body h323-message-body Unsigned 32-bit integer h225.T_h323_message_body
h225.h323_uu_pdu h323-uu-pdu No value h225.H323_UU_PDU
h225.h323pdu h323pdu No value h225.H323_UU_PDU
h225.h324 h324 No value h225.H324Caps
h225.h324GwCallsAvailable h324GwCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.h324GwCallsAvailable_item Item No value h225.CallsAvailable
h225.h4501SupplementaryService h4501SupplementaryService Unsigned 32-bit integer h225.T_h4501SupplementaryService
h225.h4501SupplementaryService_item Item Byte array h225.T_h4501SupplementaryService_item
h225.hMAC_MD5 hMAC-MD5 No value h225.NULL
h225.hMAC_iso10118_2_l hMAC-iso10118-2-l Unsigned 32-bit integer h225.EncryptIntAlg
h225.hMAC_iso10118_2_s hMAC-iso10118-2-s Unsigned 32-bit integer h225.EncryptIntAlg
h225.hMAC_iso10118_3 hMAC-iso10118-3 h225.OBJECT_IDENTIFIER
h225.hopCount hopCount Unsigned 32-bit integer h225.INTEGER_1_31
h225.hopCountExceeded hopCountExceeded No value h225.NULL
h225.hplmn hplmn String h225.TBCD_STRING
h225.hybrid1536 hybrid1536 No value h225.NULL
h225.hybrid1920 hybrid1920 No value h225.NULL
h225.hybrid2x64 hybrid2x64 No value h225.NULL
h225.hybrid384 hybrid384 No value h225.NULL
h225.icv icv Byte array h225.BIT_STRING
h225.id id Unsigned 32-bit integer h225.TunnelledProtocol_id
h225.imei imei String h225.TBCD_STRING
h225.imsi imsi String h225.TBCD_STRING
h225.inConf inConf No value h225.NULL
h225.inIrr inIrr No value h225.NULL
h225.incomplete incomplete No value h225.NULL
h225.incompleteAddress incompleteAddress No value h225.NULL
h225.infoRequest infoRequest No value h225.InfoRequest
h225.infoRequestAck infoRequestAck No value h225.InfoRequestAck
h225.infoRequestNak infoRequestNak No value h225.InfoRequestNak
h225.infoRequestResponse infoRequestResponse No value h225.InfoRequestResponse
h225.information information No value h225.Information_UUIE
h225.insufficientResources insufficientResources No value h225.NULL
h225.integrity integrity Unsigned 32-bit integer h225.SecurityServiceMode
h225.integrityCheckValue integrityCheckValue No value h225.ICV
h225.integrity_item Item Unsigned 32-bit integer h225.IntegrityMechanism
h225.internationalNumber internationalNumber No value h225.NULL
h225.invalidAlias invalidAlias No value h225.NULL
h225.invalidCID invalidCID No value h225.NULL
h225.invalidCall invalidCall No value h225.NULL
h225.invalidCallSignalAddress invalidCallSignalAddress No value h225.NULL
h225.invalidConferenceID invalidConferenceID No value h225.NULL
h225.invalidEndpointIdentifier invalidEndpointIdentifier No value h225.NULL
h225.invalidPermission invalidPermission No value h225.NULL
h225.invalidRASAddress invalidRASAddress No value h225.NULL
h225.invalidRevision invalidRevision No value h225.NULL
h225.invalidTerminalAliases invalidTerminalAliases No value h225.T_invalidTerminalAliases
h225.invalidTerminalType invalidTerminalType No value h225.NULL
h225.invite invite No value h225.NULL
h225.ip ip IPv4 address h225.T_h245Ip
h225.ip6Address ip6Address No value h225.T_h245Ip6Address
h225.ipAddress ipAddress No value h225.T_h245IpAddress
h225.ipSourceRoute ipSourceRoute No value h225.T_h245IpSourceRoute
h225.ipsec ipsec No value h225.SecurityCapabilities
h225.ipxAddress ipxAddress No value h225.T_h245IpxAddress
h225.irrFrequency irrFrequency Unsigned 32-bit integer h225.INTEGER_1_65535
h225.irrFrequencyInCall irrFrequencyInCall Unsigned 32-bit integer h225.INTEGER_1_65535
h225.irrStatus irrStatus Unsigned 32-bit integer h225.InfoRequestResponseStatus
h225.isText isText No value h225.NULL
h225.iso9797 iso9797 h225.OBJECT_IDENTIFIER
h225.isoAlgorithm isoAlgorithm h225.OBJECT_IDENTIFIER
h225.isupNumber isupNumber Unsigned 32-bit integer h225.IsupNumber
h225.join join No value h225.NULL
h225.keepAlive keepAlive Boolean h225.BOOLEAN
h225.language language Unsigned 32-bit integer h225.Language
h225.level1RegionalNumber level1RegionalNumber No value h225.NULL
h225.level2RegionalNumber level2RegionalNumber No value h225.NULL
h225.localNumber localNumber No value h225.NULL
h225.locationConfirm locationConfirm No value h225.LocationConfirm
h225.locationReject locationReject No value h225.LocationReject
h225.locationRequest locationRequest No value h225.LocationRequest
h225.loose loose No value h225.NULL
h225.maintainConnection maintainConnection Boolean h225.BOOLEAN
h225.maintenance maintenance No value h225.NULL
h225.makeCall makeCall Boolean h225.BOOLEAN
h225.manufacturerCode manufacturerCode Unsigned 32-bit integer h225.T_manufacturerCode
h225.maximumCallCapacity maximumCallCapacity No value h225.CallCapacityInfo
h225.mc mc Boolean h225.BOOLEAN
h225.mcu mcu No value h225.McuInfo
h225.mcuCallsAvailable mcuCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.mcuCallsAvailable_item Item No value h225.CallsAvailable
h225.mdn mdn String h225.TBCD_STRING
h225.mediaWaitForConnect mediaWaitForConnect Boolean h225.BOOLEAN
h225.member member Unsigned 32-bit integer h225.T_member
h225.member_item Item Unsigned 32-bit integer h225.INTEGER_0_65535
h225.messageContent messageContent Unsigned 32-bit integer h225.T_messageContent
h225.messageContent_item Item Unsigned 32-bit integer h225.T_messageContent_item
h225.messageNotUnderstood messageNotUnderstood Byte array h225.OCTET_STRING
h225.mid mid String h225.TBCD_STRING
h225.min min String h225.TBCD_STRING
h225.mobileUIM mobileUIM Unsigned 32-bit integer h225.MobileUIM
h225.modifiedSrcInfo modifiedSrcInfo Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.modifiedSrcInfo_item Item Unsigned 32-bit integer h225.AliasAddress
h225.mscid mscid String h225.TBCD_STRING
h225.msisdn msisdn String h225.TBCD_STRING
h225.multicast multicast Boolean h225.BOOLEAN
h225.multipleCalls multipleCalls Boolean h225.BOOLEAN
h225.multirate multirate No value h225.NULL
h225.nToN nToN No value h225.NULL
h225.nToOne nToOne No value h225.NULL
h225.nakReason nakReason Unsigned 32-bit integer h225.InfoRequestNakReason
h225.nationalNumber nationalNumber No value h225.NULL
h225.nationalStandardPartyNumber nationalStandardPartyNumber String h225.NumberDigits
h225.natureOfAddress natureOfAddress Unsigned 32-bit integer h225.NatureOfAddress
h225.needResponse needResponse Boolean h225.BOOLEAN
h225.needToRegister needToRegister Boolean h225.BOOLEAN
h225.neededFeatureNotSupported neededFeatureNotSupported No value h225.NULL
h225.neededFeatures neededFeatures Unsigned 32-bit integer h225.SEQUENCE_OF_FeatureDescriptor
h225.neededFeatures_item Item No value h225.FeatureDescriptor
h225.nested nested Unsigned 32-bit integer h225.SEQUENCE_SIZE_1_16_OF_GenericData
h225.nested_item Item No value h225.GenericData
h225.nestedcryptoToken nestedcryptoToken Unsigned 32-bit integer h235.CryptoToken
h225.netBios netBios Byte array h225.OCTET_STRING_SIZE_16
h225.netnum netnum Byte array h225.OCTET_STRING_SIZE_4
h225.networkSpecificNumber networkSpecificNumber No value h225.NULL
h225.newConnectionNeeded newConnectionNeeded No value h225.NULL
h225.newTokens newTokens No value h225.NULL
h225.nextSegmentRequested nextSegmentRequested Unsigned 32-bit integer h225.INTEGER_0_65535
h225.noBandwidth noBandwidth No value h225.NULL
h225.noControl noControl No value h225.NULL
h225.noH245 noH245 No value h225.NULL
h225.noPermission noPermission No value h225.NULL
h225.noRouteToDestination noRouteToDestination No value h225.NULL
h225.noSecurity noSecurity No value h225.NULL
h225.node node Byte array h225.OCTET_STRING_SIZE_6
h225.nonIsoIM nonIsoIM Unsigned 32-bit integer h225.NonIsoIntegrityMechanism
h225.nonStandard nonStandard No value h225.NonStandardParameter
h225.nonStandardAddress nonStandardAddress No value h225.NonStandardParameter
h225.nonStandardControl nonStandardControl Unsigned 32-bit integer h225.SEQUENCE_OF_NonStandardParameter
h225.nonStandardControl_item Item No value h225.NonStandardParameter
h225.nonStandardData nonStandardData No value h225.NonStandardParameter
h225.nonStandardIdentifier nonStandardIdentifier Unsigned 32-bit integer h225.NonStandardIdentifier
h225.nonStandardMessage nonStandardMessage No value h225.NonStandardMessage
h225.nonStandardProtocol nonStandardProtocol No value h225.NonStandardProtocol
h225.nonStandardReason nonStandardReason No value h225.NonStandardParameter
h225.nonStandardUsageFields nonStandardUsageFields Unsigned 32-bit integer h225.SEQUENCE_OF_NonStandardParameter
h225.nonStandardUsageFields_item Item No value h225.NonStandardParameter
h225.nonStandardUsageTypes nonStandardUsageTypes Unsigned 32-bit integer h225.SEQUENCE_OF_NonStandardParameter
h225.nonStandardUsageTypes_item Item No value h225.NonStandardParameter
h225.none none No value h225.NULL
h225.normalDrop normalDrop No value h225.NULL
h225.notAvailable notAvailable No value h225.NULL
h225.notBound notBound No value h225.NULL
h225.notCurrentlyRegistered notCurrentlyRegistered No value h225.NULL
h225.notRegistered notRegistered No value h225.NULL
h225.notify notify No value h225.Notify_UUIE
h225.nsap nsap Byte array h225.OCTET_STRING_SIZE_1_20
h225.number16 number16 Unsigned 32-bit integer h225.INTEGER_0_65535
h225.number32 number32 Unsigned 32-bit integer h225.INTEGER_0_4294967295
h225.number8 number8 Unsigned 32-bit integer h225.INTEGER_0_255
h225.numberOfScnConnections numberOfScnConnections Unsigned 32-bit integer h225.INTEGER_0_65535
h225.object object h225.T_nsiOID
h225.oid oid h225.OBJECT_IDENTIFIER
h225.oneToN oneToN No value h225.NULL
h225.open open No value h225.NULL
h225.originator originator Boolean h225.BOOLEAN
h225.pISNSpecificNumber pISNSpecificNumber No value h225.NULL
h225.parallelH245Control parallelH245Control Unsigned 32-bit integer h225.ParallelH245Control
h225.parameters parameters Unsigned 32-bit integer h225.SEQUENCE_SIZE_1_512_OF_EnumeratedParameter
h225.parameters_item Item No value h225.EnumeratedParameter
h225.partyNumber partyNumber Unsigned 32-bit integer h225.PartyNumber
h225.pdu pdu Unsigned 32-bit integer h225.T_pdu
h225.pdu_item Item No value h225.T_pdu_item
h225.perCallInfo perCallInfo Unsigned 32-bit integer h225.T_perCallInfo
h225.perCallInfo_item Item No value h225.T_perCallInfo_item
h225.permissionDenied permissionDenied No value h225.NULL
h225.pointCode pointCode Byte array h225.OCTET_STRING_SIZE_2_5
h225.pointToPoint pointToPoint No value h225.NULL
h225.port port Unsigned 32-bit integer h225.T_h245IpPort
h225.preGrantedARQ preGrantedARQ No value h225.T_preGrantedARQ
h225.prefix prefix Unsigned 32-bit integer h225.AliasAddress
h225.presentationAllowed presentationAllowed No value h225.NULL
h225.presentationIndicator presentationIndicator Unsigned 32-bit integer h225.PresentationIndicator
h225.presentationRestricted presentationRestricted No value h225.NULL
h225.priority priority Unsigned 32-bit integer h225.INTEGER_0_127
h225.privateNumber privateNumber No value h225.PrivatePartyNumber
h225.privateNumberDigits privateNumberDigits String h225.NumberDigits
h225.privateTypeOfNumber privateTypeOfNumber Unsigned 32-bit integer h225.PrivateTypeOfNumber
h225.productId productId String h225.OCTET_STRING_SIZE_1_256
h225.progress progress No value h225.Progress_UUIE
h225.protocol protocol Unsigned 32-bit integer h225.SEQUENCE_OF_SupportedProtocols
h225.protocolIdentifier protocolIdentifier h225.ProtocolIdentifier
h225.protocolType protocolType String h225.IA5String_SIZE_1_64
h225.protocolVariant protocolVariant String h225.IA5String_SIZE_1_64
h225.protocol_discriminator protocol-discriminator Unsigned 32-bit integer h225.INTEGER_0_255
h225.protocol_item Item Unsigned 32-bit integer h225.SupportedProtocols
h225.protocols protocols Unsigned 32-bit integer h225.SEQUENCE_OF_SupportedProtocols
h225.protocols_item Item Unsigned 32-bit integer h225.SupportedProtocols
h225.provisionalRespToH245Tunneling provisionalRespToH245Tunneling No value h225.NULL
h225.publicNumberDigits publicNumberDigits String h225.NumberDigits
h225.publicTypeOfNumber publicTypeOfNumber Unsigned 32-bit integer h225.PublicTypeOfNumber
h225.q932Full q932Full Boolean h225.BOOLEAN
h225.q951Full q951Full Boolean h225.BOOLEAN
h225.q952Full q952Full Boolean h225.BOOLEAN
h225.q953Full q953Full Boolean h225.BOOLEAN
h225.q954Info q954Info No value h225.Q954Details
h225.q955Full q955Full Boolean h225.BOOLEAN
h225.q956Full q956Full Boolean h225.BOOLEAN
h225.q957Full q957Full Boolean h225.BOOLEAN
h225.qOSCapabilities qOSCapabilities Unsigned 32-bit integer h225.SEQUENCE_SIZE_1_256_OF_QOSCapability
h225.qOSCapabilities_item Item No value h245.QOSCapability
h225.qosControlNotSupported qosControlNotSupported No value h225.NULL
h225.qualificationInformationCode qualificationInformationCode Byte array h225.OCTET_STRING_SIZE_1
h225.range range No value h225.T_range
h225.ras.dup Duplicate RAS Message Unsigned 32-bit integer Duplicate RAS Message
h225.ras.reqframe RAS Request Frame Frame number RAS Request Frame
h225.ras.rspframe RAS Response Frame Frame number RAS Response Frame
h225.ras.timedelta RAS Service Response Time Time duration Timedelta between RAS-Request and RAS-Response
h225.rasAddress rasAddress Unsigned 32-bit integer h225.SEQUENCE_OF_TransportAddress
h225.rasAddress_item Item Unsigned 32-bit integer h225.TransportAddress
h225.raw raw Byte array h225.OCTET_STRING
h225.reason reason Unsigned 32-bit integer h225.ReleaseCompleteReason
h225.recvAddress recvAddress Unsigned 32-bit integer h225.TransportAddress
h225.refresh refresh No value h225.NULL
h225.registerWithAssignedGK registerWithAssignedGK No value h225.NULL
h225.registrationConfirm registrationConfirm No value h225.RegistrationConfirm
h225.registrationReject registrationReject No value h225.RegistrationReject
h225.registrationRequest registrationRequest No value h225.RegistrationRequest
h225.rehomingModel rehomingModel Unsigned 32-bit integer h225.RehomingModel
h225.rejectReason rejectReason Unsigned 32-bit integer h225.GatekeeperRejectReason
h225.releaseComplete releaseComplete No value h225.ReleaseComplete_UUIE
h225.releaseCompleteCauseIE releaseCompleteCauseIE Byte array h225.OCTET_STRING_SIZE_2_32
h225.remoteExtensionAddress remoteExtensionAddress Unsigned 32-bit integer h225.AliasAddress
h225.remoteExtensionAddress_item Item Unsigned 32-bit integer h225.AliasAddress
h225.replaceWithConferenceInvite replaceWithConferenceInvite h225.ConferenceIdentifier
h225.replacementFeatureSet replacementFeatureSet Boolean h225.BOOLEAN
h225.replyAddress replyAddress Unsigned 32-bit integer h225.TransportAddress
h225.requestDenied requestDenied No value h225.NULL
h225.requestInProgress requestInProgress No value h225.RequestInProgress
h225.requestSeqNum requestSeqNum Unsigned 32-bit integer h225.RequestSeqNum
h225.requestToDropOther requestToDropOther No value h225.NULL
h225.required required No value h225.RasUsageInfoTypes
h225.reregistrationRequired reregistrationRequired No value h225.NULL
h225.resourceUnavailable resourceUnavailable No value h225.NULL
h225.resourcesAvailableConfirm resourcesAvailableConfirm No value h225.ResourcesAvailableConfirm
h225.resourcesAvailableIndicate resourcesAvailableIndicate No value h225.ResourcesAvailableIndicate
h225.restart restart No value h225.NULL
h225.result result Unsigned 32-bit integer h225.T_result
h225.route route Unsigned 32-bit integer h225.T_h245Route
h225.routeCallToGatekeeper routeCallToGatekeeper No value h225.NULL
h225.routeCallToMC routeCallToMC No value h225.NULL
h225.routeCallToSCN routeCallToSCN Unsigned 32-bit integer h225.SEQUENCE_OF_PartyNumber
h225.routeCallToSCN_item Item Unsigned 32-bit integer h225.PartyNumber
h225.routeCalltoSCN routeCalltoSCN Unsigned 32-bit integer h225.SEQUENCE_OF_PartyNumber
h225.routeCalltoSCN_item Item Unsigned 32-bit integer h225.PartyNumber
h225.route_item Item Byte array h225.OCTET_STRING_SIZE_4
h225.routing routing Unsigned 32-bit integer h225.T_h245Routing
h225.routingNumberNationalFormat routingNumberNationalFormat No value h225.NULL
h225.routingNumberNetworkSpecificFormat routingNumberNetworkSpecificFormat No value h225.NULL
h225.routingNumberWithCalledDirectoryNumber routingNumberWithCalledDirectoryNumber No value h225.NULL
h225.rtcpAddress rtcpAddress No value h225.TransportChannelInfo
h225.rtcpAddresses rtcpAddresses No value h225.TransportChannelInfo
h225.rtpAddress rtpAddress No value h225.TransportChannelInfo
h225.screeningIndicator screeningIndicator Unsigned 32-bit integer h225.ScreeningIndicator
h225.sctp sctp Unsigned 32-bit integer h225.SEQUENCE_OF_TransportAddress
h225.sctp_item Item Unsigned 32-bit integer h225.TransportAddress
h225.securityCertificateDateInvalid securityCertificateDateInvalid No value h225.NULL
h225.securityCertificateExpired securityCertificateExpired No value h225.NULL
h225.securityCertificateIncomplete securityCertificateIncomplete No value h225.NULL
h225.securityCertificateMissing securityCertificateMissing No value h225.NULL
h225.securityCertificateNotReadable securityCertificateNotReadable No value h225.NULL
h225.securityCertificateRevoked securityCertificateRevoked No value h225.NULL
h225.securityCertificateSignatureInvalid securityCertificateSignatureInvalid No value h225.NULL
h225.securityDHmismatch securityDHmismatch No value h225.NULL
h225.securityDenial securityDenial No value h225.NULL
h225.securityDenied securityDenied No value h225.NULL
h225.securityError securityError Unsigned 32-bit integer h225.SecurityErrors
h225.securityIntegrityFailed securityIntegrityFailed No value h225.NULL
h225.securityReplay securityReplay No value h225.NULL
h225.securityUnknownCA securityUnknownCA No value h225.NULL
h225.securityUnsupportedCertificateAlgOID securityUnsupportedCertificateAlgOID No value h225.NULL
h225.securityWrongGeneralID securityWrongGeneralID No value h225.NULL
h225.securityWrongOID securityWrongOID No value h225.NULL
h225.securityWrongSendersID securityWrongSendersID No value h225.NULL
h225.securityWrongSyncTime securityWrongSyncTime No value h225.NULL
h225.segment segment Unsigned 32-bit integer h225.INTEGER_0_65535
h225.segmentedResponseSupported segmentedResponseSupported No value h225.NULL
h225.sendAddress sendAddress Unsigned 32-bit integer h225.TransportAddress
h225.sender sender Boolean h225.BOOLEAN
h225.sent sent Boolean h225.BOOLEAN
h225.serviceControl serviceControl Unsigned 32-bit integer h225.SEQUENCE_OF_ServiceControlSession
h225.serviceControlIndication serviceControlIndication No value h225.ServiceControlIndication
h225.serviceControlResponse serviceControlResponse No value h225.ServiceControlResponse
h225.serviceControl_item Item No value h225.ServiceControlSession
h225.sesn sesn String h225.TBCD_STRING
h225.sessionId sessionId Unsigned 32-bit integer h225.INTEGER_0_255
h225.set set Byte array h225.BIT_STRING_SIZE_32
h225.setup setup No value h225.Setup_UUIE
h225.setupAcknowledge setupAcknowledge No value h225.SetupAcknowledge_UUIE
h225.sid sid String h225.TBCD_STRING
h225.signal signal Byte array h225.H248SignalsDescriptor
h225.sip sip No value h225.SIPCaps
h225.sipGwCallsAvailable sipGwCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.sipGwCallsAvailable_item Item No value h225.CallsAvailable
h225.soc soc String h225.TBCD_STRING
h225.sourceAddress sourceAddress Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.sourceAddress_item Item Unsigned 32-bit integer h225.AliasAddress
h225.sourceCallSignalAddress sourceCallSignalAddress Unsigned 32-bit integer h225.TransportAddress
h225.sourceCircuitID sourceCircuitID No value h225.CircuitIdentifier
h225.sourceEndpointInfo sourceEndpointInfo Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.sourceEndpointInfo_item Item Unsigned 32-bit integer h225.AliasAddress
h225.sourceInfo sourceInfo No value h225.EndpointType
h225.sourceInfo_item Item Unsigned 32-bit integer h225.AliasAddress
h225.srcAlternatives srcAlternatives Unsigned 32-bit integer h225.SEQUENCE_OF_Endpoint
h225.srcAlternatives_item Item No value h225.Endpoint
h225.srcCallSignalAddress srcCallSignalAddress Unsigned 32-bit integer h225.TransportAddress
h225.srcInfo srcInfo Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.srcInfo_item Item Unsigned 32-bit integer h225.AliasAddress
h225.ssrc ssrc Unsigned 32-bit integer h225.INTEGER_1_4294967295
h225.standard standard Unsigned 32-bit integer h225.INTEGER_0_16383_
h225.start start No value h225.NULL
h225.startH245 startH245 No value h225.NULL
h225.startOfRange startOfRange Unsigned 32-bit integer h225.PartyNumber
h225.startTime startTime No value h225.NULL
h225.started started No value h225.NULL
h225.status status No value h225.Status_UUIE
h225.statusInquiry statusInquiry No value h225.StatusInquiry_UUIE
h225.stimulusControl stimulusControl No value h225.StimulusControl
h225.stopped stopped No value h225.NULL
h225.strict strict No value h225.NULL
h225.subIdentifier subIdentifier String h225.IA5String_SIZE_1_64
h225.subscriberNumber subscriberNumber No value h225.NULL
h225.substituteConfIDs substituteConfIDs Unsigned 32-bit integer h225.SEQUENCE_OF_ConferenceIdentifier
h225.substituteConfIDs_item Item h225.ConferenceIdentifier
h225.supportedFeatures supportedFeatures Unsigned 32-bit integer h225.SEQUENCE_OF_FeatureDescriptor
h225.supportedFeatures_item Item No value h225.FeatureDescriptor
h225.supportedH248Packages supportedH248Packages Unsigned 32-bit integer h225.SEQUENCE_OF_H248PackagesDescriptor
h225.supportedH248Packages_item Item Byte array h225.H248PackagesDescriptor
h225.supportedPrefixes supportedPrefixes Unsigned 32-bit integer h225.SEQUENCE_OF_SupportedPrefix
h225.supportedPrefixes_item Item No value h225.SupportedPrefix
h225.supportedProtocols supportedProtocols Unsigned 32-bit integer h225.SEQUENCE_OF_SupportedProtocols
h225.supportedProtocols_item Item Unsigned 32-bit integer h225.SupportedProtocols
h225.supportedTunnelledProtocols supportedTunnelledProtocols Unsigned 32-bit integer h225.SEQUENCE_OF_TunnelledProtocol
h225.supportedTunnelledProtocols_item Item No value h225.TunnelledProtocol
h225.supportsACFSequences supportsACFSequences No value h225.NULL
h225.supportsAdditiveRegistration supportsAdditiveRegistration No value h225.NULL
h225.supportsAltGK supportsAltGK No value h225.NULL
h225.supportsAssignedGK supportsAssignedGK Boolean h225.BOOLEAN
h225.symmetricOperationRequired symmetricOperationRequired No value h225.NULL
h225.systemAccessType systemAccessType Byte array h225.OCTET_STRING_SIZE_1
h225.systemMyTypeCode systemMyTypeCode Byte array h225.OCTET_STRING_SIZE_1
h225.system_id system-id Unsigned 32-bit integer h225.T_system_id
h225.t120OnlyGwCallsAvailable t120OnlyGwCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.t120OnlyGwCallsAvailable_item Item No value h225.CallsAvailable
h225.t120_only t120-only No value h225.T120OnlyCaps
h225.t35CountryCode t35CountryCode Unsigned 32-bit integer h225.T_t35CountryCode
h225.t35Extension t35Extension Unsigned 32-bit integer h225.T_t35Extension
h225.t38FaxAnnexbOnly t38FaxAnnexbOnly No value h225.T38FaxAnnexbOnlyCaps
h225.t38FaxAnnexbOnlyGwCallsAvailable t38FaxAnnexbOnlyGwCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.t38FaxAnnexbOnlyGwCallsAvailable_item Item No value h225.CallsAvailable
h225.t38FaxProfile t38FaxProfile No value h245.T38FaxProfile
h225.t38FaxProtocol t38FaxProtocol Unsigned 32-bit integer h245.DataProtocolCapability
h225.tcp tcp No value h225.NULL
h225.telexPartyNumber telexPartyNumber String h225.NumberDigits
h225.terminal terminal No value h225.TerminalInfo
h225.terminalAlias terminalAlias Unsigned 32-bit integer h225.SEQUENCE_OF_AliasAddress
h225.terminalAliasPattern terminalAliasPattern Unsigned 32-bit integer h225.SEQUENCE_OF_AddressPattern
h225.terminalAliasPattern_item Item Unsigned 32-bit integer h225.AddressPattern
h225.terminalAlias_item Item Unsigned 32-bit integer h225.AliasAddress
h225.terminalCallsAvailable terminalCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.terminalCallsAvailable_item Item No value h225.CallsAvailable
h225.terminalExcluded terminalExcluded No value h225.NULL
h225.terminalType terminalType No value h225.EndpointType
h225.terminationCause terminationCause No value h225.NULL
h225.text text String h225.IA5String
h225.threadId threadId h225.GloballyUniqueID
h225.threePartyService threePartyService Boolean h225.BOOLEAN
h225.timeStamp timeStamp Date/Time stamp h235.TimeStamp
h225.timeToLive timeToLive Unsigned 32-bit integer h225.TimeToLive
h225.tls tls No value h225.SecurityCapabilities
h225.tmsi tmsi Byte array h225.OCTET_STRING_SIZE_1_4
h225.token token No value h235.HASHEDxxx
h225.tokens tokens Unsigned 32-bit integer h225.SEQUENCE_OF_ClearToken
h225.tokens_item Item No value h235.ClearToken
h225.totalBandwidthRestriction totalBandwidthRestriction Unsigned 32-bit integer h225.BandWidth
h225.transport transport Unsigned 32-bit integer h225.TransportAddress
h225.transportID transportID Unsigned 32-bit integer h225.TransportAddress
h225.transportNotSupported transportNotSupported No value h225.NULL
h225.transportQOS transportQOS Unsigned 32-bit integer h225.TransportQOS
h225.transportQOSNotSupported transportQOSNotSupported No value h225.NULL
h225.transportedInformation transportedInformation No value h225.NULL
h225.ttlExpired ttlExpired No value h225.NULL
h225.tunnelledProtocolAlternateID tunnelledProtocolAlternateID No value h225.TunnelledProtocolAlternateIdentifier
h225.tunnelledProtocolID tunnelledProtocolID No value h225.TunnelledProtocol
h225.tunnelledProtocolObjectID tunnelledProtocolObjectID h225.T_tunnelledProtocolObjectID
h225.tunnelledSignallingMessage tunnelledSignallingMessage No value h225.T_tunnelledSignallingMessage
h225.tunnelledSignallingRejected tunnelledSignallingRejected No value h225.NULL
h225.tunnellingRequired tunnellingRequired No value h225.NULL
h225.unallocatedNumber unallocatedNumber No value h225.NULL
h225.undefinedNode undefinedNode Boolean h225.BOOLEAN
h225.undefinedReason undefinedReason No value h225.NULL
h225.unicode unicode String h225.BMPString
h225.unknown unknown No value h225.NULL
h225.unknownMessageResponse unknownMessageResponse No value h225.UnknownMessageResponse
h225.unreachableDestination unreachableDestination No value h225.NULL
h225.unreachableGatekeeper unreachableGatekeeper No value h225.NULL
h225.unregistrationConfirm unregistrationConfirm No value h225.UnregistrationConfirm
h225.unregistrationReject unregistrationReject No value h225.UnregistrationReject
h225.unregistrationRequest unregistrationRequest No value h225.UnregistrationRequest
h225.unsolicited unsolicited Boolean h225.BOOLEAN
h225.url url String h225.IA5String_SIZE_0_512
h225.url_ID url-ID String h225.IA5String_SIZE_1_512
h225.usageInfoRequested usageInfoRequested No value h225.RasUsageInfoTypes
h225.usageInformation usageInformation No value h225.RasUsageInformation
h225.usageReportingCapability usageReportingCapability No value h225.RasUsageInfoTypes
h225.usageSpec usageSpec Unsigned 32-bit integer h225.SEQUENCE_OF_RasUsageSpecification
h225.usageSpec_item Item No value h225.RasUsageSpecification
h225.useGKCallSignalAddressToAnswer useGKCallSignalAddressToAnswer Boolean h225.BOOLEAN
h225.useGKCallSignalAddressToMakeCall useGKCallSignalAddressToMakeCall Boolean h225.BOOLEAN
h225.useSpecifiedTransport useSpecifiedTransport Unsigned 32-bit integer h225.UseSpecifiedTransport
h225.user_data user-data No value h225.T_user_data
h225.user_information user-information Byte array h225.OCTET_STRING_SIZE_1_131
h225.uuiesRequested uuiesRequested No value h225.UUIEsRequested
h225.vendor vendor No value h225.VendorIdentifier
h225.versionId versionId String h225.OCTET_STRING_SIZE_1_256
h225.video video Unsigned 32-bit integer h225.SEQUENCE_OF_RTPSession
h225.video_item Item No value h225.RTPSession
h225.voice voice No value h225.VoiceCaps
h225.voiceGwCallsAvailable voiceGwCallsAvailable Unsigned 32-bit integer h225.SEQUENCE_OF_CallsAvailable
h225.voiceGwCallsAvailable_item Item No value h225.CallsAvailable
h225.vplmn vplmn String h225.TBCD_STRING
h225.when when No value h225.CapacityReportingSpecification_when
h225.wildcard wildcard Unsigned 32-bit integer h225.AliasAddress
h225.willRespondToIRR willRespondToIRR Boolean h225.BOOLEAN
h225.willSupplyUUIEs willSupplyUUIEs Boolean h225.BOOLEAN
hpext.dxsap DXSAP Unsigned 16-bit integer
hpext.sxsap SXSAP Unsigned 16-bit integer
rmp.filename Filename String
rmp.machtype Machine Type String
rmp.offset Offset Unsigned 32-bit integer
rmp.retcode Returncode Unsigned 8-bit integer
rmp.seqnum Sequence Number Unsigned 32-bit integer
rmp.sessionid Session ID Unsigned 16-bit integer
rmp.size Size Unsigned 16-bit integer
rmp.type Type Unsigned 8-bit integer
rmp.version Version Unsigned 16-bit integer
hpsw.tlv_len Length Unsigned 8-bit integer
hpsw.tlv_type Type Unsigned 8-bit integer
hpsw.type Type Unsigned 8-bit integer
hpsw.version Version Unsigned 8-bit integer
nettl.devid Device ID Signed 32-bit integer HP-UX Device ID
nettl.kind Trace Kind Unsigned 32-bit integer HP-UX Trace record kind
nettl.pid Process ID (pid/ktid) Signed 32-bit integer HP-UX Process/thread id
nettl.subsys Subsystem Unsigned 16-bit integer HP-UX Subsystem/Driver
nettl.uid User ID (uid) Unsigned 16-bit integer HP-UX User ID
hclnfsd.access Access Unsigned 32-bit integer Access
hclnfsd.authorize.ident.obscure Obscure Ident String Authentication Obscure Ident
hclnfsd.cookie Cookie Unsigned 32-bit integer Cookie
hclnfsd.copies Copies Unsigned 32-bit integer Copies
hclnfsd.device Device String Device
hclnfsd.exclusive Exclusive Unsigned 32-bit integer Exclusive
hclnfsd.fileext File Extension Unsigned 32-bit integer File Extension
hclnfsd.filename Filename String Filename
hclnfsd.gid GID Unsigned 32-bit integer Group ID
hclnfsd.group Group String Group
hclnfsd.host_ip Host IP IPv4 address Host IP
hclnfsd.hostname Hostname String Hostname
hclnfsd.jobstatus Job Status Unsigned 32-bit integer Job Status
hclnfsd.length Length Unsigned 32-bit integer Length
hclnfsd.lockname Lockname String Lockname
hclnfsd.lockowner Lockowner Byte array Lockowner
hclnfsd.logintext Login Text String Login Text
hclnfsd.mode Mode Unsigned 32-bit integer Mode
hclnfsd.npp Number of Physical Printers Unsigned 32-bit integer Number of Physical Printers
hclnfsd.offset Offset Unsigned 32-bit integer Offset
hclnfsd.pqn Print Queue Number Unsigned 32-bit integer Print Queue Number
hclnfsd.printername Printer Name String Printer name
hclnfsd.printparameters Print Parameters String Print Parameters
hclnfsd.printqueuecomment Comment String Print Queue Comment
hclnfsd.printqueuename Name String Print Queue Name
hclnfsd.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
hclnfsd.queuestatus Queue Status Unsigned 32-bit integer Queue Status
hclnfsd.request_type Request Type Unsigned 32-bit integer Request Type
hclnfsd.sequence Sequence Unsigned 32-bit integer Sequence
hclnfsd.server_ip Server IP IPv4 address Server IP
hclnfsd.size Size Unsigned 32-bit integer Size
hclnfsd.status Status Unsigned 32-bit integer Status
hclnfsd.timesubmitted Time Submitted Unsigned 32-bit integer Time Submitted
hclnfsd.uid UID Unsigned 32-bit integer User ID
hclnfsd.unknown_data Unknown Byte array Data
hclnfsd.username Username String Username
hyperscsi.cmd HyperSCSI Command Unsigned 8-bit integer
hyperscsi.fragno Fragment No Unsigned 16-bit integer
hyperscsi.lastfrag Last Fragment Boolean
hyperscsi.reserved Reserved Unsigned 8-bit integer
hyperscsi.tagno Tag No Unsigned 16-bit integer
hyperscsi.version HyperSCSI Version Unsigned 8-bit integer
http.accept Accept String HTTP Accept
http.accept_encoding Accept Encoding String HTTP Accept Encoding
http.accept_language Accept-Language String HTTP Accept Language
http.authbasic Credentials String
http.authorization Authorization String HTTP Authorization header
http.cache_control Cache-Control String HTTP Cache Control
http.connection Connection String HTTP Connection
http.content_encoding Content-Encoding String HTTP Content-Encoding header
http.content_length Content-Length String HTTP Content-Length header
http.content_type Content-Type String HTTP Content-Type header
http.cookie Cookie String HTTP Cookie
http.date Date String HTTP Date
http.host Host String HTTP Host
http.last_modified Last-Modified String HTTP Last Modified
http.location Location String HTTP Location
http.notification Notification Boolean TRUE if HTTP notification
http.proxy_authenticate Proxy-Authenticate String HTTP Proxy-Authenticate header
http.proxy_authorization Proxy-Authorization String HTTP Proxy-Authorization header
http.referer Referer String HTTP Referer
http.request Request Boolean TRUE if HTTP request
http.request.method Request Method String HTTP Request Method
http.request.uri Request URI String HTTP Request-URI
http.request.version Request Version String HTTP Request HTTP-Version
http.response Response Boolean TRUE if HTTP response
http.response.code Response Code Unsigned 16-bit integer HTTP Response Code
http.server Server String HTTP Server
http.set_cookie Set-Cookie String HTTP Set Cookie
http.transfer_encoding Transfer-Encoding String HTTP Transfer-Encoding header
http.user_agent User-Agent String HTTP User-Agent header
http.www_authenticate WWW-Authenticate String HTTP WWW-Authenticate header
http.x_forwarded_for X-Forwarded-For String HTTP X-Forwarded-For
cba.acco.cb_conn_data CBA Connection data No value
cba.acco.cb_count Count Unsigned 16-bit integer
cba.acco.cb_flags Flags Unsigned 8-bit integer
cba.acco.cb_item Item No value
cba.acco.cb_item_data Data(Hex) Byte array
cba.acco.cb_item_hole Hole No value
cba.acco.cb_item_length Length Unsigned 16-bit integer
cba.acco.cb_length Length Unsigned 32-bit integer
cba.acco.cb_version Version Unsigned 8-bit integer
cba.connect_in Connect in frame Frame number This connection Connect was in the packet with this number
cba.data_first_in First data in frame Frame number The first data of this connection/frame in the packet with this number
cba.data_last_in Last data in frame Frame number The last data of this connection/frame in the packet with this number
cba.disconnect_in Disconnect in frame Frame number This connection Disconnect was in the packet with this number
cba.disconnectme_in DisconnectMe in frame Frame number This connection/frame DisconnectMe was in the packet with this number
cba.acco.addconnectionin ADDCONNECTIONIN No value
cba.acco.addconnectionout ADDCONNECTIONOUT No value
cba.acco.cdb_cookie CDBCookie Unsigned 32-bit integer
cba.acco.conn_cons_id ConsumerID Unsigned 32-bit integer
cba.acco.conn_consumer Consumer String
cba.acco.conn_consumer_item ConsumerItem String
cba.acco.conn_epsilon Epsilon No value
cba.acco.conn_error_state ConnErrorState Unsigned 32-bit integer
cba.acco.conn_persist Persistence Unsigned 16-bit integer
cba.acco.conn_prov_id ProviderID Unsigned 32-bit integer
cba.acco.conn_provider Provider String
cba.acco.conn_provider_item ProviderItem String
cba.acco.conn_qos_type QoSType Unsigned 16-bit integer
cba.acco.conn_qos_value QoSValue Unsigned 16-bit integer
cba.acco.conn_state State Unsigned 8-bit integer
cba.acco.conn_substitute Substitute No value
cba.acco.conn_version ConnVersion Unsigned 16-bit integer
cba.acco.connectin CONNECTIN No value
cba.acco.connectincr CONNECTINCR No value
cba.acco.connectout CONNECTOUT No value
cba.acco.connectoutcr CONNECTOUTCR No value
cba.acco.count Count Unsigned 32-bit integer
cba.acco.data Data No value
cba.acco.dcom DcomRuntime Boolean This is a DCOM runtime context
cba.acco.diag_data Data Byte array
cba.acco.diag_in_length InLength Unsigned 32-bit integer
cba.acco.diag_out_length OutLength Unsigned 32-bit integer
cba.acco.diag_req Request Unsigned 32-bit integer
cba.acco.diagconsconnout DIAGCONSCONNOUT No value
cba.acco.getconnectionout GETCONNECTIONOUT No value
cba.acco.getconsconnout GETCONSCONNOUT No value
cba.acco.getidout GETIDOUT No value
cba.acco.info_curr Current Unsigned 32-bit integer
cba.acco.info_max Max Unsigned 32-bit integer
cba.acco.item Item String
cba.acco.opnum Operation Unsigned 16-bit integer Operation
cba.acco.ping_factor PingFactor Unsigned 16-bit integer
cba.acco.prov_crid ProviderCRID Unsigned 32-bit integer
cba.acco.qc QualityCode Unsigned 8-bit integer
cba.acco.readitemout ReadItemOut No value
cba.acco.rtauto RTAuto String
cba.acco.srt SrtRuntime Boolean This is an SRT runtime context
cba.acco.time_stamp TimeStamp Unsigned 64-bit integer
cba.acco.writeitemin WriteItemIn No value
cba.acco.getprovconnout GETPROVCONNOUT No value
cba.acco.server_first_connect FirstConnect Unsigned 8-bit integer
cba.acco.server_pICBAAccoCallback pICBAAccoCallback Byte array
cba.acco.serversrt_action Action Unsigned 32-bit integer
cba.acco.serversrt_cons_mac ConsumerMAC 6-byte Hardware (MAC) Address
cba.acco.serversrt_cr_flags Flags Unsigned 32-bit integer
cba.acco.serversrt_cr_flags_reconfigure Reconfigure Boolean
cba.acco.serversrt_cr_flags_timestamped Timestamped Boolean
cba.acco.serversrt_cr_id ConsumerCRID Unsigned 16-bit integer
cba.acco.serversrt_cr_length CRLength Unsigned 16-bit integer
cba.acco.serversrt_last_connect LastConnect Unsigned 8-bit integer
cba.acco.serversrt_prov_mac ProviderMAC 6-byte Hardware (MAC) Address
cba.acco.serversrt_record_length RecordLength Unsigned 16-bit integer
cba.acco.type_desc_len TypeDescLen Unsigned 16-bit integer
cba.browse.access_right AccessRights No value
cba.browse.count Count Unsigned 32-bit integer
cba.browse.data_type DataTypes No value
cba.browse.info1 Info1 No value
cba.browse.info2 Info2 No value
cba.browse.item ItemNames No value
cba.browse.max_return MaxReturn Unsigned 32-bit integer
cba.browse.offset Offset Unsigned 32-bit integer
cba.browse.selector Selector Unsigned 32-bit integer
cba.cookie Cookie Unsigned 32-bit integer
cba.grouperror GroupError Unsigned 16-bit integer
cba.grouperror_new NewGroupError Unsigned 16-bit integer
cba.grouperror_old OldGroupError Unsigned 16-bit integer
cba.opnum Operation Unsigned 16-bit integer Operation
cba.production_date ProductionDate Double-precision floating point
cba.serial_no SerialNo No value
cba.state State Unsigned 16-bit integer
cba.state_new NewState Unsigned 16-bit integer
cba.state_old OldState Unsigned 16-bit integer
cba.time Time Double-precision floating point
cba.component_id ComponentID String
cba.component_version Version String
cba.multi_app MultiApp Unsigned 16-bit integer
cba.name Name String
cba.pdev_stamp PDevStamp Unsigned 32-bit integer
cba.producer Producer String
cba.product Product String
cba.profinet_dcom_stack PROFInetDCOMStack Unsigned 16-bit integer
cba.revision_major Major Unsigned 16-bit integer
cba.revision_minor Minor Unsigned 16-bit integer
cba.revision_service_pack ServicePack Unsigned 16-bit integer
cba.save_ldev_name LDevName No value
cba.save_result PatialResult No value
cba_revision_build Build Unsigned 16-bit integer
icq.checkcode Checkcode Unsigned 32-bit integer
icq.client_cmd Client command Unsigned 16-bit integer
icq.decode Decode String
icq.server_cmd Server command Unsigned 16-bit integer
icq.sessionid Session ID Unsigned 32-bit integer
icq.type Type Unsigned 16-bit integer
icq.uin UIN Unsigned 32-bit integer
radiotap.antenna Antenna Unsigned 32-bit integer
radiotap.channel.flags Channel type Unsigned 16-bit integer
radiotap.channel.freq Channel frequency Unsigned 32-bit integer
radiotap.datarate Data rate Unsigned 32-bit integer
radiotap.db_antnoise SSI Noise (dB) Unsigned 32-bit integer
radiotap.db_antsignal SSI Signal (dB) Unsigned 32-bit integer
radiotap.dbm_antnoise SSI Noise (dBm) Signed 32-bit integer
radiotap.dbm_antsignal SSI Signal (dBm) Signed 32-bit integer
radiotap.fcs 802.11 FCS Unsigned 32-bit integer
radiotap.flags.datapad DATAPAD Unsigned 32-bit integer
radiotap.flags.fcs FCS Unsigned 32-bit integer
radiotap.flags.preamble Preamble Unsigned 32-bit integer
radiotap.length Header length Unsigned 16-bit integer
radiotap.mactime MAC timestamp Unsigned 64-bit integer
radiotap.pad Header pad Unsigned 8-bit integer
radiotap.present Present elements Unsigned 32-bit integer
radiotap.quality Signal Quality Unsigned 16-bit integer
radiotap.txpower Transmit power Signed 32-bit integer
radiotap.version Header revision Unsigned 8-bit integer
wlan.addr Source or Destination address 6-byte Hardware (MAC) Address Source or Destination Hardware Address
wlan.aid Association ID Unsigned 16-bit integer Association-ID field
wlan.bssid BSS Id 6-byte Hardware (MAC) Address Basic Service Set ID
wlan.ccmp.extiv CCMP Ext. Initialization Vector String CCMP Extended Initialization Vector
wlan.channel Channel Unsigned 8-bit integer Radio channel
wlan.da Destination address 6-byte Hardware (MAC) Address Destination Hardware Address
wlan.data_rate Data Rate Unsigned 8-bit integer Data rate (.5 Mb/s units)
wlan.duration Duration Unsigned 16-bit integer Duration field
wlan.fc Frame Control Field Unsigned 16-bit integer MAC Frame control
wlan.fc.ds DS status Unsigned 8-bit integer Data-frame DS-traversal status
wlan.fc.frag More Fragments Boolean More Fragments flag
wlan.fc.fromds From DS Boolean From DS flag
wlan.fc.moredata More Data Boolean More data flag
wlan.fc.order Order flag Boolean Strictly ordered flag
wlan.fc.protected Protected flag Boolean Protected flag
wlan.fc.pwrmgt PWR MGT Boolean Power management status
wlan.fc.retry Retry Boolean Retransmission flag
wlan.fc.subtype Subtype Unsigned 8-bit integer Frame subtype
wlan.fc.tods To DS Boolean To DS flag
wlan.fc.type Type Unsigned 8-bit integer Frame type
wlan.fc.type_subtype Type/Subtype Unsigned 16-bit integer Type and subtype combined
wlan.fc.version Version Unsigned 8-bit integer MAC Protocol version
wlan.fcs Frame check sequence Unsigned 32-bit integer FCS
wlan.flags Protocol Flags Unsigned 8-bit integer Protocol flags
wlan.frag Fragment number Unsigned 16-bit integer Fragment number
wlan.fragment 802.11 Fragment Frame number 802.11 Fragment
wlan.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
wlan.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
wlan.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
wlan.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
wlan.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
wlan.fragments 802.11 Fragments No value 802.11 Fragments
wlan.qos.ack Ack Policy Unsigned 16-bit integer Ack Policy
wlan.qos.eosp EOSP Boolean EOSP Field
wlan.qos.fc_content Content Unsigned 16-bit integer Content1
wlan.qos.priority Priority Unsigned 16-bit integer 802.1D Tag
wlan.ra Receiver address 6-byte Hardware (MAC) Address Receiving Station Hardware Address
wlan.reassembled_in Reassembled 802.11 in frame Frame number This 802.11 packet is reassembled in this frame
wlan.sa Source address 6-byte Hardware (MAC) Address Source Hardware Address
wlan.seq Sequence number Unsigned 16-bit integer Sequence number
wlan.signal_strength Signal Strength Unsigned 8-bit integer Signal strength (percentage)
wlan.ta Transmitter address 6-byte Hardware (MAC) Address Transmitting Station Hardware Address
wlan.tkip.extiv TKIP Ext. Initialization Vector String TKIP Extended Initialization Vector
wlan.wep.icv WEP ICV Unsigned 32-bit integer WEP ICV
wlan.wep.iv Initialization Vector Unsigned 24-bit integer Initialization Vector
wlan.wep.key Key Index Unsigned 8-bit integer Key Index
wlan.wep.weakiv Weak IV Boolean Weak IV
wlan_mgmt.aironet.data Aironet IE data Byte array
wlan_mgt.aironet.qos.paramset Aironet IE QoS paramset Unsigned 8-bit integer
wlan_mgt.aironet.qos.unk1 Aironet IE QoS unknown1 Unsigned 8-bit integer
wlan_mgt.aironet.qos.val Aironet IE QoS valueset Byte array
wlan_mgt.aironet.type Aironet IE type Unsigned 8-bit integer
wlan_mgt.aironet.version Aironet IE CCX version? Unsigned 8-bit integer
wlan_mgt.fixed.action_code Action code Unsigned 16-bit integer Management action code
wlan_mgt.fixed.aid Association ID Unsigned 16-bit integer Association ID
wlan_mgt.fixed.all Fixed parameters Unsigned 16-bit integer
wlan_mgt.fixed.auth.alg Authentication Algorithm Unsigned 16-bit integer
wlan_mgt.fixed.auth_seq Authentication SEQ Unsigned 16-bit integer Authentication sequence number
wlan_mgt.fixed.beacon Beacon Interval Double-precision floating point
wlan_mgt.fixed.capabilities Capabilities Unsigned 16-bit integer Capability information
wlan_mgt.fixed.capabilities.agility Channel Agility Boolean Channel Agility
wlan_mgt.fixed.capabilities.apsd Automatic Power Save Delivery Boolean Automatic Power Save Delivery
wlan_mgt.fixed.capabilities.cfpoll.ap CFP participation capabilities Unsigned 16-bit integer CF-Poll capabilities for an AP
wlan_mgt.fixed.capabilities.cfpoll.sta CFP participation capabilities Unsigned 16-bit integer CF-Poll capabilities for a STA
wlan_mgt.fixed.capabilities.del_blk_ack Delayed Block Ack Boolean Delayed Block Ack
wlan_mgt.fixed.capabilities.dsss_ofdm DSSS-OFDM Boolean DSSS-OFDM Modulation
wlan_mgt.fixed.capabilities.ess ESS capabilities Boolean ESS capabilities
wlan_mgt.fixed.capabilities.ibss IBSS status Boolean IBSS participation
wlan_mgt.fixed.capabilities.imm_blk_ack Immediate Block Ack Boolean Immediate Block Ack
wlan_mgt.fixed.capabilities.pbcc PBCC Boolean PBCC Modulation
wlan_mgt.fixed.capabilities.preamble Short Preamble Boolean Short Preamble
wlan_mgt.fixed.capabilities.privacy Privacy Boolean WEP support
wlan_mgt.fixed.capabilities.short_slot_time Short Slot Time Boolean Short Slot Time
wlan_mgt.fixed.capabilities.spec_man Spectrum Management Boolean Spectrum Management
wlan_mgt.fixed.category_code Category code Unsigned 16-bit integer Management action category
wlan_mgt.fixed.current_ap Current AP 6-byte Hardware (MAC) Address MAC address of current AP
wlan_mgt.fixed.dialog_token Dialog token Unsigned 16-bit integer Management action dialog token
wlan_mgt.fixed.listen_ival Listen Interval Unsigned 16-bit integer Listen Interval
wlan_mgt.fixed.reason_code Reason code Unsigned 16-bit integer Reason for unsolicited notification
wlan_mgt.fixed.status_code Status code Unsigned 16-bit integer Status of requested event
wlan_mgt.fixed.timestamp Timestamp String
wlan_mgt.qbss.adc Available Admission Capabilities Unsigned 8-bit integer
wlan_mgt.qbss.cu Channel Utilization Unsigned 8-bit integer
wlan_mgt.qbss.scount Station Count Unsigned 16-bit integer
wlan_mgt.qbss.version QBSS Version Unsigned 8-bit integer
wlan_mgt.qbss2.cal Call Admission Limit Unsigned 8-bit integer
wlan_mgt.qbss2.cu Channel Utilization Unsigned 8-bit integer
wlan_mgt.qbss2.glimit G.711 CU Quantum Unsigned 8-bit integer
wlan_mgt.qbss2.scount Station Count Unsigned 16-bit integer
wlan_mgt.rsn.capabilities RSN Capabilities Unsigned 16-bit integer RSN Capability information
wlan_mgt.rsn.capabilities.gtksa_replay_counter RSN GTKSA Replay Counter capabilities Unsigned 16-bit integer RSN GTKSA Replay Counter capabilities
wlan_mgt.rsn.capabilities.no_pairwise RSN No Pairwise capabilities Boolean RSN No Pairwise capabilities
wlan_mgt.rsn.capabilities.preauth RSN Pre-Auth capabilities Boolean RSN Pre-Auth capabilities
wlan_mgt.rsn.capabilities.ptksa_replay_counter RSN PTKSA Replay Counter capabilities Unsigned 16-bit integer RSN PTKSA Replay Counter capabilities
wlan_mgt.tag.interpretation Tag interpretation String Interpretation of tag
wlan_mgt.tag.length Tag length Unsigned 8-bit integer Length of tag
wlan_mgt.tag.number Tag Unsigned 8-bit integer Element ID
wlan_mgt.tag.oui OUI Byte array OUI of vendor specific IE
wlan_mgt.tagged.all Tagged parameters Unsigned 16-bit integer
wlan_mgt.tim.bmapctl Bitmap control Unsigned 8-bit integer Bitmap control
wlan_mgt.tim.dtim_count DTIM count Unsigned 8-bit integer DTIM count
wlan_mgt.tim.dtim_period DTIM period Unsigned 8-bit integer DTIM period
wlan_mgt.tim.length TIM length Unsigned 8-bit integer Traffic Indication Map length
ieee802a.oui Organization Code Unsigned 24-bit integer
ieee802a.pid Protocol ID Unsigned 16-bit integer
ipdc.length Payload length Unsigned 16-bit integer Payload length
ipdc.message_code Message code Unsigned 16-bit integer Message Code
ipdc.nr N(r) Unsigned 8-bit integer Receive sequence number
ipdc.ns N(s) Unsigned 8-bit integer Transmit sequence number
ipdc.protocol_id Protocol ID Unsigned 8-bit integer Protocol ID
ipdc.trans_id Transaction ID Byte array Transaction ID
ipdc.trans_id_size Transaction ID size Unsigned 8-bit integer Transaction ID size
ipfc.nh.da Network DA String
ipfc.nh.sa Network SA String
ipcomp.cpi CPI Unsigned 16-bit integer
ipcomp.flags Flags Unsigned 8-bit integer
ipvs.caddr Client Address IPv4 address Client Address
ipvs.conncount Connection Count Unsigned 8-bit integer Connection Count
ipvs.cport Client Port Unsigned 16-bit integer Client Port
ipvs.daddr Destination Address IPv4 address Destination Address
ipvs.dport Destination Port Unsigned 16-bit integer Destination Port
ipvs.flags Flags Unsigned 16-bit integer Flags
ipvs.in_seq.delta Input Sequence (Delta) Unsigned 32-bit integer Input Sequence (Delta)
ipvs.in_seq.initial Input Sequence (Initial) Unsigned 32-bit integer Input Sequence (Initial)
ipvs.in_seq.pdelta Input Sequence (Previous Delta) Unsigned 32-bit integer Input Sequence (Previous Delta)
ipvs.out_seq.delta Output Sequence (Delta) Unsigned 32-bit integer Output Sequence (Delta)
ipvs.out_seq.initial Output Sequence (Initial) Unsigned 32-bit integer Output Sequence (Initial)
ipvs.out_seq.pdelta Output Sequence (Previous Delta) Unsigned 32-bit integer Output Sequence (Previous Delta)
ipvs.proto Protocol Unsigned 8-bit integer Protocol
ipvs.resv8 Reserved Unsigned 8-bit integer Reserved
ipvs.size Size Unsigned 16-bit integer Size
ipvs.state State Unsigned 16-bit integer State
ipvs.syncid Synchronization ID Unsigned 8-bit integer Syncronization ID
ipvs.vaddr Virtual Address IPv4 address Virtual Address
ipvs.vport Virtual Port Unsigned 16-bit integer Virtual Port
ipxmsg.conn Connection Number Unsigned 8-bit integer Connection Number
ipxmsg.sigchar Signature Char Unsigned 8-bit integer Signature Char
ipxrip.request Request Boolean TRUE if IPX RIP request
ipxrip.response Response Boolean TRUE if IPX RIP response
ipxwan.accept_option Accept Option Unsigned 8-bit integer
ipxwan.compression.type Compression Type Unsigned 8-bit integer
ipxwan.extended_node_id Extended Node ID IPX network or server name
ipxwan.identifier Identifier String
ipxwan.nlsp_information.delay Delay Unsigned 32-bit integer
ipxwan.nlsp_information.throughput Throughput Unsigned 32-bit integer
ipxwan.nlsp_raw_throughput_data.delta_time Delta Time Unsigned 32-bit integer
ipxwan.nlsp_raw_throughput_data.request_size Request Size Unsigned 32-bit integer
ipxwan.node_id Node ID Unsigned 32-bit integer
ipxwan.node_number Node Number 6-byte Hardware (MAC) Address
ipxwan.num_options Number of Options Unsigned 8-bit integer
ipxwan.option_data_len Option Data Length Unsigned 16-bit integer
ipxwan.option_num Option Number Unsigned 8-bit integer
ipxwan.packet_type Packet Type Unsigned 8-bit integer
ipxwan.rip_sap_info_exchange.common_network_number Common Network Number IPX network or server name
ipxwan.rip_sap_info_exchange.router_name Router Name String
ipxwan.rip_sap_info_exchange.wan_link_delay WAN Link Delay Unsigned 16-bit integer
ipxwan.routing_type Routing Type Unsigned 8-bit integer
ipxwan.sequence_number Sequence Number Unsigned 8-bit integer
remunk_flags Flags Unsigned 32-bit integer
remunk_iids IIDs Unsigned 16-bit integer
remunk_int_refs InterfaceRefs Unsigned 32-bit integer
remunk_opnum Operation Unsigned 16-bit integer Operation
remunk_private_refs PrivateRefs Unsigned 32-bit integer
remunk_public_refs PublicRefs Unsigned 32-bit integer
remunk_qiresult QIResult No value
remunk_refs Refs Unsigned 32-bit integer
remunk_reminterfaceref RemInterfaceRef No value
isdn.channel Channel Unsigned 8-bit integer
iua.asp_identifier ASP identifier Unsigned 32-bit integer
iua.asp_reason Reason Unsigned 32-bit integer
iua.diagnostic_information Diagnostic information Byte array
iua.dlci_one_bit One bit Boolean
iua.dlci_sapi SAPI Unsigned 8-bit integer
iua.dlci_spare Spare Unsigned 16-bit integer
iua.dlci_spare_bit Spare bit Boolean
iua.dlci_tei TEI Unsigned 8-bit integer
iua.dlci_zero_bit Zero bit Boolean
iua.error_code Error code Unsigned 32-bit integer
iua.heartbeat_data Heartbeat data Byte array
iua.info_string Info string String
iua.int_interface_identifier Integer interface identifier Signed 32-bit integer
iua.interface_range_end End Unsigned 32-bit integer
iua.interface_range_start Start Unsigned 32-bit integer
iua.message_class Message class Unsigned 8-bit integer
iua.message_length Message length Unsigned 32-bit integer
iua.message_type Message Type Unsigned 8-bit integer
iua.parameter_length Parameter length Unsigned 16-bit integer
iua.parameter_padding Parameter padding Byte array
iua.parameter_tag Parameter Tag Unsigned 16-bit integer
iua.parameter_value Parameter value Byte array
iua.release_reason Reason Unsigned 32-bit integer
iua.reserved Reserved Unsigned 8-bit integer
iua.status_identification Status identification Unsigned 16-bit integer
iua.status_type Status type Unsigned 16-bit integer
iua.tei_status TEI status Unsigned 32-bit integer
iua.text_interface_identifier Text interface identifier String
iua.traffic_mode_type Traffic mode type Unsigned 32-bit integer
iua.version Version Unsigned 8-bit integer
ansi_isup.cause_indicator Cause indicator Unsigned 8-bit integer
ansi_isup.coding_standard Coding standard Unsigned 8-bit integer
bat_ase.Comp_Report_Reason Compabillity report reason Unsigned 8-bit integer
bat_ase.Comp_Report_diagnostic Diagnostics Unsigned 16-bit integer
bat_ase.ETSI_codec_type_subfield ETSI codec type subfield Unsigned 8-bit integer
bat_ase.ITU_T_codec_type_subfield ITU-T codec type subfield Unsigned 8-bit integer
bat_ase.Local_BCU_ID Local BCU ID Unsigned 32-bit integer
bat_ase.acs Active Code Set Unsigned 8-bit integer
bat_ase.acs.10_2 10.2 kbps rate Unsigned 8-bit integer
bat_ase.acs.12_2 12.2 kbps rate Unsigned 8-bit integer
bat_ase.acs.4_75 4.75 kbps rate Unsigned 8-bit integer
bat_ase.acs.5_15 5.15 kbps rate Unsigned 8-bit integer
bat_ase.acs.5_90 5.90 kbps rate Unsigned 8-bit integer
bat_ase.acs.6_70 6.70 kbps rate Unsigned 8-bit integer
bat_ase.acs.7_40 7.40 kbps rate Unsigned 8-bit integer
bat_ase.acs.7_95 7.95 kbps rate Unsigned 8-bit integer
bat_ase.bearer_control_tunneling Bearer control tunneling Boolean
bat_ase.bearer_redir_ind Redirection Indicator Unsigned 8-bit integer
bat_ase.bncid Backbone Network Connection Identifier (BNCId) Unsigned 32-bit integer
bat_ase.char Backbone network connection characteristics Unsigned 8-bit integer
bat_ase.late_cut_trough_cap_ind Late Cut-through capability indicator Boolean
bat_ase.macs Maximal number of Codec Modes, MACS Unsigned 8-bit integer Maximal number of Codec Modes, MACS
bat_ase.optimisation_mode Optimisation Mode for ACS , OM Unsigned 8-bit integer Optimisation Mode for ACS , OM
bat_ase.organization_identifier_subfield Organization identifier subfield Unsigned 8-bit integer
bat_ase.scs Supported Code Set Unsigned 8-bit integer
bat_ase.scs.10_2 10.2 kbps rate Unsigned 8-bit integer
bat_ase.scs.12_2 12.2 kbps rate Unsigned 8-bit integer
bat_ase.scs.4_75 4.75 kbps rate Unsigned 8-bit integer
bat_ase.scs.5_15 5.15 kbps rate Unsigned 8-bit integer
bat_ase.scs.5_90 5.90 kbps rate Unsigned 8-bit integer
bat_ase.scs.6_70 6.70 kbps rate Unsigned 8-bit integer
bat_ase.scs.7_40 7.40 kbps rate Unsigned 8-bit integer
bat_ase.scs.7_95 7.95 kbps rate Unsigned 8-bit integer
bat_ase.signal_type Q.765.5 - Signal Type Unsigned 8-bit integer
bat_ase_biwfa Interworking Function Address( X.213 NSAP encoded) Byte array
bicc.bat_ase_BCTP_BVEI BVEI Boolean
bicc.bat_ase_BCTP_Tunnelled_Protocol_Indicator Tunnelled Protocol Indicator Unsigned 8-bit integer
bicc.bat_ase_BCTP_Version_Indicator BCTP Version Indicator Unsigned 8-bit integer
bicc.bat_ase_BCTP_tpei TPEI Boolean
bicc.bat_ase_Instruction_ind_for_general_action BAT ASE Instruction indicator for general action Unsigned 8-bit integer
bicc.bat_ase_Instruction_ind_for_pass_on_not_possible Instruction ind for pass-on not possible Unsigned 8-bit integer
bicc.bat_ase_Send_notification_ind_for_general_action Send notification indicator for general action Boolean
bicc.bat_ase_Send_notification_ind_for_pass_on_not_possible Send notification indication for pass-on not possible Boolean
bicc.bat_ase_bat_ase_action_indicator_field BAT ASE action indicator field Unsigned 8-bit integer
bicc.bat_ase_identifier BAT ASE Identifiers Unsigned 8-bit integer
bicc.bat_ase_length_indicator BAT ASE Element length indicator Unsigned 16-bit integer
cg_alarm_car_ind Alarm Carrier Indicator Unsigned 8-bit integer
cg_alarm_cnt_chk Continuity Check Indicator Unsigned 8-bit integer
cg_carrier_ind CVR Circuit Group Carrier Unsigned 8-bit integer
cg_char_ind.doubleSeize Doube Seize Control Unsigned 8-bit integer
conn_rsp_ind CVR Response Ind Unsigned 8-bit integer
isup.APM_Sequence_ind Sequence indicator (SI) Boolean
isup.APM_slr Segmentation local reference (SLR) Unsigned 8-bit integer
isup.Discard_message_ind_value Discard message indicator Boolean
isup.Discard_parameter_ind Discard parameter indicator Boolean
isup.IECD_inf_ind_vals IECD information indicator Unsigned 8-bit integer
isup.IECD_req_ind_vals IECD request indicator Unsigned 8-bit integer
isup.OECD_inf_ind_vals OECD information indicator Unsigned 8-bit integer
isup.OECD_req_ind_vals OECD request indicator Unsigned 8-bit integer
isup.Release_call_ind Release call indicator Boolean
isup.Send_notification_ind Send notification indicator Boolean
isup.UUI_network_discard_ind User-to-User indicator network discard indicator Boolean
isup.UUI_req_service1 User-to-User indicator request service 1 Unsigned 8-bit integer
isup.UUI_req_service2 User-to-User indicator request service 2 Unsigned 8-bit integer
isup.UUI_req_service3 User-to-User indicator request service 3 Unsigned 8-bit integer
isup.UUI_res_service1 User-to-User indicator response service 1 Unsigned 8-bit integer
isup.UUI_res_service2 User-to-User indicator response service 2 Unsigned 8-bit integer
isup.UUI_res_service3 User-to-User response service 3 Unsigned 8-bit integer
isup.UUI_type User-to-User indicator type Boolean
isup.access_delivery_ind Access delivery indicator Boolean
isup.address_presentation_restricted_indicator Address presentation restricted indicator Unsigned 8-bit integer
isup.apm_segmentation_ind APM segmentation indicator Unsigned 8-bit integer
isup.app_Release_call_indicator Release call indicator (RCI) Boolean
isup.app_Send_notification_ind Send notification indicator (SNI) Boolean
isup.app_context_identifier Application context identifier Unsigned 16-bit integer
isup.automatic_congestion_level Automatic congestion level Unsigned 8-bit integer
isup.backw_call_echo_control_device_indicator Echo Control Device Indicator Boolean
isup.backw_call_end_to_end_information_indicator End-to-end information indicator Boolean
isup.backw_call_end_to_end_method_indicator End-to-end method indicator Unsigned 16-bit integer
isup.backw_call_holding_indicator Holding indicator Boolean
isup.backw_call_interworking_indicator Interworking indicator Boolean
isup.backw_call_isdn_access_indicator ISDN access indicator Boolean
isup.backw_call_isdn_user_part_indicator ISDN user part indicator Boolean
isup.backw_call_sccp_method_indicator SCCP method indicator Unsigned 16-bit integer
isup.call_diversion_may_occur_ind Call diversion may occur indicator Boolean
isup.call_processing_state Call processing state Unsigned 8-bit integer
isup.call_to_be_diverted_ind Call to be diverted indicator Unsigned 8-bit integer
isup.call_to_be_offered_ind Call to be offered indicator Unsigned 8-bit integer
isup.called ISUP Called Number String
isup.called_party_even_address_signal_digit Address signal digit Unsigned 8-bit integer
isup.called_party_nature_of_address_indicator Nature of address indicator Unsigned 8-bit integer
isup.called_party_odd_address_signal_digit Address signal digit Unsigned 8-bit integer
isup.called_partys_category_indicator Called party's category indicator Unsigned 16-bit integer
isup.called_partys_status_indicator Called party's status indicator Unsigned 16-bit integer
isup.calling ISUP Calling Number String
isup.calling_party_address_request_indicator Calling party address request indicator Boolean
isup.calling_party_address_response_indicator Calling party address response indicator Unsigned 16-bit integer
isup.calling_party_even_address_signal_digit Address signal digit Unsigned 8-bit integer
isup.calling_party_nature_of_address_indicator Nature of address indicator Unsigned 8-bit integer
isup.calling_party_odd_address_signal_digit Address signal digit Unsigned 8-bit integer
isup.calling_partys_category Calling Party's category Unsigned 8-bit integer
isup.calling_partys_category_request_indicator Calling party's category request indicator Boolean
isup.calling_partys_category_response_indicator Calling party's category response indicator Boolean
isup.cause_indicator Cause indicator Unsigned 8-bit integer
isup.cause_location Cause location Unsigned 8-bit integer
isup.cgs_message_type Circuit group supervision message type Unsigned 8-bit integer
isup.charge_indicator Charge indicator Unsigned 16-bit integer
isup.charge_information_request_indicator Charge information request indicator Boolean
isup.charge_information_response_indicator Charge information response indicator Boolean
isup.cic CIC Unsigned 16-bit integer
isup.clg_call_ind Closed user group call indicator Unsigned 8-bit integer
isup.conference_acceptance_ind Conference acceptance indicator Unsigned 8-bit integer
isup.connected_line_identity_request_ind Connected line identity request indicator Boolean
isup.continuity_check_indicator Continuity Check Indicator Unsigned 8-bit integer
isup.continuity_indicator Continuity indicator Boolean
isup.echo_control_device_indicator Echo Control Device Indicator Boolean
isup.event_ind Event indicator Unsigned 8-bit integer
isup.event_presentatiation_restr_ind Event presentation restricted indicator Boolean
isup.extension_ind Extension indicator Boolean
isup.forw_call_end_to_end_information_indicator End-to-end information indicator Boolean
isup.forw_call_end_to_end_method_indicator End-to-end method indicator Unsigned 16-bit integer
isup.forw_call_interworking_indicator Interworking indicator Boolean
isup.forw_call_isdn_access_indicator ISDN access indicator Boolean
isup.forw_call_isdn_user_part_indicator ISDN user part indicator Boolean
isup.forw_call_natnl_inatnl_call_indicator National/international call indicator Boolean
isup.forw_call_preferences_indicator ISDN user part preference indicator Unsigned 16-bit integer
isup.forw_call_sccp_method_indicator SCCP method indicator Unsigned 16-bit integer
isup.hold_provided_indicator Hold provided indicator Boolean
isup.hw_blocking_state HW blocking state Unsigned 8-bit integer
isup.inband_information_ind In-band information indicator Boolean
isup.info_req_holding_indicator Holding indicator Boolean
isup.inn_indicator INN indicator Boolean
isup.isdn_odd_even_indicator Odd/even indicator Boolean
isup.loop_prevention_response_ind Response indicator Unsigned 8-bit integer
isup.malicious_call_ident_request_indicator Malicious call identification request indicator (ISUP'88) Boolean
isup.mandatory_variable_parameter_pointer Pointer to Parameter Unsigned 8-bit integer
isup.map_type Map Type Unsigned 8-bit integer
isup.message_type Message Type Unsigned 8-bit integer
isup.mlpp_user MLPP user indicator Boolean
isup.mtc_blocking_state Maintenance blocking state Unsigned 8-bit integer
isup.network_identification_plan Network identification plan Unsigned 8-bit integer
isup.ni_indicator NI indicator Boolean
isup.numbering_plan_indicator Numbering plan indicator Unsigned 8-bit integer
isup.optional_parameter_part_pointer Pointer to optional parameter part Unsigned 8-bit integer
isup.orig_addr_len Originating Address length Unsigned 8-bit integer Originating Address length
isup.original_redirection_reason Original redirection reason Unsigned 16-bit integer
isup.parameter_length Parameter Length Unsigned 8-bit integer
isup.parameter_type Parameter Type Unsigned 8-bit integer
isup.range_indicator Range indicator Unsigned 8-bit integer
isup.redirecting ISUP Redirecting Number String
isup.redirecting_ind Redirection indicator Unsigned 16-bit integer
isup.redirection_counter Redirection counter Unsigned 16-bit integer
isup.redirection_reason Redirection reason Unsigned 16-bit integer
isup.satellite_indicator Satellite Indicator Unsigned 8-bit integer
isup.screening_indicator Screening indicator Unsigned 8-bit integer
isup.screening_indicator_enhanced Screening indicator Unsigned 8-bit integer
isup.simple_segmentation_ind Simple segmentation indicator Boolean
isup.solicided_indicator Solicited indicator Boolean
isup.suspend_resume_indicator Suspend/Resume indicator Boolean
isup.temporary_alternative_routing_ind Temporary alternative routing indicator Boolean
isup.transit_at_intermediate_exchange_ind Transit at intermediate exchange indicator Boolean
isup.transmission_medium_requirement Transmission medium requirement Unsigned 8-bit integer
isup.transmission_medium_requirement_prime Transmission medium requirement prime Unsigned 8-bit integer
isup.type_of_network_identification Type of network identification Unsigned 8-bit integer
isup_Pass_on_not_possible_ind Pass on not possible indicator Unsigned 8-bit integer
isup_Pass_on_not_possible_val Pass on not possible indicator Boolean
isup_apm.msg.fragment Message fragment Frame number
isup_apm.msg.fragment.error Message defragmentation error Frame number
isup_apm.msg.fragment.multiple_tails Message has multiple tail fragments Boolean
isup_apm.msg.fragment.overlap Message fragment overlap Boolean
isup_apm.msg.fragment.overlap.conflicts Message fragment overlapping with conflicting data Boolean
isup_apm.msg.fragment.too_long_fragment Message fragment too long Boolean
isup_apm.msg.fragments Message fragments No value
isup_apm.msg.reassembled.in Reassembled in Frame number
isup_broadband-narrowband_interworking_ind Broadband narrowband interworking indicator Bits JF Unsigned 8-bit integer
isup_broadband-narrowband_interworking_ind2 Broadband narrowband interworking indicator Bits GF Unsigned 8-bit integer
nsap.iana_icp IANA ICP Unsigned 16-bit integer
nsap.ipv4_addr IWFA IPv4 Address IPv4 address IPv4 address
nsap.ipv6_addr IWFA IPv6 Address IPv6 address IPv6 address
x213.afi X.213 Address Format Information ( AFI ) Unsigned 8-bit integer
x213.dsp X.213 Address Format Information ( DSP ) Byte array
isis.csnp.pdu_length PDU length Unsigned 16-bit integer
isis.hello.circuit_type Circuit type Unsigned 8-bit integer
isis.hello.clv_ipv4_int_addr IPv4 interface address IPv4 address
isis.hello.clv_ipv6_int_addr IPv6 interface address IPv6 address
isis.hello.clv_mt MT-ID Unsigned 16-bit integer
isis.hello.clv_ptp_adj Point-to-point Adjacency Unsigned 8-bit integer
isis.hello.holding_timer Holding timer Unsigned 16-bit integer
isis.hello.lan_id SystemID{ Designated IS } Byte array
isis.hello.local_circuit_id Local circuit ID Unsigned 8-bit integer
isis.hello.pdu_length PDU length Unsigned 16-bit integer
isis.hello.priority Priority Unsigned 8-bit integer
isis.hello.source_id SystemID{ Sender of PDU } Byte array
isis.irpd Intra Domain Routing Protocol Discriminator Unsigned 8-bit integer
isis.len PDU Header Length Unsigned 8-bit integer
isis.lsp.att Attachment Unsigned 8-bit integer
isis.lsp.checksum Checksum Unsigned 16-bit integer
isis.lsp.checksum_bad Bad Checksum Boolean Bad IS-IS LSP Checksum
isis.lsp.clv_ipv4_int_addr IPv4 interface address IPv4 address
isis.lsp.clv_ipv6_int_addr IPv6 interface address IPv6 address
isis.lsp.clv_mt MT-ID Unsigned 16-bit integer
isis.lsp.clv_te_router_id Traffic Engineering Router ID IPv4 address
isis.lsp.is_type Type of Intermediate System Unsigned 8-bit integer
isis.lsp.overload Overload bit Boolean If set, this router will not be used by any decision process to calculate routes
isis.lsp.partition_repair Partition Repair Boolean If set, this router supports the optional Partition Repair function
isis.lsp.pdu_length PDU length Unsigned 16-bit integer
isis.lsp.remaining_life Remaining lifetime Unsigned 16-bit integer
isis.lsp.sequence_number Sequence number Unsigned 32-bit integer
isis.max_area_adr Max.AREAs: (0==3) Unsigned 8-bit integer
isis.psnp.pdu_length PDU length Unsigned 16-bit integer
isis.reserved Reserved (==0) Unsigned 8-bit integer
isis.sysid_len System ID Length Unsigned 8-bit integer
isis.type PDU Type Unsigned 8-bit integer
isis.version Version (==1) Unsigned 8-bit integer
isis.version2 Version2 (==1) Unsigned 8-bit integer
cotp.destref Destination reference Unsigned 16-bit integer Destination address reference
cotp.dst-tsap Destination TSAP String Called TSAP
cotp.dst-tsap-bytes Destination TSAP Byte array Called TSAP (bytes representation)
cotp.eot Last data unit Boolean Is current TPDU the last data unit of a complete DT TPDU sequence (End of TSDU)?
cotp.li Length Unsigned 8-bit integer Length Indicator, length of this header
cotp.next-tpdu-number Your TPDU number Unsigned 8-bit integer Your TPDU number
cotp.reassembled_in Reassembled COTP in frame Frame number This COTP packet is reassembled in this frame
cotp.segment COTP Segment Frame number COTP Segment
cotp.segment.error Reassembly error Frame number Reassembly error due to illegal segments
cotp.segment.multipletails Multiple tail segments found Boolean Several tails were found when reassembling the packet
cotp.segment.overlap Segment overlap Boolean Segment overlaps with other segments
cotp.segment.overlap.conflict Conflicting data in segment overlap Boolean Overlapping segments contained conflicting data
cotp.segment.toolongsegment Segment too long Boolean Segment contained data past end of packet
cotp.segments COTP Segments No value COTP Segments
cotp.src-tsap Source TSAP String Calling TSAP
cotp.src-tsap-bytes Source TSAP Byte array Calling TSAP (bytes representation)
cotp.srcref Source reference Unsigned 16-bit integer Source address reference
cotp.tpdu-number TPDU number Unsigned 8-bit integer TPDU number
cotp.type PDU Type Unsigned 8-bit integer PDU Type - upper nibble of byte
ses.activity_identifier Activity Identifier Unsigned 32-bit integer Activity Identifier
ses.activity_management Activity management function unit Boolean Activity management function unit
ses.additional_reference_information Additional Reference Information Byte array Additional Reference Information
ses.begininng_of_SSDU beginning of SSDU Boolean beginning of SSDU
ses.called_session_selector Called Session Selector Byte array Called Session Selector
ses.called_ss_user_reference Called SS User Reference Byte array Called SS User Reference
ses.calling_session_selector Calling Session Selector Byte array Calling Session Selector
ses.calling_ss_user_reference Calling SS User Reference Byte array Calling SS User Reference
ses.capability_data Capability function unit Boolean Capability function unit
ses.common_reference Common Reference Byte array Common Reference
ses.connect.f1 Able to receive extended concatenated SPDU Boolean Able to receive extended concatenated SPDU
ses.connect.flags Flags Unsigned 8-bit integer
ses.data_sep Data separation function unit Boolean Data separation function unit
ses.data_token data token Boolean data token
ses.data_token_setting data token setting Unsigned 8-bit integer data token setting
ses.duplex Duplex functional unit Boolean Duplex functional unit
ses.enclosure.flags Flags Unsigned 8-bit integer
ses.end_of_SSDU end of SSDU Boolean end of SSDU
ses.exception_data Exception function unit Boolean Exception function unit
ses.exception_report. Session exception report Boolean Session exception report
ses.expedited_data Expedited data function unit Boolean Expedited data function unit
ses.half_duplex Half-duplex functional unit Boolean Half-duplex functional unit
ses.initial_serial_number Initial Serial Number String Initial Serial Number
ses.large_initial_serial_number Large Initial Serial Number String Large Initial Serial Number
ses.large_second_initial_serial_number Large Second Initial Serial Number String Large Second Initial Serial Number
ses.length Length Unsigned 16-bit integer
ses.major.token major/activity token Boolean major/activity token
ses.major_activity_token_setting major/activity setting Unsigned 8-bit integer major/activity token setting
ses.major_resynchronize Major resynchronize function unit Boolean Major resynchronize function unit
ses.minor_resynchronize Minor resynchronize function unit Boolean Minor resynchronize function unit
ses.negotiated_release Negotiated release function unit Boolean Negotiated release function unit
ses.proposed_tsdu_maximum_size_i2r Proposed TSDU Maximum Size, Initiator to Responder Unsigned 16-bit integer Proposed TSDU Maximum Size, Initiator to Responder
ses.proposed_tsdu_maximum_size_r2i Proposed TSDU Maximum Size, Responder to Initiator Unsigned 16-bit integer Proposed TSDU Maximum Size, Responder to Initiator
ses.protocol_version1 Protocol Version 1 Boolean Protocol Version 1
ses.protocol_version2 Protocol Version 2 Boolean Protocol Version 2
ses.release_token release token Boolean release token
ses.release_token_setting release token setting Unsigned 8-bit integer release token setting
ses.req.flags Flags Unsigned 16-bit integer
ses.reserved Reserved Unsigned 8-bit integer
ses.resynchronize Resynchronize function unit Boolean Resynchronize function unit
ses.second_initial_serial_number Second Initial Serial Number String Second Initial Serial Number
ses.second_serial_number Second Serial Number String Second Serial Number
ses.serial_number Serial Number String Serial Number
ses.symm_sync Symmetric synchronize function unit Boolean Symmetric synchronize function unit
ses.synchronize_minor_token_setting synchronize-minor token setting Unsigned 8-bit integer synchronize-minor token setting
ses.synchronize_token synchronize minor token Boolean synchronize minor token
ses.tken_item.flags Flags Unsigned 8-bit integer
ses.type SPDU Type Unsigned 8-bit integer
ses.typed_data Typed data function unit Boolean Typed data function unit
ses.version Version Unsigned 8-bit integer
ses.version.flags Flags Unsigned 8-bit integer
clnp.checksum Checksum Unsigned 16-bit integer
clnp.dsap DA Byte array
clnp.dsap.len DAL Unsigned 8-bit integer
clnp.len HDR Length Unsigned 8-bit integer
clnp.nlpi Network Layer Protocol Identifier Unsigned 8-bit integer
clnp.pdu.len PDU length Unsigned 16-bit integer
clnp.reassembled_in Reassembled CLNP in frame Frame number This CLNP packet is reassembled in this frame
clnp.segment CLNP Segment Frame number CLNP Segment
clnp.segment.error Reassembly error Frame number Reassembly error due to illegal segments
clnp.segment.multipletails Multiple tail segments found Boolean Several tails were found when reassembling the packet
clnp.segment.overlap Segment overlap Boolean Segment overlaps with other segments
clnp.segment.overlap.conflict Conflicting data in segment overlap Boolean Overlapping segments contained conflicting data
clnp.segment.toolongsegment Segment too long Boolean Segment contained data past end of packet
clnp.segments CLNP Segments No value CLNP Segments
clnp.ssap SA Byte array
clnp.ssap.len SAL Unsigned 8-bit integer
clnp.ttl Holding Time Unsigned 8-bit integer
clnp.type PDU Type Unsigned 8-bit integer
clnp.version Version Unsigned 8-bit integer
ftam.AND_Set_item Item Unsigned 32-bit integer ftam.AND_Set_item
ftam.Attribute_Extension_Names_item Item No value ftam.Attribute_Extension_Set_Name
ftam.Attribute_Extensions_Pattern_item Item No value ftam.Attribute_Extensions_Pattern_item
ftam.Attribute_Extensions_item Item No value ftam.Attribute_Extension_Set
ftam.Attribute_Value_Assertions_item Item Unsigned 32-bit integer ftam.AND_Set
ftam.Charging_item Item No value ftam.Charging_item
ftam.Child_Objects_Attribute_item Item String ftam.GraphicString
ftam.Contents_Type_List_item Item Unsigned 32-bit integer ftam.Contents_Type_List_item
ftam.Diagnostic_item Item No value ftam.Diagnostic_item
ftam.OR_Set_item Item Unsigned 32-bit integer ftam.AND_Set
ftam.Objects_Attributes_List_item Item No value ftam.Read_Attributes
ftam.Pass_Passwords_item Item Unsigned 32-bit integer ftam.Password
ftam.Path_Access_Passwords_item Item No value ftam.Path_Access_Passwords_item
ftam.Pathname_item Item String ftam.GraphicString
ftam.Scope_item Item No value ftam.Scope_item
ftam.abstract_Syntax_Pattern abstract-Syntax-Pattern No value ftam.Object_Identifier_Pattern
ftam.abstract_Syntax_name abstract-Syntax-name ftam.Abstract_Syntax_Name
ftam.abstract_Syntax_not_supported abstract-Syntax-not-supported No value ftam.NULL
ftam.access-class access-class Boolean
ftam.access_context access-context No value ftam.Access_Context
ftam.access_control access-control Unsigned 32-bit integer ftam.Access_Control_Change_Attribute
ftam.access_passwords access-passwords No value ftam.Access_Passwords
ftam.account account String ftam.Account
ftam.action_list action-list Byte array ftam.Access_Request
ftam.action_result action-result Signed 32-bit integer ftam.Action_Result
ftam.activity_identifier activity-identifier Signed 32-bit integer ftam.Activity_Identifier
ftam.actual_values actual-values Unsigned 32-bit integer ftam.SET_OF_Access_Control_Element
ftam.actual_values_item Item No value ftam.Access_Control_Element
ftam.ae ae Unsigned 32-bit integer ftam.AE_qualifier
ftam.any_match any-match No value ftam.NULL
ftam.ap ap Unsigned 32-bit integer ftam.AP_title
ftam.attribute_extension_names attribute-extension-names Unsigned 32-bit integer ftam.Attribute_Extension_Names
ftam.attribute_extensions attribute-extensions Unsigned 32-bit integer ftam.Attribute_Extensions
ftam.attribute_extensions_pattern attribute-extensions-pattern Unsigned 32-bit integer ftam.Attribute_Extensions_Pattern
ftam.attribute_groups attribute-groups Byte array ftam.Attribute_Groups
ftam.attribute_names attribute-names Byte array ftam.Attribute_Names
ftam.attribute_value_assertions attribute-value-assertions Unsigned 32-bit integer ftam.Attribute_Value_Assertions
ftam.attribute_value_asset_tions attribute-value-asset-tions Unsigned 32-bit integer ftam.Attribute_Value_Assertions
ftam.attributes attributes No value ftam.Select_Attributes
ftam.begin_end begin-end Signed 32-bit integer ftam.T_begin_end
ftam.boolean_value boolean-value Boolean ftam.BOOLEAN
ftam.bulk_Data_PDU bulk-Data-PDU Unsigned 32-bit integer ftam.Bulk_Data_PDU
ftam.bulk_transfer_number bulk-transfer-number Signed 32-bit integer ftam.INTEGER
ftam.change-attribute change-attribute Boolean
ftam.change_attribute change-attribute Signed 32-bit integer ftam.Lock
ftam.change_attribute_password change-attribute-password Unsigned 32-bit integer ftam.Password
ftam.charging charging Unsigned 32-bit integer ftam.Charging
ftam.charging_unit charging-unit String ftam.GraphicString
ftam.charging_value charging-value Signed 32-bit integer ftam.INTEGER
ftam.checkpoint_identifier checkpoint-identifier Signed 32-bit integer ftam.INTEGER
ftam.checkpoint_window checkpoint-window Signed 32-bit integer ftam.INTEGER
ftam.child_objects child-objects Unsigned 32-bit integer ftam.Child_Objects_Attribute
ftam.child_objects_Pattern child-objects-Pattern No value ftam.Pathname_Pattern
ftam.complete_pathname complete-pathname Unsigned 32-bit integer ftam.Pathname
ftam.concurrency_access concurrency-access No value ftam.Concurrency_Access
ftam.concurrency_control concurrency-control No value ftam.Concurrency_Control
ftam.concurrent-access concurrent-access Boolean
ftam.concurrent_bulk_transfer_number concurrent-bulk-transfer-number Signed 32-bit integer ftam.INTEGER
ftam.concurrent_recovery_point concurrent-recovery-point Signed 32-bit integer ftam.INTEGER
ftam.consecutive-access consecutive-access Boolean
ftam.constraint_Set_Pattern constraint-Set-Pattern No value ftam.Object_Identifier_Pattern
ftam.constraint_set_abstract_Syntax_Pattern constraint-set-abstract-Syntax-Pattern No value ftam.T_constraint_set_abstract_Syntax_Pattern
ftam.constraint_set_and_abstract_Syntax constraint-set-and-abstract-Syntax No value ftam.T_constraint_set_and_abstract_Syntax
ftam.constraint_set_name constraint-set-name ftam.Constraint_Set_Name
ftam.contents_type contents-type Unsigned 32-bit integer ftam.T_open_contents_type
ftam.contents_type_Pattern contents-type-Pattern Unsigned 32-bit integer ftam.Contents_Type_Pattern
ftam.contents_type_list contents-type-list Unsigned 32-bit integer ftam.Contents_Type_List
ftam.create_password create-password Unsigned 32-bit integer ftam.Password
ftam.date_and_time_of_creation date-and-time-of-creation Unsigned 32-bit integer ftam.Date_and_Time_Attribute
ftam.date_and_time_of_creation_Pattern date-and-time-of-creation-Pattern No value ftam.Date_and_Time_Pattern
ftam.date_and_time_of_last_attribute_modification date-and-time-of-last-attribute-modification Unsigned 32-bit integer ftam.Date_and_Time_Attribute
ftam.date_and_time_of_last_attribute_modification_Pattern date-and-time-of-last-attribute-modification-Pattern No value ftam.Date_and_Time_Pattern
ftam.date_and_time_of_last_modification date-and-time-of-last-modification Unsigned 32-bit integer ftam.Date_and_Time_Attribute
ftam.date_and_time_of_last_modification_Pattern date-and-time-of-last-modification-Pattern No value ftam.Date_and_Time_Pattern
ftam.date_and_time_of_last_read_access date-and-time-of-last-read-access Unsigned 32-bit integer ftam.Date_and_Time_Attribute
ftam.date_and_time_of_last_read_access_Pattern date-and-time-of-last-read-access-Pattern No value ftam.Date_and_Time_Pattern
ftam.define_contexts define-contexts Unsigned 32-bit integer ftam.SET_OF_Abstract_Syntax_Name
ftam.define_contexts_item Item ftam.Abstract_Syntax_Name
ftam.degree_of_overlap degree-of-overlap Signed 32-bit integer ftam.Degree_Of_Overlap
ftam.delete-Object delete-Object Boolean
ftam.delete_Object delete-Object Signed 32-bit integer ftam.Lock
ftam.delete_password delete-password Unsigned 32-bit integer ftam.Password
ftam.delete_values delete-values Unsigned 32-bit integer ftam.SET_OF_Access_Control_Element
ftam.delete_values_item Item No value ftam.Access_Control_Element
ftam.destination_file_directory destination-file-directory Unsigned 32-bit integer ftam.Destination_File_Directory
ftam.diagnostic diagnostic Unsigned 32-bit integer ftam.Diagnostic
ftam.diagnostic_type diagnostic-type Signed 32-bit integer ftam.T_diagnostic_type
ftam.document_type document-type No value ftam.T_document_type
ftam.document_type_Pattern document-type-Pattern No value ftam.Object_Identifier_Pattern
ftam.document_type_name document-type-name ftam.Document_Type_Name
ftam.enable_fadu_locking enable-fadu-locking Boolean ftam.BOOLEAN
ftam.enhanced-file-management enhanced-file-management Boolean
ftam.enhanced-filestore-management enhanced-filestore-management Boolean
ftam.equality_comparision equality-comparision Byte array ftam.Equality_Comparision
ftam.equals-matches equals-matches Boolean
ftam.erase erase Signed 32-bit integer ftam.Lock
ftam.erase_password erase-password Unsigned 32-bit integer ftam.Password
ftam.error_Source error-Source Signed 32-bit integer ftam.Entity_Reference
ftam.error_action error-action Signed 32-bit integer ftam.Error_Action
ftam.error_identifier error-identifier Signed 32-bit integer ftam.INTEGER
ftam.error_observer error-observer Signed 32-bit integer ftam.Entity_Reference
ftam.exclusive exclusive Boolean
ftam.extend extend Signed 32-bit integer ftam.Lock
ftam.extend_password extend-password Unsigned 32-bit integer ftam.Password
ftam.extension extension Boolean
ftam.extension_attribute extension-attribute No value ftam.T_extension_attribute
ftam.extension_attribute_Pattern extension-attribute-Pattern No value ftam.T_extension_attribute_Pattern
ftam.extension_attribute_identifier extension-attribute-identifier ftam.T_extension_attribute_identifier
ftam.extension_attribute_names extension-attribute-names Unsigned 32-bit integer ftam.SEQUENCE_OF_Extension_Attribute_identifier
ftam.extension_attribute_names_item Item ftam.Extension_Attribute_identifier
ftam.extension_set_attribute_Patterns extension-set-attribute-Patterns Unsigned 32-bit integer ftam.T_extension_set_attribute_Patterns
ftam.extension_set_attribute_Patterns_item Item No value ftam.T_extension_set_attribute_Patterns_item
ftam.extension_set_attributes extension-set-attributes Unsigned 32-bit integer ftam.SEQUENCE_OF_Extension_Attribute
ftam.extension_set_attributes_item Item No value ftam.Extension_Attribute
ftam.extension_set_identifier extension-set-identifier ftam.Extension_Set_Identifier
ftam.f-erase f-erase Boolean
ftam.f-extend f-extend Boolean
ftam.f-insert f-insert Boolean
ftam.f-read f-read Boolean
ftam.f-replace f-replace Boolean
ftam.fSM_PDU fSM-PDU Unsigned 32-bit integer ftam.FSM_PDU
ftam.fTAM_Regime_PDU fTAM-Regime-PDU Unsigned 32-bit integer ftam.FTAM_Regime_PDU
ftam.f_Change_Iink_attrib_response f-Change-Iink-attrib-response No value ftam.F_CHANGE_LINK_ATTRIB_response
ftam.f_Change_attrib_reques f-Change-attrib-reques No value ftam.F_CHANGE_ATTRIB_request
ftam.f_Change_attrib_respon f-Change-attrib-respon No value ftam.F_CHANGE_ATTRIB_response
ftam.f_Change_link_attrib_request f-Change-link-attrib-request No value ftam.F_CHANGE_LINK_ATTRIB_request
ftam.f_Change_prefix_request f-Change-prefix-request No value ftam.F_CHANGE_PREFIX_request
ftam.f_Change_prefix_response f-Change-prefix-response No value ftam.F_CHANGE_PREFIX_response
ftam.f_begin_group_request f-begin-group-request No value ftam.F_BEGIN_GROUP_request
ftam.f_begin_group_response f-begin-group-response No value ftam.F_BEGIN_GROUP_response
ftam.f_cancel_request f-cancel-request No value ftam.F_CANCEL_request
ftam.f_cancel_response f-cancel-response No value ftam.F_CANCEL_response
ftam.f_close_request f-close-request No value ftam.F_CLOSE_request
ftam.f_close_response f-close-response No value ftam.F_CLOSE_response
ftam.f_copy_request f-copy-request No value ftam.F_COPY_request
ftam.f_copy_response f-copy-response No value ftam.F_COPY_response
ftam.f_create_directory_request f-create-directory-request No value ftam.F_CREATE_DIRECTORY_request
ftam.f_create_directory_response f-create-directory-response No value ftam.F_CREATE_DIRECTORY_response
ftam.f_create_request f-create-request No value ftam.F_CREATE_request
ftam.f_create_response f-create-response No value ftam.F_CREATE_response
ftam.f_data_end_request f-data-end-request No value ftam.F_DATA_END_request
ftam.f_delete_request f-delete-request No value ftam.F_DELETE_request
ftam.f_delete_response f-delete-response No value ftam.F_DELETE_response
ftam.f_deselect_request f-deselect-request No value ftam.F_DESELECT_request
ftam.f_deselect_response f-deselect-response No value ftam.F_DESELECT_response
ftam.f_end_group_request f-end-group-request No value ftam.F_END_GROUP_request
ftam.f_end_group_response f-end-group-response No value ftam.F_END_GROUP_response
ftam.f_erase_request f-erase-request No value ftam.F_ERASE_request
ftam.f_erase_response f-erase-response No value ftam.F_ERASE_response
ftam.f_group_Change_attrib_request f-group-Change-attrib-request No value ftam.F_GROUP_CHANGE_ATTRIB_request
ftam.f_group_Change_attrib_response f-group-Change-attrib-response No value ftam.F_GROUP_CHANGE_ATTRIB_response
ftam.f_group_copy_request f-group-copy-request No value ftam.F_GROUP_COPY_request
ftam.f_group_copy_response f-group-copy-response No value ftam.F_GROUP_COPY_response
ftam.f_group_delete_request f-group-delete-request No value ftam.F_GROUP_DELETE_request
ftam.f_group_delete_response f-group-delete-response No value ftam.F_GROUP_DELETE_response
ftam.f_group_list_request f-group-list-request No value ftam.F_GROUP_LIST_request
ftam.f_group_list_response f-group-list-response No value ftam.F_GROUP_LIST_response
ftam.f_group_move_request f-group-move-request No value ftam.F_GROUP_MOVE_request
ftam.f_group_move_response f-group-move-response No value ftam.F_GROUP_MOVE_response
ftam.f_group_select_request f-group-select-request No value ftam.F_GROUP_SELECT_request
ftam.f_group_select_response f-group-select-response No value ftam.F_GROUP_SELECT_response
ftam.f_initialize_request f-initialize-request No value ftam.F_INITIALIZE_request
ftam.f_initialize_response f-initialize-response No value ftam.F_INITIALIZE_response
ftam.f_link_request f-link-request No value ftam.F_LINK_request
ftam.f_link_response f-link-response No value ftam.F_LINK_response
ftam.f_list_request f-list-request No value ftam.F_LIST_request
ftam.f_list_response f-list-response No value ftam.F_LIST_response
ftam.f_locate_request f-locate-request No value ftam.F_LOCATE_request
ftam.f_locate_response f-locate-response No value ftam.F_LOCATE_response
ftam.f_move_request f-move-request No value ftam.F_MOVE_request
ftam.f_move_response f-move-response No value ftam.F_MOVE_response
ftam.f_open_request f-open-request No value ftam.F_OPEN_request
ftam.f_open_response f-open-response No value ftam.F_OPEN_response
ftam.f_p_abort_request f-p-abort-request No value ftam.F_P_ABORT_request
ftam.f_read_attrib_request f-read-attrib-request No value ftam.F_READ_ATTRIB_request
ftam.f_read_attrib_response f-read-attrib-response No value ftam.F_READ_ATTRIB_response
ftam.f_read_link_attrib_request f-read-link-attrib-request No value ftam.F_READ_LINK_ATTRIB_request
ftam.f_read_link_attrib_response f-read-link-attrib-response No value ftam.F_READ_LINK_ATTRIB_response
ftam.f_read_request f-read-request No value ftam.F_READ_request
ftam.f_recover_request f-recover-request No value ftam.F_RECOVER_request
ftam.f_recover_response f-recover-response No value ftam.F_RECOVER_response
ftam.f_restart_request f-restart-request No value ftam.F_RESTART_request
ftam.f_restart_response f-restart-response No value ftam.F_RESTART_response
ftam.f_select_another_request f-select-another-request No value ftam.F_SELECT_ANOTHER_request
ftam.f_select_another_response f-select-another-response No value ftam.F_SELECT_ANOTHER_response
ftam.f_select_request f-select-request No value ftam.F_SELECT_request
ftam.f_select_response f-select-response No value ftam.F_SELECT_response
ftam.f_terminate_request f-terminate-request No value ftam.F_TERMINATE_request
ftam.f_terminate_response f-terminate-response No value ftam.F_TERMINATE_response
ftam.f_transfer_end_request f-transfer-end-request No value ftam.F_TRANSFER_END_request
ftam.f_transfer_end_response f-transfer-end-response No value ftam.F_TRANSFER_END_response
ftam.f_u_abort_request f-u-abort-request No value ftam.F_U_ABORT_request
ftam.f_unlink_request f-unlink-request No value ftam.F_UNLINK_request
ftam.f_unlink_response f-unlink-response No value ftam.F_UNLINK_response
ftam.f_write_request f-write-request No value ftam.F_WRITE_request
ftam.fadu-locking fadu-locking Boolean
ftam.fadu_lock fadu-lock Signed 32-bit integer ftam.FADU_Lock
ftam.fadu_number fadu-number Signed 32-bit integer ftam.INTEGER
ftam.file-access file-access Boolean
ftam.file_PDU file-PDU Unsigned 32-bit integer ftam.File_PDU
ftam.file_access_data_unit_Operation file-access-data-unit-Operation Signed 32-bit integer ftam.T_file_access_data_unit_Operation
ftam.file_access_data_unit_identity file-access-data-unit-identity Unsigned 32-bit integer ftam.FADU_Identity
ftam.filestore_password filestore-password Unsigned 32-bit integer ftam.Password
ftam.first_last first-last Signed 32-bit integer ftam.T_first_last
ftam.ftam_quality_of_Service ftam-quality-of-Service Signed 32-bit integer ftam.FTAM_Quality_of_Service
ftam.functional_units functional-units Byte array ftam.Functional_Units
ftam.further_details further-details String ftam.GraphicString
ftam.future_Object_size future-Object-size Unsigned 32-bit integer ftam.Object_Size_Attribute
ftam.future_object_size_Pattern future-object-size-Pattern No value ftam.Integer_Pattern
ftam.graphicString graphicString String ftam.GraphicString
ftam.greater-than-matches greater-than-matches Boolean
ftam.group-manipulation group-manipulation Boolean
ftam.grouping grouping Boolean
ftam.identity identity String ftam.User_Identity
ftam.identity_last_attribute_modifier identity-last-attribute-modifier Unsigned 32-bit integer ftam.User_Identity_Attribute
ftam.identity_of_creator identity-of-creator Unsigned 32-bit integer ftam.User_Identity_Attribute
ftam.identity_of_creator_Pattern identity-of-creator-Pattern No value ftam.User_Identity_Pattern
ftam.identity_of_last_attribute_modifier_Pattern identity-of-last-attribute-modifier-Pattern No value ftam.User_Identity_Pattern
ftam.identity_of_last_modifier identity-of-last-modifier Unsigned 32-bit integer ftam.User_Identity_Attribute
ftam.identity_of_last_modifier_Pattern identity-of-last-modifier-Pattern No value ftam.User_Identity_Pattern
ftam.identity_of_last_reader identity-of-last-reader Unsigned 32-bit integer ftam.User_Identity_Attribute
ftam.identity_of_last_reader_Pattern identity-of-last-reader-Pattern No value ftam.User_Identity_Pattern
ftam.implementation_information implementation-information String ftam.Implementation_Information
ftam.incomplete_pathname incomplete-pathname Unsigned 32-bit integer ftam.Pathname
ftam.initial_attributes initial-attributes No value ftam.Create_Attributes
ftam.initiator_identity initiator-identity String ftam.User_Identity
ftam.insert insert Signed 32-bit integer ftam.Lock
ftam.insert_password insert-password Unsigned 32-bit integer ftam.Password
ftam.insert_values insert-values Unsigned 32-bit integer ftam.SET_OF_Access_Control_Element
ftam.insert_values_item Item No value ftam.Access_Control_Element
ftam.integer_value integer-value Signed 32-bit integer ftam.INTEGER
ftam.last_member_indicator last-member-indicator Boolean ftam.BOOLEAN
ftam.last_transfer_end_read_request last-transfer-end-read-request Signed 32-bit integer ftam.INTEGER
ftam.last_transfer_end_read_response last-transfer-end-read-response Signed 32-bit integer ftam.INTEGER
ftam.last_transfer_end_write_request last-transfer-end-write-request Signed 32-bit integer ftam.INTEGER
ftam.last_transfer_end_write_response last-transfer-end-write-response Signed 32-bit integer ftam.INTEGER
ftam.legal_quailfication_Pattern legal-quailfication-Pattern No value ftam.String_Pattern
ftam.legal_qualification legal-qualification Unsigned 32-bit integer ftam.Legal_Qualification_Attribute
ftam.less-than-matches less-than-matches Boolean
ftam.level_number level-number Signed 32-bit integer ftam.INTEGER
ftam.limited-file-management limited-file-management Boolean
ftam.limited-filestore-management limited-filestore-management Boolean
ftam.link link Boolean
ftam.link_password link-password Unsigned 32-bit integer ftam.Password
ftam.linked_Object linked-Object Unsigned 32-bit integer ftam.Pathname_Attribute
ftam.linked_Object_Pattern linked-Object-Pattern No value ftam.Pathname_Pattern
ftam.location location No value ftam.Application_Entity_Title
ftam.management-class management-class Boolean
ftam.match_bitstring match-bitstring Byte array ftam.BIT_STRING
ftam.maximum_set_size maximum-set-size Signed 32-bit integer ftam.INTEGER
ftam.nBS9 nBS9 No value ftam.F_READ_ATTRIB_response
ftam.name_list name-list Unsigned 32-bit integer ftam.SEQUENCE_OF_Node_Name
ftam.name_list_item Item No value ftam.Node_Name
ftam.no-access no-access Boolean
ftam.no-value-available-matches no-value-available-matches Boolean
ftam.no_value_available no-value-available No value ftam.NULL
ftam.not-required not-required Boolean
ftam.number_of_characters_match number-of-characters-match Signed 32-bit integer ftam.INTEGER
ftam.object-manipulation object-manipulation Boolean
ftam.object_availabiiity_Pattern object-availabiiity-Pattern No value ftam.Boolean_Pattern
ftam.object_availability object-availability Unsigned 32-bit integer ftam.Object_Availability_Attribute
ftam.object_identifier_value object-identifier-value ftam.OBJECT_IDENTIFIER
ftam.object_size object-size Unsigned 32-bit integer ftam.Object_Size_Attribute
ftam.object_size_Pattern object-size-Pattern No value ftam.Integer_Pattern
ftam.object_type object-type Signed 32-bit integer ftam.Object_Type_Attribute
ftam.object_type_Pattern object-type-Pattern No value ftam.Integer_Pattern
ftam.objects_attributes_list objects-attributes-list Unsigned 32-bit integer ftam.Objects_Attributes_List
ftam.octetString octetString Byte array ftam.OCTET_STRING
ftam.operation_result operation-result Unsigned 32-bit integer ftam.Operation_Result
ftam.override override Signed 32-bit integer ftam.Override
ftam.parameter parameter No value ftam.T_parameter
ftam.pass pass Boolean
ftam.pass_passwords pass-passwords Unsigned 32-bit integer ftam.Pass_Passwords
ftam.passwords passwords No value ftam.Access_Passwords
ftam.path_access_control path-access-control Unsigned 32-bit integer ftam.Access_Control_Change_Attribute
ftam.path_access_passwords path-access-passwords Unsigned 32-bit integer ftam.Path_Access_Passwords
ftam.pathname pathname Unsigned 32-bit integer ftam.Pathname_Attribute
ftam.pathname_Pattern pathname-Pattern No value ftam.Pathname_Pattern
ftam.pathname_value pathname-value Unsigned 32-bit integer ftam.T_pathname_value
ftam.pathname_value_item Item Unsigned 32-bit integer ftam.T_pathname_value_item
ftam.permitted_actions permitted-actions Byte array ftam.Permitted_Actions_Attribute
ftam.permitted_actions_Pattern permitted-actions-Pattern No value ftam.Bitstring_Pattern
ftam.presentation_action presentation-action Boolean ftam.BOOLEAN
ftam.presentation_tontext_management presentation-tontext-management Boolean ftam.BOOLEAN
ftam.primaty_pathname primaty-pathname Unsigned 32-bit integer ftam.Pathname_Attribute
ftam.primaty_pathname_Pattern primaty-pathname-Pattern No value ftam.Pathname_Pattern
ftam.private private Boolean
ftam.private_use private-use Unsigned 32-bit integer ftam.Private_Use_Attribute
ftam.processing_mode processing-mode Byte array ftam.T_processing_mode
ftam.proposed proposed Unsigned 32-bit integer ftam.Contents_Type_Attribute
ftam.protocol_Version protocol-Version Byte array ftam.Protocol_Version
ftam.random-Order random-Order Boolean
ftam.read read Signed 32-bit integer ftam.Lock
ftam.read-Child-objects read-Child-objects Boolean
ftam.read-Object-availability read-Object-availability Boolean
ftam.read-Object-size read-Object-size Boolean
ftam.read-Object-type read-Object-type Boolean
ftam.read-access-control read-access-control Boolean
ftam.read-attribute read-attribute Boolean
ftam.read-contents-type read-contents-type Boolean
ftam.read-date-and-time-of-creation read-date-and-time-of-creation Boolean
ftam.read-date-and-time-of-last-attribute-modification read-date-and-time-of-last-attribute-modification Boolean
ftam.read-date-and-time-of-last-modification read-date-and-time-of-last-modification Boolean
ftam.read-date-and-time-of-last-read-access read-date-and-time-of-last-read-access Boolean
ftam.read-future-Object-size read-future-Object-size Boolean
ftam.read-identity-of-creator read-identity-of-creator Boolean
ftam.read-identity-of-last-attribute-modifier read-identity-of-last-attribute-modifier Boolean
ftam.read-identity-of-last-modifier read-identity-of-last-modifier Boolean
ftam.read-identity-of-last-reader read-identity-of-last-reader Boolean
ftam.read-legal-qualifiCatiOnS read-legal-qualifiCatiOnS Boolean
ftam.read-linked-Object read-linked-Object Boolean
ftam.read-path-access-control read-path-access-control Boolean
ftam.read-pathname read-pathname Boolean
ftam.read-permitted-actions read-permitted-actions Boolean
ftam.read-primary-pathname read-primary-pathname Boolean
ftam.read-private-use read-private-use Boolean
ftam.read-storage-account read-storage-account Boolean
ftam.read_attribute read-attribute Signed 32-bit integer ftam.Lock
ftam.read_attribute_password read-attribute-password Unsigned 32-bit integer ftam.Password
ftam.read_password read-password Unsigned 32-bit integer ftam.Password
ftam.recovefy_Point recovefy-Point Signed 32-bit integer ftam.INTEGER
ftam.recovery recovery Boolean
ftam.recovery_mode recovery-mode Signed 32-bit integer ftam.T_request_recovery_mode
ftam.recovety_Point recovety-Point Signed 32-bit integer ftam.INTEGER
ftam.referent_indicator referent-indicator Boolean ftam.Referent_Indicator
ftam.relational_camparision relational-camparision Byte array ftam.Equality_Comparision
ftam.relational_comparision relational-comparision Byte array ftam.Relational_Comparision
ftam.relative relative Signed 32-bit integer ftam.T_relative
ftam.remove_contexts remove-contexts Unsigned 32-bit integer ftam.SET_OF_Abstract_Syntax_Name
ftam.remove_contexts_item Item ftam.Abstract_Syntax_Name
ftam.replace replace Signed 32-bit integer ftam.Lock
ftam.replace_password replace-password Unsigned 32-bit integer ftam.Password
ftam.request_Operation_result request-Operation-result Signed 32-bit integer ftam.Request_Operation_Result
ftam.request_type request-type Signed 32-bit integer ftam.Request_Type
ftam.requested_access requested-access Byte array ftam.Access_Request
ftam.reset reset Boolean ftam.BOOLEAN
ftam.resource_identifier resource-identifier String ftam.GraphicString
ftam.restart-data-transfer restart-data-transfer Boolean
ftam.retrieval_scope retrieval-scope Signed 32-bit integer ftam.T_retrieval_scope
ftam.reverse-traversal reverse-traversal Boolean
ftam.root_directory root-directory Unsigned 32-bit integer ftam.Pathname_Attribute
ftam.scope scope Unsigned 32-bit integer ftam.Scope
ftam.security security Boolean
ftam.service_class service-class Byte array ftam.Service_Class
ftam.shared shared Boolean
ftam.shared_ASE_infonnation shared-ASE-infonnation No value ftam.Shared_ASE_Information
ftam.shared_ASE_information shared-ASE-information No value ftam.Shared_ASE_Information
ftam.significance_bitstring significance-bitstring Byte array ftam.BIT_STRING
ftam.single_name single-name No value ftam.Node_Name
ftam.state_result state-result Signed 32-bit integer ftam.State_Result
ftam.storage storage Boolean
ftam.storage_account storage-account Unsigned 32-bit integer ftam.Account_Attribute
ftam.storage_account_Pattern storage-account-Pattern No value ftam.String_Pattern
ftam.string_match string-match No value ftam.String_Pattern
ftam.string_value string-value Unsigned 32-bit integer ftam.T_string_value
ftam.string_value_item Item Unsigned 32-bit integer ftam.T_string_value_item
ftam.substring_match substring-match String ftam.GraphicString
ftam.success_Object_count success-Object-count Signed 32-bit integer ftam.INTEGER
ftam.success_Object_names success-Object-names Unsigned 32-bit integer ftam.SEQUENCE_OF_Pathname
ftam.success_Object_names_item Item Unsigned 32-bit integer ftam.Pathname
ftam.suggested_delay suggested-delay Signed 32-bit integer ftam.INTEGER
ftam.target_Object target-Object Unsigned 32-bit integer ftam.Pathname_Attribute
ftam.target_object target-object Unsigned 32-bit integer ftam.Pathname_Attribute
ftam.threshold threshold Signed 32-bit integer ftam.INTEGER
ftam.time_and_date_value time-and-date-value String ftam.GeneralizedTime
ftam.transfer-and-management-class transfer-and-management-class Boolean
ftam.transfer-class transfer-class Boolean
ftam.transfer_number transfer-number Signed 32-bit integer ftam.INTEGER
ftam.transfer_window transfer-window Signed 32-bit integer ftam.INTEGER
ftam.traversal traversal Boolean
ftam.unconstrained-class unconstrained-class Boolean
ftam.unknown unknown No value ftam.NULL
ftam.version-1 version-1 Boolean
ftam.version-2 version-2 Boolean
ftam.write write Boolean
cltp.li Length Unsigned 8-bit integer Length Indicator, length of this header
cltp.type PDU Type Unsigned 8-bit integer PDU Type
acse.ASOI_tag_item Item No value acse.ASOI_tag_item
acse.ASO_context_name_list_item Item acse.ASO_context_name
acse.Association_data_item Item No value acse.EXTERNAL
acse.Context_list_item Item No value acse.Context_list_item
acse.Default_Context_List_item Item No value acse.Default_Context_List_item
acse.P_context_result_list_item Item No value acse.P_context_result_list_item
acse.aSO-context-negotiation aSO-context-negotiation Boolean
acse.aSO_context_name aSO-context-name acse.T_AARQ_aSO_context_name
acse.aSO_context_name_list aSO-context-name-list Unsigned 32-bit integer acse.ASO_context_name_list
acse.a_user_data a-user-data Unsigned 32-bit integer acse.User_Data
acse.aare aare No value acse.AARE_apdu
acse.aarq aarq No value acse.AARQ_apdu
acse.abort_diagnostic abort-diagnostic Unsigned 32-bit integer acse.ABRT_diagnostic
acse.abort_source abort-source Unsigned 32-bit integer acse.ABRT_source
acse.abrt abrt No value acse.ABRT_apdu
acse.abstract_syntax abstract-syntax acse.Abstract_syntax_name
acse.abstract_syntax_name abstract-syntax-name acse.Abstract_syntax_name
acse.acrp acrp No value acse.ACRP_apdu
acse.acrq acrq No value acse.ACRQ_apdu
acse.acse_service_provider acse-service-provider Unsigned 32-bit integer acse.T_acse_service_provider
acse.acse_service_user acse-service-user Unsigned 32-bit integer acse.T_acse_service_user
acse.adt adt No value acse.A_DT_apdu
acse.ae_title_form1 ae-title-form1 Unsigned 32-bit integer acse.AE_title_form1
acse.ae_title_form2 ae-title-form2 acse.AE_title_form2
acse.ap_title_form1 ap-title-form1 Unsigned 32-bit integer acse.AP_title_form1
acse.ap_title_form2 ap-title-form2 acse.AP_title_form2
acse.ap_title_form3 ap-title-form3 String acse.AP_title_form3
acse.arbitrary arbitrary Byte array acse.BIT_STRING
acse.aso_qualifier aso-qualifier Unsigned 32-bit integer acse.ASO_qualifier
acse.aso_qualifier_form1 aso-qualifier-form1 Unsigned 32-bit integer acse.ASO_qualifier_form1
acse.aso_qualifier_form2 aso-qualifier-form2 Signed 32-bit integer acse.ASO_qualifier_form2
acse.aso_qualifier_form3 aso-qualifier-form3 String acse.ASO_qualifier_form3
acse.asoi_identifier asoi-identifier Unsigned 32-bit integer acse.ASOI_identifier
acse.authentication authentication Boolean
acse.bitstring bitstring Byte array acse.BIT_STRING
acse.called_AE_invocation_identifier called-AE-invocation-identifier Signed 32-bit integer acse.AE_invocation_identifier
acse.called_AE_qualifier called-AE-qualifier Unsigned 32-bit integer acse.AE_qualifier
acse.called_AP_invocation_identifier called-AP-invocation-identifier Signed 32-bit integer acse.AP_invocation_identifier
acse.called_AP_title called-AP-title Unsigned 32-bit integer acse.AP_title
acse.called_asoi_tag called-asoi-tag Unsigned 32-bit integer acse.ASOI_tag
acse.calling_AE_invocation_identifier calling-AE-invocation-identifier Signed 32-bit integer acse.AE_invocation_identifier
acse.calling_AE_qualifier calling-AE-qualifier Unsigned 32-bit integer acse.AE_qualifier
acse.calling_AP_invocation_identifier calling-AP-invocation-identifier Signed 32-bit integer acse.AP_invocation_identifier
acse.calling_AP_title calling-AP-title Unsigned 32-bit integer acse.AP_title
acse.calling_asoi_tag calling-asoi-tag Unsigned 32-bit integer acse.ASOI_tag
acse.calling_authentication_value calling-authentication-value Unsigned 32-bit integer acse.Authentication_value
acse.charstring charstring String acse.GraphicString
acse.concrete_syntax_name concrete-syntax-name acse.Concrete_syntax_name
acse.context_list context-list Unsigned 32-bit integer acse.Context_list
acse.data_value_descriptor data-value-descriptor String acse.ObjectDescriptor
acse.default_contact_list default-contact-list Unsigned 32-bit integer acse.Default_Context_List
acse.direct_reference direct-reference acse.T_direct_reference
acse.encoding encoding Unsigned 32-bit integer acse.T_encoding
acse.external external No value acse.EXTERNAL
acse.fully_encoded_data fully-encoded-data No value acse.PDV_list
acse.higher-level-association higher-level-association Boolean
acse.identifier identifier Unsigned 32-bit integer acse.ASOI_identifier
acse.implementation_information implementation-information String acse.Implementation_data
acse.indirect_reference indirect-reference Signed 32-bit integer acse.T_indirect_reference
acse.mechanism_name mechanism-name acse.Mechanism_name
acse.nested-association nested-association Boolean
acse.octet_aligned octet-aligned Byte array acse.OCTET_STRING
acse.other other No value acse.Authentication_value_other
acse.other_mechanism_name other-mechanism-name acse.T_other_mechanism_name
acse.other_mechanism_value other-mechanism-value No value acse.T_other_mechanism_value
acse.p_context_definition_list p-context-definition-list Unsigned 32-bit integer acse.Syntactic_context_list
acse.p_context_result_list p-context-result-list Unsigned 32-bit integer acse.P_context_result_list
acse.pci pci Signed 32-bit integer acse.Presentation_context_identifier
acse.presentation_context_identifier presentation-context-identifier Signed 32-bit integer acse.Presentation_context_identifier
acse.presentation_data_values presentation-data-values Unsigned 32-bit integer acse.T_presentation_data_values
acse.protocol_version protocol-version Byte array acse.T_AARQ_protocol_version
acse.provider_reason provider-reason Signed 32-bit integer acse.T_provider_reason
acse.qualifier qualifier Unsigned 32-bit integer acse.ASO_qualifier
acse.reason reason Signed 32-bit integer acse.Release_request_reason
acse.responder_acse_requirements responder-acse-requirements Byte array acse.ACSE_requirements
acse.responding_AE_invocation_identifier responding-AE-invocation-identifier Signed 32-bit integer acse.AE_invocation_identifier
acse.responding_AE_qualifier responding-AE-qualifier Unsigned 32-bit integer acse.AE_qualifier
acse.responding_AP_invocation_identifier responding-AP-invocation-identifier Signed 32-bit integer acse.AP_invocation_identifier
acse.responding_AP_title responding-AP-title Unsigned 32-bit integer acse.AP_title
acse.responding_authentication_value responding-authentication-value Unsigned 32-bit integer acse.Authentication_value
acse.result result Unsigned 32-bit integer acse.Associate_result
acse.result_source_diagnostic result-source-diagnostic Unsigned 32-bit integer acse.Associate_source_diagnostic
acse.rlre rlre No value acse.RLRE_apdu
acse.rlrq rlrq No value acse.RLRQ_apdu
acse.sender_acse_requirements sender-acse-requirements Byte array acse.ACSE_requirements
acse.simple_ASN1_type simple-ASN1-type No value acse.T_simple_ASN1_type
acse.simply_encoded_data simply-encoded-data Byte array acse.Simply_encoded_data
acse.single_ASN1_type single-ASN1-type No value acse.T_single_ASN1_type
acse.transfer_syntax_name transfer-syntax-name acse.TransferSyntaxName
acse.transfer_syntaxes transfer-syntaxes Unsigned 32-bit integer acse.SEQUENCE_OF_TransferSyntaxName
acse.transfer_syntaxes_item Item acse.TransferSyntaxName
acse.user_information user-information Unsigned 32-bit integer acse.Association_data
acse.version1 version1 Boolean
pres.Context_list_item Item No value pres.Context_list_item
pres.Fully_encoded_data_item Item No value pres.PDV_list
pres.Presentation_context_deletion_list_item Item Signed 32-bit integer pres.Presentation_context_identifier
pres.Presentation_context_deletion_result_list_item Item Signed 32-bit integer pres.Presentation_context_deletion_result_list_item
pres.Presentation_context_identifier_list_item Item No value pres.Presentation_context_identifier_list_item
pres.Result_list_item Item No value pres.Result_list_item
pres.Typed_data_type Typed data type Unsigned 32-bit integer
pres.aborttype Abort type Unsigned 32-bit integer
pres.abstract_syntax_name abstract-syntax-name pres.Abstract_syntax_name
pres.acPPDU acPPDU No value pres.AC_PPDU
pres.acaPPDU acaPPDU No value pres.ACA_PPDU
pres.activity-management activity-management Boolean
pres.arbitrary arbitrary Byte array pres.BIT_STRING
pres.arp_ppdu arp-ppdu No value pres.ARP_PPDU
pres.aru_ppdu aru-ppdu Unsigned 32-bit integer pres.ARU_PPDU
pres.called_presentation_selector called-presentation-selector Byte array pres.Called_presentation_selector
pres.calling_presentation_selector calling-presentation-selector Byte array pres.Calling_presentation_selector
pres.capability-data capability-data Boolean
pres.context-management context-management Boolean
pres.cpapdu CPA-PPDU No value
pres.cprtype CPR-PPDU Unsigned 32-bit integer
pres.cptype CP-type No value
pres.data-separation data-separation Boolean
pres.default_context_name default-context-name No value pres.Default_context_name
pres.default_context_result default-context-result Signed 32-bit integer pres.Default_context_result
pres.duplex duplex Boolean
pres.event_identifier event-identifier Signed 32-bit integer pres.Event_identifier
pres.exceptions exceptions Boolean
pres.expedited-data expedited-data Boolean
pres.extensions extensions No value pres.T_extensions
pres.fully_encoded_data fully-encoded-data Unsigned 32-bit integer pres.Fully_encoded_data
pres.half-duplex half-duplex Boolean
pres.initiators_nominated_context initiators-nominated-context Signed 32-bit integer pres.Presentation_context_identifier
pres.major-synchronize major-synchronize Boolean
pres.minor-synchronize minor-synchronize Boolean
pres.mode_selector mode-selector No value pres.Mode_selector
pres.mode_value mode-value Signed 32-bit integer pres.T_mode_value
pres.negotiated-release negotiated-release Boolean
pres.nominated-context nominated-context Boolean
pres.normal_mode_parameters normal-mode-parameters No value pres.T_normal_mode_parameters
pres.octet_aligned octet-aligned Byte array pres.T_octet_aligned
pres.packed-encoding-rules packed-encoding-rules Boolean
pres.presentation_context_addition_list presentation-context-addition-list Unsigned 32-bit integer pres.Presentation_context_addition_list
pres.presentation_context_addition_result_list presentation-context-addition-result-list Unsigned 32-bit integer pres.Presentation_context_addition_result_list
pres.presentation_context_definition_list presentation-context-definition-list Unsigned 32-bit integer pres.Presentation_context_definition_list
pres.presentation_context_definition_result_list presentation-context-definition-result-list Unsigned 32-bit integer pres.Presentation_context_definition_result_list
pres.presentation_context_deletion_list presentation-context-deletion-list Unsigned 32-bit integer pres.Presentation_context_deletion_list
pres.presentation_context_deletion_result_list presentation-context-deletion-result-list Unsigned 32-bit integer pres.Presentation_context_deletion_result_list
pres.presentation_context_identifier presentation-context-identifier Signed 32-bit integer pres.Presentation_context_identifier
pres.presentation_context_identifier_list presentation-context-identifier-list Unsigned 32-bit integer pres.Presentation_context_identifier_list
pres.presentation_data_values presentation-data-values Unsigned 32-bit integer pres.T_presentation_data_values
pres.presentation_requirements presentation-requirements Byte array pres.Presentation_requirements
pres.protocol_options protocol-options Byte array pres.Protocol_options
pres.protocol_version protocol-version Byte array pres.Protocol_version
pres.provider_reason provider-reason Signed 32-bit integer pres.Provider_reason
pres.responders_nominated_context responders-nominated-context Signed 32-bit integer pres.Presentation_context_identifier
pres.responding_presentation_selector responding-presentation-selector Byte array pres.Responding_presentation_selector
pres.restoration restoration Boolean
pres.result result Signed 32-bit integer pres.Result
pres.resynchronize resynchronize Boolean
pres.short-encoding short-encoding Boolean
pres.simply_encoded_data simply-encoded-data Byte array pres.Simply_encoded_data
pres.single_ASN1_type single-ASN1-type Byte array pres.T_single_ASN1_type
pres.symmetric-synchronize symmetric-synchronize Boolean
pres.transfer_syntax_name transfer-syntax-name pres.Transfer_syntax_name
pres.transfer_syntax_name_list transfer-syntax-name-list Unsigned 32-bit integer pres.SEQUENCE_OF_Transfer_syntax_name
pres.transfer_syntax_name_list_item Item pres.Transfer_syntax_name
pres.ttdPPDU ttdPPDU Unsigned 32-bit integer pres.User_data
pres.typed-data typed-data Boolean
pres.user_data user-data Unsigned 32-bit integer pres.User_data
pres.user_session_requirements user-session-requirements Byte array pres.User_session_requirements
pres.version-1 version-1 Boolean
pres.x400_mode_parameters x400-mode-parameters No value rtse.RTORJapdu
pres.x410_mode_parameters x410-mode-parameters No value rtse.RTORQapdu
esis.chksum Checksum Unsigned 16-bit integer
esis.htime Holding Time Unsigned 16-bit integer s
esis.length PDU Length Unsigned 8-bit integer
esis.nlpi Network Layer Protocol Identifier Unsigned 8-bit integer
esis.res Reserved(==0) Unsigned 8-bit integer
esis.type PDU Type Unsigned 8-bit integer
esis.ver Version (==1) Unsigned 8-bit integer
isup_thin.count Message length (counted according to bit 0) including the Message Header Unsigned 16-bit integer Message length
isup_thin.count.type Count Type Unsigned 8-bit integer Count Type
isup_thin.count.version Version Unsigned 16-bit integer Version
isup_thin.dpc Destination Point Code Unsigned 32-bit integer Destination Point Code
isup_thin.isup.message.length ISUP message length Unsigned 16-bit integer ISUP message length
isup_thin.message.class Message Class Unsigned 8-bit integer Message Class
isup_thin.messaget.type Message Type Unsigned 8-bit integer Message Type
isup_thin.mtp.message.name Message Name Code Unsigned 8-bit integer Message Name
isup_thin.oam.message.name Message Name Code Unsigned 8-bit integer Message Name
isup_thin.opc Originating Point Code Unsigned 32-bit integer Originating Point Code
isup_thin.priority Priority Unsigned 8-bit integer Priority
isup_thin.servind Service Indicator Unsigned 8-bit integer Service Indicator
isup_thin.sls Signalling Link Selection Unsigned 8-bit integer Signalling Link Selection
isup_thin.subservind Sub Service Field (Network Indicator) Unsigned 8-bit integer Sub Service Field (Network Indicator)
isystemactivator.opnum Operation Unsigned 16-bit integer
isystemactivator.unknown IUnknown No value
gnm.AcceptableCircuitPackTypeList AcceptableCircuitPackTypeList Unsigned 32-bit integer gnm.AcceptableCircuitPackTypeList
gnm.AcceptableCircuitPackTypeList_item Item String gnm.PrintableString
gnm.AddTpsToGtpInformation_item Item No value gnm.AddTpsToGtpInformation_item
gnm.AddTpsToGtpResult_item Item Unsigned 32-bit integer gnm.AddTpsToGtpResult_item
gnm.AddTpsToTpPoolInformation_item Item No value gnm.AddTpsToTpPoolInformation_item
gnm.AddTpsToTpPoolResult_item Item Unsigned 32-bit integer gnm.AddTpsToTpPoolResult_item
gnm.AdditionalInformation_item Item No value gnm.ManagementExtension
gnm.AdministrativeState AdministrativeState Unsigned 32-bit integer
gnm.AlarmSeverityAssignmentList AlarmSeverityAssignmentList Unsigned 32-bit integer gnm.AlarmSeverityAssignmentList
gnm.AlarmSeverityAssignmentList_item Item No value gnm.AlarmSeverityAssignment
gnm.AlarmStatus AlarmStatus Unsigned 32-bit integer gnm.AlarmStatus
gnm.AttributeList_item Item No value cmip.Attribute
gnm.AvailabilityStatus_item Item Signed 32-bit integer gnm.AvailabilityStatus_item
gnm.Boolean Boolean Boolean gnm.Boolean
gnm.ChannelNumber ChannelNumber Signed 32-bit integer gnm.ChannelNumber
gnm.CharacteristicInformation CharacteristicInformation gnm.CharacteristicInformation
gnm.CircuitDirectionality CircuitDirectionality Unsigned 32-bit integer gnm.CircuitDirectionality
gnm.CircuitPackType CircuitPackType String gnm.CircuitPackType
gnm.ConnectInformation_item Item No value gnm.ConnectInformation_item
gnm.ConnectResult_item Item Unsigned 32-bit integer gnm.ConnectResult_item
gnm.ConnectivityPointer ConnectivityPointer Unsigned 32-bit integer gnm.ConnectivityPointer
gnm.ControlStatus ControlStatus Unsigned 32-bit integer gnm.ControlStatus
gnm.ControlStatus_item Item Signed 32-bit integer gnm.ControlStatus_item
gnm.Count Count Signed 32-bit integer gnm.Count
gnm.CrossConnectionName CrossConnectionName String gnm.CrossConnectionName
gnm.CrossConnectionObjectPointer CrossConnectionObjectPointer Unsigned 32-bit integer gnm.CrossConnectionObjectPointer
gnm.CurrentProblemList CurrentProblemList Unsigned 32-bit integer gnm.CurrentProblemList
gnm.CurrentProblemList_item Item No value gnm.CurrentProblem
gnm.Directionality Directionality Unsigned 32-bit integer gnm.Directionality
gnm.DisconnectInformation_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.DisconnectResult_item Item Unsigned 32-bit integer gnm.DisconnectResult_item
gnm.DownstreamConnectivityPointer DownstreamConnectivityPointer Unsigned 32-bit integer gnm.DownstreamConnectivityPointer
gnm.EquipmentHolderAddress EquipmentHolderAddress Unsigned 32-bit integer gnm.EquipmentHolderAddress
gnm.EquipmentHolderAddress_item Item String gnm.PrintableString
gnm.EquipmentHolderType EquipmentHolderType String gnm.EquipmentHolderType
gnm.ExternalTime ExternalTime String gnm.ExternalTime
gnm.GeneralError_item Item No value gnm.GeneralError_item
gnm.HolderStatus HolderStatus Unsigned 32-bit integer gnm.HolderStatus
gnm.InformationTransferCapabilities InformationTransferCapabilities Unsigned 32-bit integer gnm.InformationTransferCapabilities
gnm.ListOfCharacteristicInformation ListOfCharacteristicInformation Unsigned 32-bit integer gnm.ListOfCharacteristicInformation
gnm.ListOfCharacteristicInformation_item Item gnm.CharacteristicInformation
gnm.ListOfTPs_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.MappingList_item Item gnm.PayloadLevel
gnm.MultipleConnections_item Item Unsigned 32-bit integer gnm.MultipleConnections_item
gnm.NameType NameType Unsigned 32-bit integer gnm.NameType
gnm.NumberOfCircuits NumberOfCircuits Signed 32-bit integer gnm.NumberOfCircuits
gnm.ObjectList ObjectList Unsigned 32-bit integer gnm.ObjectList
gnm.ObjectList_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.Packages Packages Unsigned 32-bit integer gnm.Packages
gnm.Packages_item Item gnm.OBJECT_IDENTIFIER
gnm.Pointer Pointer Unsigned 32-bit integer gnm.Pointer
gnm.PointerOrNull PointerOrNull Unsigned 32-bit integer gnm.PointerOrNull
gnm.RelatedObjectInstance RelatedObjectInstance Unsigned 32-bit integer gnm.RelatedObjectInstance
gnm.RemoveTpsFromGtpInformation_item Item No value gnm.RemoveTpsFromGtpInformation_item
gnm.RemoveTpsFromGtpResult_item Item Unsigned 32-bit integer gnm.RemoveTpsFromGtpResult_item
gnm.RemoveTpsFromTpPoolInformation_item Item No value gnm.RemoveTpsFromTpPoolInformation_item
gnm.RemoveTpsFromTpPoolResult_item Item Unsigned 32-bit integer gnm.RemoveTpsFromTpPoolResult_item
gnm.Replaceable Replaceable Unsigned 32-bit integer gnm.Replaceable
gnm.SequenceOfObjectInstance SequenceOfObjectInstance Unsigned 32-bit integer gnm.SequenceOfObjectInstance
gnm.SequenceOfObjectInstance_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.SerialNumber SerialNumber String gnm.SerialNumber
gnm.SignalRateAndMappingList_item Item No value gnm.SignalRateAndMappingList_item
gnm.SignalType SignalType Unsigned 32-bit integer gnm.SignalType
gnm.SignallingCapabilities SignallingCapabilities Unsigned 32-bit integer gnm.SignallingCapabilities
gnm.SubordinateCircuitPackSoftwareLoad SubordinateCircuitPackSoftwareLoad Unsigned 32-bit integer gnm.SubordinateCircuitPackSoftwareLoad
gnm.SupportableClientList SupportableClientList Unsigned 32-bit integer gnm.SupportableClientList
gnm.SupportableClientList_item Item Unsigned 32-bit integer cmip.ObjectClass
gnm.SupportedTOClasses SupportedTOClasses Unsigned 32-bit integer gnm.SupportedTOClasses
gnm.SupportedTOClasses_item Item gnm.OBJECT_IDENTIFIER
gnm.SwitchOverInformation_item Item No value gnm.IndividualSwitchOver
gnm.SwitchOverResult_item Item Unsigned 32-bit integer gnm.IndividualResult
gnm.SystemTimingSource SystemTimingSource No value gnm.SystemTimingSource
gnm.ToTPPools_item Item No value gnm.ToTPPools_item
gnm.TpsInGtpList TpsInGtpList Unsigned 32-bit integer gnm.TpsInGtpList
gnm.TpsInGtpList_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.TransmissionCharacteristics TransmissionCharacteristics Byte array gnm.TransmissionCharacteristics
gnm.UserLabel UserLabel String gnm.UserLabel
gnm.VendorName VendorName String gnm.VendorName
gnm.Version Version String gnm.Version
gnm._item_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.addedTps addedTps No value gnm.AddedTps
gnm.additionalInfo additionalInfo Unsigned 32-bit integer gnm.AdditionalInformation
gnm.addleg addleg No value gnm.AddLeg
gnm.administrativeState administrativeState Unsigned 32-bit integer gnm.AdministrativeState
gnm.alarmStatus alarmStatus Unsigned 32-bit integer gnm.AlarmStatus
gnm.attributeList attributeList Unsigned 32-bit integer gnm.AttributeList
gnm.bidirectional bidirectional Unsigned 32-bit integer gnm.ConnectionTypeBi
gnm.broadcast broadcast Unsigned 32-bit integer gnm.SET_OF_ObjectInstance
gnm.broadcastConcatenated broadcastConcatenated Unsigned 32-bit integer gnm.T_broadcastConcatenated
gnm.broadcastConcatenated_item Item Unsigned 32-bit integer gnm.SEQUENCE_OF_ObjectInstance
gnm.broadcast_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.bundle bundle No value gnm.Bundle
gnm.bundlingFactor bundlingFactor Signed 32-bit integer gnm.INTEGER
gnm.cause cause Unsigned 32-bit integer gnm.GeneralErrorCause
gnm.characteristicInfoType characteristicInfoType gnm.CharacteristicInformation
gnm.characteristicInformation characteristicInformation gnm.CharacteristicInformation
gnm.complex complex Unsigned 32-bit integer gnm.SEQUENCE_OF_Bundle
gnm.complex_item Item No value gnm.Bundle
gnm.concatenated concatenated Unsigned 32-bit integer gnm.SEQUENCE_OF_ObjectInstance
gnm.concatenated_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.connected connected Unsigned 32-bit integer gnm.Connected
gnm.connection connection Unsigned 32-bit integer cmip.ObjectInstance
gnm.dCME dCME Boolean
gnm.deletedTpPoolOrGTP deletedTpPoolOrGTP Unsigned 32-bit integer cmip.ObjectInstance
gnm.details details String gnm.GraphicString
gnm.disconnected disconnected Unsigned 32-bit integer cmip.ObjectInstance
gnm.diverse diverse No value gnm.T_diverse
gnm.downstream downstream Unsigned 32-bit integer gnm.SignalRateAndMappingList
gnm.downstreamConnected downstreamConnected Unsigned 32-bit integer cmip.ObjectInstance
gnm.downstreamNotConnected downstreamNotConnected Unsigned 32-bit integer cmip.ObjectInstance
gnm.echoControl echoControl Boolean
gnm.explicitPToP explicitPToP No value gnm.ExplicitPtoP
gnm.explicitPtoMP explicitPtoMP No value gnm.ExplicitPtoMP
gnm.failed failed Unsigned 32-bit integer gnm.Failed
gnm.fromGtp fromGtp Unsigned 32-bit integer cmip.ObjectInstance
gnm.fromTp fromTp Unsigned 32-bit integer gnm.ExplicitTP
gnm.fromTpPool fromTpPool Unsigned 32-bit integer cmip.ObjectInstance
gnm.globalValue globalValue gnm.OBJECT_IDENTIFIER
gnm.gtp gtp Unsigned 32-bit integer cmip.ObjectInstance
gnm.holderEmpty holderEmpty No value gnm.NULL
gnm.identifier identifier gnm.OBJECT_IDENTIFIER
gnm.inTheAcceptableList inTheAcceptableList String gnm.CircuitPackType
gnm.incorrectInstances incorrectInstances Unsigned 32-bit integer gnm.SET_OF_ObjectInstance
gnm.incorrectInstances_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.information information No value gnm.T_information
gnm.integerValue integerValue Signed 32-bit integer gnm.INTEGER
gnm.itemType itemType Unsigned 32-bit integer gnm.T_itemType
gnm.legs legs Unsigned 32-bit integer gnm.SET_OF_ToTermSpecifier
gnm.legs_item Item Unsigned 32-bit integer gnm.ToTermSpecifier
gnm.listofTPs listofTPs Unsigned 32-bit integer gnm.SEQUENCE_OF_ObjectInstance
gnm.listofTPs_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.localValue localValue Signed 32-bit integer gnm.INTEGER
gnm.logicalProblem logicalProblem No value gnm.LogicalProblem
gnm.mappingList mappingList Unsigned 32-bit integer gnm.MappingList
gnm.mpCrossConnection mpCrossConnection Unsigned 32-bit integer cmip.ObjectInstance
gnm.mpXCon mpXCon Unsigned 32-bit integer cmip.ObjectInstance
gnm.multipleConnections multipleConnections Unsigned 32-bit integer gnm.MultipleConnections
gnm.name name String gnm.CrossConnectionName
gnm.namedCrossConnection namedCrossConnection No value gnm.NamedCrossConnection
gnm.newTP newTP Unsigned 32-bit integer cmip.ObjectInstance
gnm.none none No value gnm.NULL
gnm.notApplicable notApplicable No value gnm.NULL
gnm.notAvailable notAvailable No value gnm.NULL
gnm.notConnected notConnected Unsigned 32-bit integer cmip.ObjectInstance
gnm.notInTheAcceptableList notInTheAcceptableList String gnm.CircuitPackType
gnm.null null No value gnm.NULL
gnm.numberOfTPs numberOfTPs Signed 32-bit integer gnm.INTEGER
gnm.numericName numericName Signed 32-bit integer gnm.INTEGER
gnm.objectClass objectClass gnm.OBJECT_IDENTIFIER
gnm.oneTPorGTP oneTPorGTP Unsigned 32-bit integer cmip.ObjectInstance
gnm.pString pString String gnm.GraphicString
gnm.pass pass Unsigned 32-bit integer gnm.Connected
gnm.pointToMultipoint pointToMultipoint No value gnm.PointToMultipoint
gnm.pointToPoint pointToPoint No value gnm.PointToPoint
gnm.pointer pointer Unsigned 32-bit integer cmip.ObjectInstance
gnm.primaryTimingSource primaryTimingSource No value gnm.SystemTiming
gnm.problem problem Unsigned 32-bit integer gnm.ProbableCause
gnm.problemCause problemCause Unsigned 32-bit integer gnm.ProblemCause
gnm.ptoMPools ptoMPools No value gnm.PtoMPools
gnm.ptoTpPool ptoTpPool No value gnm.PtoTPPool
gnm.redline redline Boolean gnm.Boolean
gnm.relatedObject relatedObject Unsigned 32-bit integer cmip.ObjectInstance
gnm.relatedObjects relatedObjects Unsigned 32-bit integer gnm.SET_OF_ObjectInstance
gnm.relatedObjects_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.removed removed No value gnm.RemoveTpsResultInformation
gnm.resourceProblem resourceProblem Unsigned 32-bit integer gnm.ResourceProblem
gnm.satellite satellite Boolean
gnm.secondaryTimingSource secondaryTimingSource No value gnm.SystemTiming
gnm.severityAssignedNonServiceAffecting severityAssignedNonServiceAffecting Unsigned 32-bit integer gnm.AlarmSeverityCode
gnm.severityAssignedServiceAffecting severityAssignedServiceAffecting Unsigned 32-bit integer gnm.AlarmSeverityCode
gnm.severityAssignedServiceIndependent severityAssignedServiceIndependent Unsigned 32-bit integer gnm.AlarmSeverityCode
gnm.signalRate signalRate Unsigned 32-bit integer gnm.SignalRate
gnm.significance significance Boolean gnm.BOOLEAN
gnm.simple simple gnm.CharacteristicInformation
gnm.single single Unsigned 32-bit integer cmip.ObjectInstance
gnm.sinkTP sinkTP Unsigned 32-bit integer cmip.ObjectInstance
gnm.softwareIdentifiers softwareIdentifiers Unsigned 32-bit integer gnm.T_softwareIdentifiers
gnm.softwareIdentifiers_item Item String gnm.PrintableString
gnm.softwareInstances softwareInstances Unsigned 32-bit integer gnm.SEQUENCE_OF_ObjectInstance
gnm.softwareInstances_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.sourceID sourceID Unsigned 32-bit integer cmip.ObjectInstance
gnm.sourceTP sourceTP Unsigned 32-bit integer cmip.ObjectInstance
gnm.sourceType sourceType Unsigned 32-bit integer gnm.T_sourceType
gnm.tPOrGTP tPOrGTP Unsigned 32-bit integer cmip.ObjectInstance
gnm.toPool toPool Unsigned 32-bit integer cmip.ObjectInstance
gnm.toTPPools toTPPools Unsigned 32-bit integer gnm.ToTPPools
gnm.toTPs toTPs Unsigned 32-bit integer gnm.SET_OF_ExplicitTP
gnm.toTPs_item Item Unsigned 32-bit integer gnm.ExplicitTP
gnm.toTp toTp Unsigned 32-bit integer gnm.ExplicitTP
gnm.toTpOrGTP toTpOrGTP Unsigned 32-bit integer gnm.ExplicitTP
gnm.toTpPool toTpPool Unsigned 32-bit integer cmip.ObjectInstance
gnm.toTps toTps Unsigned 32-bit integer gnm.T_toTps
gnm.toTps_item Item No value gnm.T_toTps_item
gnm.tp tp Unsigned 32-bit integer cmip.ObjectInstance
gnm.tpPool tpPool Unsigned 32-bit integer cmip.ObjectInstance
gnm.tpPoolId tpPoolId Unsigned 32-bit integer cmip.ObjectInstance
gnm.tps tps Unsigned 32-bit integer gnm.SET_OF_TerminationPointInformation
gnm.tpsAdded tpsAdded Unsigned 32-bit integer gnm.SEQUENCE_OF_ObjectInstance
gnm.tpsAddedToTpPool tpsAddedToTpPool No value gnm.TpsAddedToTpPool
gnm.tpsAdded_item Item Unsigned 32-bit integer cmip.ObjectInstance
gnm.tps_item Item Unsigned 32-bit integer gnm.TerminationPointInformation
gnm.unchangedTP unchangedTP Unsigned 32-bit integer cmip.ObjectInstance
gnm.unidirectional unidirectional Unsigned 32-bit integer gnm.ConnectionType
gnm.uniform uniform Unsigned 32-bit integer gnm.SignalRateAndMappingList
gnm.unknown unknown No value gnm.NULL
gnm.unknownType unknownType No value gnm.NULL
gnm.upStream upStream Unsigned 32-bit integer gnm.SignalRateAndMappingList
gnm.upstreamConnected upstreamConnected Unsigned 32-bit integer cmip.ObjectInstance
gnm.upstreamNotConnected upstreamNotConnected Unsigned 32-bit integer cmip.ObjectInstance
gnm.userLabel userLabel String gnm.UserLabel
gnm.wavelength wavelength Signed 32-bit integer gnm.WaveLength
gnm.xCon xCon Unsigned 32-bit integer cmip.ObjectInstance
gnm.xConnection xConnection Unsigned 32-bit integer cmip.ObjectInstance
e164.called_party_number.digits E.164 Called party number digits String
e164.calling_party_number.digits E.164 Calling party number digits String
e212.mcc Mobile Country Code (MCC) Unsigned 16-bit integer Mobile Country Code MCC
e212.mnc Mobile network code (MNC) Unsigned 16-bit integer Mobile network code
e212.msin Mobile Subscriber Identification Number (MSIN) String Mobile Subscriber Identification Number(MSIN)
h261.ebit End bit position Unsigned 8-bit integer
h261.gobn GOB Number Unsigned 8-bit integer
h261.hmvd Horizontal motion vector data Unsigned 8-bit integer
h261.i Intra frame encoded data flag Boolean
h261.mbap Macroblock address predictor Unsigned 8-bit integer
h261.quant Quantizer Unsigned 8-bit integer
h261.sbit Start bit position Unsigned 8-bit integer
h261.stream H.261 stream Byte array
h261.v Motion vector flag Boolean
h261.vmvd Vertical motion vector data Unsigned 8-bit integer
h263.PB_frames_mode H.263 Optional PB-frames mode Boolean Optional PB-frames mode
h263.advanced_prediction Advanced prediction option Boolean Advanced Prediction option for current picture
h263.dbq Differential quantization parameter Unsigned 8-bit integer Differential quantization parameter used to calculate quantizer for the B frame based on quantizer for the P frame, when PB-frames option is used.
h263.document_camera_indicator H.263 Document camera indicator Boolean Document camera indicator
h263.ebit End bit position Unsigned 8-bit integer End bit position specifies number of least significant bits that shall be ignored in the last data byte.
h263.ftype F Boolean Indicates the mode of the payload header (MODE A or B/C)
h263.gbsc H.263 Group of Block Start Code Unsigned 32-bit integer Group of Block Start Code
h263.gn H.263 Group Number Unsigned 32-bit integer Group Number, GN
h263.gobn GOB Number Unsigned 8-bit integer GOB number in effect at the start of the packet.
h263.hmv1 Horizontal motion vector 1 Unsigned 8-bit integer Horizontal motion vector predictor for the first MB in this packet
h263.hmv2 Horizontal motion vector 2 Unsigned 8-bit integer Horizontal motion vector predictor for block number 3 in the first MB in this packet when four motion vectors are used with the advanced prediction option.
h263.mba Macroblock address Unsigned 16-bit integer The address within the GOB of the first MB in the packet, counting from zero in scan order.
h263.opt_unres_motion_vector_mode H.263 Optional Unrestricted Motion Vector mode Boolean Optional Unrestricted Motion Vector mode
h263.optional_advanced_prediction_mode H.263 Optional Advanced Prediction mode Boolean Optional Advanced Prediction mode
h263.payload H.263 payload No value The actual H.263 data
h263.pbframes p/b frame Boolean Optional PB-frames mode as defined by H.263 (MODE C)
h263.picture_coding_type Inter-coded frame Boolean Picture coding type, intra-coded (false) or inter-coded (true)
h263.psc H.263 Picture start Code Unsigned 32-bit integer Picture start Code, PSC
h263.quant Quantizer Unsigned 8-bit integer Quantization value for the first MB coded at the starting of the packet.
h263.r Reserved field Unsigned 8-bit integer Reserved field that houls contain zeroes
h263.rr Reserved field 2 Unsigned 16-bit integer Reserved field that should contain zeroes
h263.sbit Start bit position Unsigned 8-bit integer Start bit position specifies number of most significant bits that shall be ignored in the first data byte.
h263.split_screen_indicator H.263 Split screen indicator Boolean Split screen indicator
h263.srcformat SRC format Unsigned 8-bit integer Source format specifies the resolution of the current picture.
h263.stream H.263 stream Byte array The H.263 stream including its Picture, GOB or Macro block start code.
h263.syntax_based_arithmetic Syntax-based arithmetic coding Boolean Syntax-based Arithmetic Coding option for current picture
h263.syntax_based_arithmetic_coding_mode H.263 Optional Syntax-based Arithmetic Coding mode Boolean Optional Syntax-based Arithmetic Coding mode
h263.tr Temporal Reference for P frames Unsigned 8-bit integer Temporal Reference for the P frame as defined by H.263
h263.tr2 H.263 Temporal Reference Unsigned 32-bit integer Temporal Reference, TR
h263.trb Temporal Reference for B frames Unsigned 8-bit integer Temporal Reference for the B frame as defined by H.263
h263.unrestricted_motion_vector Motion vector Boolean Unrestricted Motion Vector option for current picture
h263.vmv1 Vertical motion vector 1 Unsigned 8-bit integer Vertical motion vector predictor for the first MB in this packet
h263.vmv2 Vertical motion vector 2 Unsigned 8-bit integer Vertical motion vector predictor for block number 3 in the first MB in this packet when four motion vectors are used with the advanced prediction option.
sflow.agent agent address IPv4 address sFlow Agent IP address
sflow.agent.v6 agent address IPv6 address sFlow Agent IPv6 address
sflow.extended_information_type Extended information type Unsigned 32-bit integer Type of extended information
sflow.header Header of sampled packet Byte array Data from sampled header
sflow.header_protocol Header protocol Unsigned 32-bit integer Protocol of sampled header
sflow.ifdirection Interface Direction Unsigned 32-bit integer Interface Direction
sflow.ifinbcast Input Broadcast Packets Unsigned 32-bit integer Interface Input Broadcast Packets
sflow.ifindex Interface index Unsigned 32-bit integer Interface Index
sflow.ifindisc Input Discarded Packets Unsigned 32-bit integer Interface Input Discarded Packets
sflow.ifinerr Input Errors Unsigned 32-bit integer Interface Input Errors
sflow.ifinmcast Input Multicast Packets Unsigned 32-bit integer Interface Input Multicast Packets
sflow.ifinoct Input Octets Unsigned 64-bit integer Interface Input Octets
sflow.ifinpkt Input Packets Unsigned 32-bit integer Interface Input Packets
sflow.ifinunk Input Unknown Protocol Packets Unsigned 32-bit integer Interface Input Unknown Protocol Packets
sflow.ifoutbcast Output Broadcast Packets Unsigned 32-bit integer Interface Output Broadcast Packets
sflow.ifoutdisc Output Discarded Packets Unsigned 32-bit integer Interface Output Discarded Packets
sflow.ifouterr Output Errors Unsigned 32-bit integer Interface Output Errors
sflow.ifoutmcast Output Multicast Packets Unsigned 32-bit integer Interface Output Multicast Packets
sflow.ifoutoct Output Octets Unsigned 64-bit integer Outterface Output Octets
sflow.ifoutpkt Output Packets Unsigned 32-bit integer Interface Output Packets
sflow.ifpromisc Promiscuous Mode Unsigned 32-bit integer Interface Promiscuous Mode
sflow.ifspeed Interface Speed Unsigned 64-bit integer Interface Speed
sflow.ifstatus Interface Status Unsigned 32-bit integer Interface Status
sflow.iftype Interface Type Unsigned 32-bit integer Interface Type
sflow.nexthop Next hop IPv4 address Next hop address
sflow.nexthop.dst_mask Next hop destination mask Unsigned 32-bit integer Next hop destination mask bits
sflow.nexthop.src_mask Next hop source mask Unsigned 32-bit integer Next hop source mask bits
sflow.numsamples NumSamples Unsigned 32-bit integer Number of samples in sFlow datagram
sflow.packet_information_type Sample type Unsigned 32-bit integer Type of sampled information
sflow.pri.in Incoming 802.1p priority Unsigned 32-bit integer Incoming 802.1p priority
sflow.pri.out Outgoing 802.1p priority Unsigned 32-bit integer Outgoing 802.1p priority
sflow.sampletype sFlow sample type Unsigned 32-bit integer Type of sFlow sample
sflow.sequence_number Sequence number Unsigned 32-bit integer sFlow datagram sequence number
sflow.sub_agent_id Sub-agent ID Unsigned 32-bit integer sFlow sub-agent ID
sflow.sysuptime SysUptime Unsigned 32-bit integer System Uptime
sflow.version datagram version Unsigned 32-bit integer sFlow datagram version
sflow.vlan.in Incoming 802.1Q VLAN Unsigned 32-bit integer Incoming VLAN ID
sflow.vlan.out Outgoing 802.1Q VLAN Unsigned 32-bit integer Outgoing VLAN ID
initshutdown.initshutdown_Abort.server Server Unsigned 16-bit integer
initshutdown.initshutdown_Init.force_apps Force Apps Unsigned 8-bit integer
initshutdown.initshutdown_Init.hostname Hostname Unsigned 16-bit integer
initshutdown.initshutdown_Init.message Message No value
initshutdown.initshutdown_Init.reboot Reboot Unsigned 8-bit integer
initshutdown.initshutdown_Init.timeout Timeout Unsigned 32-bit integer
initshutdown.initshutdown_InitEx.force_apps Force Apps Unsigned 8-bit integer
initshutdown.initshutdown_InitEx.hostname Hostname Unsigned 16-bit integer
initshutdown.initshutdown_InitEx.message Message No value
initshutdown.initshutdown_InitEx.reason Reason Unsigned 32-bit integer
initshutdown.initshutdown_InitEx.reboot Reboot Unsigned 8-bit integer
initshutdown.initshutdown_InitEx.timeout Timeout Unsigned 32-bit integer
initshutdown.initshutdown_String.name Name No value
initshutdown.initshutdown_String.name_len Name Len Unsigned 16-bit integer
initshutdown.initshutdown_String.name_size Name Size Unsigned 16-bit integer
initshutdown.initshutdown_String_sub.name Name No value
initshutdown.initshutdown_String_sub.name_size Name Size Unsigned 32-bit integer
initshutdown.opnum Operation Unsigned 16-bit integer
initshutdown.werror Windows Error Unsigned 32-bit integer
ans.app_id Application ID Unsigned 16-bit integer Intel ANS Application ID
ans.rev_id Revision ID Unsigned 16-bit integer Intel ANS Revision ID
ans.sender_id Sender ID Unsigned 16-bit integer Intel ANS Sender ID
ans.seq_num Sequence Number Unsigned 32-bit integer Intel ANS Sequence Number
ans.team_id Team ID 6-byte Hardware (MAC) Address Intel ANS Team ID
inap.ActivateServiceFilteringArg ActivateServiceFilteringArg No value inap.ActivateServiceFilteringArg
inap.AnalyseInformationArg AnalyseInformationArg No value inap.AnalyseInformationArg
inap.AnalysedInformationArg AnalysedInformationArg No value inap.AnalysedInformationArg
inap.ApplyChargingArg ApplyChargingArg No value inap.ApplyChargingArg
inap.ApplyChargingReportArg ApplyChargingReportArg Byte array inap.ApplyChargingReportArg
inap.AssistRequestInstructionsArg AssistRequestInstructionsArg No value inap.AssistRequestInstructionsArg
inap.CallGapArg CallGapArg No value inap.CallGapArg
inap.CallInformationReportArg CallInformationReportArg No value inap.CallInformationReportArg
inap.CallInformationRequestArg CallInformationRequestArg No value inap.CallInformationRequestArg
inap.CallPartyHandlingResultsArg_item Item No value inap.LegInformation
inap.CancelArg CancelArg Unsigned 32-bit integer inap.CancelArg
inap.CollectInformationArg CollectInformationArg No value inap.CollectInformationArg
inap.CollectedInformationArg CollectedInformationArg No value inap.CollectedInformationArg
inap.ConnectArg ConnectArg No value inap.ConnectArg
inap.ConnectToResourceArg ConnectToResourceArg No value inap.ConnectToResourceArg
inap.CountersValue_item Item No value inap.CounterAndValue
inap.DestinationRoutingAddress_item Item Byte array inap.CalledPartyNumber
inap.EstablishTemporaryConnectionArg EstablishTemporaryConnectionArg No value inap.EstablishTemporaryConnectionArg
inap.EventNotificationChargingArg EventNotificationChargingArg No value inap.EventNotificationChargingArg
inap.EventReportBCSMArg EventReportBCSMArg No value inap.EventReportBCSMArg
inap.Extensions_item Item No value inap.Extensions_item
inap.FurnishChargingInformationArg FurnishChargingInformationArg Byte array inap.FurnishChargingInformationArg
inap.HoldCallInNetworkArg HoldCallInNetworkArg Unsigned 32-bit integer inap.HoldCallInNetworkArg
inap.InitialDP InitialDP No value inap.InitialDP
inap.InitiateCallAttemptArg InitiateCallAttemptArg No value inap.InitiateCallAttemptArg
inap.MidCallArg MidCallArg No value inap.MidCallArg
inap.OAnswerArg OAnswerArg No value inap.OAnswerArg
inap.OCalledPartyBusyArg OCalledPartyBusyArg No value inap.OCalledPartyBusyArg
inap.ODisconnectArg ODisconnectArg No value inap.ODisconnectArg
inap.ONoAnswer ONoAnswer No value inap.ONoAnswer
inap.OriginationAttemptAuthorizedArg OriginationAttemptAuthorizedArg No value inap.OriginationAttemptAuthorizedArg
inap.PlayAnnouncementArg PlayAnnouncementArg No value inap.PlayAnnouncementArg
inap.PromptAndCollectUserInformationArg PromptAndCollectUserInformationArg No value inap.PromptAndCollectUserInformationArg
inap.ReceivedInformationArg ReceivedInformationArg Unsigned 32-bit integer inap.ReceivedInformationArg
inap.ReleaseCallArg ReleaseCallArg Unsigned 32-bit integer inap.ReleaseCallArg
inap.RequestCurrentStatusReportArg RequestCurrentStatusReportArg Unsigned 32-bit integer inap.RequestCurrentStatusReportArg
inap.RequestCurrentStatusReportResultArg RequestCurrentStatusReportResultArg No value inap.RequestCurrentStatusReportResultArg
inap.RequestEveryStatusChangeReportArg RequestEveryStatusChangeReportArg No value inap.RequestEveryStatusChangeReportArg
inap.RequestFirstStatusMatchReportArg RequestFirstStatusMatchReportArg No value inap.RequestFirstStatusMatchReportArg
inap.RequestNotificationChargingEvent RequestNotificationChargingEvent Unsigned 32-bit integer inap.RequestNotificationChargingEvent
inap.RequestNotificationChargingEvent_item Item No value inap.RequestNotificationChargingEvent_item
inap.RequestReportBCSMEventArg RequestReportBCSMEventArg No value inap.RequestReportBCSMEventArg
inap.RequestedInformationList_item Item No value inap.RequestedInformation
inap.RequestedInformationTypeList_item Item Unsigned 32-bit integer inap.RequestedInformationType
inap.ResetTimerArg ResetTimerArg No value inap.ResetTimerArg
inap.ReturnError ReturnError Unsigned 32-bit integer InvokePDU/ReturnError
inap.RouteList_item Item Byte array inap.OCTET_STRING
inap.RouteSelectFailureArg RouteSelectFailureArg No value inap.RouteSelectFailureArg
inap.SelectFacilityArg SelectFacilityArg No value inap.SelectFacilityArg
inap.SelectRouteArg SelectRouteArg No value inap.SelectRouteArg
inap.ServiceFilteringResponseArg ServiceFilteringResponseArg No value inap.ServiceFilteringResponseArg
inap.SpecializedResourceReportArg SpecializedResourceReportArg No value inap.SpecializedResourceReportArg
inap.StatusReportArg StatusReportArg No value inap.StatusReportArg
inap.TAnswerArg TAnswerArg No value inap.TAnswerArg
inap.TBusyArg TBusyArg No value inap.TBusyArg
inap.TDisconnectArg TDisconnectArg No value inap.TDisconnectArg
inap.TNoAnswerArg TNoAnswerArg No value inap.TNoAnswerArg
inap.TermAttemptAuthorizedArg TermAttemptAuthorizedArg No value inap.TermAttemptAuthorizedArg
inap.aChBillingChargingCharacteristics aChBillingChargingCharacteristics Byte array inap.AChBillingChargingCharacteristics
inap.absent absent No value InvokeId/absent
inap.accessCode accessCode Byte array inap.AccessCode
inap.additionalCallingPartyNumber additionalCallingPartyNumber Byte array inap.AdditionalCallingPartyNumber
inap.addressAndService addressAndService No value inap.T_addressAndService
inap.alertingPattern alertingPattern Byte array inap.AlertingPattern
inap.allCallSegments allCallSegments No value inap.T_allCallSegments
inap.allRequests allRequests No value inap.NULL
inap.analyzedInfoSpecificInfo analyzedInfoSpecificInfo No value inap.T_analyzedInfoSpecificInfo
inap.applicationTimer applicationTimer Unsigned 32-bit integer inap.ApplicationTimer
inap.assistingSSPIPRoutingAddress assistingSSPIPRoutingAddress Byte array inap.AssistingSSPIPRoutingAddress
inap.attributes attributes Byte array inap.OCTET_STRING_SIZE_minAttributesLength_maxAttributesLength
inap.bcsmEventCorrelationID bcsmEventCorrelationID Byte array inap.CorrelationID
inap.bcsmEvents bcsmEvents Unsigned 32-bit integer inap.SEQUENCE_SIZE_1_numOfBCSMEvents_OF_BCSMEvent
inap.bcsmEvents_item Item No value inap.BCSMEvent
inap.bearerCap bearerCap Byte array inap.BearerCap
inap.bearerCapability bearerCapability Unsigned 32-bit integer inap.BearerCapability
inap.both both No value inap.T_both
inap.both2 both2 No value inap.T_both2
inap.busyCause busyCause Byte array inap.Cause
inap.cGEncountered cGEncountered Unsigned 32-bit integer inap.CGEncountered
inap.callAttemptElapsedTimeValue callAttemptElapsedTimeValue Unsigned 32-bit integer inap.INTEGER_0_255
inap.callConnectedElapsedTimeValue callConnectedElapsedTimeValue Unsigned 32-bit integer inap.Integer4
inap.callID callID Signed 32-bit integer inap.CallID
inap.callStopTimeValue callStopTimeValue Byte array inap.DateAndTime
inap.calledAddressAndService calledAddressAndService No value inap.T_calledAddressAndService
inap.calledAddressValue calledAddressValue Byte array inap.Digits
inap.calledFacilityGroup calledFacilityGroup Unsigned 32-bit integer inap.FacilityGroup
inap.calledFacilityGroupMember calledFacilityGroupMember Signed 32-bit integer inap.FacilityGroupMember
inap.calledPartyBusinessGroupID calledPartyBusinessGroupID Byte array inap.CalledPartyBusinessGroupID
inap.calledPartyNumber calledPartyNumber Byte array inap.CalledPartyNumber
inap.calledPartySubaddress calledPartySubaddress Byte array inap.CalledPartySubaddress
inap.calledPartynumber calledPartynumber Byte array inap.CalledPartyNumber
inap.callingAddressAndService callingAddressAndService No value inap.T_callingAddressAndService
inap.callingAddressValue callingAddressValue Byte array inap.Digits
inap.callingFacilityGroup callingFacilityGroup Unsigned 32-bit integer inap.FacilityGroup
inap.callingFacilityGroupMember callingFacilityGroupMember Signed 32-bit integer inap.FacilityGroupMember
inap.callingLineID callingLineID Byte array inap.Digits
inap.callingPartyBusinessGroupID callingPartyBusinessGroupID Byte array inap.CallingPartyBusinessGroupID
inap.callingPartyNumber callingPartyNumber Byte array inap.CallingPartyNumber
inap.callingPartySubaddress callingPartySubaddress Byte array inap.CallingPartySubaddress
inap.callingPartysCategory callingPartysCategory Unsigned 16-bit integer inap.CallingPartysCategory
inap.cancelDigit cancelDigit Byte array inap.OCTET_STRING_SIZE_1_2
inap.carrier carrier Byte array inap.Carrier
inap.chargeNumber chargeNumber Byte array inap.ChargeNumber
inap.collectedDigits collectedDigits No value inap.CollectedDigits
inap.collectedInfo collectedInfo Unsigned 32-bit integer inap.CollectedInfo
inap.collectedInfoSpecificInfo collectedInfoSpecificInfo No value inap.T_collectedInfoSpecificInfo
inap.connectTime connectTime Unsigned 32-bit integer inap.Integer4
inap.controlType controlType Unsigned 32-bit integer inap.ControlType
inap.correlationID correlationID Byte array inap.CorrelationID
inap.correlationidentifier correlationidentifier Byte array inap.OCTET_STRING
inap.counterID counterID Unsigned 32-bit integer inap.CounterID
inap.counterValue counterValue Unsigned 32-bit integer inap.Integer4
inap.countersValue countersValue Unsigned 32-bit integer inap.CountersValue
inap.criticality criticality Unsigned 32-bit integer inap.T_criticality
inap.cutAndPaste cutAndPaste Unsigned 32-bit integer inap.CutAndPaste
inap.date2 date2 Byte array inap.OCTET_STRING_SIZE_3
inap.destinationCallID destinationCallID Signed 32-bit integer inap.CallID
inap.destinationNumberRoutingAddress destinationNumberRoutingAddress Byte array inap.CalledPartyNumber
inap.destinationRoutingAddress destinationRoutingAddress Unsigned 32-bit integer inap.DestinationRoutingAddress
inap.dialledDigits dialledDigits Byte array inap.CalledPartyNumber
inap.dialledNumber dialledNumber Byte array inap.Digits
inap.digitsResponse digitsResponse Byte array inap.Digits
inap.disconnectFromIPForbidden disconnectFromIPForbidden Boolean inap.BOOLEAN
inap.displayInformation displayInformation String inap.DisplayInformation
inap.dpAssignment dpAssignment Unsigned 32-bit integer inap.T_dpAssignment
inap.dpCriteria dpCriteria Unsigned 32-bit integer inap.EventTypeBCSM
inap.dpSpecificCommonParameters dpSpecificCommonParameters No value inap.DpSpecificCommonParameters
inap.dpSpecificCriteria dpSpecificCriteria Unsigned 32-bit integer inap.DpSpecificCriteria
inap.duration duration Signed 32-bit integer inap.Duration
inap.duration3 duration3 Unsigned 32-bit integer inap.INTEGER_0_32767
inap.elementaryMessageID elementaryMessageID Unsigned 32-bit integer inap.Integer4
inap.elementaryMessageIDs elementaryMessageIDs Unsigned 32-bit integer inap.SEQUENCE_SIZE_1_numOfMessageIDs_OF_Integer4
inap.elementaryMessageIDs_item Item Unsigned 32-bit integer inap.Integer4
inap.empty empty No value inap.NULL
inap.endOfReplyDigit endOfReplyDigit Byte array inap.OCTET_STRING_SIZE_1_2
inap.errorTreatment errorTreatment Unsigned 32-bit integer inap.ErrorTreatment
inap.eventSpecificInformationBCSM eventSpecificInformationBCSM Unsigned 32-bit integer inap.EventSpecificInformationBCSM
inap.eventSpecificInformationCharging eventSpecificInformationCharging Byte array inap.EventSpecificInformationCharging
inap.eventTypeBCSM eventTypeBCSM Unsigned 32-bit integer inap.EventTypeBCSM
inap.eventTypeCharging eventTypeCharging Byte array inap.EventTypeCharging
inap.eventTypeCharging2 eventTypeCharging2 Byte array inap.OCTET_STRING
inap.extensions extensions Unsigned 32-bit integer inap.Extensions
inap.facilityGroupID facilityGroupID Unsigned 32-bit integer inap.FacilityGroup
inap.facilityGroupMemberID facilityGroupMemberID Signed 32-bit integer inap.INTEGER
inap.failureCause failureCause Byte array inap.Cause
inap.featureCode featureCode Byte array inap.FeatureCode
inap.featureRequestIndicator featureRequestIndicator Unsigned 32-bit integer inap.FeatureRequestIndicator
inap.filteredCallTreatment filteredCallTreatment No value inap.FilteredCallTreatment
inap.filteringCharacteristics filteringCharacteristics Unsigned 32-bit integer inap.FilteringCharacteristics
inap.filteringCriteria filteringCriteria Unsigned 32-bit integer inap.FilteringCriteria
inap.filteringTimeOut filteringTimeOut Unsigned 32-bit integer inap.FilteringTimeOut
inap.firstDigitTimeOut firstDigitTimeOut Unsigned 32-bit integer inap.INTEGER_1_127
inap.forwardCallIndicators forwardCallIndicators Byte array inap.ForwardCallIndicators
inap.forwardingCondition forwardingCondition Unsigned 32-bit integer inap.ForwardingCondition
inap.gapCriteria gapCriteria Unsigned 32-bit integer inap.GapCriteria
inap.gapIndicators gapIndicators No value inap.GapIndicators
inap.gapInterval gapInterval Signed 32-bit integer inap.Interval
inap.gapOnService gapOnService No value inap.GapOnService
inap.gapTreatment gapTreatment Unsigned 32-bit integer inap.GapTreatment
inap.gp gp Signed 32-bit integer inap.GeneralProblem
inap.heldLegID heldLegID Unsigned 32-bit integer inap.LegID
inap.highLayerCompatibility highLayerCompatibility Byte array inap.HighLayerCompatibility
inap.holdcause holdcause Byte array inap.HoldCause
inap.huntGroup huntGroup Byte array inap.OCTET_STRING
inap.iA5Information iA5Information Boolean inap.BOOLEAN
inap.iA5Response iA5Response String inap.IA5String
inap.iPAvailable iPAvailable Byte array inap.IPAvailable
inap.iPSSPCapabilities iPSSPCapabilities Byte array inap.IPSSPCapabilities
inap.iSDNAccessRelatedInformation iSDNAccessRelatedInformation Byte array inap.ISDNAccessRelatedInformation
inap.inbandInfo inbandInfo No value inap.InbandInfo
inap.informationToSend informationToSend Unsigned 32-bit integer inap.InformationToSend
inap.initialCallSegment initialCallSegment Byte array inap.Cause
inap.integer integer Unsigned 32-bit integer inap.Integer4
inap.interDigitTimeOut interDigitTimeOut Unsigned 32-bit integer inap.INTEGER_1_127
inap.interruptableAnnInd interruptableAnnInd Boolean inap.BOOLEAN
inap.interval interval Unsigned 32-bit integer inap.INTEGER_0_32767
inap.interval1 interval1 Signed 32-bit integer inap.INTEGER_M1_32000
inap.invidtype invidtype Signed 32-bit integer inap.InvokeIDType
inap.invoke invoke No value INAPPDU/invoke
inap.invokeCmd invokeCmd Unsigned 32-bit integer InvokePDU/invokeCmd
inap.invokeID invokeID Signed 32-bit integer inap.InvokeID
inap.invokeId invokeId Unsigned 32-bit integer InvokePDU/invokeId
inap.invokeid invokeid Signed 32-bit integer InvokeId/invokeid
inap.ip ip Signed 32-bit integer inap.InvokeProblem
inap.ipRoutingAddress ipRoutingAddress Byte array inap.IPRoutingAddress
inap.legID legID Unsigned 32-bit integer inap.LegID
inap.legStatus legStatus Unsigned 32-bit integer inap.LegStatus
inap.legToBeConnectedID legToBeConnectedID Byte array inap.OCTET_STRING
inap.legToBeDetached legToBeDetached Byte array inap.OCTET_STRING
inap.legToBeReleased legToBeReleased Unsigned 32-bit integer inap.LegID
inap.lineID lineID Byte array inap.Digits
inap.linkedid linkedid Signed 32-bit integer LinkedId/linkedid
inap.locationNumber locationNumber Byte array inap.LocationNumber
inap.maximumNbOfDigits maximumNbOfDigits Unsigned 32-bit integer inap.INTEGER_1_127
inap.maximumNumberOfCounters maximumNumberOfCounters Unsigned 32-bit integer inap.MaximumNumberOfCounters
inap.messageContent messageContent String inap.IA5String_SIZE_minMessageContentLength_maxMessageContentLength
inap.messageID messageID Unsigned 32-bit integer inap.MessageID
inap.messageType messageType Unsigned 32-bit integer inap.T_messageType
inap.minimumNbOfDigits minimumNbOfDigits Unsigned 32-bit integer inap.INTEGER_1_127
inap.miscCallInfo miscCallInfo No value inap.MiscCallInfo
inap.monitorDuration monitorDuration Signed 32-bit integer inap.Duration
inap.monitorMode monitorMode Unsigned 32-bit integer inap.MonitorMode
inap.newLegID newLegID Byte array inap.OCTET_STRING
inap.none none No value inap.NULL
inap.null null No value inap.NULL
inap.number number Byte array inap.Digits
inap.numberOfCalls numberOfCalls Unsigned 32-bit integer inap.Integer4
inap.numberOfDigits numberOfDigits Unsigned 32-bit integer inap.NumberOfDigits
inap.numberOfRepetitions numberOfRepetitions Unsigned 32-bit integer inap.INTEGER_1_127
inap.numberingPlan numberingPlan Byte array inap.NumberingPlan
inap.oAnswerSpecificInfo oAnswerSpecificInfo No value inap.T_oAnswerSpecificInfo
inap.oCalledPartyBusySpecificInfo oCalledPartyBusySpecificInfo No value inap.T_oCalledPartyBusySpecificInfo
inap.oDisconnectSpecificInfo oDisconnectSpecificInfo No value inap.T_oDisconnectSpecificInfo
inap.oMidCallSpecificInfo oMidCallSpecificInfo No value inap.T_oMidCallSpecificInfo
inap.oNoAnswerSpecificInfo oNoAnswerSpecificInfo No value inap.T_oNoAnswerSpecificInfo
inap.operation operation Signed 32-bit integer inap.INTEGER_M128_127
inap.originalCallID originalCallID Signed 32-bit integer inap.CallID
inap.originalCalledPartyID originalCalledPartyID Byte array inap.OriginalCalledPartyID
inap.partyToCharge partyToCharge Unsigned 32-bit integer inap.LegID
inap.prefix prefix Byte array inap.Digits
inap.price price Byte array inap.OCTET_STRING_SIZE_4
inap.privateFacilityID privateFacilityID Signed 32-bit integer inap.INTEGER
inap.problem problem Unsigned 32-bit integer inap.T_problem
inap.receivingSideID receivingSideID Byte array inap.LegType
inap.redirectingPartyID redirectingPartyID Byte array inap.RedirectingPartyID
inap.redirectionInformation redirectionInformation Byte array inap.RedirectionInformation
inap.releaseCause releaseCause Byte array inap.Cause
inap.releaseCauseValue releaseCauseValue Byte array inap.Cause
inap.rep rep Signed 32-bit integer inap.ReturnErrorProblem
inap.reportCondition reportCondition Unsigned 32-bit integer inap.ReportCondition
inap.requestAnnouncementComplete requestAnnouncementComplete Boolean inap.BOOLEAN
inap.requestedInformationType requestedInformationType Unsigned 32-bit integer inap.RequestedInformationType
inap.requestedInformationTypeList requestedInformationTypeList Unsigned 32-bit integer inap.RequestedInformationTypeList
inap.requestedInformationValue requestedInformationValue Unsigned 32-bit integer inap.RequestedInformationValue
inap.resourceAddress resourceAddress Unsigned 32-bit integer inap.T_resourceAddress
inap.resourceID resourceID Unsigned 32-bit integer inap.ResourceID
inap.resourceStatus resourceStatus Unsigned 32-bit integer inap.ResourceStatus
inap.responseCondition responseCondition Unsigned 32-bit integer inap.ResponseCondition
inap.returnResult returnResult No value INAPPDU/returnResult
inap.rinvokeID rinvokeID Unsigned 32-bit integer inap.T_rinvokeID
inap.routeIndex routeIndex Byte array inap.OCTET_STRING
inap.routeList routeList Unsigned 32-bit integer inap.RouteList
inap.routeSelectFailureSpecificInfo routeSelectFailureSpecificInfo No value inap.T_routeSelectFailureSpecificInfo
inap.rproblem rproblem Unsigned 32-bit integer inap.T_rproblem
inap.rrp rrp Signed 32-bit integer inap.ReturnResultProblem
inap.sCIBillingChargingCharacteristics sCIBillingChargingCharacteristics Byte array inap.SCIBillingChargingCharacteristics
inap.sFBillingChargingCharacteristics sFBillingChargingCharacteristics Byte array inap.SFBillingChargingCharacteristics
inap.scfID scfID Byte array inap.ScfID
inap.sendingSideID sendingSideID Byte array inap.LegType
inap.serviceAddressInformation serviceAddressInformation No value inap.ServiceAddressInformation
inap.serviceInteractionIndicators serviceInteractionIndicators Byte array inap.ServiceInteractionIndicators
inap.serviceKey serviceKey Unsigned 32-bit integer inap.ServiceKey
inap.serviceProfileIdentifier serviceProfileIdentifier Byte array inap.ServiceProfileIdentifier
inap.servingAreaID servingAreaID Byte array inap.ServingAreaID
inap.startDigit startDigit Byte array inap.OCTET_STRING_SIZE_1_2
inap.startTime startTime Byte array inap.DateAndTime
inap.stopTime stopTime Byte array inap.DateAndTime
inap.tAnswerSpecificInfo tAnswerSpecificInfo No value inap.T_tAnswerSpecificInfo
inap.tBusySpecificInfo tBusySpecificInfo No value inap.T_tBusySpecificInfo
inap.tDisconnectSpecificInfo tDisconnectSpecificInfo No value inap.T_tDisconnectSpecificInfo
inap.tMidCallSpecificInfo tMidCallSpecificInfo No value inap.T_tMidCallSpecificInfo
inap.tNoAnswerSpecificInfo tNoAnswerSpecificInfo No value inap.T_tNoAnswerSpecificInfo
inap.targetCallID targetCallID Signed 32-bit integer inap.CallID
inap.terminalType terminalType Unsigned 32-bit integer inap.TerminalType
inap.text text No value inap.T_text
inap.time time Byte array inap.OCTET_STRING_SIZE_2
inap.timerID timerID Unsigned 32-bit integer inap.TimerID
inap.timervalue timervalue Unsigned 32-bit integer inap.TimerValue
inap.tmr tmr Byte array inap.OCTET_STRING_SIZE_1
inap.tone tone No value inap.Tone
inap.toneID toneID Unsigned 32-bit integer inap.Integer4
inap.tone_duration tone-duration Unsigned 32-bit integer inap.Integer4
inap.travellingClassMark travellingClassMark Byte array inap.TravellingClassMark
inap.triggerType triggerType Unsigned 32-bit integer inap.TriggerType
inap.trunkGroupID trunkGroupID Signed 32-bit integer inap.INTEGER
inap.type type Signed 32-bit integer inap.INTEGER
inap.value value Byte array inap.OCTET_STRING
inap.variableMessage variableMessage No value inap.T_variableMessage
inap.variableParts variableParts Unsigned 32-bit integer inap.SEQUENCE_SIZE_1_5_OF_VariablePart
inap.variableParts_item Item Unsigned 32-bit integer inap.VariablePart
inap.voiceBack voiceBack Boolean inap.BOOLEAN
inap.voiceInformation voiceInformation Boolean inap.BOOLEAN
ClearSEL.datafield.BytesToRead 'R' (0x52) Unsigned 8-bit integer 'R' (0x52)
ClearSEL.datafield.ErasureProgress.EraProg Erasure Progress Unsigned 8-bit integer Erasure Progress
ClearSEL.datafield.ErasureProgress.Reserved Reserved Unsigned 8-bit integer Reserved
ClearSEL.datafield.NextSELRecordID Action for Clear SEL Unsigned 8-bit integer Action for Clear SEL
ClearSEL.datafield.OffsetIntoRecord 'L' (0x4C) Unsigned 8-bit integer 'L' (0x4C)
ClearSEL.datafield.ReservationID Reservation ID Unsigned 16-bit integer Reservation ID
ClearSEL.datafield.SELRecordID 'C' (0x43) Unsigned 8-bit integer 'C' (0x43)
FRUControl.datafield.FRUControlOption FRU Control Option Unsigned 8-bit integer FRU Control Option
FRUControl.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
FRUControl.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
GetDeviceID.datafield.AuxiliaryFirmwareRevisionInfomation Auxiliary Firmware Revision Infomation Unsigned 32-bit integer Auxiliary Firmware Revision Infomation
GetDeviceID.datafield.Bridge Bridge Device Unsigned 8-bit integer Bridge Device
GetDeviceID.datafield.Chasis Chasis Device Unsigned 8-bit integer Chasis Device
GetDeviceID.datafield.DeviceAvailable Device Available Unsigned 8-bit integer Device Available
GetDeviceID.datafield.DeviceID Device ID Unsigned 8-bit integer Device ID field
GetDeviceID.datafield.DeviceRevision Device Revision Unsigned 8-bit integer Device Revision binary code
GetDeviceID.datafield.DeviceSDR Device SDR Unsigned 8-bit integer Device SDR
GetDeviceID.datafield.FRUInventoryDevice FRU Inventory Device Unsigned 8-bit integer FRU Inventory Device
GetDeviceID.datafield.IPMBEventGenerator IPMB Event Generator Unsigned 8-bit integer IPMB Event Generator
GetDeviceID.datafield.IPMBEventReceiver IPMB Event Receiver Unsigned 8-bit integer IPMB Event Receiver
GetDeviceID.datafield.IPMIRevision IPMI Revision Unsigned 8-bit integer IPMI Revision
GetDeviceID.datafield.MajorFirmwareRevision Major Firmware Revision Unsigned 8-bit integer Major Firmware Revision
GetDeviceID.datafield.ManufactureID Manufacture ID Unsigned 24-bit integer Manufacture ID
GetDeviceID.datafield.MinorFirmwareRevision Minor Firmware Revision Unsigned 8-bit integer Minor Firmware Revision
GetDeviceID.datafield.ProductID Product ID Unsigned 16-bit integer Product ID
GetDeviceID.datafield.SDRRepositoryDevice SDR Repository Device Unsigned 8-bit integer SDR Repository Device
GetDeviceID.datafield.SELDevice SEL Device Unsigned 8-bit integer SEL Device
GetDeviceID.datafield.SensorDevice Sensor Device Unsigned 8-bit integer Sensor Device
GetDeviceLocatorRecordID.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
GetDeviceLocatorRecordID.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
GetDeviceLocatorRecordID.datafield.RecordID Record ID Unsigned 16-bit integer Record ID
GetDeviceSDR.datafield.BytesToRead Bytes to read (number) Unsigned 8-bit integer Bytes to read
GetDeviceSDR.datafield.OffsetIntoRecord Offset into record Unsigned 8-bit integer Offset into record
GetDeviceSDR.datafield.RecordID Record ID of record to Get Unsigned 16-bit integer Record ID of record to Get
GetDeviceSDR.datafield.ReservationID Reservation ID Unsigned 16-bit integer Reservation ID
GetDeviceSDRInfo.datafield.Flag Flag Unsigned 8-bit integer Flag
GetDeviceSDRInfo.datafield.Flag.DeviceLUN3 Device LUN 3 Unsigned 8-bit integer Device LUN 3
GetDeviceSDRInfo.datafield.Flag.DeviceLUNs0 Device LUN 0 Unsigned 8-bit integer Device LUN 0
GetDeviceSDRInfo.datafield.Flag.DeviceLUNs1 Device LUN 1 Unsigned 8-bit integer Device LUN 1
GetDeviceSDRInfo.datafield.Flag.DeviceLUNs2 Device LUN 2 Unsigned 8-bit integer Device LUN 2
GetDeviceSDRInfo.datafield.Flag.Dynamicpopulation Dynamic population Unsigned 8-bit integer Dynamic population
GetDeviceSDRInfo.datafield.Flag.Reserved Reserved Unsigned 8-bit integer Reserved
GetDeviceSDRInfo.datafield.PICMGIdentifier Number of the Sensors in device Unsigned 8-bit integer Number of the Sensors in device
GetDeviceSDRInfo.datafield.SensorPopulationChangeIndicator SensorPopulation Change Indicator Unsigned 32-bit integer Sensor Population Change Indicator
GetFRUActivationPolicy.datafield.FRUActivationPolicy.Bit0 Locked Bit Unsigned 8-bit integer Locked Bit
GetFRUActivationPolicy.datafield.FRUActivationPolicy.Bit1 Deactivation-Locked Bit Unsigned 8-bit integer Deactivation-Locked Bit
GetFRUActivationPolicy.datafield.FRUActivationPolicy.Bit72 Bit 7...2 Reserverd Unsigned 8-bit integer Bit 7...2 Reserverd
GetFRUActivationPolicy.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
GetFRUActivationPolicy.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
GetFRUInventoryAreaInfo.datafield.FRUInventoryAreaSize FRU Inventory area size in bytes Unsigned 16-bit integer FRU Inventory area size in bytes
GetFRUInventoryAreaInfo.datafield.ReservationID FRU Device ID Unsigned 8-bit integer FRU Device ID
GetFRUInventoryAreaInfo.datafield.ResponseDataByte4.Bit0 Device is accessed by bytes or words ? Unsigned 8-bit integer Device is accessed by bytes or words ?
GetFRUInventoryAreaInfo.datafield.ResponseDataByte4.Bit71 Reserved Unsigned 8-bit integer Reserved
GetFRULedProperties.datafield.ApplicationSpecificLEDCount Application Specific LED Count Unsigned 8-bit integer Application Specific LED Count
GetFRULedProperties.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
GetFRULedProperties.datafield.LedProperties.BlueLED BlueLED Unsigned 8-bit integer BlueLED
GetFRULedProperties.datafield.LedProperties.LED1 LED1 Unsigned 8-bit integer LED1
GetFRULedProperties.datafield.LedProperties.LED2 LED2 Unsigned 8-bit integer LED2
GetFRULedProperties.datafield.LedProperties.LED3 LED3 Unsigned 8-bit integer LED3
GetFRULedProperties.datafield.LedProperties.Reserved Reserved Unsigned 8-bit integer Reserved
GetFRULedProperties.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
GetFRULedState.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
GetFRULedState.datafield.LEDFunction Bit 7...3 Reserved Unsigned 8-bit integer Bit 7...3 Reserved
GetFRULedState.datafield.LEDID LED ID Unsigned 8-bit integer LED ID
GetFRULedState.datafield.LEDState.Bit0 IPM Controller has a Local Control State ? Unsigned 8-bit integer IPM Controller has a Local Control State ?
GetFRULedState.datafield.LEDState.Bit1 Override State Unsigned 8-bit integer Override State
GetFRULedState.datafield.LEDState.Bit2 Lamp Test Unsigned 8-bit integer Lamp Test
GetFRULedState.datafield.LampTestDuration Lamp Test Duration Unsigned 8-bit integer Lamp Test Duration
GetFRULedState.datafield.LocalControlColor.ColorVal Color Unsigned 8-bit integer Color
GetFRULedState.datafield.LocalControlColor.Reserved Bit 7...4 Reserved Unsigned 8-bit integer Bit 7...4 Reserved
GetFRULedState.datafield.LocalControlLEDFunction Local Control LED Function Unsigned 8-bit integer Local Control LED Function
GetFRULedState.datafield.LocalControlOffduration Local Control Off-duration Unsigned 8-bit integer Local Control Off-duration
GetFRULedState.datafield.LocalControlOnduration Local Control On-duration Unsigned 8-bit integer Local Control On-duration
GetFRULedState.datafield.OverrideStateColor.ColorVal Color Unsigned 8-bit integer Color
GetFRULedState.datafield.OverrideStateColor.Reserved Bit 7...4 Reserved Unsigned 8-bit integer Bit 7...4 Reserved
GetFRULedState.datafield.OverrideStateLEDFunction Override State LED Function Unsigned 8-bit integer Override State LED Function
GetFRULedState.datafield.OverrideStateOffduration Override State Off-duration Unsigned 8-bit integer Override State Off-duration
GetFRULedState.datafield.OverrideStateOnduration Override State On-duration Unsigned 8-bit integer Override State On-duration
GetFRULedState.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
GetFanLevel.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
GetFanLevel.datafield.LocalControlFanLevel Local Control Fan Level Unsigned 8-bit integer Local Control Fan Level
GetFanLevel.datafield.OverrideFanLevel Override Fan Level Unsigned 8-bit integer Override Fan Level
GetFanLevel.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
GetLedColorCapabilities.datafield.DefaultLEDColorLocalControl.Color Default LED Color (Local Control State) Unsigned 8-bit integer Default LED Color (Local Control State)
GetLedColorCapabilities.datafield.DefaultLEDColorLocalControl.Reserved.bit7-4 Reserved Unsigned 8-bit integer Reserved
GetLedColorCapabilities.datafield.DefaultLEDColorOverride.Color Default LED Color (Override State) Unsigned 8-bit integer Default LED Color (Override State)
GetLedColorCapabilities.datafield.DefaultLEDColorOverride.Reserved.bit7-4 Reserved Unsigned 8-bit integer Reserved
GetLedColorCapabilities.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
GetLedColorCapabilities.datafield.LEDColorCapabilities.AMBER LED Support AMBER ? Unsigned 8-bit integer LED Support AMBER ?
GetLedColorCapabilities.datafield.LEDColorCapabilities.BLUE LED Support BLUE ? Unsigned 8-bit integer LED Support BLUE ?
GetLedColorCapabilities.datafield.LEDColorCapabilities.GREEN LED Support GREEN ? Unsigned 8-bit integer LED Support GREEN ?
GetLedColorCapabilities.datafield.LEDColorCapabilities.ORANGE LED Support ORANGE ? Unsigned 8-bit integer LED Support ORANGE ?
GetLedColorCapabilities.datafield.LEDColorCapabilities.RED LED Support RED ? Unsigned 8-bit integer LED Support RED ?
GetLedColorCapabilities.datafield.LEDColorCapabilities.Reserved.bit0 Reserved Unsigned 8-bit integer Reserved
GetLedColorCapabilities.datafield.LEDColorCapabilities.Reserved.bit7 Reserved Unsigned 8-bit integer Reserved
GetLedColorCapabilities.datafield.LEDColorCapabilities.WHITE LED Support WHITE ? Unsigned 8-bit integer LED Support WHITE ?
GetLedColorCapabilities.datafield.LEDID LED ID Unsigned 8-bit integer LED ID
GetLedColorCapabilities.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
GetPICMGProperties.datafield.FRUDeviceIDforIPMController FRU Device ID for IPM Controller Unsigned 8-bit integer FRU Device ID for IPM Controller
GetPICMGProperties.datafield.MaxFRUDeviceID Max FRU Device ID Unsigned 8-bit integer Max FRU Device ID
GetPICMGProperties.datafield.PICMGExtensionVersion PICMG Extension Version Unsigned 8-bit integer PICMG Extension Version
GetPICMGProperties.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
GetPowerLevel.datafield.DelayToStablePower Delay To Stable Power Unsigned 8-bit integer Delay To Stable Power
GetPowerLevel.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
GetPowerLevel.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
GetPowerLevel.datafield.PowerDraw Power Draw Unsigned 8-bit integer Power Draw
GetPowerLevel.datafield.PowerMultiplier Power Multiplier Unsigned 8-bit integer Power Multiplier
GetPowerLevel.datafield.PowerType Power Type Unsigned 8-bit integer Power Type
GetPowerLevel.datafield.Properties Properties Unsigned 8-bit integer Properties
GetPowerLevel.datafield.Properties.DynamicPowerCon Dynamic Power Configuration Unsigned 8-bit integer Dynamic Power Configuration
GetPowerLevel.datafield.Properties.PowerLevel Power Level Unsigned 8-bit integer Power Level
GetPowerLevel.datafield.Properties.Reserved Reserved Unsigned 8-bit integer Reserved
GetSELEntry.datafield.BytesToRead Bytes to read Unsigned 8-bit integer Bytes to read
GetSELEntry.datafield.NextSELRecordID Next SEL Record ID Unsigned 16-bit integer Next SEL Record ID
GetSELEntry.datafield.OffsetIntoRecord Offset into record Unsigned 8-bit integer Offset into record
GetSELEntry.datafield.ReservationID Reservation ID Unsigned 16-bit integer Reservation ID
GetSELEntry.datafield.SELRecordID SEL Record ID Unsigned 16-bit integer SEL Record ID
GetSELInfo.datafield.AdditionTimestamp Most recent addition timestamp Unsigned 32-bit integer Most recent addition timestamp
GetSELInfo.datafield.Entries Number of log entries in SEL Unsigned 16-bit integer Number of log entries in SEL
GetSELInfo.datafield.EraseTimestamp Most recent erase timestamp Unsigned 32-bit integer Most recent erase timestamp
GetSELInfo.datafield.FreeSpace Free Space in bytes Unsigned 16-bit integer Free Space in bytes
GetSELInfo.datafield.OperationSupport.Bit0 Get SEL Allocation Information command supported ? Unsigned 8-bit integer Get SEL Allocation Information command supported ?
GetSELInfo.datafield.OperationSupport.Bit1 Reserve SEL command supported ? Unsigned 8-bit integer Reserve SEL command supported ?
GetSELInfo.datafield.OperationSupport.Bit2 Partial Add SEL Entry command supported ? Unsigned 8-bit integer Partial Add SEL Entry command supported ?
GetSELInfo.datafield.OperationSupport.Bit3 Delete SEL command supported ? Unsigned 8-bit integer Delete SEL command supported ?
GetSELInfo.datafield.OperationSupport.Bit7 Overflow Flag Unsigned 8-bit integer Overflow Flag
GetSELInfo.datafield.OperationSupport.Reserved Reserved Unsigned 8-bit integer Reserved
GetSELInfo.datafield.ReservationID Reservation ID Unsigned 16-bit integer Reservation ID
GetSELInfo.datafield.SELVersion SEL Version Unsigned 8-bit integer SEL Version
GetSensorHysteresis.datafield.NegativegoingThresholdHysteresisValue Negative-going Threshold Hysteresis Value Unsigned 8-bit integer Negative-going Threshold Hysteresis Value
GetSensorHysteresis.datafield.PositivegoingThresholdHysteresisValue Positive-going Threshold Hysteresis Value Unsigned 8-bit integer Positive-going Threshold Hysteresis Value
GetSensorHysteresis.datafield.ReservedForHysteresisMask Reserved for future ' Hysteresis Mask ' definition Unsigned 8-bit integer Reserved For Hysteresis Mask
GetSensorHysteresis.datafield.SensorNumber Sensor Number Unsigned 8-bit integer Sensor Number
GetSensorReading.datafield.ResponseDataByte2.Bit5 Bit 5 Unsigned 8-bit integer Bit 5
GetSensorReading.datafield.ResponseDataByte2.Bit6 Bit 6 Unsigned 8-bit integer Bit 6
GetSensorReading.datafield.ResponseDataByte2.Bit7 Bit 7 Unsigned 8-bit integer Bit 7
GetSensorReading.datafield.ResponseDataByte3.Bit0 Bit 0 Unsigned 8-bit integer Bit 0
GetSensorReading.datafield.ResponseDataByte3.Bit0_threshold Bit 0 Unsigned 8-bit integer Bit 0
GetSensorReading.datafield.ResponseDataByte3.Bit1 Bit 1 Unsigned 8-bit integer Bit 1
GetSensorReading.datafield.ResponseDataByte3.Bit1_threshold Bit 1 Unsigned 8-bit integer Bit 1
GetSensorReading.datafield.ResponseDataByte3.Bit2 Bit 2 Unsigned 8-bit integer Bit 2
GetSensorReading.datafield.ResponseDataByte3.Bit2_threshold Bit 2 Unsigned 8-bit integer Bit 2
GetSensorReading.datafield.ResponseDataByte3.Bit3 Bit 3 Unsigned 8-bit integer Bit 3
GetSensorReading.datafield.ResponseDataByte3.Bit3_threshold Bit 3 Unsigned 8-bit integer Bit 3
GetSensorReading.datafield.ResponseDataByte3.Bit4 Bit 4 Unsigned 8-bit integer Bit 4
GetSensorReading.datafield.ResponseDataByte3.Bit4_threshold Bit 4 Unsigned 8-bit integer Bit 4
GetSensorReading.datafield.ResponseDataByte3.Bit5 Bit 5 Unsigned 8-bit integer Bit 5
GetSensorReading.datafield.ResponseDataByte3.Bit5_threshold Bit 5 Unsigned 8-bit integer Bit 5
GetSensorReading.datafield.ResponseDataByte3.Bit6 Bit 6 Unsigned 8-bit integer Bit 6
GetSensorReading.datafield.ResponseDataByte3.Bit7 Bit 7 Unsigned 8-bit integer Bit 7
GetSensorReading.datafield.ResponseDataByte3.Bit76_threshold Bit 7...6 Reserved Unsigned 8-bit integer Bit 7...6 Reserved
GetSensorReading.datafield.ResponseDataByte4.Bit0 Bit 0 Unsigned 8-bit integer Bit 0
GetSensorReading.datafield.ResponseDataByte4.Bit1 Bit 1 Unsigned 8-bit integer Bit 1
GetSensorReading.datafield.ResponseDataByte4.Bit2 Bit 2 Unsigned 8-bit integer Bit 2
GetSensorReading.datafield.ResponseDataByte4.Bit4 Bit 4 Unsigned 8-bit integer Bit 4
GetSensorReading.datafield.ResponseDataByte4.Bit5 Bit 5 Unsigned 8-bit integer Bit 5
GetSensorReading.datafield.ResponseDataByte4.Bit6 Bit 6 Unsigned 8-bit integer Bit 6
GetSensorReading.datafield.ResponseDataByte4.Bit7 Bit 7 Unsigned 8-bit integer Bit 7
GetSensorReading.datafield.SensorNumber Sensor Number Unsigned 8-bit integer Sensor Number
GetSensorReading.datafield.Sensorreading Sensor Reading Unsigned 8-bit integer Sensor Reading
GetSensorThresholds.datafield.ControlByte.Bit0 lower non-critical threshold Unsigned 8-bit integer lower non-critical threshold
GetSensorThresholds.datafield.ControlByte.Bit1 lower critical threshold Unsigned 8-bit integer lower critical threshold
GetSensorThresholds.datafield.ControlByte.Bit2 lower non-recoverable threshold Unsigned 8-bit integer lower non-recoverable threshold
GetSensorThresholds.datafield.ControlByte.Bit3 upper non-critical threshold Unsigned 8-bit integer upper non-critical threshold
GetSensorThresholds.datafield.ControlByte.Bit4 upper critical threshold Unsigned 8-bit integer upper critical threshold
GetSensorThresholds.datafield.ControlByte.Bit5 upper non-recoverable threshold Unsigned 8-bit integer upper non-recoverable threshold
GetSensorThresholds.datafield.ControlByte.Bit76 Bit 7...6 Reserved Unsigned 8-bit integer Bit 7...6 Reserved
GetSensorThresholds.datafield.LowerCriticalThreshold lower critical threshold Unsigned 8-bit integer lower critical threshold
GetSensorThresholds.datafield.LowerNonCriticalThreshold lower non-critical threshold Unsigned 8-bit integer lower non-critical threshold
GetSensorThresholds.datafield.LowerNonRecoverableThreshold lower non-recoverable threshold Unsigned 8-bit integer lower non-recoverable threshold
GetSensorThresholds.datafield.SensorNumber Sensor Number Unsigned 8-bit integer Sensor Number
GetSensorThresholds.datafield.UpperCriticalThreshold upper critical threshold Unsigned 8-bit integer upper critical threshold
GetSensorThresholds.datafield.UpperNonCriticalThreshold upper non-critical threshold Unsigned 8-bit integer upper non-critical threshold
GetSensorThresholds.datafield.UpperNonRecoverableThreshold upper non-recoverable threshold Unsigned 8-bit integer upper non-recoverable threshold
PEM.datafield.EvMRev Event Message Revision Unsigned 8-bit integer Event Message Revision
PEM.datafield.EventData1_OEM_30 Offset from Event/Reading Type Code Unsigned 8-bit integer Offset from Event/Reading Type Code
PEM.datafield.EventData1_OEM_54 [5,4] Unsigned 8-bit integer byte 3 in the event data
PEM.datafield.EventData1_OEM_76 [7,6] Unsigned 8-bit integer byte 2 in the event data
PEM.datafield.EventData1_discrete_30 Offset from Event/Reading Code for threshold event Unsigned 8-bit integer Offset from Event/Reading Code for threshold event
PEM.datafield.EventData1_discrete_54 [5,4] Unsigned 8-bit integer byte 3 in the event data
PEM.datafield.EventData1_discrete_76 [7,6] Unsigned 8-bit integer byte 2 in the event data
PEM.datafield.EventData1_threshold_30 Offset from Event/Reading Code for threshold event Unsigned 8-bit integer Offset from Event/Reading Code for threshold event
PEM.datafield.EventData1_threshold_54 [5,4] Unsigned 8-bit integer byte 3 in the event data
PEM.datafield.EventData1_threshold_76 [7,6] Unsigned 8-bit integer byte 2 in the event data
PEM.datafield.EventData2_OEM_30 Optional OEM code or offset from Event/Reading Type Code for previous event state(0x0f if unspecified) Unsigned 8-bit integer Optional OEM code or offset from Event/Reading Type Code for previous event state(0x0f if unspecified)
PEM.datafield.EventData2_OEM_74 Optional OEM code bits or offset from 'Severity' Event/Reading Type Code(0x0f if unspecified) Unsigned 8-bit integer Optional OEM code bits or offset from 'Severity' Event/Reading Type Code(0x0f if unspecified)
PEM.datafield.EventData2_discrete_30 Optional offset from Event/Reading Type Code for previous discrete event state (0x0f if unspecified) Unsigned 8-bit integer Optional offset from Event/Reading Type Code for previous discrete event state (0x0f if unspecified)
PEM.datafield.EventData2_discrete_74 Optional offset from 'Severity' Event/Reading Code(0x0f if unspecified) Unsigned 8-bit integer Optional offset from 'Severity' Event/Reading Code(0x0f if unspecified)
PEM.datafield.EventData2_threshold reading that triggered event Unsigned 8-bit integer reading that triggered event
PEM.datafield.EventData3_discrete Optional OEM code Unsigned 8-bit integer Optional OEM code
PEM.datafield.EventData3_threshold threshold value that triggered event Unsigned 8-bit integer threshold value that triggered event
PEM.datafield.EventDirAndEventType.EventDir Event Direction Unsigned 8-bit integer Event Direction
PEM.datafield.EventType Event Type Unsigned 8-bit integer Event Type
PEM.datafield.HotSwapEvent_CurrentState Current State Unsigned 8-bit integer Current State
PEM.datafield.HotSwapEvent_EventData2_74 Cause of State Change Unsigned 8-bit integer Cause of State Change
PEM.datafield.HotSwapEvent_FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
PEM.datafield.HotSwapEvent_HotSwapEvent_PreviousState Previous State Unsigned 8-bit integer Previous State
PEM.datafield.SensorNumber Sensor # Unsigned 8-bit integer Sensor Number
PEM.datafield.SensorType Sensor Type Unsigned 8-bit integer Sensor Type
ReserveDeviceSDRRepository.datafield.ReservationID Reservation ID Unsigned 16-bit integer Reservation ID
SetFRUActivation.datafield.FRUActivationDeactivation FRU Activation/Deactivation Unsigned 8-bit integer FRU Activation/Deactivation
SetFRUActivation.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
SetFRUActivation.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
SetFRUActivationPolicy.datafield.FRUActivationPolicyMaskBit.Bit0 Bit 0 Unsigned 8-bit integer Bit 0
SetFRUActivationPolicy.datafield.FRUActivationPolicyMaskBit.Bit1 Bit 1 Unsigned 8-bit integer Bit 1
SetFRUActivationPolicy.datafield.FRUActivationPolicyMaskBit.Bit72 Bit 7...2 Reserverd Unsigned 8-bit integer Bit 7...2 Reserverd
SetFRUActivationPolicy.datafield.FRUActivationPolicySetBit.Bit0 Set or Clear Locked Unsigned 8-bit integer Set or Clear Locked
SetFRUActivationPolicy.datafield.FRUActivationPolicySetBit.Bit0_ignored Set or Clear Locked Unsigned 8-bit integer Set or Clear Locked
SetFRUActivationPolicy.datafield.FRUActivationPolicySetBit.Bit1 Set or Clear Deactivation-Locked Unsigned 8-bit integer Set or Clear Deactivation-Locked
SetFRUActivationPolicy.datafield.FRUActivationPolicySetBit.Bit1_ignored Set or Clear Deactivation-Locked Unsigned 8-bit integer Set or Clear Deactivation-Locked
SetFRUActivationPolicy.datafield.FRUActivationPolicySetBit.Bit72 Bit 7...2 Reserverd Unsigned 8-bit integer Bit 7...2 Reserverd
SetFRUActivationPolicy.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
SetFRUActivationPolicy.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
SetFRULedState.datafield.Color.ColorVal Color Unsigned 8-bit integer Color
SetFRULedState.datafield.Color.Reserved Bit 7...4 Reserved Unsigned 8-bit integer Bit 7...4 Reserved
SetFRULedState.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
SetFRULedState.datafield.LEDFunction LED Function Unsigned 8-bit integer LED Function
SetFRULedState.datafield.LEDID LED ID Unsigned 8-bit integer LED ID
SetFRULedState.datafield.Offduration Off-duration Unsigned 8-bit integer Off-duration
SetFRULedState.datafield.Onduration On-duration Unsigned 8-bit integer On-duration
SetFRULedState.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
SetFanLevel.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
SetFanLevel.datafield.FanLevel Fan Level Unsigned 8-bit integer Fan Level
SetFanLevel.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
SetPowerLevel.datafield.FRUDeviceID FRU Device ID Unsigned 8-bit integer FRU Device ID
SetPowerLevel.datafield.PICMGIdentifier PICMG Identifier Unsigned 8-bit integer PICMG Identifier
SetPowerLevel.datafield.PowerLevel Power Level Unsigned 8-bit integer Power Level
SetPowerLevel.datafield.SetPresentLevelsToDesiredLevels Set Present Levels to Desired Levels Unsigned 8-bit integer Set Present Levels to Desired Levels
SetSensorHysteresis.datafield.NegativegoingThresholdHysteresisValue Negative-going Threshold Hysteresis Value Unsigned 8-bit integer Negative-going Threshold Hysteresis Value
SetSensorHysteresis.datafield.PositivegoingThresholdHysteresisValue Positive-going Threshold Hysteresis Value Unsigned 8-bit integer Positive-going Threshold Hysteresis Value
SetSensorHysteresis.datafield.ReservedForHysteresisMask Reserved for future ' Hysteresis Mask ' definition Unsigned 8-bit integer Reserved For Hysteresis Mask
SetSensorHysteresis.datafield.SensorNumber Sensor Number Unsigned 8-bit integer Sensor Number
SetSensorThresholds.datafield.ControlByte.Bit0 lower non-critical threshold Unsigned 8-bit integer lower non-critical threshold
SetSensorThresholds.datafield.ControlByte.Bit1 lower critical threshold Unsigned 8-bit integer lower critical threshold
SetSensorThresholds.datafield.ControlByte.Bit2 lower non-recoverable threshold Unsigned 8-bit integer lower non-recoverable threshold
SetSensorThresholds.datafield.ControlByte.Bit3 upper non-critical threshold Unsigned 8-bit integer upper non-critical threshold
SetSensorThresholds.datafield.ControlByte.Bit4 upper critical threshold Unsigned 8-bit integer upper critical threshold
SetSensorThresholds.datafield.ControlByte.Bit5 upper non-recoverable threshold Unsigned 8-bit integer upper non-recoverable threshold
SetSensorThresholds.datafield.ControlByte.Bit76 Bit 7...6 Reserved Unsigned 8-bit integer Bit 7...6 Reserved
SetSensorThresholds.datafield.LowerCriticalThreshold lower critical threshold Unsigned 8-bit integer lower critical threshold
SetSensorThresholds.datafield.LowerNonCriticalThreshold lower non-critical threshold Unsigned 8-bit integer lower non-critical threshold
SetSensorThresholds.datafield.LowerNonRecoverableThreshold lower non-recoverable threshold Unsigned 8-bit integer lower non-recoverable threshold
SetSensorThresholds.datafield.SensorNumber Sensor Number Unsigned 8-bit integer Sensor Number
SetSensorThresholds.datafield.UpperCriticalThreshold upper critical threshold Unsigned 8-bit integer upper critical threshold
SetSensorThresholds.datafield.UpperNonCriticalThreshold upper non-critical threshold Unsigned 8-bit integer upper non-critical threshold
SetSensorThresholds.datafield.UpperNonRecoverableThreshold upper non-recoverable threshold Unsigned 8-bit integer upper non-recoverable threshold
ipmi.msg.ccode Completion Code Unsigned 8-bit integer Completion Code for Request
ipmi.msg.cmd Command Unsigned 8-bit integer IPMI Command Byte
ipmi.msg.csum1 Checksum 1 Unsigned 8-bit integer 2s Complement Checksum
ipmi.msg.csum2 Checksum 2 Unsigned 8-bit integer 2s Complement Checksum
ipmi.msg.len Message Length Unsigned 8-bit integer IPMI Message Length
ipmi.msg.nlfield NetFn/LUN Unsigned 8-bit integer Network Function and LUN field
ipmi.msg.nlfield.netfn NetFn Unsigned 8-bit integer Network Function Code
ipmi.msg.nlfield.rqlun Request LUN Unsigned 8-bit integer Requester's Logical Unit Number
ipmi.msg.rqaddr Request Address Unsigned 8-bit integer Requester's Address (SA or SWID)
ipmi.msg.rsaddr Response Address Unsigned 8-bit integer Responder's Slave Address
ipmi.msg.slfield Seq/LUN Unsigned 8-bit integer Sequence and LUN field
ipmi.msg.slfield.rslun Response LUN Unsigned 8-bit integer Responder's Logical Unit Number
ipmi.msg.slfield.seq Sequence Unsigned 8-bit integer Sequence Number (requester)
ipmi.session.authcode Authentication Code Byte array IPMI Message Authentication Code
ipmi.session.authtype Authentication Type Unsigned 8-bit integer IPMI Authentication Type
ipmi.session.id Session ID Unsigned 32-bit integer IPMI Session ID
ipmi.session.sequence Session Sequence Number Unsigned 32-bit integer IPMI Session Sequence Number
iapp.type type Unsigned 8-bit integer
iapp.version Version Unsigned 8-bit integer
iax2.abstime Absolute Time Date/Time stamp The absoulte time of this packet (calculated by adding the IAX timestamp to the start time of this call)
iax2.call Call identifier Unsigned 32-bit integer This is the identifier Wireshark assigns to identify this call. It does not correspond to any real field in the protocol
iax2.cap.adpcm ADPCM Boolean ADPCM
iax2.cap.alaw Raw A-law data (G.711) Boolean Raw A-law data (G.711)
iax2.cap.g723_1 G.723.1 compression Boolean G.723.1 compression
iax2.cap.g726 G.726 compression Boolean G.726 compression
iax2.cap.g729a G.729a Audio Boolean G.729a Audio
iax2.cap.gsm GSM compression Boolean GSM compression
iax2.cap.h261 H.261 video Boolean H.261 video
iax2.cap.h263 H.263 video Boolean H.263 video
iax2.cap.ilbc iLBC Free compressed Audio Boolean iLBC Free compressed Audio
iax2.cap.jpeg JPEG images Boolean JPEG images
iax2.cap.lpc10 LPC10, 180 samples/frame Boolean LPC10, 180 samples/frame
iax2.cap.png PNG images Boolean PNG images
iax2.cap.slinear Raw 16-bit Signed Linear (8000 Hz) PCM Boolean Raw 16-bit Signed Linear (8000 Hz) PCM
iax2.cap.speex SPEEX Audio Boolean SPEEX Audio
iax2.cap.ulaw Raw mu-law data (G.711) Boolean Raw mu-law data (G.711)
iax2.control.subclass Control subclass Unsigned 8-bit integer This gives the command number for a Control packet.
iax2.dst_call Destination call Unsigned 16-bit integer dst_call holds the number of this call at the packet destination
iax2.dtmf.subclass DTMF subclass (digit) String DTMF subclass gives the DTMF digit
iax2.fragment IAX2 Fragment data Frame number IAX2 Fragment data
iax2.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
iax2.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
iax2.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
iax2.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
iax2.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
iax2.fragments IAX2 Fragments No value IAX2 Fragments
iax2.iax.aesprovisioning AES Provisioning info String
iax2.iax.app_addr.sinaddr Address IPv4 address Address
iax2.iax.app_addr.sinfamily Family Unsigned 16-bit integer Family
iax2.iax.app_addr.sinport Port Unsigned 16-bit integer Port
iax2.iax.auth.challenge Challenge data for MD5/RSA String
iax2.iax.auth.md5 MD5 challenge result String
iax2.iax.auth.methods Authentication method(s) Unsigned 16-bit integer
iax2.iax.auth.rsa RSA challenge result String
iax2.iax.autoanswer Request auto-answering No value
iax2.iax.call_no Call number of peer Unsigned 16-bit integer
iax2.iax.called_context Context for number String
iax2.iax.called_number Number/extension being called String
iax2.iax.calling_ani Calling number ANI for billing String
iax2.iax.calling_name Name of caller String
iax2.iax.calling_number Calling number String
iax2.iax.callingpres Calling presentation Unsigned 8-bit integer
iax2.iax.callingtns Calling transit network select Unsigned 16-bit integer
iax2.iax.callington Calling type of number Unsigned 8-bit integer
iax2.iax.capability Actual codec capability Unsigned 32-bit integer
iax2.iax.cause Cause String
iax2.iax.causecode Hangup cause Unsigned 8-bit integer
iax2.iax.codecprefs Codec negotiation String
iax2.iax.cpe_adsi CPE ADSI capability Unsigned 16-bit integer
iax2.iax.dataformat Data call format Unsigned 32-bit integer
iax2.iax.datetime Date/Time Date/Time stamp
iax2.iax.datetime.raw Date/Time Unsigned 32-bit integer
iax2.iax.devicetype Device type String
iax2.iax.dialplan_status Dialplan status Unsigned 16-bit integer
iax2.iax.dnid Originally dialed DNID String
iax2.iax.enckey Encryption key String
iax2.iax.encryption Encryption format Unsigned 16-bit integer
iax2.iax.firmwarever Firmware version Unsigned 16-bit integer
iax2.iax.format Desired codec format Unsigned 32-bit integer
iax2.iax.fwblockdata Firmware block of data String
iax2.iax.fwblockdesc Firmware block description Unsigned 32-bit integer
iax2.iax.iax_unknown Unknown IAX command Byte array
iax2.iax.language Desired language String
iax2.iax.moh Request musiconhold with QUELCH No value
iax2.iax.msg_count How many messages waiting Signed 16-bit integer
iax2.iax.password Password for authentication String
iax2.iax.provisioning Provisioning info String
iax2.iax.provver Provisioning version Unsigned 32-bit integer
iax2.iax.rdnis Referring DNIS String
iax2.iax.refresh When to refresh registration Signed 16-bit integer
iax2.iax.rrdelay Max playout delay in ms for received frames Unsigned 16-bit integer
iax2.iax.rrdropped Dropped frames (presumably by jitterbuffer) Unsigned 32-bit integer
iax2.iax.rrjitter Received jitter (as in RFC1889) Unsigned 32-bit integer
iax2.iax.rrloss Received loss (high byte loss pct, low 24 bits loss count, as in rfc1889) Unsigned 32-bit integer
iax2.iax.rrooo Frame received out of order Unsigned 32-bit integer
iax2.iax.rrpkts Total frames received Unsigned 32-bit integer
iax2.iax.samplingrate Supported sampling rates Unsigned 16-bit integer
iax2.iax.serviceident Service identifier String
iax2.iax.subclass IAX subclass Unsigned 8-bit integer IAX subclass gives the command number for IAX signalling packets
iax2.iax.transferid Transfer Request Identifier Unsigned 32-bit integer
iax2.iax.unknownbyte Unknown Unsigned 8-bit integer Raw data for unknown IEs
iax2.iax.unknownlong Unknown Unsigned 32-bit integer Raw data for unknown IEs
iax2.iax.unknownshort Unknown Unsigned 16-bit integer Raw data for unknown IEs
iax2.iax.unknownstring Unknown String Raw data for unknown IEs
iax2.iax.username Username (peer or user) for authentication String
iax2.iax.version Protocol version Unsigned 16-bit integer
iax2.iseqno Inbound seq.no. Unsigned 16-bit integer iseqno is the sequence no of the last successfully received packet
iax2.lateness Lateness Time duration The lateness of this packet compared to its timestamp
iax2.oseqno Outbound seq.no. Unsigned 16-bit integer oseqno is the sequence no of this packet. The first packet has oseqno==0, and subsequent packets increment the oseqno by 1
iax2.packet_type Packet type Unsigned 8-bit integer Full/minivoice/minivideo/meta packet
iax2.reassembled_in IAX2 fragment, reassembled in frame Frame number This IAX2 packet is reassembled in this frame
iax2.retransmission Retransmission Boolean retransmission is set if this packet is a retransmission of an earlier failed packet
iax2.src_call Source call Unsigned 16-bit integer src_call holds the number of this call at the packet source pbx
iax2.subclass Unknown subclass Unsigned 8-bit integer Subclass of unknown type of full IAX2 frame
iax2.timestamp Timestamp Unsigned 32-bit integer timestamp is the time, in ms after the start of this call, at which this packet was transmitted
iax2.type Type Unsigned 8-bit integer For full IAX2 frames, type is the type of frame
iax2.video.codec CODEC Unsigned 32-bit integer The codec used to encode video data
iax2.video.marker Marker Unsigned 16-bit integer RTP end-of-frame marker
iax2.video.subclass Video Subclass (compressed codec no) Unsigned 8-bit integer Video Subclass (compressed codec no)
iax2.voice.codec CODEC Unsigned 32-bit integer CODEC gives the codec used to encode audio data
iax2.voice.subclass Voice Subclass (compressed codec no) Unsigned 8-bit integer Voice Subclass (compressed codec no)
ismp.authdata Auth Data Byte array
ismp.codelen Auth Code Length Unsigned 8-bit integer
ismp.edp.chassisip Chassis IP Address IPv4 address
ismp.edp.chassismac Chassis MAC Address 6-byte Hardware (MAC) Address
ismp.edp.devtype Device Type Unsigned 16-bit integer
ismp.edp.maccount Number of Known Neighbors Unsigned 16-bit integer
ismp.edp.modip Module IP Address IPv4 address
ismp.edp.modmac Module MAC Address 6-byte Hardware (MAC) Address
ismp.edp.modport Module Port (ifIndex num) Unsigned 32-bit integer
ismp.edp.nbrs Neighbors Byte array
ismp.edp.numtups Number of Tuples Unsigned 16-bit integer
ismp.edp.opts Device Options Unsigned 32-bit integer
ismp.edp.rev Module Firmware Revision Unsigned 32-bit integer
ismp.edp.tups Number of Tuples Byte array
ismp.edp.version Version Unsigned 16-bit integer
ismp.msgtype Message Type Unsigned 16-bit integer
ismp.seqnum Sequence Number Unsigned 16-bit integer
ismp.version Version Unsigned 16-bit integer
ib.opcode Opcode Unsigned 32-bit integer packet opcode
icp.length Length Unsigned 16-bit integer
icp.nr Request Number Unsigned 32-bit integer
icp.opcode Opcode Unsigned 8-bit integer
icp.version Version Unsigned 8-bit integer
icep.compression_status Compression Status Signed 8-bit integer The compression status of the message
icep.context Invocation Context String The invocation context
icep.encoding_major Encoding Major Signed 8-bit integer The encoding major version number
icep.encoding_minor Encoding Minor Signed 8-bit integer The encoding minor version number
icep.facet Facet Name String The facet name
icep.id.content Object Identity Content String The object identity content
icep.id.name Object Identity Name String The object identity name
icep.message_status Message Size Signed 32-bit integer The size of the message in bytes, including the header
icep.message_type Message Type Signed 8-bit integer The message type
icep.operation Operation Name String The operation name
icep.operation_mode Ice::OperationMode Signed 8-bit integer A byte representing Ice::OperationMode
icep.params.major Input Parameters Encoding Major Signed 8-bit integer The major encoding version of encapsulated parameters
icep.params.minor Input Parameters Encoding Minor Signed 8-bit integer The minor encoding version of encapsulated parameters
icep.params.size Input Parameters Size Signed 32-bit integer The encapsulated input parameters size
icep.protocol_major Protocol Major Signed 8-bit integer The protocol major version number
icep.protocol_minor Protocol Minor Signed 8-bit integer The protocol minor version number
icep.request_id Request Identifier Signed 32-bit integer The request identifier
icap.options Options Boolean TRUE if ICAP options
icap.other Other Boolean TRUE if ICAP other
icap.reqmod Reqmod Boolean TRUE if ICAP reqmod
icap.respmod Respmod Boolean TRUE if ICAP respmod
icap.response Response Boolean TRUE if ICAP response
icmp.checksum Checksum Unsigned 16-bit integer
icmp.checksum_bad Bad Checksum Boolean
icmp.code Code Unsigned 8-bit integer
icmp.ident Identifier Unsigned 16-bit integer
icmp.mip.b Busy Boolean This FA will not accept requests at this time
icmp.mip.challenge Challenge Byte array
icmp.mip.coa Care-Of-Address IPv4 address
icmp.mip.f Foreign Agent Boolean Foreign Agent Services Offered
icmp.mip.flags Flags Unsigned 8-bit integer
icmp.mip.g GRE Boolean GRE encapsulated tunneled datagram support
icmp.mip.h Home Agent Boolean Home Agent Services Offered
icmp.mip.length Length Unsigned 8-bit integer
icmp.mip.life Registration Lifetime Unsigned 16-bit integer
icmp.mip.m Minimal Encapsulation Boolean Minimal encapsulation tunneled datagram support
icmp.mip.prefixlength Prefix Length Unsigned 8-bit integer
icmp.mip.r Registration Required Boolean Registration with this FA is required
icmp.mip.reserved Reserved Unsigned 8-bit integer
icmp.mip.rt Reverse tunneling Boolean Reverse tunneling support
icmp.mip.seq Sequence Number Unsigned 16-bit integer
icmp.mip.type Extension Type Unsigned 8-bit integer
icmp.mip.v VJ Comp Boolean Van Jacobson Header Compression Support
icmp.mpls ICMP Extensions for MPLS No value
icmp.mpls.checksum Checksum Unsigned 16-bit integer
icmp.mpls.checksum_bad Bad Checksum Boolean
icmp.mpls.class Class Unsigned 8-bit integer
icmp.mpls.ctype C-Type Unsigned 8-bit integer
icmp.mpls.exp Experimental Unsigned 24-bit integer
icmp.mpls.label Label Unsigned 24-bit integer
icmp.mpls.length Length Unsigned 16-bit integer
icmp.mpls.res Reserved Unsigned 16-bit integer
icmp.mpls.s Stack bit Boolean
icmp.mpls.ttl Time to live Unsigned 8-bit integer
icmp.mpls.version Version Unsigned 8-bit integer
icmp.mtu MTU of next hop Unsigned 16-bit integer
icmp.redir_gw Gateway address IPv4 address
icmp.seq Sequence number Unsigned 16-bit integer
icmp.type Type Unsigned 8-bit integer
icmpv6.checksum Checksum Unsigned 16-bit integer
icmpv6.checksum_bad Bad Checksum Boolean
icmpv6.code Code Unsigned 8-bit integer
icmpv6.haad.ha_addrs Home Agent Addresses IPv6 address
icmpv6.type Type Unsigned 8-bit integer
igmp.access_key Access Key Byte array IGMP V0 Access Key
igmp.aux_data Aux Data Byte array IGMP V3 Auxiliary Data
igmp.aux_data_len Aux Data Len Unsigned 8-bit integer Aux Data Len, In units of 32bit words
igmp.checksum Checksum Unsigned 16-bit integer IGMP Checksum
igmp.checksum_bad Bad Checksum Boolean Bad IGMP Checksum
igmp.group_type Type Of Group Unsigned 8-bit integer IGMP V0 Type Of Group
igmp.identifier Identifier Unsigned 32-bit integer IGMP V0 Identifier
igmp.max_resp Max Resp Time Unsigned 8-bit integer Max Response Time
igmp.max_resp.exp Exponent Unsigned 8-bit integer Maxmimum Response Time, Exponent
igmp.max_resp.mant Mantissa Unsigned 8-bit integer Maxmimum Response Time, Mantissa
igmp.mtrace.max_hops # hops Unsigned 8-bit integer Maxmimum Number of Hops to Trace
igmp.mtrace.q_arrival Query Arrival Unsigned 32-bit integer Query Arrival Time
igmp.mtrace.q_fwd_code Forwarding Code Unsigned 8-bit integer Forwarding information/error code
igmp.mtrace.q_fwd_ttl FwdTTL Unsigned 8-bit integer TTL required for forwarding
igmp.mtrace.q_id Query ID Unsigned 24-bit integer Identifier for this Traceroute Request
igmp.mtrace.q_inaddr In itf addr IPv4 address Incoming Interface Address
igmp.mtrace.q_inpkt In pkts Unsigned 32-bit integer Input packet count on incoming interface
igmp.mtrace.q_mbz MBZ Unsigned 8-bit integer Must be zeroed on transmission and ignored on reception
igmp.mtrace.q_outaddr Out itf addr IPv4 address Outgoing Interface Address
igmp.mtrace.q_outpkt Out pkts Unsigned 32-bit integer Output packet count on outgoing interface
igmp.mtrace.q_prevrtr Previous rtr addr IPv4 address Previous-Hop Router Address
igmp.mtrace.q_rtg_proto Rtg Protocol Unsigned 8-bit integer Routing protocol between this and previous hop rtr
igmp.mtrace.q_s S Unsigned 8-bit integer Set if S,G packet count is for source network
igmp.mtrace.q_src_mask Src Mask Unsigned 8-bit integer Source mask length. 63 when forwarding on group state
igmp.mtrace.q_total S,G pkt count Unsigned 32-bit integer Total number of packets for this source-group pair
igmp.mtrace.raddr Receiver Address IPv4 address Multicast Receiver for the Path Being Traced
igmp.mtrace.resp_ttl Response TTL Unsigned 8-bit integer TTL for Multicasted Responses
igmp.mtrace.rspaddr Response Address IPv4 address Destination of Completed Traceroute Response
igmp.mtrace.saddr Source Address IPv4 address Multicast Source for the Path Being Traced
igmp.num_grp_recs Num Group Records Unsigned 16-bit integer Number Of Group Records
igmp.num_src Num Src Unsigned 16-bit integer Number Of Sources
igmp.qqic QQIC Unsigned 8-bit integer Querier's Query Interval Code
igmp.qrv QRV Unsigned 8-bit integer Querier's Robustness Value
igmp.record_type Record Type Unsigned 8-bit integer Record Type
igmp.reply Reply Unsigned 8-bit integer IGMP V0 Reply
igmp.reply.pending Reply Pending Unsigned 8-bit integer IGMP V0 Reply Pending, Retry in this many seconds
igmp.s S Boolean Suppress Router Side Processing
igmp.type Type Unsigned 8-bit integer IGMP Packet Type
igmp.version IGMP Version Unsigned 8-bit integer IGMP Version
igap.account User Account String User account
igap.asize Account Size Unsigned 8-bit integer Length of the User Account field
igap.challengeid Challenge ID Unsigned 8-bit integer Challenge ID
igap.checksum Checksum Unsigned 16-bit integer Checksum
igap.checksum_bad Bad Checksum Boolean Bad Checksum
igap.maddr Multicast group address IPv4 address Multicast group address
igap.max_resp Max Resp Time Unsigned 8-bit integer Max Response Time
igap.msize Message Size Unsigned 8-bit integer Length of the Message field
igap.subtype Subtype Unsigned 8-bit integer Subtype
igap.type Type Unsigned 8-bit integer IGAP Packet Type
igap.version Version Unsigned 8-bit integer IGAP protocol version
imap.request Request Boolean TRUE if IMAP request
imap.response Response Boolean TRUE if IMAP response
ipp.timestamp Time Date/Time stamp
ip.addr Source or Destination Address IPv4 address
ip.checksum Header checksum Unsigned 16-bit integer
ip.checksum_bad Bad Boolean True: checksum doesn't match packet content; False: matches content or not checked
ip.checksum_good Good Boolean True: checksum matches packet content; False: doesn't match content or not checked
ip.dsfield Differentiated Services field Unsigned 8-bit integer
ip.dsfield.ce ECN-CE Unsigned 8-bit integer
ip.dsfield.dscp Differentiated Services Codepoint Unsigned 8-bit integer
ip.dsfield.ect ECN-Capable Transport (ECT) Unsigned 8-bit integer
ip.dst Destination IPv4 address
ip.dst_host Destination Host String
ip.flags Flags Unsigned 8-bit integer
ip.flags.df Don't fragment Boolean
ip.flags.mf More fragments Boolean
ip.flags.rb Reserved bit Boolean
ip.frag_offset Fragment offset Unsigned 16-bit integer
ip.fragment IP Fragment Frame number IP Fragment
ip.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
ip.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
ip.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
ip.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
ip.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
ip.fragments IP Fragments No value IP Fragments
ip.hdr_len Header Length Unsigned 8-bit integer
ip.host Source or Destination Host String
ip.id Identification Unsigned 16-bit integer
ip.len Total Length Unsigned 16-bit integer
ip.proto Protocol Unsigned 8-bit integer
ip.reassembled_in Reassembled IP in frame Frame number This IP packet is reassembled in this frame
ip.src Source IPv4 address
ip.src_host Source Host String
ip.tos Type of Service Unsigned 8-bit integer
ip.tos.cost Cost Boolean
ip.tos.delay Delay Boolean
ip.tos.precedence Precedence Unsigned 8-bit integer
ip.tos.reliability Reliability Boolean
ip.tos.throughput Throughput Boolean
ip.ttl Time to live Unsigned 8-bit integer
ip.version Version Unsigned 8-bit integer
ipv6.addr Address IPv6 address Source or Destination IPv6 Address
ipv6.class Traffic class Unsigned 8-bit integer
ipv6.dst Destination IPv6 address Destination IPv6 Address
ipv6.flow Flowlabel Unsigned 32-bit integer
ipv6.fragment IPv6 Fragment Frame number IPv6 Fragment
ipv6.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
ipv6.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
ipv6.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
ipv6.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
ipv6.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
ipv6.fragments IPv6 Fragments No value IPv6 Fragments
ipv6.hlim Hop limit Unsigned 8-bit integer
ipv6.mipv6_home_address Home Address IPv6 address
ipv6.mipv6_length Option Length Unsigned 8-bit integer
ipv6.mipv6_type Option Type Unsigned 8-bit integer
ipv6.nxt Next header Unsigned 8-bit integer
ipv6.plen Payload length Unsigned 16-bit integer
ipv6.reassembled_in Reassembled IPv6 in frame Frame number This IPv6 packet is reassembled in this frame
ipv6.src Source IPv6 address Source IPv6 Address
ipv6.version Version Unsigned 8-bit integer
irc.request Request String Line of request message
irc.response Response String Line of response message
ike.cert_authority Certificate Authority Byte array SHA-1 hash of the Certificate Authority
ike.cert_authority_dn Certificate Authority Distinguished Name Unsigned 32-bit integer Certificate Authority Distinguished Name
ike.nat_keepalive NAT Keepalive No value NAT Keepalive packet
isakmp.cert.encoding Port Unsigned 8-bit integer ISAKMP Certificate Encoding
isakmp.certreq.type Port Unsigned 8-bit integer ISAKMP Certificate Request Type
isakmp.doi Domain of interpretation Unsigned 32-bit integer ISAKMP Domain of Interpretation
isakmp.exchangetype Exchange type Unsigned 8-bit integer ISAKMP Exchange Type
isakmp.flags Flags Unsigned 8-bit integer ISAKMP Flags
isakmp.icookie Initiator cookie Byte array ISAKMP Initiator Cookie
isakmp.id.port Port Unsigned 16-bit integer ISAKMP ID Port
isakmp.id.type ID type Unsigned 8-bit integer ISAKMP ID Type
isakmp.length Length Unsigned 32-bit integer ISAKMP Length
isakmp.messageid Message ID Unsigned 32-bit integer ISAKMP Message ID
isakmp.nextpayload Next payload Unsigned 8-bit integer ISAKMP Next Payload
isakmp.notify.msgtype Port Unsigned 8-bit integer ISAKMP Notify Message Type
isakmp.payloadlength Payload length Unsigned 16-bit integer ISAKMP Payload Length
isakmp.prop.number Proposal number Unsigned 8-bit integer ISAKMP Proposal Number
isakmp.prop.transforms Proposal transforms Unsigned 8-bit integer ISAKMP Proposal Transforms
isakmp.protoid Protocol ID Unsigned 8-bit integer ISAKMP Protocol ID
isakmp.rcookie Responder cookie Byte array ISAKMP Responder Cookie
isakmp.sa.situation Situation Byte array ISAKMP SA Situation
isakmp.spinum Port Unsigned 16-bit integer ISAKMP Number of SPIs
isakmp.spisize SPI Size Unsigned 8-bit integer ISAKMP SPI Size
isakmp.trans.id Transform ID Unsigned 8-bit integer ISAKMP Transform ID
isakmp.trans.number Transform number Unsigned 8-bit integer ISAKMP Transform Number
isakmp.version Version Unsigned 8-bit integer ISAKMP Version (major + minor)
idp.checksum Checksum Unsigned 16-bit integer
idp.dst Destination Address String Destination Address
idp.dst.net Destination Network Unsigned 32-bit integer
idp.dst.node Destination Node 6-byte Hardware (MAC) Address
idp.dst.socket Destination Socket Unsigned 16-bit integer
idp.hops Transport Control (Hops) Unsigned 8-bit integer
idp.len Length Unsigned 16-bit integer
idp.packet_type Packet Type Unsigned 8-bit integer
idp.src Source Address String Source Address
idp.src.net Source Network Unsigned 32-bit integer
idp.src.node Source Node 6-byte Hardware (MAC) Address
idp.src.socket Source Socket Unsigned 16-bit integer
ipx.addr Src/Dst Address String Source or Destination IPX Address "network.node"
ipx.checksum Checksum Unsigned 16-bit integer
ipx.dst Destination Address String Destination IPX Address "network.node"
ipx.dst.net Destination Network IPX network or server name
ipx.dst.node Destination Node 6-byte Hardware (MAC) Address
ipx.dst.socket Destination Socket Unsigned 16-bit integer
ipx.hops Transport Control (Hops) Unsigned 8-bit integer
ipx.len Length Unsigned 16-bit integer
ipx.net Source or Destination Network IPX network or server name
ipx.node Source or Destination Node 6-byte Hardware (MAC) Address
ipx.packet_type Packet Type Unsigned 8-bit integer
ipx.socket Source or Destination Socket Unsigned 16-bit integer
ipx.src Source Address String Source IPX Address "network.node"
ipx.src.net Source Network IPX network or server name
ipx.src.node Source Node 6-byte Hardware (MAC) Address
ipx.src.socket Source Socket Unsigned 16-bit integer
iuup.ack Ack/Nack Unsigned 8-bit integer Ack/Nack
iuup.advance Advance Unsigned 32-bit integer
iuup.chain_ind Chain Indicator Unsigned 8-bit integer
iuup.circuit_id Circuit ID Unsigned 16-bit integer
iuup.data_pdu_type RFCI Data Pdu Type Unsigned 8-bit integer
iuup.delay Delay Unsigned 32-bit integer
iuup.delta Delta Time Double-precision floating point
iuup.direction Frame Direction Unsigned 16-bit integer
iuup.error_cause Error Cause Unsigned 8-bit integer
iuup.error_distance Error DISTANCE Unsigned 8-bit integer
iuup.fqc FQC Unsigned 8-bit integer Frame Quality Classification
iuup.framenum Frame Number Unsigned 8-bit integer
iuup.header_crc Header CRC Unsigned 8-bit integer
iuup.mode Mode Version Unsigned 8-bit integer
iuup.p Number of RFCI Indicators Unsigned 8-bit integer
iuup.payload_crc Payload CRC Unsigned 16-bit integer
iuup.payload_data Payload Data Byte array
iuup.pdu_type PDU Type Unsigned 8-bit integer
iuup.procedure Procedure Unsigned 8-bit integer
iuup.rfci RFCI Unsigned 8-bit integer RAB sub-Flow Combination Indicator
iuup.rfci.0 RFCI 0 Unsigned 8-bit integer
iuup.rfci.0.flow.0 RFCI 0 Flow 0 Byte array
iuup.rfci.0.flow.0.len RFCI 0 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.0.flow.1 RFCI 0 Flow 1 Byte array
iuup.rfci.0.flow.1.len RFCI 0 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.0.flow.2 RFCI 0 Flow 2 Byte array
iuup.rfci.0.flow.2.len RFCI 0 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.0.flow.3 RFCI 0 Flow 3 Len Byte array
iuup.rfci.0.flow.3.len RFCI 0 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.0.flow.4 RFCI 0 Flow 4 Len Byte array
iuup.rfci.0.flow.4.len RFCI 0 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.0.flow.5 RFCI 0 Flow 5 Len Byte array
iuup.rfci.0.flow.5.len RFCI 0 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.0.flow.6 RFCI 0 Flow 6 Len Byte array
iuup.rfci.0.flow.6.len RFCI 0 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.0.flow.7 RFCI 0 Flow 7 Len Byte array
iuup.rfci.0.flow.7.len RFCI 0 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.0.ipti RFCI 0 IPTI Unsigned 8-bit integer
iuup.rfci.0.li RFCI 0 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.0.lri RFCI 0 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.1 RFCI 1 Unsigned 8-bit integer
iuup.rfci.1.flow.0 RFCI 1 Flow 0 Byte array
iuup.rfci.1.flow.0.len RFCI 1 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.1.flow.1 RFCI 1 Flow 1 Byte array
iuup.rfci.1.flow.1.len RFCI 1 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.1.flow.2 RFCI 1 Flow 2 Byte array
iuup.rfci.1.flow.2.len RFCI 1 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.1.flow.3 RFCI 1 Flow 3 Len Byte array
iuup.rfci.1.flow.3.len RFCI 1 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.1.flow.4 RFCI 1 Flow 4 Len Byte array
iuup.rfci.1.flow.4.len RFCI 1 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.1.flow.5 RFCI 1 Flow 5 Len Byte array
iuup.rfci.1.flow.5.len RFCI 1 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.1.flow.6 RFCI 1 Flow 6 Len Byte array
iuup.rfci.1.flow.6.len RFCI 1 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.1.flow.7 RFCI 1 Flow 7 Len Byte array
iuup.rfci.1.flow.7.len RFCI 1 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.1.ipti RFCI 1 IPTI Unsigned 8-bit integer
iuup.rfci.1.li RFCI 1 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.1.lri RFCI 1 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.10 RFCI 10 Unsigned 8-bit integer
iuup.rfci.10.flow.0 RFCI 10 Flow 0 Byte array
iuup.rfci.10.flow.0.len RFCI 10 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.10.flow.1 RFCI 10 Flow 1 Byte array
iuup.rfci.10.flow.1.len RFCI 10 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.10.flow.2 RFCI 10 Flow 2 Byte array
iuup.rfci.10.flow.2.len RFCI 10 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.10.flow.3 RFCI 10 Flow 3 Len Byte array
iuup.rfci.10.flow.3.len RFCI 10 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.10.flow.4 RFCI 10 Flow 4 Len Byte array
iuup.rfci.10.flow.4.len RFCI 10 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.10.flow.5 RFCI 10 Flow 5 Len Byte array
iuup.rfci.10.flow.5.len RFCI 10 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.10.flow.6 RFCI 10 Flow 6 Len Byte array
iuup.rfci.10.flow.6.len RFCI 10 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.10.flow.7 RFCI 10 Flow 7 Len Byte array
iuup.rfci.10.flow.7.len RFCI 10 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.10.ipti RFCI 10 IPTI Unsigned 8-bit integer
iuup.rfci.10.li RFCI 10 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.10.lri RFCI 10 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.11 RFCI 11 Unsigned 8-bit integer
iuup.rfci.11.flow.0 RFCI 11 Flow 0 Byte array
iuup.rfci.11.flow.0.len RFCI 11 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.11.flow.1 RFCI 11 Flow 1 Byte array
iuup.rfci.11.flow.1.len RFCI 11 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.11.flow.2 RFCI 11 Flow 2 Byte array
iuup.rfci.11.flow.2.len RFCI 11 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.11.flow.3 RFCI 11 Flow 3 Len Byte array
iuup.rfci.11.flow.3.len RFCI 11 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.11.flow.4 RFCI 11 Flow 4 Len Byte array
iuup.rfci.11.flow.4.len RFCI 11 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.11.flow.5 RFCI 11 Flow 5 Len Byte array
iuup.rfci.11.flow.5.len RFCI 11 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.11.flow.6 RFCI 11 Flow 6 Len Byte array
iuup.rfci.11.flow.6.len RFCI 11 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.11.flow.7 RFCI 11 Flow 7 Len Byte array
iuup.rfci.11.flow.7.len RFCI 11 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.11.ipti RFCI 11 IPTI Unsigned 8-bit integer
iuup.rfci.11.li RFCI 11 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.11.lri RFCI 11 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.12 RFCI 12 Unsigned 8-bit integer
iuup.rfci.12.flow.0 RFCI 12 Flow 0 Byte array
iuup.rfci.12.flow.0.len RFCI 12 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.12.flow.1 RFCI 12 Flow 1 Byte array
iuup.rfci.12.flow.1.len RFCI 12 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.12.flow.2 RFCI 12 Flow 2 Byte array
iuup.rfci.12.flow.2.len RFCI 12 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.12.flow.3 RFCI 12 Flow 3 Len Byte array
iuup.rfci.12.flow.3.len RFCI 12 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.12.flow.4 RFCI 12 Flow 4 Len Byte array
iuup.rfci.12.flow.4.len RFCI 12 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.12.flow.5 RFCI 12 Flow 5 Len Byte array
iuup.rfci.12.flow.5.len RFCI 12 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.12.flow.6 RFCI 12 Flow 6 Len Byte array
iuup.rfci.12.flow.6.len RFCI 12 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.12.flow.7 RFCI 12 Flow 7 Len Byte array
iuup.rfci.12.flow.7.len RFCI 12 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.12.ipti RFCI 12 IPTI Unsigned 8-bit integer
iuup.rfci.12.li RFCI 12 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.12.lri RFCI 12 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.13 RFCI 13 Unsigned 8-bit integer
iuup.rfci.13.flow.0 RFCI 13 Flow 0 Byte array
iuup.rfci.13.flow.0.len RFCI 13 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.13.flow.1 RFCI 13 Flow 1 Byte array
iuup.rfci.13.flow.1.len RFCI 13 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.13.flow.2 RFCI 13 Flow 2 Byte array
iuup.rfci.13.flow.2.len RFCI 13 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.13.flow.3 RFCI 13 Flow 3 Len Byte array
iuup.rfci.13.flow.3.len RFCI 13 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.13.flow.4 RFCI 13 Flow 4 Len Byte array
iuup.rfci.13.flow.4.len RFCI 13 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.13.flow.5 RFCI 13 Flow 5 Len Byte array
iuup.rfci.13.flow.5.len RFCI 13 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.13.flow.6 RFCI 13 Flow 6 Len Byte array
iuup.rfci.13.flow.6.len RFCI 13 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.13.flow.7 RFCI 13 Flow 7 Len Byte array
iuup.rfci.13.flow.7.len RFCI 13 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.13.ipti RFCI 13 IPTI Unsigned 8-bit integer
iuup.rfci.13.li RFCI 13 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.13.lri RFCI 13 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.14 RFCI 14 Unsigned 8-bit integer
iuup.rfci.14.flow.0 RFCI 14 Flow 0 Byte array
iuup.rfci.14.flow.0.len RFCI 14 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.14.flow.1 RFCI 14 Flow 1 Byte array
iuup.rfci.14.flow.1.len RFCI 14 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.14.flow.2 RFCI 14 Flow 2 Byte array
iuup.rfci.14.flow.2.len RFCI 14 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.14.flow.3 RFCI 14 Flow 3 Len Byte array
iuup.rfci.14.flow.3.len RFCI 14 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.14.flow.4 RFCI 14 Flow 4 Len Byte array
iuup.rfci.14.flow.4.len RFCI 14 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.14.flow.5 RFCI 14 Flow 5 Len Byte array
iuup.rfci.14.flow.5.len RFCI 14 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.14.flow.6 RFCI 14 Flow 6 Len Byte array
iuup.rfci.14.flow.6.len RFCI 14 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.14.flow.7 RFCI 14 Flow 7 Len Byte array
iuup.rfci.14.flow.7.len RFCI 14 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.14.ipti RFCI 14 IPTI Unsigned 8-bit integer
iuup.rfci.14.li RFCI 14 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.14.lri RFCI 14 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.15 RFCI 15 Unsigned 8-bit integer
iuup.rfci.15.flow.0 RFCI 15 Flow 0 Byte array
iuup.rfci.15.flow.0.len RFCI 15 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.15.flow.1 RFCI 15 Flow 1 Byte array
iuup.rfci.15.flow.1.len RFCI 15 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.15.flow.2 RFCI 15 Flow 2 Byte array
iuup.rfci.15.flow.2.len RFCI 15 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.15.flow.3 RFCI 15 Flow 3 Len Byte array
iuup.rfci.15.flow.3.len RFCI 15 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.15.flow.4 RFCI 15 Flow 4 Len Byte array
iuup.rfci.15.flow.4.len RFCI 15 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.15.flow.5 RFCI 15 Flow 5 Len Byte array
iuup.rfci.15.flow.5.len RFCI 15 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.15.flow.6 RFCI 15 Flow 6 Len Byte array
iuup.rfci.15.flow.6.len RFCI 15 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.15.flow.7 RFCI 15 Flow 7 Len Byte array
iuup.rfci.15.flow.7.len RFCI 15 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.15.ipti RFCI 15 IPTI Unsigned 8-bit integer
iuup.rfci.15.li RFCI 15 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.15.lri RFCI 15 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.16 RFCI 16 Unsigned 8-bit integer
iuup.rfci.16.flow.0 RFCI 16 Flow 0 Byte array
iuup.rfci.16.flow.0.len RFCI 16 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.16.flow.1 RFCI 16 Flow 1 Byte array
iuup.rfci.16.flow.1.len RFCI 16 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.16.flow.2 RFCI 16 Flow 2 Byte array
iuup.rfci.16.flow.2.len RFCI 16 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.16.flow.3 RFCI 16 Flow 3 Len Byte array
iuup.rfci.16.flow.3.len RFCI 16 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.16.flow.4 RFCI 16 Flow 4 Len Byte array
iuup.rfci.16.flow.4.len RFCI 16 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.16.flow.5 RFCI 16 Flow 5 Len Byte array
iuup.rfci.16.flow.5.len RFCI 16 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.16.flow.6 RFCI 16 Flow 6 Len Byte array
iuup.rfci.16.flow.6.len RFCI 16 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.16.flow.7 RFCI 16 Flow 7 Len Byte array
iuup.rfci.16.flow.7.len RFCI 16 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.16.ipti RFCI 16 IPTI Unsigned 8-bit integer
iuup.rfci.16.li RFCI 16 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.16.lri RFCI 16 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.17 RFCI 17 Unsigned 8-bit integer
iuup.rfci.17.flow.0 RFCI 17 Flow 0 Byte array
iuup.rfci.17.flow.0.len RFCI 17 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.17.flow.1 RFCI 17 Flow 1 Byte array
iuup.rfci.17.flow.1.len RFCI 17 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.17.flow.2 RFCI 17 Flow 2 Byte array
iuup.rfci.17.flow.2.len RFCI 17 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.17.flow.3 RFCI 17 Flow 3 Len Byte array
iuup.rfci.17.flow.3.len RFCI 17 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.17.flow.4 RFCI 17 Flow 4 Len Byte array
iuup.rfci.17.flow.4.len RFCI 17 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.17.flow.5 RFCI 17 Flow 5 Len Byte array
iuup.rfci.17.flow.5.len RFCI 17 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.17.flow.6 RFCI 17 Flow 6 Len Byte array
iuup.rfci.17.flow.6.len RFCI 17 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.17.flow.7 RFCI 17 Flow 7 Len Byte array
iuup.rfci.17.flow.7.len RFCI 17 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.17.ipti RFCI 17 IPTI Unsigned 8-bit integer
iuup.rfci.17.li RFCI 17 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.17.lri RFCI 17 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.18 RFCI 18 Unsigned 8-bit integer
iuup.rfci.18.flow.0 RFCI 18 Flow 0 Byte array
iuup.rfci.18.flow.0.len RFCI 18 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.18.flow.1 RFCI 18 Flow 1 Byte array
iuup.rfci.18.flow.1.len RFCI 18 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.18.flow.2 RFCI 18 Flow 2 Byte array
iuup.rfci.18.flow.2.len RFCI 18 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.18.flow.3 RFCI 18 Flow 3 Len Byte array
iuup.rfci.18.flow.3.len RFCI 18 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.18.flow.4 RFCI 18 Flow 4 Len Byte array
iuup.rfci.18.flow.4.len RFCI 18 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.18.flow.5 RFCI 18 Flow 5 Len Byte array
iuup.rfci.18.flow.5.len RFCI 18 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.18.flow.6 RFCI 18 Flow 6 Len Byte array
iuup.rfci.18.flow.6.len RFCI 18 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.18.flow.7 RFCI 18 Flow 7 Len Byte array
iuup.rfci.18.flow.7.len RFCI 18 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.18.ipti RFCI 18 IPTI Unsigned 8-bit integer
iuup.rfci.18.li RFCI 18 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.18.lri RFCI 18 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.19 RFCI 19 Unsigned 8-bit integer
iuup.rfci.19.flow.0 RFCI 19 Flow 0 Byte array
iuup.rfci.19.flow.0.len RFCI 19 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.19.flow.1 RFCI 19 Flow 1 Byte array
iuup.rfci.19.flow.1.len RFCI 19 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.19.flow.2 RFCI 19 Flow 2 Byte array
iuup.rfci.19.flow.2.len RFCI 19 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.19.flow.3 RFCI 19 Flow 3 Len Byte array
iuup.rfci.19.flow.3.len RFCI 19 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.19.flow.4 RFCI 19 Flow 4 Len Byte array
iuup.rfci.19.flow.4.len RFCI 19 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.19.flow.5 RFCI 19 Flow 5 Len Byte array
iuup.rfci.19.flow.5.len RFCI 19 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.19.flow.6 RFCI 19 Flow 6 Len Byte array
iuup.rfci.19.flow.6.len RFCI 19 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.19.flow.7 RFCI 19 Flow 7 Len Byte array
iuup.rfci.19.flow.7.len RFCI 19 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.19.ipti RFCI 19 IPTI Unsigned 8-bit integer
iuup.rfci.19.li RFCI 19 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.19.lri RFCI 19 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.2 RFCI 2 Unsigned 8-bit integer
iuup.rfci.2.flow.0 RFCI 2 Flow 0 Byte array
iuup.rfci.2.flow.0.len RFCI 2 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.2.flow.1 RFCI 2 Flow 1 Byte array
iuup.rfci.2.flow.1.len RFCI 2 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.2.flow.2 RFCI 2 Flow 2 Byte array
iuup.rfci.2.flow.2.len RFCI 2 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.2.flow.3 RFCI 2 Flow 3 Len Byte array
iuup.rfci.2.flow.3.len RFCI 2 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.2.flow.4 RFCI 2 Flow 4 Len Byte array
iuup.rfci.2.flow.4.len RFCI 2 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.2.flow.5 RFCI 2 Flow 5 Len Byte array
iuup.rfci.2.flow.5.len RFCI 2 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.2.flow.6 RFCI 2 Flow 6 Len Byte array
iuup.rfci.2.flow.6.len RFCI 2 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.2.flow.7 RFCI 2 Flow 7 Len Byte array
iuup.rfci.2.flow.7.len RFCI 2 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.2.ipti RFCI 2 IPTI Unsigned 8-bit integer
iuup.rfci.2.li RFCI 2 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.2.lri RFCI 2 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.20 RFCI 20 Unsigned 8-bit integer
iuup.rfci.20.flow.0 RFCI 20 Flow 0 Byte array
iuup.rfci.20.flow.0.len RFCI 20 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.20.flow.1 RFCI 20 Flow 1 Byte array
iuup.rfci.20.flow.1.len RFCI 20 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.20.flow.2 RFCI 20 Flow 2 Byte array
iuup.rfci.20.flow.2.len RFCI 20 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.20.flow.3 RFCI 20 Flow 3 Len Byte array
iuup.rfci.20.flow.3.len RFCI 20 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.20.flow.4 RFCI 20 Flow 4 Len Byte array
iuup.rfci.20.flow.4.len RFCI 20 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.20.flow.5 RFCI 20 Flow 5 Len Byte array
iuup.rfci.20.flow.5.len RFCI 20 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.20.flow.6 RFCI 20 Flow 6 Len Byte array
iuup.rfci.20.flow.6.len RFCI 20 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.20.flow.7 RFCI 20 Flow 7 Len Byte array
iuup.rfci.20.flow.7.len RFCI 20 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.20.ipti RFCI 20 IPTI Unsigned 8-bit integer
iuup.rfci.20.li RFCI 20 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.20.lri RFCI 20 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.21 RFCI 21 Unsigned 8-bit integer
iuup.rfci.21.flow.0 RFCI 21 Flow 0 Byte array
iuup.rfci.21.flow.0.len RFCI 21 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.21.flow.1 RFCI 21 Flow 1 Byte array
iuup.rfci.21.flow.1.len RFCI 21 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.21.flow.2 RFCI 21 Flow 2 Byte array
iuup.rfci.21.flow.2.len RFCI 21 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.21.flow.3 RFCI 21 Flow 3 Len Byte array
iuup.rfci.21.flow.3.len RFCI 21 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.21.flow.4 RFCI 21 Flow 4 Len Byte array
iuup.rfci.21.flow.4.len RFCI 21 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.21.flow.5 RFCI 21 Flow 5 Len Byte array
iuup.rfci.21.flow.5.len RFCI 21 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.21.flow.6 RFCI 21 Flow 6 Len Byte array
iuup.rfci.21.flow.6.len RFCI 21 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.21.flow.7 RFCI 21 Flow 7 Len Byte array
iuup.rfci.21.flow.7.len RFCI 21 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.21.ipti RFCI 21 IPTI Unsigned 8-bit integer
iuup.rfci.21.li RFCI 21 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.21.lri RFCI 21 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.22 RFCI 22 Unsigned 8-bit integer
iuup.rfci.22.flow.0 RFCI 22 Flow 0 Byte array
iuup.rfci.22.flow.0.len RFCI 22 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.22.flow.1 RFCI 22 Flow 1 Byte array
iuup.rfci.22.flow.1.len RFCI 22 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.22.flow.2 RFCI 22 Flow 2 Byte array
iuup.rfci.22.flow.2.len RFCI 22 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.22.flow.3 RFCI 22 Flow 3 Len Byte array
iuup.rfci.22.flow.3.len RFCI 22 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.22.flow.4 RFCI 22 Flow 4 Len Byte array
iuup.rfci.22.flow.4.len RFCI 22 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.22.flow.5 RFCI 22 Flow 5 Len Byte array
iuup.rfci.22.flow.5.len RFCI 22 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.22.flow.6 RFCI 22 Flow 6 Len Byte array
iuup.rfci.22.flow.6.len RFCI 22 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.22.flow.7 RFCI 22 Flow 7 Len Byte array
iuup.rfci.22.flow.7.len RFCI 22 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.22.ipti RFCI 22 IPTI Unsigned 8-bit integer
iuup.rfci.22.li RFCI 22 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.22.lri RFCI 22 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.23 RFCI 23 Unsigned 8-bit integer
iuup.rfci.23.flow.0 RFCI 23 Flow 0 Byte array
iuup.rfci.23.flow.0.len RFCI 23 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.23.flow.1 RFCI 23 Flow 1 Byte array
iuup.rfci.23.flow.1.len RFCI 23 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.23.flow.2 RFCI 23 Flow 2 Byte array
iuup.rfci.23.flow.2.len RFCI 23 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.23.flow.3 RFCI 23 Flow 3 Len Byte array
iuup.rfci.23.flow.3.len RFCI 23 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.23.flow.4 RFCI 23 Flow 4 Len Byte array
iuup.rfci.23.flow.4.len RFCI 23 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.23.flow.5 RFCI 23 Flow 5 Len Byte array
iuup.rfci.23.flow.5.len RFCI 23 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.23.flow.6 RFCI 23 Flow 6 Len Byte array
iuup.rfci.23.flow.6.len RFCI 23 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.23.flow.7 RFCI 23 Flow 7 Len Byte array
iuup.rfci.23.flow.7.len RFCI 23 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.23.ipti RFCI 23 IPTI Unsigned 8-bit integer
iuup.rfci.23.li RFCI 23 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.23.lri RFCI 23 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.24 RFCI 24 Unsigned 8-bit integer
iuup.rfci.24.flow.0 RFCI 24 Flow 0 Byte array
iuup.rfci.24.flow.0.len RFCI 24 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.24.flow.1 RFCI 24 Flow 1 Byte array
iuup.rfci.24.flow.1.len RFCI 24 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.24.flow.2 RFCI 24 Flow 2 Byte array
iuup.rfci.24.flow.2.len RFCI 24 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.24.flow.3 RFCI 24 Flow 3 Len Byte array
iuup.rfci.24.flow.3.len RFCI 24 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.24.flow.4 RFCI 24 Flow 4 Len Byte array
iuup.rfci.24.flow.4.len RFCI 24 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.24.flow.5 RFCI 24 Flow 5 Len Byte array
iuup.rfci.24.flow.5.len RFCI 24 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.24.flow.6 RFCI 24 Flow 6 Len Byte array
iuup.rfci.24.flow.6.len RFCI 24 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.24.flow.7 RFCI 24 Flow 7 Len Byte array
iuup.rfci.24.flow.7.len RFCI 24 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.24.ipti RFCI 24 IPTI Unsigned 8-bit integer
iuup.rfci.24.li RFCI 24 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.24.lri RFCI 24 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.25 RFCI 25 Unsigned 8-bit integer
iuup.rfci.25.flow.0 RFCI 25 Flow 0 Byte array
iuup.rfci.25.flow.0.len RFCI 25 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.25.flow.1 RFCI 25 Flow 1 Byte array
iuup.rfci.25.flow.1.len RFCI 25 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.25.flow.2 RFCI 25 Flow 2 Byte array
iuup.rfci.25.flow.2.len RFCI 25 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.25.flow.3 RFCI 25 Flow 3 Len Byte array
iuup.rfci.25.flow.3.len RFCI 25 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.25.flow.4 RFCI 25 Flow 4 Len Byte array
iuup.rfci.25.flow.4.len RFCI 25 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.25.flow.5 RFCI 25 Flow 5 Len Byte array
iuup.rfci.25.flow.5.len RFCI 25 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.25.flow.6 RFCI 25 Flow 6 Len Byte array
iuup.rfci.25.flow.6.len RFCI 25 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.25.flow.7 RFCI 25 Flow 7 Len Byte array
iuup.rfci.25.flow.7.len RFCI 25 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.25.ipti RFCI 25 IPTI Unsigned 8-bit integer
iuup.rfci.25.li RFCI 25 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.25.lri RFCI 25 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.26 RFCI 26 Unsigned 8-bit integer
iuup.rfci.26.flow.0 RFCI 26 Flow 0 Byte array
iuup.rfci.26.flow.0.len RFCI 26 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.26.flow.1 RFCI 26 Flow 1 Byte array
iuup.rfci.26.flow.1.len RFCI 26 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.26.flow.2 RFCI 26 Flow 2 Byte array
iuup.rfci.26.flow.2.len RFCI 26 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.26.flow.3 RFCI 26 Flow 3 Len Byte array
iuup.rfci.26.flow.3.len RFCI 26 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.26.flow.4 RFCI 26 Flow 4 Len Byte array
iuup.rfci.26.flow.4.len RFCI 26 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.26.flow.5 RFCI 26 Flow 5 Len Byte array
iuup.rfci.26.flow.5.len RFCI 26 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.26.flow.6 RFCI 26 Flow 6 Len Byte array
iuup.rfci.26.flow.6.len RFCI 26 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.26.flow.7 RFCI 26 Flow 7 Len Byte array
iuup.rfci.26.flow.7.len RFCI 26 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.26.ipti RFCI 26 IPTI Unsigned 8-bit integer
iuup.rfci.26.li RFCI 26 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.26.lri RFCI 26 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.27 RFCI 27 Unsigned 8-bit integer
iuup.rfci.27.flow.0 RFCI 27 Flow 0 Byte array
iuup.rfci.27.flow.0.len RFCI 27 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.27.flow.1 RFCI 27 Flow 1 Byte array
iuup.rfci.27.flow.1.len RFCI 27 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.27.flow.2 RFCI 27 Flow 2 Byte array
iuup.rfci.27.flow.2.len RFCI 27 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.27.flow.3 RFCI 27 Flow 3 Len Byte array
iuup.rfci.27.flow.3.len RFCI 27 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.27.flow.4 RFCI 27 Flow 4 Len Byte array
iuup.rfci.27.flow.4.len RFCI 27 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.27.flow.5 RFCI 27 Flow 5 Len Byte array
iuup.rfci.27.flow.5.len RFCI 27 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.27.flow.6 RFCI 27 Flow 6 Len Byte array
iuup.rfci.27.flow.6.len RFCI 27 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.27.flow.7 RFCI 27 Flow 7 Len Byte array
iuup.rfci.27.flow.7.len RFCI 27 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.27.ipti RFCI 27 IPTI Unsigned 8-bit integer
iuup.rfci.27.li RFCI 27 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.27.lri RFCI 27 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.28 RFCI 28 Unsigned 8-bit integer
iuup.rfci.28.flow.0 RFCI 28 Flow 0 Byte array
iuup.rfci.28.flow.0.len RFCI 28 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.28.flow.1 RFCI 28 Flow 1 Byte array
iuup.rfci.28.flow.1.len RFCI 28 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.28.flow.2 RFCI 28 Flow 2 Byte array
iuup.rfci.28.flow.2.len RFCI 28 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.28.flow.3 RFCI 28 Flow 3 Len Byte array
iuup.rfci.28.flow.3.len RFCI 28 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.28.flow.4 RFCI 28 Flow 4 Len Byte array
iuup.rfci.28.flow.4.len RFCI 28 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.28.flow.5 RFCI 28 Flow 5 Len Byte array
iuup.rfci.28.flow.5.len RFCI 28 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.28.flow.6 RFCI 28 Flow 6 Len Byte array
iuup.rfci.28.flow.6.len RFCI 28 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.28.flow.7 RFCI 28 Flow 7 Len Byte array
iuup.rfci.28.flow.7.len RFCI 28 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.28.ipti RFCI 28 IPTI Unsigned 8-bit integer
iuup.rfci.28.li RFCI 28 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.28.lri RFCI 28 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.29 RFCI 29 Unsigned 8-bit integer
iuup.rfci.29.flow.0 RFCI 29 Flow 0 Byte array
iuup.rfci.29.flow.0.len RFCI 29 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.29.flow.1 RFCI 29 Flow 1 Byte array
iuup.rfci.29.flow.1.len RFCI 29 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.29.flow.2 RFCI 29 Flow 2 Byte array
iuup.rfci.29.flow.2.len RFCI 29 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.29.flow.3 RFCI 29 Flow 3 Len Byte array
iuup.rfci.29.flow.3.len RFCI 29 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.29.flow.4 RFCI 29 Flow 4 Len Byte array
iuup.rfci.29.flow.4.len RFCI 29 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.29.flow.5 RFCI 29 Flow 5 Len Byte array
iuup.rfci.29.flow.5.len RFCI 29 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.29.flow.6 RFCI 29 Flow 6 Len Byte array
iuup.rfci.29.flow.6.len RFCI 29 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.29.flow.7 RFCI 29 Flow 7 Len Byte array
iuup.rfci.29.flow.7.len RFCI 29 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.29.ipti RFCI 29 IPTI Unsigned 8-bit integer
iuup.rfci.29.li RFCI 29 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.29.lri RFCI 29 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.3 RFCI 3 Unsigned 8-bit integer
iuup.rfci.3.flow.0 RFCI 3 Flow 0 Byte array
iuup.rfci.3.flow.0.len RFCI 3 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.3.flow.1 RFCI 3 Flow 1 Byte array
iuup.rfci.3.flow.1.len RFCI 3 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.3.flow.2 RFCI 3 Flow 2 Byte array
iuup.rfci.3.flow.2.len RFCI 3 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.3.flow.3 RFCI 3 Flow 3 Len Byte array
iuup.rfci.3.flow.3.len RFCI 3 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.3.flow.4 RFCI 3 Flow 4 Len Byte array
iuup.rfci.3.flow.4.len RFCI 3 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.3.flow.5 RFCI 3 Flow 5 Len Byte array
iuup.rfci.3.flow.5.len RFCI 3 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.3.flow.6 RFCI 3 Flow 6 Len Byte array
iuup.rfci.3.flow.6.len RFCI 3 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.3.flow.7 RFCI 3 Flow 7 Len Byte array
iuup.rfci.3.flow.7.len RFCI 3 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.3.ipti RFCI 3 IPTI Unsigned 8-bit integer
iuup.rfci.3.li RFCI 3 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.3.lri RFCI 3 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.30 RFCI 30 Unsigned 8-bit integer
iuup.rfci.30.flow.0 RFCI 30 Flow 0 Byte array
iuup.rfci.30.flow.0.len RFCI 30 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.30.flow.1 RFCI 30 Flow 1 Byte array
iuup.rfci.30.flow.1.len RFCI 30 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.30.flow.2 RFCI 30 Flow 2 Byte array
iuup.rfci.30.flow.2.len RFCI 30 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.30.flow.3 RFCI 30 Flow 3 Len Byte array
iuup.rfci.30.flow.3.len RFCI 30 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.30.flow.4 RFCI 30 Flow 4 Len Byte array
iuup.rfci.30.flow.4.len RFCI 30 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.30.flow.5 RFCI 30 Flow 5 Len Byte array
iuup.rfci.30.flow.5.len RFCI 30 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.30.flow.6 RFCI 30 Flow 6 Len Byte array
iuup.rfci.30.flow.6.len RFCI 30 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.30.flow.7 RFCI 30 Flow 7 Len Byte array
iuup.rfci.30.flow.7.len RFCI 30 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.30.ipti RFCI 30 IPTI Unsigned 8-bit integer
iuup.rfci.30.li RFCI 30 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.30.lri RFCI 30 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.31 RFCI 31 Unsigned 8-bit integer
iuup.rfci.31.flow.0 RFCI 31 Flow 0 Byte array
iuup.rfci.31.flow.0.len RFCI 31 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.31.flow.1 RFCI 31 Flow 1 Byte array
iuup.rfci.31.flow.1.len RFCI 31 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.31.flow.2 RFCI 31 Flow 2 Byte array
iuup.rfci.31.flow.2.len RFCI 31 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.31.flow.3 RFCI 31 Flow 3 Len Byte array
iuup.rfci.31.flow.3.len RFCI 31 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.31.flow.4 RFCI 31 Flow 4 Len Byte array
iuup.rfci.31.flow.4.len RFCI 31 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.31.flow.5 RFCI 31 Flow 5 Len Byte array
iuup.rfci.31.flow.5.len RFCI 31 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.31.flow.6 RFCI 31 Flow 6 Len Byte array
iuup.rfci.31.flow.6.len RFCI 31 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.31.flow.7 RFCI 31 Flow 7 Len Byte array
iuup.rfci.31.flow.7.len RFCI 31 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.31.ipti RFCI 31 IPTI Unsigned 8-bit integer
iuup.rfci.31.li RFCI 31 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.31.lri RFCI 31 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.32 RFCI 32 Unsigned 8-bit integer
iuup.rfci.32.flow.0 RFCI 32 Flow 0 Byte array
iuup.rfci.32.flow.0.len RFCI 32 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.32.flow.1 RFCI 32 Flow 1 Byte array
iuup.rfci.32.flow.1.len RFCI 32 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.32.flow.2 RFCI 32 Flow 2 Byte array
iuup.rfci.32.flow.2.len RFCI 32 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.32.flow.3 RFCI 32 Flow 3 Len Byte array
iuup.rfci.32.flow.3.len RFCI 32 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.32.flow.4 RFCI 32 Flow 4 Len Byte array
iuup.rfci.32.flow.4.len RFCI 32 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.32.flow.5 RFCI 32 Flow 5 Len Byte array
iuup.rfci.32.flow.5.len RFCI 32 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.32.flow.6 RFCI 32 Flow 6 Len Byte array
iuup.rfci.32.flow.6.len RFCI 32 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.32.flow.7 RFCI 32 Flow 7 Len Byte array
iuup.rfci.32.flow.7.len RFCI 32 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.32.ipti RFCI 32 IPTI Unsigned 8-bit integer
iuup.rfci.32.li RFCI 32 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.32.lri RFCI 32 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.33 RFCI 33 Unsigned 8-bit integer
iuup.rfci.33.flow.0 RFCI 33 Flow 0 Byte array
iuup.rfci.33.flow.0.len RFCI 33 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.33.flow.1 RFCI 33 Flow 1 Byte array
iuup.rfci.33.flow.1.len RFCI 33 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.33.flow.2 RFCI 33 Flow 2 Byte array
iuup.rfci.33.flow.2.len RFCI 33 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.33.flow.3 RFCI 33 Flow 3 Len Byte array
iuup.rfci.33.flow.3.len RFCI 33 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.33.flow.4 RFCI 33 Flow 4 Len Byte array
iuup.rfci.33.flow.4.len RFCI 33 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.33.flow.5 RFCI 33 Flow 5 Len Byte array
iuup.rfci.33.flow.5.len RFCI 33 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.33.flow.6 RFCI 33 Flow 6 Len Byte array
iuup.rfci.33.flow.6.len RFCI 33 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.33.flow.7 RFCI 33 Flow 7 Len Byte array
iuup.rfci.33.flow.7.len RFCI 33 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.33.ipti RFCI 33 IPTI Unsigned 8-bit integer
iuup.rfci.33.li RFCI 33 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.33.lri RFCI 33 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.34 RFCI 34 Unsigned 8-bit integer
iuup.rfci.34.flow.0 RFCI 34 Flow 0 Byte array
iuup.rfci.34.flow.0.len RFCI 34 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.34.flow.1 RFCI 34 Flow 1 Byte array
iuup.rfci.34.flow.1.len RFCI 34 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.34.flow.2 RFCI 34 Flow 2 Byte array
iuup.rfci.34.flow.2.len RFCI 34 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.34.flow.3 RFCI 34 Flow 3 Len Byte array
iuup.rfci.34.flow.3.len RFCI 34 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.34.flow.4 RFCI 34 Flow 4 Len Byte array
iuup.rfci.34.flow.4.len RFCI 34 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.34.flow.5 RFCI 34 Flow 5 Len Byte array
iuup.rfci.34.flow.5.len RFCI 34 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.34.flow.6 RFCI 34 Flow 6 Len Byte array
iuup.rfci.34.flow.6.len RFCI 34 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.34.flow.7 RFCI 34 Flow 7 Len Byte array
iuup.rfci.34.flow.7.len RFCI 34 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.34.ipti RFCI 34 IPTI Unsigned 8-bit integer
iuup.rfci.34.li RFCI 34 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.34.lri RFCI 34 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.35 RFCI 35 Unsigned 8-bit integer
iuup.rfci.35.flow.0 RFCI 35 Flow 0 Byte array
iuup.rfci.35.flow.0.len RFCI 35 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.35.flow.1 RFCI 35 Flow 1 Byte array
iuup.rfci.35.flow.1.len RFCI 35 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.35.flow.2 RFCI 35 Flow 2 Byte array
iuup.rfci.35.flow.2.len RFCI 35 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.35.flow.3 RFCI 35 Flow 3 Len Byte array
iuup.rfci.35.flow.3.len RFCI 35 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.35.flow.4 RFCI 35 Flow 4 Len Byte array
iuup.rfci.35.flow.4.len RFCI 35 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.35.flow.5 RFCI 35 Flow 5 Len Byte array
iuup.rfci.35.flow.5.len RFCI 35 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.35.flow.6 RFCI 35 Flow 6 Len Byte array
iuup.rfci.35.flow.6.len RFCI 35 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.35.flow.7 RFCI 35 Flow 7 Len Byte array
iuup.rfci.35.flow.7.len RFCI 35 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.35.ipti RFCI 35 IPTI Unsigned 8-bit integer
iuup.rfci.35.li RFCI 35 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.35.lri RFCI 35 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.36 RFCI 36 Unsigned 8-bit integer
iuup.rfci.36.flow.0 RFCI 36 Flow 0 Byte array
iuup.rfci.36.flow.0.len RFCI 36 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.36.flow.1 RFCI 36 Flow 1 Byte array
iuup.rfci.36.flow.1.len RFCI 36 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.36.flow.2 RFCI 36 Flow 2 Byte array
iuup.rfci.36.flow.2.len RFCI 36 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.36.flow.3 RFCI 36 Flow 3 Len Byte array
iuup.rfci.36.flow.3.len RFCI 36 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.36.flow.4 RFCI 36 Flow 4 Len Byte array
iuup.rfci.36.flow.4.len RFCI 36 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.36.flow.5 RFCI 36 Flow 5 Len Byte array
iuup.rfci.36.flow.5.len RFCI 36 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.36.flow.6 RFCI 36 Flow 6 Len Byte array
iuup.rfci.36.flow.6.len RFCI 36 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.36.flow.7 RFCI 36 Flow 7 Len Byte array
iuup.rfci.36.flow.7.len RFCI 36 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.36.ipti RFCI 36 IPTI Unsigned 8-bit integer
iuup.rfci.36.li RFCI 36 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.36.lri RFCI 36 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.37 RFCI 37 Unsigned 8-bit integer
iuup.rfci.37.flow.0 RFCI 37 Flow 0 Byte array
iuup.rfci.37.flow.0.len RFCI 37 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.37.flow.1 RFCI 37 Flow 1 Byte array
iuup.rfci.37.flow.1.len RFCI 37 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.37.flow.2 RFCI 37 Flow 2 Byte array
iuup.rfci.37.flow.2.len RFCI 37 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.37.flow.3 RFCI 37 Flow 3 Len Byte array
iuup.rfci.37.flow.3.len RFCI 37 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.37.flow.4 RFCI 37 Flow 4 Len Byte array
iuup.rfci.37.flow.4.len RFCI 37 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.37.flow.5 RFCI 37 Flow 5 Len Byte array
iuup.rfci.37.flow.5.len RFCI 37 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.37.flow.6 RFCI 37 Flow 6 Len Byte array
iuup.rfci.37.flow.6.len RFCI 37 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.37.flow.7 RFCI 37 Flow 7 Len Byte array
iuup.rfci.37.flow.7.len RFCI 37 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.37.ipti RFCI 37 IPTI Unsigned 8-bit integer
iuup.rfci.37.li RFCI 37 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.37.lri RFCI 37 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.38 RFCI 38 Unsigned 8-bit integer
iuup.rfci.38.flow.0 RFCI 38 Flow 0 Byte array
iuup.rfci.38.flow.0.len RFCI 38 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.38.flow.1 RFCI 38 Flow 1 Byte array
iuup.rfci.38.flow.1.len RFCI 38 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.38.flow.2 RFCI 38 Flow 2 Byte array
iuup.rfci.38.flow.2.len RFCI 38 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.38.flow.3 RFCI 38 Flow 3 Len Byte array
iuup.rfci.38.flow.3.len RFCI 38 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.38.flow.4 RFCI 38 Flow 4 Len Byte array
iuup.rfci.38.flow.4.len RFCI 38 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.38.flow.5 RFCI 38 Flow 5 Len Byte array
iuup.rfci.38.flow.5.len RFCI 38 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.38.flow.6 RFCI 38 Flow 6 Len Byte array
iuup.rfci.38.flow.6.len RFCI 38 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.38.flow.7 RFCI 38 Flow 7 Len Byte array
iuup.rfci.38.flow.7.len RFCI 38 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.38.ipti RFCI 38 IPTI Unsigned 8-bit integer
iuup.rfci.38.li RFCI 38 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.38.lri RFCI 38 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.39 RFCI 39 Unsigned 8-bit integer
iuup.rfci.39.flow.0 RFCI 39 Flow 0 Byte array
iuup.rfci.39.flow.0.len RFCI 39 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.39.flow.1 RFCI 39 Flow 1 Byte array
iuup.rfci.39.flow.1.len RFCI 39 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.39.flow.2 RFCI 39 Flow 2 Byte array
iuup.rfci.39.flow.2.len RFCI 39 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.39.flow.3 RFCI 39 Flow 3 Len Byte array
iuup.rfci.39.flow.3.len RFCI 39 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.39.flow.4 RFCI 39 Flow 4 Len Byte array
iuup.rfci.39.flow.4.len RFCI 39 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.39.flow.5 RFCI 39 Flow 5 Len Byte array
iuup.rfci.39.flow.5.len RFCI 39 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.39.flow.6 RFCI 39 Flow 6 Len Byte array
iuup.rfci.39.flow.6.len RFCI 39 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.39.flow.7 RFCI 39 Flow 7 Len Byte array
iuup.rfci.39.flow.7.len RFCI 39 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.39.ipti RFCI 39 IPTI Unsigned 8-bit integer
iuup.rfci.39.li RFCI 39 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.39.lri RFCI 39 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.4 RFCI 4 Unsigned 8-bit integer
iuup.rfci.4.flow.0 RFCI 4 Flow 0 Byte array
iuup.rfci.4.flow.0.len RFCI 4 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.4.flow.1 RFCI 4 Flow 1 Byte array
iuup.rfci.4.flow.1.len RFCI 4 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.4.flow.2 RFCI 4 Flow 2 Byte array
iuup.rfci.4.flow.2.len RFCI 4 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.4.flow.3 RFCI 4 Flow 3 Len Byte array
iuup.rfci.4.flow.3.len RFCI 4 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.4.flow.4 RFCI 4 Flow 4 Len Byte array
iuup.rfci.4.flow.4.len RFCI 4 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.4.flow.5 RFCI 4 Flow 5 Len Byte array
iuup.rfci.4.flow.5.len RFCI 4 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.4.flow.6 RFCI 4 Flow 6 Len Byte array
iuup.rfci.4.flow.6.len RFCI 4 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.4.flow.7 RFCI 4 Flow 7 Len Byte array
iuup.rfci.4.flow.7.len RFCI 4 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.4.ipti RFCI 4 IPTI Unsigned 8-bit integer
iuup.rfci.4.li RFCI 4 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.4.lri RFCI 4 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.40 RFCI 40 Unsigned 8-bit integer
iuup.rfci.40.flow.0 RFCI 40 Flow 0 Byte array
iuup.rfci.40.flow.0.len RFCI 40 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.40.flow.1 RFCI 40 Flow 1 Byte array
iuup.rfci.40.flow.1.len RFCI 40 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.40.flow.2 RFCI 40 Flow 2 Byte array
iuup.rfci.40.flow.2.len RFCI 40 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.40.flow.3 RFCI 40 Flow 3 Len Byte array
iuup.rfci.40.flow.3.len RFCI 40 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.40.flow.4 RFCI 40 Flow 4 Len Byte array
iuup.rfci.40.flow.4.len RFCI 40 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.40.flow.5 RFCI 40 Flow 5 Len Byte array
iuup.rfci.40.flow.5.len RFCI 40 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.40.flow.6 RFCI 40 Flow 6 Len Byte array
iuup.rfci.40.flow.6.len RFCI 40 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.40.flow.7 RFCI 40 Flow 7 Len Byte array
iuup.rfci.40.flow.7.len RFCI 40 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.40.ipti RFCI 40 IPTI Unsigned 8-bit integer
iuup.rfci.40.li RFCI 40 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.40.lri RFCI 40 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.41 RFCI 41 Unsigned 8-bit integer
iuup.rfci.41.flow.0 RFCI 41 Flow 0 Byte array
iuup.rfci.41.flow.0.len RFCI 41 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.41.flow.1 RFCI 41 Flow 1 Byte array
iuup.rfci.41.flow.1.len RFCI 41 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.41.flow.2 RFCI 41 Flow 2 Byte array
iuup.rfci.41.flow.2.len RFCI 41 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.41.flow.3 RFCI 41 Flow 3 Len Byte array
iuup.rfci.41.flow.3.len RFCI 41 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.41.flow.4 RFCI 41 Flow 4 Len Byte array
iuup.rfci.41.flow.4.len RFCI 41 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.41.flow.5 RFCI 41 Flow 5 Len Byte array
iuup.rfci.41.flow.5.len RFCI 41 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.41.flow.6 RFCI 41 Flow 6 Len Byte array
iuup.rfci.41.flow.6.len RFCI 41 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.41.flow.7 RFCI 41 Flow 7 Len Byte array
iuup.rfci.41.flow.7.len RFCI 41 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.41.ipti RFCI 41 IPTI Unsigned 8-bit integer
iuup.rfci.41.li RFCI 41 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.41.lri RFCI 41 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.42 RFCI 42 Unsigned 8-bit integer
iuup.rfci.42.flow.0 RFCI 42 Flow 0 Byte array
iuup.rfci.42.flow.0.len RFCI 42 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.42.flow.1 RFCI 42 Flow 1 Byte array
iuup.rfci.42.flow.1.len RFCI 42 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.42.flow.2 RFCI 42 Flow 2 Byte array
iuup.rfci.42.flow.2.len RFCI 42 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.42.flow.3 RFCI 42 Flow 3 Len Byte array
iuup.rfci.42.flow.3.len RFCI 42 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.42.flow.4 RFCI 42 Flow 4 Len Byte array
iuup.rfci.42.flow.4.len RFCI 42 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.42.flow.5 RFCI 42 Flow 5 Len Byte array
iuup.rfci.42.flow.5.len RFCI 42 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.42.flow.6 RFCI 42 Flow 6 Len Byte array
iuup.rfci.42.flow.6.len RFCI 42 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.42.flow.7 RFCI 42 Flow 7 Len Byte array
iuup.rfci.42.flow.7.len RFCI 42 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.42.ipti RFCI 42 IPTI Unsigned 8-bit integer
iuup.rfci.42.li RFCI 42 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.42.lri RFCI 42 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.43 RFCI 43 Unsigned 8-bit integer
iuup.rfci.43.flow.0 RFCI 43 Flow 0 Byte array
iuup.rfci.43.flow.0.len RFCI 43 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.43.flow.1 RFCI 43 Flow 1 Byte array
iuup.rfci.43.flow.1.len RFCI 43 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.43.flow.2 RFCI 43 Flow 2 Byte array
iuup.rfci.43.flow.2.len RFCI 43 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.43.flow.3 RFCI 43 Flow 3 Len Byte array
iuup.rfci.43.flow.3.len RFCI 43 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.43.flow.4 RFCI 43 Flow 4 Len Byte array
iuup.rfci.43.flow.4.len RFCI 43 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.43.flow.5 RFCI 43 Flow 5 Len Byte array
iuup.rfci.43.flow.5.len RFCI 43 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.43.flow.6 RFCI 43 Flow 6 Len Byte array
iuup.rfci.43.flow.6.len RFCI 43 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.43.flow.7 RFCI 43 Flow 7 Len Byte array
iuup.rfci.43.flow.7.len RFCI 43 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.43.ipti RFCI 43 IPTI Unsigned 8-bit integer
iuup.rfci.43.li RFCI 43 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.43.lri RFCI 43 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.44 RFCI 44 Unsigned 8-bit integer
iuup.rfci.44.flow.0 RFCI 44 Flow 0 Byte array
iuup.rfci.44.flow.0.len RFCI 44 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.44.flow.1 RFCI 44 Flow 1 Byte array
iuup.rfci.44.flow.1.len RFCI 44 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.44.flow.2 RFCI 44 Flow 2 Byte array
iuup.rfci.44.flow.2.len RFCI 44 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.44.flow.3 RFCI 44 Flow 3 Len Byte array
iuup.rfci.44.flow.3.len RFCI 44 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.44.flow.4 RFCI 44 Flow 4 Len Byte array
iuup.rfci.44.flow.4.len RFCI 44 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.44.flow.5 RFCI 44 Flow 5 Len Byte array
iuup.rfci.44.flow.5.len RFCI 44 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.44.flow.6 RFCI 44 Flow 6 Len Byte array
iuup.rfci.44.flow.6.len RFCI 44 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.44.flow.7 RFCI 44 Flow 7 Len Byte array
iuup.rfci.44.flow.7.len RFCI 44 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.44.ipti RFCI 44 IPTI Unsigned 8-bit integer
iuup.rfci.44.li RFCI 44 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.44.lri RFCI 44 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.45 RFCI 45 Unsigned 8-bit integer
iuup.rfci.45.flow.0 RFCI 45 Flow 0 Byte array
iuup.rfci.45.flow.0.len RFCI 45 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.45.flow.1 RFCI 45 Flow 1 Byte array
iuup.rfci.45.flow.1.len RFCI 45 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.45.flow.2 RFCI 45 Flow 2 Byte array
iuup.rfci.45.flow.2.len RFCI 45 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.45.flow.3 RFCI 45 Flow 3 Len Byte array
iuup.rfci.45.flow.3.len RFCI 45 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.45.flow.4 RFCI 45 Flow 4 Len Byte array
iuup.rfci.45.flow.4.len RFCI 45 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.45.flow.5 RFCI 45 Flow 5 Len Byte array
iuup.rfci.45.flow.5.len RFCI 45 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.45.flow.6 RFCI 45 Flow 6 Len Byte array
iuup.rfci.45.flow.6.len RFCI 45 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.45.flow.7 RFCI 45 Flow 7 Len Byte array
iuup.rfci.45.flow.7.len RFCI 45 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.45.ipti RFCI 45 IPTI Unsigned 8-bit integer
iuup.rfci.45.li RFCI 45 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.45.lri RFCI 45 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.46 RFCI 46 Unsigned 8-bit integer
iuup.rfci.46.flow.0 RFCI 46 Flow 0 Byte array
iuup.rfci.46.flow.0.len RFCI 46 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.46.flow.1 RFCI 46 Flow 1 Byte array
iuup.rfci.46.flow.1.len RFCI 46 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.46.flow.2 RFCI 46 Flow 2 Byte array
iuup.rfci.46.flow.2.len RFCI 46 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.46.flow.3 RFCI 46 Flow 3 Len Byte array
iuup.rfci.46.flow.3.len RFCI 46 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.46.flow.4 RFCI 46 Flow 4 Len Byte array
iuup.rfci.46.flow.4.len RFCI 46 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.46.flow.5 RFCI 46 Flow 5 Len Byte array
iuup.rfci.46.flow.5.len RFCI 46 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.46.flow.6 RFCI 46 Flow 6 Len Byte array
iuup.rfci.46.flow.6.len RFCI 46 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.46.flow.7 RFCI 46 Flow 7 Len Byte array
iuup.rfci.46.flow.7.len RFCI 46 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.46.ipti RFCI 46 IPTI Unsigned 8-bit integer
iuup.rfci.46.li RFCI 46 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.46.lri RFCI 46 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.47 RFCI 47 Unsigned 8-bit integer
iuup.rfci.47.flow.0 RFCI 47 Flow 0 Byte array
iuup.rfci.47.flow.0.len RFCI 47 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.47.flow.1 RFCI 47 Flow 1 Byte array
iuup.rfci.47.flow.1.len RFCI 47 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.47.flow.2 RFCI 47 Flow 2 Byte array
iuup.rfci.47.flow.2.len RFCI 47 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.47.flow.3 RFCI 47 Flow 3 Len Byte array
iuup.rfci.47.flow.3.len RFCI 47 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.47.flow.4 RFCI 47 Flow 4 Len Byte array
iuup.rfci.47.flow.4.len RFCI 47 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.47.flow.5 RFCI 47 Flow 5 Len Byte array
iuup.rfci.47.flow.5.len RFCI 47 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.47.flow.6 RFCI 47 Flow 6 Len Byte array
iuup.rfci.47.flow.6.len RFCI 47 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.47.flow.7 RFCI 47 Flow 7 Len Byte array
iuup.rfci.47.flow.7.len RFCI 47 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.47.ipti RFCI 47 IPTI Unsigned 8-bit integer
iuup.rfci.47.li RFCI 47 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.47.lri RFCI 47 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.48 RFCI 48 Unsigned 8-bit integer
iuup.rfci.48.flow.0 RFCI 48 Flow 0 Byte array
iuup.rfci.48.flow.0.len RFCI 48 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.48.flow.1 RFCI 48 Flow 1 Byte array
iuup.rfci.48.flow.1.len RFCI 48 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.48.flow.2 RFCI 48 Flow 2 Byte array
iuup.rfci.48.flow.2.len RFCI 48 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.48.flow.3 RFCI 48 Flow 3 Len Byte array
iuup.rfci.48.flow.3.len RFCI 48 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.48.flow.4 RFCI 48 Flow 4 Len Byte array
iuup.rfci.48.flow.4.len RFCI 48 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.48.flow.5 RFCI 48 Flow 5 Len Byte array
iuup.rfci.48.flow.5.len RFCI 48 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.48.flow.6 RFCI 48 Flow 6 Len Byte array
iuup.rfci.48.flow.6.len RFCI 48 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.48.flow.7 RFCI 48 Flow 7 Len Byte array
iuup.rfci.48.flow.7.len RFCI 48 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.48.ipti RFCI 48 IPTI Unsigned 8-bit integer
iuup.rfci.48.li RFCI 48 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.48.lri RFCI 48 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.49 RFCI 49 Unsigned 8-bit integer
iuup.rfci.49.flow.0 RFCI 49 Flow 0 Byte array
iuup.rfci.49.flow.0.len RFCI 49 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.49.flow.1 RFCI 49 Flow 1 Byte array
iuup.rfci.49.flow.1.len RFCI 49 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.49.flow.2 RFCI 49 Flow 2 Byte array
iuup.rfci.49.flow.2.len RFCI 49 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.49.flow.3 RFCI 49 Flow 3 Len Byte array
iuup.rfci.49.flow.3.len RFCI 49 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.49.flow.4 RFCI 49 Flow 4 Len Byte array
iuup.rfci.49.flow.4.len RFCI 49 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.49.flow.5 RFCI 49 Flow 5 Len Byte array
iuup.rfci.49.flow.5.len RFCI 49 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.49.flow.6 RFCI 49 Flow 6 Len Byte array
iuup.rfci.49.flow.6.len RFCI 49 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.49.flow.7 RFCI 49 Flow 7 Len Byte array
iuup.rfci.49.flow.7.len RFCI 49 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.49.ipti RFCI 49 IPTI Unsigned 8-bit integer
iuup.rfci.49.li RFCI 49 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.49.lri RFCI 49 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.5 RFCI 5 Unsigned 8-bit integer
iuup.rfci.5.flow.0 RFCI 5 Flow 0 Byte array
iuup.rfci.5.flow.0.len RFCI 5 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.5.flow.1 RFCI 5 Flow 1 Byte array
iuup.rfci.5.flow.1.len RFCI 5 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.5.flow.2 RFCI 5 Flow 2 Byte array
iuup.rfci.5.flow.2.len RFCI 5 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.5.flow.3 RFCI 5 Flow 3 Len Byte array
iuup.rfci.5.flow.3.len RFCI 5 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.5.flow.4 RFCI 5 Flow 4 Len Byte array
iuup.rfci.5.flow.4.len RFCI 5 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.5.flow.5 RFCI 5 Flow 5 Len Byte array
iuup.rfci.5.flow.5.len RFCI 5 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.5.flow.6 RFCI 5 Flow 6 Len Byte array
iuup.rfci.5.flow.6.len RFCI 5 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.5.flow.7 RFCI 5 Flow 7 Len Byte array
iuup.rfci.5.flow.7.len RFCI 5 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.5.ipti RFCI 5 IPTI Unsigned 8-bit integer
iuup.rfci.5.li RFCI 5 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.5.lri RFCI 5 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.50 RFCI 50 Unsigned 8-bit integer
iuup.rfci.50.flow.0 RFCI 50 Flow 0 Byte array
iuup.rfci.50.flow.0.len RFCI 50 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.50.flow.1 RFCI 50 Flow 1 Byte array
iuup.rfci.50.flow.1.len RFCI 50 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.50.flow.2 RFCI 50 Flow 2 Byte array
iuup.rfci.50.flow.2.len RFCI 50 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.50.flow.3 RFCI 50 Flow 3 Len Byte array
iuup.rfci.50.flow.3.len RFCI 50 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.50.flow.4 RFCI 50 Flow 4 Len Byte array
iuup.rfci.50.flow.4.len RFCI 50 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.50.flow.5 RFCI 50 Flow 5 Len Byte array
iuup.rfci.50.flow.5.len RFCI 50 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.50.flow.6 RFCI 50 Flow 6 Len Byte array
iuup.rfci.50.flow.6.len RFCI 50 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.50.flow.7 RFCI 50 Flow 7 Len Byte array
iuup.rfci.50.flow.7.len RFCI 50 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.50.ipti RFCI 50 IPTI Unsigned 8-bit integer
iuup.rfci.50.li RFCI 50 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.50.lri RFCI 50 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.51 RFCI 51 Unsigned 8-bit integer
iuup.rfci.51.flow.0 RFCI 51 Flow 0 Byte array
iuup.rfci.51.flow.0.len RFCI 51 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.51.flow.1 RFCI 51 Flow 1 Byte array
iuup.rfci.51.flow.1.len RFCI 51 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.51.flow.2 RFCI 51 Flow 2 Byte array
iuup.rfci.51.flow.2.len RFCI 51 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.51.flow.3 RFCI 51 Flow 3 Len Byte array
iuup.rfci.51.flow.3.len RFCI 51 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.51.flow.4 RFCI 51 Flow 4 Len Byte array
iuup.rfci.51.flow.4.len RFCI 51 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.51.flow.5 RFCI 51 Flow 5 Len Byte array
iuup.rfci.51.flow.5.len RFCI 51 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.51.flow.6 RFCI 51 Flow 6 Len Byte array
iuup.rfci.51.flow.6.len RFCI 51 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.51.flow.7 RFCI 51 Flow 7 Len Byte array
iuup.rfci.51.flow.7.len RFCI 51 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.51.ipti RFCI 51 IPTI Unsigned 8-bit integer
iuup.rfci.51.li RFCI 51 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.51.lri RFCI 51 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.52 RFCI 52 Unsigned 8-bit integer
iuup.rfci.52.flow.0 RFCI 52 Flow 0 Byte array
iuup.rfci.52.flow.0.len RFCI 52 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.52.flow.1 RFCI 52 Flow 1 Byte array
iuup.rfci.52.flow.1.len RFCI 52 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.52.flow.2 RFCI 52 Flow 2 Byte array
iuup.rfci.52.flow.2.len RFCI 52 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.52.flow.3 RFCI 52 Flow 3 Len Byte array
iuup.rfci.52.flow.3.len RFCI 52 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.52.flow.4 RFCI 52 Flow 4 Len Byte array
iuup.rfci.52.flow.4.len RFCI 52 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.52.flow.5 RFCI 52 Flow 5 Len Byte array
iuup.rfci.52.flow.5.len RFCI 52 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.52.flow.6 RFCI 52 Flow 6 Len Byte array
iuup.rfci.52.flow.6.len RFCI 52 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.52.flow.7 RFCI 52 Flow 7 Len Byte array
iuup.rfci.52.flow.7.len RFCI 52 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.52.ipti RFCI 52 IPTI Unsigned 8-bit integer
iuup.rfci.52.li RFCI 52 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.52.lri RFCI 52 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.53 RFCI 53 Unsigned 8-bit integer
iuup.rfci.53.flow.0 RFCI 53 Flow 0 Byte array
iuup.rfci.53.flow.0.len RFCI 53 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.53.flow.1 RFCI 53 Flow 1 Byte array
iuup.rfci.53.flow.1.len RFCI 53 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.53.flow.2 RFCI 53 Flow 2 Byte array
iuup.rfci.53.flow.2.len RFCI 53 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.53.flow.3 RFCI 53 Flow 3 Len Byte array
iuup.rfci.53.flow.3.len RFCI 53 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.53.flow.4 RFCI 53 Flow 4 Len Byte array
iuup.rfci.53.flow.4.len RFCI 53 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.53.flow.5 RFCI 53 Flow 5 Len Byte array
iuup.rfci.53.flow.5.len RFCI 53 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.53.flow.6 RFCI 53 Flow 6 Len Byte array
iuup.rfci.53.flow.6.len RFCI 53 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.53.flow.7 RFCI 53 Flow 7 Len Byte array
iuup.rfci.53.flow.7.len RFCI 53 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.53.ipti RFCI 53 IPTI Unsigned 8-bit integer
iuup.rfci.53.li RFCI 53 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.53.lri RFCI 53 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.54 RFCI 54 Unsigned 8-bit integer
iuup.rfci.54.flow.0 RFCI 54 Flow 0 Byte array
iuup.rfci.54.flow.0.len RFCI 54 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.54.flow.1 RFCI 54 Flow 1 Byte array
iuup.rfci.54.flow.1.len RFCI 54 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.54.flow.2 RFCI 54 Flow 2 Byte array
iuup.rfci.54.flow.2.len RFCI 54 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.54.flow.3 RFCI 54 Flow 3 Len Byte array
iuup.rfci.54.flow.3.len RFCI 54 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.54.flow.4 RFCI 54 Flow 4 Len Byte array
iuup.rfci.54.flow.4.len RFCI 54 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.54.flow.5 RFCI 54 Flow 5 Len Byte array
iuup.rfci.54.flow.5.len RFCI 54 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.54.flow.6 RFCI 54 Flow 6 Len Byte array
iuup.rfci.54.flow.6.len RFCI 54 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.54.flow.7 RFCI 54 Flow 7 Len Byte array
iuup.rfci.54.flow.7.len RFCI 54 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.54.ipti RFCI 54 IPTI Unsigned 8-bit integer
iuup.rfci.54.li RFCI 54 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.54.lri RFCI 54 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.55 RFCI 55 Unsigned 8-bit integer
iuup.rfci.55.flow.0 RFCI 55 Flow 0 Byte array
iuup.rfci.55.flow.0.len RFCI 55 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.55.flow.1 RFCI 55 Flow 1 Byte array
iuup.rfci.55.flow.1.len RFCI 55 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.55.flow.2 RFCI 55 Flow 2 Byte array
iuup.rfci.55.flow.2.len RFCI 55 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.55.flow.3 RFCI 55 Flow 3 Len Byte array
iuup.rfci.55.flow.3.len RFCI 55 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.55.flow.4 RFCI 55 Flow 4 Len Byte array
iuup.rfci.55.flow.4.len RFCI 55 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.55.flow.5 RFCI 55 Flow 5 Len Byte array
iuup.rfci.55.flow.5.len RFCI 55 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.55.flow.6 RFCI 55 Flow 6 Len Byte array
iuup.rfci.55.flow.6.len RFCI 55 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.55.flow.7 RFCI 55 Flow 7 Len Byte array
iuup.rfci.55.flow.7.len RFCI 55 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.55.ipti RFCI 55 IPTI Unsigned 8-bit integer
iuup.rfci.55.li RFCI 55 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.55.lri RFCI 55 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.56 RFCI 56 Unsigned 8-bit integer
iuup.rfci.56.flow.0 RFCI 56 Flow 0 Byte array
iuup.rfci.56.flow.0.len RFCI 56 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.56.flow.1 RFCI 56 Flow 1 Byte array
iuup.rfci.56.flow.1.len RFCI 56 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.56.flow.2 RFCI 56 Flow 2 Byte array
iuup.rfci.56.flow.2.len RFCI 56 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.56.flow.3 RFCI 56 Flow 3 Len Byte array
iuup.rfci.56.flow.3.len RFCI 56 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.56.flow.4 RFCI 56 Flow 4 Len Byte array
iuup.rfci.56.flow.4.len RFCI 56 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.56.flow.5 RFCI 56 Flow 5 Len Byte array
iuup.rfci.56.flow.5.len RFCI 56 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.56.flow.6 RFCI 56 Flow 6 Len Byte array
iuup.rfci.56.flow.6.len RFCI 56 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.56.flow.7 RFCI 56 Flow 7 Len Byte array
iuup.rfci.56.flow.7.len RFCI 56 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.56.ipti RFCI 56 IPTI Unsigned 8-bit integer
iuup.rfci.56.li RFCI 56 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.56.lri RFCI 56 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.57 RFCI 57 Unsigned 8-bit integer
iuup.rfci.57.flow.0 RFCI 57 Flow 0 Byte array
iuup.rfci.57.flow.0.len RFCI 57 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.57.flow.1 RFCI 57 Flow 1 Byte array
iuup.rfci.57.flow.1.len RFCI 57 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.57.flow.2 RFCI 57 Flow 2 Byte array
iuup.rfci.57.flow.2.len RFCI 57 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.57.flow.3 RFCI 57 Flow 3 Len Byte array
iuup.rfci.57.flow.3.len RFCI 57 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.57.flow.4 RFCI 57 Flow 4 Len Byte array
iuup.rfci.57.flow.4.len RFCI 57 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.57.flow.5 RFCI 57 Flow 5 Len Byte array
iuup.rfci.57.flow.5.len RFCI 57 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.57.flow.6 RFCI 57 Flow 6 Len Byte array
iuup.rfci.57.flow.6.len RFCI 57 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.57.flow.7 RFCI 57 Flow 7 Len Byte array
iuup.rfci.57.flow.7.len RFCI 57 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.57.ipti RFCI 57 IPTI Unsigned 8-bit integer
iuup.rfci.57.li RFCI 57 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.57.lri RFCI 57 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.58 RFCI 58 Unsigned 8-bit integer
iuup.rfci.58.flow.0 RFCI 58 Flow 0 Byte array
iuup.rfci.58.flow.0.len RFCI 58 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.58.flow.1 RFCI 58 Flow 1 Byte array
iuup.rfci.58.flow.1.len RFCI 58 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.58.flow.2 RFCI 58 Flow 2 Byte array
iuup.rfci.58.flow.2.len RFCI 58 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.58.flow.3 RFCI 58 Flow 3 Len Byte array
iuup.rfci.58.flow.3.len RFCI 58 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.58.flow.4 RFCI 58 Flow 4 Len Byte array
iuup.rfci.58.flow.4.len RFCI 58 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.58.flow.5 RFCI 58 Flow 5 Len Byte array
iuup.rfci.58.flow.5.len RFCI 58 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.58.flow.6 RFCI 58 Flow 6 Len Byte array
iuup.rfci.58.flow.6.len RFCI 58 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.58.flow.7 RFCI 58 Flow 7 Len Byte array
iuup.rfci.58.flow.7.len RFCI 58 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.58.ipti RFCI 58 IPTI Unsigned 8-bit integer
iuup.rfci.58.li RFCI 58 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.58.lri RFCI 58 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.59 RFCI 59 Unsigned 8-bit integer
iuup.rfci.59.flow.0 RFCI 59 Flow 0 Byte array
iuup.rfci.59.flow.0.len RFCI 59 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.59.flow.1 RFCI 59 Flow 1 Byte array
iuup.rfci.59.flow.1.len RFCI 59 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.59.flow.2 RFCI 59 Flow 2 Byte array
iuup.rfci.59.flow.2.len RFCI 59 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.59.flow.3 RFCI 59 Flow 3 Len Byte array
iuup.rfci.59.flow.3.len RFCI 59 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.59.flow.4 RFCI 59 Flow 4 Len Byte array
iuup.rfci.59.flow.4.len RFCI 59 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.59.flow.5 RFCI 59 Flow 5 Len Byte array
iuup.rfci.59.flow.5.len RFCI 59 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.59.flow.6 RFCI 59 Flow 6 Len Byte array
iuup.rfci.59.flow.6.len RFCI 59 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.59.flow.7 RFCI 59 Flow 7 Len Byte array
iuup.rfci.59.flow.7.len RFCI 59 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.59.ipti RFCI 59 IPTI Unsigned 8-bit integer
iuup.rfci.59.li RFCI 59 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.59.lri RFCI 59 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.6 RFCI 6 Unsigned 8-bit integer
iuup.rfci.6.flow.0 RFCI 6 Flow 0 Byte array
iuup.rfci.6.flow.0.len RFCI 6 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.6.flow.1 RFCI 6 Flow 1 Byte array
iuup.rfci.6.flow.1.len RFCI 6 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.6.flow.2 RFCI 6 Flow 2 Byte array
iuup.rfci.6.flow.2.len RFCI 6 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.6.flow.3 RFCI 6 Flow 3 Len Byte array
iuup.rfci.6.flow.3.len RFCI 6 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.6.flow.4 RFCI 6 Flow 4 Len Byte array
iuup.rfci.6.flow.4.len RFCI 6 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.6.flow.5 RFCI 6 Flow 5 Len Byte array
iuup.rfci.6.flow.5.len RFCI 6 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.6.flow.6 RFCI 6 Flow 6 Len Byte array
iuup.rfci.6.flow.6.len RFCI 6 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.6.flow.7 RFCI 6 Flow 7 Len Byte array
iuup.rfci.6.flow.7.len RFCI 6 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.6.ipti RFCI 6 IPTI Unsigned 8-bit integer
iuup.rfci.6.li RFCI 6 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.6.lri RFCI 6 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.60 RFCI 60 Unsigned 8-bit integer
iuup.rfci.60.flow.0 RFCI 60 Flow 0 Byte array
iuup.rfci.60.flow.0.len RFCI 60 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.60.flow.1 RFCI 60 Flow 1 Byte array
iuup.rfci.60.flow.1.len RFCI 60 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.60.flow.2 RFCI 60 Flow 2 Byte array
iuup.rfci.60.flow.2.len RFCI 60 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.60.flow.3 RFCI 60 Flow 3 Len Byte array
iuup.rfci.60.flow.3.len RFCI 60 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.60.flow.4 RFCI 60 Flow 4 Len Byte array
iuup.rfci.60.flow.4.len RFCI 60 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.60.flow.5 RFCI 60 Flow 5 Len Byte array
iuup.rfci.60.flow.5.len RFCI 60 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.60.flow.6 RFCI 60 Flow 6 Len Byte array
iuup.rfci.60.flow.6.len RFCI 60 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.60.flow.7 RFCI 60 Flow 7 Len Byte array
iuup.rfci.60.flow.7.len RFCI 60 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.60.ipti RFCI 60 IPTI Unsigned 8-bit integer
iuup.rfci.60.li RFCI 60 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.60.lri RFCI 60 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.61 RFCI 61 Unsigned 8-bit integer
iuup.rfci.61.flow.0 RFCI 61 Flow 0 Byte array
iuup.rfci.61.flow.0.len RFCI 61 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.61.flow.1 RFCI 61 Flow 1 Byte array
iuup.rfci.61.flow.1.len RFCI 61 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.61.flow.2 RFCI 61 Flow 2 Byte array
iuup.rfci.61.flow.2.len RFCI 61 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.61.flow.3 RFCI 61 Flow 3 Len Byte array
iuup.rfci.61.flow.3.len RFCI 61 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.61.flow.4 RFCI 61 Flow 4 Len Byte array
iuup.rfci.61.flow.4.len RFCI 61 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.61.flow.5 RFCI 61 Flow 5 Len Byte array
iuup.rfci.61.flow.5.len RFCI 61 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.61.flow.6 RFCI 61 Flow 6 Len Byte array
iuup.rfci.61.flow.6.len RFCI 61 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.61.flow.7 RFCI 61 Flow 7 Len Byte array
iuup.rfci.61.flow.7.len RFCI 61 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.61.ipti RFCI 61 IPTI Unsigned 8-bit integer
iuup.rfci.61.li RFCI 61 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.61.lri RFCI 61 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.62 RFCI 62 Unsigned 8-bit integer
iuup.rfci.62.flow.0 RFCI 62 Flow 0 Byte array
iuup.rfci.62.flow.0.len RFCI 62 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.62.flow.1 RFCI 62 Flow 1 Byte array
iuup.rfci.62.flow.1.len RFCI 62 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.62.flow.2 RFCI 62 Flow 2 Byte array
iuup.rfci.62.flow.2.len RFCI 62 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.62.flow.3 RFCI 62 Flow 3 Len Byte array
iuup.rfci.62.flow.3.len RFCI 62 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.62.flow.4 RFCI 62 Flow 4 Len Byte array
iuup.rfci.62.flow.4.len RFCI 62 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.62.flow.5 RFCI 62 Flow 5 Len Byte array
iuup.rfci.62.flow.5.len RFCI 62 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.62.flow.6 RFCI 62 Flow 6 Len Byte array
iuup.rfci.62.flow.6.len RFCI 62 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.62.flow.7 RFCI 62 Flow 7 Len Byte array
iuup.rfci.62.flow.7.len RFCI 62 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.62.ipti RFCI 62 IPTI Unsigned 8-bit integer
iuup.rfci.62.li RFCI 62 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.62.lri RFCI 62 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.63 RFCI 63 Unsigned 8-bit integer
iuup.rfci.63.flow.0 RFCI 63 Flow 0 Byte array
iuup.rfci.63.flow.0.len RFCI 63 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.63.flow.1 RFCI 63 Flow 1 Byte array
iuup.rfci.63.flow.1.len RFCI 63 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.63.flow.2 RFCI 63 Flow 2 Byte array
iuup.rfci.63.flow.2.len RFCI 63 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.63.flow.3 RFCI 63 Flow 3 Len Byte array
iuup.rfci.63.flow.3.len RFCI 63 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.63.flow.4 RFCI 63 Flow 4 Len Byte array
iuup.rfci.63.flow.4.len RFCI 63 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.63.flow.5 RFCI 63 Flow 5 Len Byte array
iuup.rfci.63.flow.5.len RFCI 63 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.63.flow.6 RFCI 63 Flow 6 Len Byte array
iuup.rfci.63.flow.6.len RFCI 63 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.63.flow.7 RFCI 63 Flow 7 Len Byte array
iuup.rfci.63.flow.7.len RFCI 63 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.63.ipti RFCI 63 IPTI Unsigned 8-bit integer
iuup.rfci.63.li RFCI 63 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.63.lri RFCI 63 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.7 RFCI 7 Unsigned 8-bit integer
iuup.rfci.7.flow.0 RFCI 7 Flow 0 Byte array
iuup.rfci.7.flow.0.len RFCI 7 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.7.flow.1 RFCI 7 Flow 1 Byte array
iuup.rfci.7.flow.1.len RFCI 7 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.7.flow.2 RFCI 7 Flow 2 Byte array
iuup.rfci.7.flow.2.len RFCI 7 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.7.flow.3 RFCI 7 Flow 3 Len Byte array
iuup.rfci.7.flow.3.len RFCI 7 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.7.flow.4 RFCI 7 Flow 4 Len Byte array
iuup.rfci.7.flow.4.len RFCI 7 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.7.flow.5 RFCI 7 Flow 5 Len Byte array
iuup.rfci.7.flow.5.len RFCI 7 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.7.flow.6 RFCI 7 Flow 6 Len Byte array
iuup.rfci.7.flow.6.len RFCI 7 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.7.flow.7 RFCI 7 Flow 7 Len Byte array
iuup.rfci.7.flow.7.len RFCI 7 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.7.ipti RFCI 7 IPTI Unsigned 8-bit integer
iuup.rfci.7.li RFCI 7 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.7.lri RFCI 7 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.8 RFCI 8 Unsigned 8-bit integer
iuup.rfci.8.flow.0 RFCI 8 Flow 0 Byte array
iuup.rfci.8.flow.0.len RFCI 8 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.8.flow.1 RFCI 8 Flow 1 Byte array
iuup.rfci.8.flow.1.len RFCI 8 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.8.flow.2 RFCI 8 Flow 2 Byte array
iuup.rfci.8.flow.2.len RFCI 8 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.8.flow.3 RFCI 8 Flow 3 Len Byte array
iuup.rfci.8.flow.3.len RFCI 8 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.8.flow.4 RFCI 8 Flow 4 Len Byte array
iuup.rfci.8.flow.4.len RFCI 8 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.8.flow.5 RFCI 8 Flow 5 Len Byte array
iuup.rfci.8.flow.5.len RFCI 8 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.8.flow.6 RFCI 8 Flow 6 Len Byte array
iuup.rfci.8.flow.6.len RFCI 8 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.8.flow.7 RFCI 8 Flow 7 Len Byte array
iuup.rfci.8.flow.7.len RFCI 8 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.8.ipti RFCI 8 IPTI Unsigned 8-bit integer
iuup.rfci.8.li RFCI 8 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.8.lri RFCI 8 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.9 RFCI 9 Unsigned 8-bit integer
iuup.rfci.9.flow.0 RFCI 9 Flow 0 Byte array
iuup.rfci.9.flow.0.len RFCI 9 Flow 0 Len Unsigned 16-bit integer
iuup.rfci.9.flow.1 RFCI 9 Flow 1 Byte array
iuup.rfci.9.flow.1.len RFCI 9 Flow 1 Len Unsigned 16-bit integer
iuup.rfci.9.flow.2 RFCI 9 Flow 2 Byte array
iuup.rfci.9.flow.2.len RFCI 9 Flow 2 Len Unsigned 16-bit integer
iuup.rfci.9.flow.3 RFCI 9 Flow 3 Len Byte array
iuup.rfci.9.flow.3.len RFCI 9 Flow 3 Len Unsigned 16-bit integer
iuup.rfci.9.flow.4 RFCI 9 Flow 4 Len Byte array
iuup.rfci.9.flow.4.len RFCI 9 Flow 4 Len Unsigned 16-bit integer
iuup.rfci.9.flow.5 RFCI 9 Flow 5 Len Byte array
iuup.rfci.9.flow.5.len RFCI 9 Flow 5 Len Unsigned 16-bit integer
iuup.rfci.9.flow.6 RFCI 9 Flow 6 Len Byte array
iuup.rfci.9.flow.6.len RFCI 9 Flow 6 Len Unsigned 16-bit integer
iuup.rfci.9.flow.7 RFCI 9 Flow 7 Len Byte array
iuup.rfci.9.flow.7.len RFCI 9 Flow 7 Len Unsigned 16-bit integer
iuup.rfci.9.ipti RFCI 9 IPTI Unsigned 8-bit integer
iuup.rfci.9.li RFCI 9 LI Unsigned 8-bit integer Length Indicator
iuup.rfci.9.lri RFCI 9 LRI Unsigned 8-bit integer Last Record Indicator
iuup.rfci.init RFCI Initialization Byte array
iuup.spare Spare Unsigned 8-bit integer
iuup.subflows Subflows Unsigned 8-bit integer Number of Subflows
iuup.support_mode Iu UP Mode Versions Supported Unsigned 16-bit integer
iuup.support_mode.version1 Version 1 Unsigned 16-bit integer
iuup.support_mode.version10 Version 10 Unsigned 16-bit integer
iuup.support_mode.version11 Version 11 Unsigned 16-bit integer
iuup.support_mode.version12 Version 12 Unsigned 16-bit integer
iuup.support_mode.version13 Version 13 Unsigned 16-bit integer
iuup.support_mode.version14 Version 14 Unsigned 16-bit integer
iuup.support_mode.version15 Version 15 Unsigned 16-bit integer
iuup.support_mode.version16 Version 16 Unsigned 16-bit integer
iuup.support_mode.version2 Version 2 Unsigned 16-bit integer
iuup.support_mode.version3 Version 3 Unsigned 16-bit integer
iuup.support_mode.version4 Version 4 Unsigned 16-bit integer
iuup.support_mode.version5 Version 5 Unsigned 16-bit integer
iuup.support_mode.version6 Version 6 Unsigned 16-bit integer
iuup.support_mode.version7 Version 7 Unsigned 16-bit integer
iuup.support_mode.version8 Version 8 Unsigned 16-bit integer
iuup.support_mode.version9 Version 9 Unsigned 16-bit integer
iuup.ti TI Unsigned 8-bit integer Timing Information
iuup.time_align Time Align Unsigned 8-bit integer
image-jfif.RGB RGB values of thumbnail pixels Byte array RGB values of the thumbnail pixels (24 bit per pixel, Xthumbnail x Ythumbnail pixels)
image-jfif.Xdensity Xdensity Unsigned 16-bit integer Horizontal pixel density
image-jfif.Xthumbnail Xthumbnail Unsigned 16-bit integer Thumbnail horizontal pixel count
image-jfif.Ydensity Ydensity Unsigned 16-bit integer Vertical pixel density
image-jfif.Ythumbnail Ythumbnail Unsigned 16-bit integer Thumbnail vertical pixel count
image-jfif.extension.code Extension code Unsigned 8-bit integer JFXX extension code for thumbnail encoding
image-jfif.header.sos Start of Segment header No value Start of Segment header
image-jfif.identifier Identifier String Identifier of the segment
image-jfif.length Length Unsigned 16-bit integer Length of segment (including length field)
image-jfif.marker Marker Unsigned 8-bit integer JFIF Marker
image-jfif.sof Start of Frame header No value Start of Frame header
image-jfif.sof.c_i Component identifier Unsigned 8-bit integer Assigns a unique label to the ith component in the sequence of frame component specification parameters.
image-jfif.sof.h_i Horizontal sampling factor Unsigned 8-bit integer Specifies the relationship between the component horizontal dimension and maximum image dimension X.
image-jfif.sof.lines Lines Unsigned 16-bit integer Specifies the maximum number of lines in the source image.
image-jfif.sof.nf Number of image components in frame Unsigned 8-bit integer Specifies the number of source image components in the frame.
image-jfif.sof.precision Sample Precision (bits) Unsigned 8-bit integer Specifies the precision in bits for the samples of the components in the frame.
image-jfif.sof.samples_per_line Samples per line Unsigned 16-bit integer Specifies the maximum number of samples per line in the source image.
image-jfif.sof.tq_i Quantization table destination selector Unsigned 8-bit integer Specifies one of four possible quantization table destinations from which the quantization table to use for dequantization of DCT coefficients of component Ci is retrieved.
image-jfif.sof.v_i Vertical sampling factor Unsigned 8-bit integer Specifies the relationship between the component vertical dimension and maximum image dimension Y.
image-jfif.sos.ac_entropy_selector AC entropy coding table destination selector Unsigned 8-bit integer Specifies one of four possible AC entropy coding table destinations from which the entropy table needed for decoding of the AC coefficients of component Csj is retrieved.
image-jfif.sos.ah Successive approximation bit position high Unsigned 8-bit integer This parameter specifies the point transform used in the preceding scan (i.e. successive approximation bit position low in the preceding scan) for the band of coefficients specified by Ss and Se. This parameter shall be set to zero for the first scan of each band of coefficients. In the lossless mode of operations this parameter has no meaning. It shall be set to zero.
image-jfif.sos.al Successive approximation bit position low or point transform Unsigned 8-bit integer In the DCT modes of operation this parameter specifies the point transform, i.e. bit position low, used before coding the band of coefficients specified by Ss and Se. This parameter shall be set to zero for the sequential DCT processes. In the lossless mode of operations, this parameter specifies the point transform, Pt.
image-jfif.sos.component_selector Scan component selector Unsigned 8-bit integer Selects which of the Nf image components specified in the frame parameters shall be the jth component in the scan.
image-jfif.sos.dc_entropy_selector DC entropy coding table destination selector Unsigned 8-bit integer Specifies one of four possible DC entropy coding table destinations from which the entropy table needed for decoding of the DC coefficients of component Csj is retrieved.
image-jfif.sos.ns Number of image components in scan Unsigned 8-bit integer Specifies the number of source image components in the scan.
image-jfif.sos.se End of spectral selection Unsigned 8-bit integer Specifies the last DCT coefficient in each block in zig-zag order which shall be coded in the scan. This parameter shall be set to 63 for the sequential DCT processes. In the lossless mode of operations this parameter has no meaning. It shall be set to zero.
image-jfif.sos.ss Start of spectral or predictor selection Unsigned 8-bit integer In the DCT modes of operation, this parameter specifies the first DCT coefficient in each block in zig-zag order which shall be coded in the scan. This parameter shall be set to zero for the sequential DCT processes. In the lossless mode of operations this parameter is used to select the predictor.
image-jfif.units Units Unsigned 8-bit integer Units used in this segment
image-jfif.version Version No value JFIF Version
image-jfif.version.major Major Version Unsigned 8-bit integer JFIF Major Version
image-jfif.version.minor Minor Version Unsigned 8-bit integer JFIF Minor Version
image-jfifmarker_segment Marker segment No value Marker segment
jxta.framing Framing No value JXTA Message Framing
jxta.framing.header Header No value JXTA Message Framing Header
jxta.framing.header.name Name String JXTA Message Framing Header Name
jxta.framing.header.value Value Byte array JXTA Message Framing Header Value
jxta.framing.header.valuelen Value Length Unsigned 16-bit integer JXTA Message Framing Header Value Length
jxta.message.address Address String JXTA Message Address (source or destination)
jxta.message.destination Destination String JXTA Message Destination
jxta.message.element JXTA Message Element No value JXTA Message Element
jxta.message.element.content Element Content Byte array JXTA Message Element Content
jxta.message.element.content.length Element Content Length Unsigned 32-bit integer JXTA Message Element Content Length
jxta.message.element.encoding Element Type String JXTA Message Element Encoding
jxta.message.element.flags Flags Unsigned 8-bit integer JXTA Message Element Flags
jxta.message.element.flags.hasEncoding hasEncoding Boolean JXTA Message Element Flag -- hasEncoding
jxta.message.element.flags.hasSignature hasSignature Boolean JXTA Message Element Flag -- hasSignature
jxta.message.element.flags.hasType hasType Boolean JXTA Message Element Flag -- hasType
jxta.message.element.name Element Name String JXTA Message Element Name
jxta.message.element.namespaceid Namespace ID Unsigned 8-bit integer JXTA Message Element Namespace ID
jxta.message.element.signature Signature String JXTA Message Element Signature
jxta.message.element.type Element Type String JXTA Message Element Name
jxta.message.elements Element Count Unsigned 16-bit integer JXTA Message Element Count
jxta.message.namespace.name Namespace Name String JXTA Message Namespace Name
jxta.message.namespaces Namespace Count Unsigned 16-bit integer JXTA Message Namespaces
jxta.message.signature Signature String JXTA Message Signature
jxta.message.source Source String JXTA Message Source
jxta.message.version Version Unsigned 8-bit integer JXTA Message Version
jxta.udp JXTA UDP No value JXTA UDP
jxta.udpsig Signature String JXTA UDP Signature
jxta.welcome Welcome No value JXTA Connection Welcome Message
jxta.welcome.destAddr Destination Address String JXTA Connection Welcome Message Destination Address
jxta.welcome.initiator Initiator Boolean JXTA Connection Welcome Message Initiator
jxta.welcome.noPropFlag No Propagate Flag String JXTA Connection Welcome Message No Propagate Flag
jxta.welcome.peerid PeerID String JXTA Connection Welcome Message PeerID
jxta.welcome.pubAddr Public Address String JXTA Connection Welcome Message Public Address
jxta.welcome.signature Signature String JXTA Connection Welcome Message Signature
jxta.welcome.variable Variable Parameter String JXTA Connection Welcome Message Variable Parameter
jxta.welcome.version Version String JXTA Connection Welcome Message Version
jabber.request Request Boolean TRUE if Jabber request
jabber.response Response Boolean TRUE if Jabber response
rmi.endpoint_id.hostname Hostname String RMI Endpointidentifier Hostname
rmi.endpoint_id.length Length Unsigned 16-bit integer RMI Endpointidentifier Length
rmi.endpoint_id.port Port Unsigned 16-bit integer RMI Endpointindentifier Port
rmi.inputstream.message Input Stream Message Unsigned 8-bit integer RMI Inputstream Message Token
rmi.magic Magic Unsigned 32-bit integer RMI Header Magic
rmi.outputstream.message Output Stream Message Unsigned 8-bit integer RMI Outputstream Message token
rmi.protocol Protocol Unsigned 8-bit integer RMI Protocol Type
rmi.ser.magic Magic Unsigned 16-bit integer Java Serialization Magic
rmi.ser.version Version Unsigned 16-bit integer Java Serialization Version
rmi.version Version Unsigned 16-bit integer RMI Protocol Version
juniper.aspic.cookie Cookie Unsigned 64-bit integer
juniper.atm1.cookie Cookie Unsigned 32-bit integer
juniper.atm2.cookie Cookie Unsigned 64-bit integer
juniper.direction Direction Unsigned 8-bit integer
juniper.ext.ifd Device Interface Index Unsigned 32-bit integer
juniper.ext.ifl Logical Interface Index Unsigned 32-bit integer
juniper.ext.ifle Logical Interface Encapsulation Unsigned 16-bit integer
juniper.ext.ifmt Device Media Type Unsigned 16-bit integer
juniper.ext.ttp_ifle TTP derived Logical Interface Encapsulation Unsigned 16-bit integer
juniper.ext.ttp_ifmt TTP derived Device Media Type Unsigned 16-bit integer
juniper.ext.unit Logical Unit Number Unsigned 32-bit integer
juniper.ext_total_len Extension(s) Total length Unsigned 16-bit integer
juniper.l2hdr L2 header presence Unsigned 8-bit integer
juniper.lspic.cookie Cookie Unsigned 32-bit integer
juniper.magic-number Magic Number Unsigned 24-bit integer
juniper.mlpic.cookie Cookie Unsigned 16-bit integer
juniper.proto Protocol Unsigned 16-bit integer
juniper.vlan VLan ID Unsigned 16-bit integer
aal2.cid AAL2 CID Unsigned 16-bit integer
k12.ds0.ts Timeslot mask Unsigned 32-bit integer
k12.input_type Port type Unsigned 32-bit integer
k12.port_id Port Id Unsigned 32-bit integer
k12.port_name Port Name String
k12.stack_file Stack file used String
kink.A A Unsigned 8-bit integer the A of kink
kink.checkSum Checksum Byte array the checkSum of kink
kink.checkSumLength Checksum Length Unsigned 8-bit integer the check sum length of kink
kink.length Length Unsigned 16-bit integer the length of the kink length
kink.nextPayload Next Payload Unsigned 8-bit integer the next payload of kink
kink.reserved Reserved Unsigned 16-bit integer the reserved of kink
kink.transactionId Transaction ID Unsigned 32-bit integer the transactionID of kink
kink.type Type Unsigned 8-bit integer the type of the kink
kerberos.Authenticator Authenticator No value This is a decrypted Kerberos Authenticator sequence
kerberos.AuthorizationData AuthorizationData No value This is a Kerberos AuthorizationData sequence
kerberos.Checksum Checksum No value This is a Kerberos Checksum sequence
kerberos.ENC_PRIV enc PRIV Byte array Encrypted PRIV blob
kerberos.EncAPRepPart EncAPRepPart No value This is a decrypted Kerberos EncAPRepPart sequence
kerberos.EncKDCRepPart EncKDCRepPart No value This is a decrypted Kerberos EncKDCRepPart sequence
kerberos.EncKrbCredPart EncKrbCredPart No value This is a decrypted Kerberos EncKrbCredPart sequence
kerberos.EncKrbCredPart.encrypted enc EncKrbCredPart Byte array Encrypted EncKrbCredPart blob
kerberos.EncKrbPrivPart EncKrbPrivPart No value This is a decrypted Kerberos EncKrbPrivPart sequence
kerberos.EncTicketPart EncTicketPart No value This is a decrypted Kerberos EncTicketPart sequence
kerberos.IF_RELEVANT.type Type Unsigned 32-bit integer IF-RELEVANT Data Type
kerberos.IF_RELEVANT.value Data Byte array IF_RELEVANT Data
kerberos.KrbCredInfo KrbCredInfo No value This is a Kerberos KrbCredInfo
kerberos.KrbCredInfos Sequence of KrbCredInfo No value This is a list of KrbCredInfo
kerberos.LastReq LastReq No value This is a LastReq sequence
kerberos.LastReqs LastReqs No value This is a list of LastReq structures
kerberos.PAC_CLIENT_INFO_TYPE PAC_CLIENT_INFO_TYPE Byte array PAC_CLIENT_INFO_TYPE structure
kerberos.PAC_CONSTRAINED_DELEGATION PAC_CONSTRAINED_DELEGATION Byte array PAC_CONSTRAINED_DELEGATION structure
kerberos.PAC_CREDENTIAL_TYPE PAC_CREDENTIAL_TYPE Byte array PAC_CREDENTIAL_TYPE structure
kerberos.PAC_LOGON_INFO PAC_LOGON_INFO Byte array PAC_LOGON_INFO structure
kerberos.PAC_PRIVSVR_CHECKSUM PAC_PRIVSVR_CHECKSUM Byte array PAC_PRIVSVR_CHECKSUM structure
kerberos.PAC_SERVER_CHECKSUM PAC_SERVER_CHECKSUM Byte array PAC_SERVER_CHECKSUM structure
kerberos.PA_ENC_TIMESTAMP.encrypted enc PA_ENC_TIMESTAMP Byte array Encrypted PA-ENC-TIMESTAMP blob
kerberos.PRIV_BODY.user_data User Data Byte array PRIV BODY userdata field
kerberos.SAFE_BODY.timestamp Timestamp String Timestamp of this SAFE_BODY
kerberos.SAFE_BODY.usec usec Unsigned 32-bit integer micro second component of SAFE_BODY time
kerberos.SAFE_BODY.user_data User Data Byte array SAFE BODY userdata field
kerberos.TransitedEncoding TransitedEncoding No value This is a Kerberos TransitedEncoding sequence
kerberos.addr_ip IP Address IPv4 address IP Address
kerberos.addr_nb NetBIOS Address String NetBIOS Address and type
kerberos.addr_type Addr-type Unsigned 32-bit integer Address Type
kerberos.adtype Type Unsigned 32-bit integer Authorization Data Type
kerberos.advalue Data Byte array Authentication Data
kerberos.apoptions APOptions Byte array Kerberos APOptions bitstring
kerberos.apoptions.mutual_required Mutual required Boolean
kerberos.apoptions.use_session_key Use Session Key Boolean
kerberos.aprep.data enc-part Byte array The encrypted part of AP-REP
kerberos.aprep.enc_part enc-part No value The structure holding the encrypted part of AP-REP
kerberos.authenticator Authenticator No value Encrypted authenticator blob
kerberos.authenticator.data Authenticator data Byte array Data content of an encrypted authenticator
kerberos.authenticator_vno Authenticator vno Unsigned 32-bit integer Version Number for the Authenticator
kerberos.authtime Authtime String Time of initial authentication
kerberos.checksum.checksum checksum Byte array Kerberos Checksum
kerberos.checksum.type Type Unsigned 32-bit integer Type of checksum
kerberos.cname Client Name No value The name part of the client principal identifier
kerberos.crealm Client Realm String Name of the Clients Kerberos Realm
kerberos.cred_body CRED_BODY No value Kerberos CREDential BODY
kerberos.ctime ctime String Current Time on the client host
kerberos.cusec cusec Unsigned 32-bit integer micro second component of client time
kerberos.e_checksum e-checksum No value This is a Kerberos e-checksum
kerberos.e_data e-data No value The e-data blob
kerberos.e_text e-text String Additional (human readable) error description
kerberos.enc_priv Encrypted PRIV No value Kerberos Encrypted PRIVate blob data
kerberos.encrypted_cred EncKrbCredPart No value Encrypted Cred blob
kerberos.endtime End time String The time after which the ticket has expired
kerberos.error_code error_code Unsigned 32-bit integer Kerberos error code
kerberos.etype Encryption type Signed 32-bit integer Encryption Type
kerberos.etype_info.s2kparams Salt Byte array S2kparams
kerberos.etype_info.salt Salt Byte array Salt
kerberos.etype_info2.salt Salt Byte array Salt
kerberos.etypes Encryption Types No value This is a list of Kerberos encryption types
kerberos.from from String From when the ticket is to be valid (postdating)
kerberos.gssapi.bdn Bnd Byte array GSSAPI Bnd field
kerberos.gssapi.checksum.flags.conf Conf Boolean
kerberos.gssapi.checksum.flags.deleg Deleg Boolean
kerberos.gssapi.checksum.flags.integ Integ Boolean
kerberos.gssapi.checksum.flags.mutual Mutual Boolean
kerberos.gssapi.checksum.flags.replay Replay Boolean
kerberos.gssapi.checksum.flags.sequence Sequence Boolean
kerberos.gssapi.dlglen DlgLen Unsigned 16-bit integer GSSAPI DlgLen
kerberos.gssapi.dlgopt DlgOpt Unsigned 16-bit integer GSSAPI DlgOpt
kerberos.gssapi.len Length Unsigned 32-bit integer Length of GSSAPI Bnd field
kerberos.hostaddress HostAddress No value This is a Kerberos HostAddress sequence
kerberos.hostaddresses HostAddresses No value This is a list of Kerberos HostAddress sequences
kerberos.if_relevant IF_RELEVANT No value This is a list of IF-RELEVANT sequences
kerberos.kdc_req_body KDC_REQ_BODY No value Kerberos KDC REQuest BODY
kerberos.kdcoptions KDCOptions Byte array Kerberos KDCOptions bitstring
kerberos.kdcoptions.allow_postdate Allow Postdate Boolean Flag controlling whether we allow postdated tickets or not
kerberos.kdcoptions.canonicalize Canonicalize Boolean Do we want the KDC to canonicalize the principal or not
kerberos.kdcoptions.constrained_delegation Constrained Delegation Boolean Do we want a PAC containing constrained delegation info or not
kerberos.kdcoptions.disable_transited_check Disable Transited Check Boolean Whether we should do transited checking or not
kerberos.kdcoptions.enc_tkt_in_skey Enc-Tkt-in-Skey Boolean Whether the ticket is encrypted in the skey or not
kerberos.kdcoptions.forwardable Forwardable Boolean Flag controlling whether the tickes are forwardable or not
kerberos.kdcoptions.forwarded Forwarded Boolean Has this ticket been forwarded?
kerberos.kdcoptions.opt_hardware_auth Opt HW Auth Boolean Opt HW Auth flag
kerberos.kdcoptions.postdated Postdated Boolean Whether this ticket is postdated or not
kerberos.kdcoptions.proxy Proxy Boolean Has this ticket been proxied?
kerberos.kdcoptions.proxyable Proxyable Boolean Flag controlling whether the tickes are proxyable or not
kerberos.kdcoptions.renew Renew Boolean Is this a request to renew a ticket?
kerberos.kdcoptions.renewable Renewable Boolean Whether this ticket is renewable or not
kerberos.kdcoptions.renewable_ok Renewable OK Boolean Whether we accept renewed tickets or not
kerberos.kdcoptions.validate Validate Boolean Is this a request to validate a postdated ticket?
kerberos.kdcrep.data enc-part Byte array The encrypted part of KDC-REP
kerberos.kdcrep.enc_part enc-part No value The structure holding the encrypted part of KDC-REP
kerberos.key key No value This is a Kerberos EncryptionKey sequence
kerberos.key_expiration Key Expiration String The time after which the key will expire
kerberos.keytype Key type Unsigned 32-bit integer Key Type
kerberos.keyvalue Key value Byte array Key value (encryption key)
kerberos.kvno Kvno Unsigned 32-bit integer Version Number for the encryption Key
kerberos.lr_time Lr-time String Time of LR-entry
kerberos.lr_type Lr-type Unsigned 32-bit integer Type of lastreq value
kerberos.msg.type MSG Type Unsigned 32-bit integer Kerberos Message Type
kerberos.name_string Name String String component that is part of a PrincipalName
kerberos.name_type Name-type Signed 32-bit integer Type of principal name
kerberos.nonce Nonce Unsigned 32-bit integer Kerberos Nonce random number
kerberos.pac.clientid ClientID Date/Time stamp ClientID Timestamp
kerberos.pac.entries Num Entries Unsigned 32-bit integer Number of W2k PAC entries
kerberos.pac.name Name String Name of the Client in the PAC structure
kerberos.pac.namelen Name Length Unsigned 16-bit integer Length of client name
kerberos.pac.offset Offset Unsigned 32-bit integer Offset to W2k PAC entry
kerberos.pac.signature.signature Signature Byte array A PAC signature blob
kerberos.pac.signature.type Type Signed 32-bit integer PAC Signature Type
kerberos.pac.size Size Unsigned 32-bit integer Size of W2k PAC entry
kerberos.pac.type Type Unsigned 32-bit integer Type of W2k PAC entry
kerberos.pac.version Version Unsigned 32-bit integer Version of PAC structures
kerberos.pac_request.flag PAC Request Unsigned 32-bit integer This is a MS PAC Request Flag
kerberos.padata padata No value Sequence of preauthentication data
kerberos.padata.type Type Unsigned 32-bit integer Type of preauthentication data
kerberos.padata.value Value Byte array Content of the PADATA blob
kerberos.patimestamp patimestamp String Time of client
kerberos.pausec pausec Unsigned 32-bit integer Microsecond component of client time
kerberos.pname Delegated Principal Name No value Identity of the delegated principal
kerberos.prealm Delegated Principal Realm String Name of the Kerberos PRealm
kerberos.priv_body PRIV_BODY No value Kerberos PRIVate BODY
kerberos.provsrv_location PROVSRV Location String PacketCable PROV SRV Location
kerberos.pvno Pvno Unsigned 32-bit integer Kerberos Protocol Version Number
kerberos.r_address R-Address No value This is the Recipient address
kerberos.realm Realm String Name of the Kerberos Realm
kerberos.renenw_till Renew-till String The maximum time we can renew the ticket until
kerberos.rm.length Record Length Unsigned 32-bit integer Record length
kerberos.rm.reserved Reserved Boolean Record mark reserved bit
kerberos.rtime rtime String Renew Until timestamp
kerberos.s_address S-Address No value This is the Senders address
kerberos.seq_number Seq Number Unsigned 32-bit integer This is a Kerberos sequence number
kerberos.smb.nt_status NT Status Unsigned 32-bit integer NT Status code
kerberos.smb.unknown Unknown Unsigned 32-bit integer unknown
kerberos.sname Server Name No value This is the name part server's identity
kerberos.sq.tickets Tickets No value This is a list of Kerberos Tickets
kerberos.srealm SRealm String Name of the Kerberos SRealm
kerberos.starttime Start time String The time after which the ticket is valid
kerberos.stime stime String Current Time on the server host
kerberos.subkey Subkey No value This is a Kerberos subkey
kerberos.susec susec Unsigned 32-bit integer micro second component of server time
kerberos.ticket Ticket No value This is a Kerberos Ticket
kerberos.ticket.data enc-part Byte array The encrypted part of a ticket
kerberos.ticket.enc_part enc-part No value The structure holding the encrypted part of a ticket
kerberos.ticketflags Ticket Flags No value Kerberos Ticket Flags
kerberos.ticketflags.allow_postdate Allow Postdate Boolean Flag controlling whether we allow postdated tickets or not
kerberos.ticketflags.forwardable Forwardable Boolean Flag controlling whether the tickes are forwardable or not
kerberos.ticketflags.forwarded Forwarded Boolean Has this ticket been forwarded?
kerberos.ticketflags.hw_auth HW-Auth Boolean Whether this ticket is hardware-authenticated or not
kerberos.ticketflags.initial Initial Boolean Whether this ticket is an initial ticket or not
kerberos.ticketflags.invalid Invalid Boolean Whether this ticket is invalid or not
kerberos.ticketflags.ok_as_delegate Ok As Delegate Boolean Whether this ticket is Ok As Delegate or not
kerberos.ticketflags.postdated Postdated Boolean Whether this ticket is postdated or not
kerberos.ticketflags.pre_auth Pre-Auth Boolean Whether this ticket is pre-authenticated or not
kerberos.ticketflags.proxy Proxy Boolean Has this ticket been proxied?
kerberos.ticketflags.proxyable Proxyable Boolean Flag controlling whether the tickes are proxyable or not
kerberos.ticketflags.renewable Renewable Boolean Whether this ticket is renewable or not
kerberos.ticketflags.transited_policy_checked Transited Policy Checked Boolean Whether this ticket is transited policy checked or not
kerberos.till till String When the ticket will expire
kerberos.tkt_vno Tkt-vno Unsigned 32-bit integer Version number for the Ticket format
kerberos.transited.contents Contents Byte array Transitent Contents string
kerberos.transited.type Type Unsigned 32-bit integer Transited Type
kadm5.procedure_v2 V2 Procedure Unsigned 32-bit integer V2 Procedure
krb4.auth_msg_type Msg Type Unsigned 8-bit integer Message Type/Byte Order
krb4.byte_order Byte Order Unsigned 8-bit integer Byte Order
krb4.encrypted_blob Encrypted Blob Byte array Encrypted blob
krb4.exp_date Exp Date Date/Time stamp Exp Date
krb4.instance Instance String Instance
krb4.kvno Kvno Unsigned 8-bit integer Key Version No
krb4.length Length Unsigned 32-bit integer Length of encrypted blob
krb4.lifetime Lifetime Unsigned 8-bit integer Lifetime (in 5 min units)
krb4.m_type M Type Unsigned 8-bit integer Message Type
krb4.name Name String Name
krb4.realm Realm String Realm
krb4.req_date Req Date Date/Time stamp Req Date
krb4.request.blob Request Blob Byte array Request Blob
krb4.request.length Request Length Unsigned 8-bit integer Length of request
krb4.s_instance Service Instance String Service Instance
krb4.s_name Service Name String Service Name
krb4.ticket.blob Ticket Blob Byte array Ticket blob
krb4.ticket.length Ticket Length Unsigned 8-bit integer Length of ticket
krb4.time_sec Time Sec Date/Time stamp Time Sec
krb4.unknown_transarc_blob Unknown Transarc Blob Byte array Unknown blob only present in Transarc packets
krb4.version Version Unsigned 8-bit integer Kerberos(v4) version number
klm.block block Boolean Block
klm.exclusive exclusive Boolean Exclusive lock
klm.holder holder No value KLM lock holder
klm.len length Unsigned 32-bit integer Length of lock region
klm.lock lock No value KLM lock structure
klm.offset offset Unsigned 32-bit integer File offset
klm.pid pid Unsigned 32-bit integer ProcessID
klm.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
klm.servername server name String Server name
klm.stats stats Unsigned 32-bit integer stats
kismet.request Request Boolean TRUE if kismet request
kismet.response Response Boolean TRUE if kismet response
lge_monitor.dir Direction Unsigned 32-bit integer Direction
lge_monitor.length Payload Length Unsigned 32-bit integer Payload Length
lge_monitor.prot Protocol Identifier Unsigned 32-bit integer Protocol Identifier
lwapp.Length Length Unsigned 16-bit integer
lwapp.apid AP Identity 6-byte Hardware (MAC) Address Access Point Identity
lwapp.control Control Data (not dissected yet) Byte array
lwapp.control.length Control Length Unsigned 16-bit integer
lwapp.control.seqno Control Sequence Number Unsigned 8-bit integer
lwapp.control.type Control Type Unsigned 8-bit integer
lwapp.flags.fragment Fragment Boolean
lwapp.flags.fragmentType Fragment Type Boolean
lwapp.flags.type Type Boolean
lwapp.fragmentId Fragment Id Unsigned 8-bit integer
lwapp.rssi RSSI Unsigned 8-bit integer
lwapp.slotId slotId Unsigned 24-bit integer
lwapp.snr SNR Unsigned 8-bit integer
lwapp.version Version Unsigned 8-bit integer
ldp.hdr.ldpid.lsid Label Space ID Unsigned 16-bit integer LDP Label Space ID
ldp.hdr.ldpid.lsr LSR ID IPv4 address LDP Label Space Router ID
ldp.hdr.pdu_len PDU Length Unsigned 16-bit integer LDP PDU Length
ldp.hdr.version Version Unsigned 16-bit integer LDP Version Number
ldp.msg.experiment.id Experiment ID Unsigned 32-bit integer LDP Experimental Message ID
ldp.msg.id Message ID Unsigned 32-bit integer LDP Message ID
ldp.msg.len Message Length Unsigned 16-bit integer LDP Message Length (excluding message type and len)
ldp.msg.tlv.addrl.addr Address String Address
ldp.msg.tlv.addrl.addr_family Address Family Unsigned 16-bit integer Address Family List
ldp.msg.tlv.atm.label.vbits V-bits Unsigned 8-bit integer ATM Label V Bits
ldp.msg.tlv.atm.label.vci VCI Unsigned 16-bit integer ATM Label VCI
ldp.msg.tlv.atm.label.vpi VPI Unsigned 16-bit integer ATM Label VPI
ldp.msg.tlv.cbs CBS Double-precision floating point Committed Burst Size
ldp.msg.tlv.cdr CDR Double-precision floating point Committed Data Rate
ldp.msg.tlv.diffserv Diff-Serv TLV No value Diffserv TLV
ldp.msg.tlv.diffserv.map MAP No value MAP entry
ldp.msg.tlv.diffserv.map.exp EXP Unsigned 8-bit integer EXP bit code
ldp.msg.tlv.diffserv.mapnb MAPnb Unsigned 8-bit integer Number of MAP entries
ldp.msg.tlv.diffserv.phbid PHBID No value PHBID
ldp.msg.tlv.diffserv.phbid.bit14 Bit 14 Unsigned 16-bit integer Bit 14
ldp.msg.tlv.diffserv.phbid.bit15 Bit 15 Unsigned 16-bit integer Bit 15
ldp.msg.tlv.diffserv.phbid.code PHB id code Unsigned 16-bit integer PHB id code
ldp.msg.tlv.diffserv.phbid.dscp DSCP Unsigned 16-bit integer DSCP
ldp.msg.tlv.diffserv.type LSP Type Unsigned 8-bit integer LSP Type
ldp.msg.tlv.ebs EBS Double-precision floating point Excess Burst Size
ldp.msg.tlv.er_hop.as AS Number Unsigned 16-bit integer AS Number
ldp.msg.tlv.er_hop.locallspid Local CR-LSP ID Unsigned 16-bit integer Local CR-LSP ID
ldp.msg.tlv.er_hop.loose Loose route bit Unsigned 24-bit integer Loose route bit
ldp.msg.tlv.er_hop.lsrid Local CR-LSP ID IPv4 address Local CR-LSP ID
ldp.msg.tlv.er_hop.prefix4 IPv4 Address IPv4 address IPv4 Address
ldp.msg.tlv.er_hop.prefix6 IPv6 Address IPv6 address IPv6 Address
ldp.msg.tlv.er_hop.prefixlen Prefix length Unsigned 8-bit integer Prefix len
ldp.msg.tlv.experiment_id Experiment ID Unsigned 32-bit integer Experiment ID
ldp.msg.tlv.extstatus.data Extended Status Data Unsigned 32-bit integer Extended Status Data
ldp.msg.tlv.fec.af FEC Element Address Type Unsigned 16-bit integer Forwarding Equivalence Class Element Address Family
ldp.msg.tlv.fec.hoval FEC Element Host Address Value String Forwarding Equivalence Class Element Address
ldp.msg.tlv.fec.len FEC Element Length Unsigned 8-bit integer Forwarding Equivalence Class Element Length
ldp.msg.tlv.fec.pfval FEC Element Prefix Value String Forwarding Equivalence Class Element Prefix
ldp.msg.tlv.fec.type FEC Element Type Unsigned 8-bit integer Forwarding Equivalence Class Element Types
ldp.msg.tlv.fec.vc.controlword C-bit Boolean Control Word Present
ldp.msg.tlv.fec.vc.groupid Group ID Unsigned 32-bit integer VC FEC Group ID
ldp.msg.tlv.fec.vc.infolength VC Info Length Unsigned 8-bit integer VC FEC Info Length
ldp.msg.tlv.fec.vc.intparam.cepbytes Payload Bytes Unsigned 16-bit integer VC FEC Interface Param CEP/TDM Payload Bytes
ldp.msg.tlv.fec.vc.intparam.cepopt_ais AIS Boolean VC FEC Interface Param CEP Option AIS
ldp.msg.tlv.fec.vc.intparam.cepopt_ceptype CEP Type Unsigned 16-bit integer VC FEC Interface Param CEP Option CEP Type
ldp.msg.tlv.fec.vc.intparam.cepopt_e3 Async E3 Boolean VC FEC Interface Param CEP Option Async E3
ldp.msg.tlv.fec.vc.intparam.cepopt_ebm EBM Boolean VC FEC Interface Param CEP Option EBM Header
ldp.msg.tlv.fec.vc.intparam.cepopt_mah MAH Boolean VC FEC Interface Param CEP Option MPLS Adaptation header
ldp.msg.tlv.fec.vc.intparam.cepopt_res Reserved Unsigned 16-bit integer VC FEC Interface Param CEP Option Reserved
ldp.msg.tlv.fec.vc.intparam.cepopt_rtp RTP Boolean VC FEC Interface Param CEP Option RTP Header
ldp.msg.tlv.fec.vc.intparam.cepopt_t3 Async T3 Boolean VC FEC Interface Param CEP Option Async T3
ldp.msg.tlv.fec.vc.intparam.cepopt_une UNE Boolean VC FEC Interface Param CEP Option Unequipped
ldp.msg.tlv.fec.vc.intparam.desc Description String VC FEC Interface Description
ldp.msg.tlv.fec.vc.intparam.dlcilen DLCI Length Unsigned 16-bit integer VC FEC Interface Parameter Frame-Relay DLCI Length
ldp.msg.tlv.fec.vc.intparam.fcslen FCS Length Unsigned 16-bit integer VC FEC Interface Paramater FCS Length
ldp.msg.tlv.fec.vc.intparam.id ID Unsigned 8-bit integer VC FEC Interface Paramater ID
ldp.msg.tlv.fec.vc.intparam.length Length Unsigned 8-bit integer VC FEC Interface Paramater Length
ldp.msg.tlv.fec.vc.intparam.maxatm Number of Cells Unsigned 16-bit integer VC FEC Interface Param Max ATM Concat Cells
ldp.msg.tlv.fec.vc.intparam.mtu MTU Unsigned 16-bit integer VC FEC Interface Paramater MTU
ldp.msg.tlv.fec.vc.intparam.tdmbps BPS Unsigned 32-bit integer VC FEC Interface Parameter CEP/TDM bit-rate
ldp.msg.tlv.fec.vc.intparam.tdmopt_d D Bit Boolean VC FEC Interface Param TDM Options Dynamic Timestamp
ldp.msg.tlv.fec.vc.intparam.tdmopt_f F Bit Boolean VC FEC Interface Param TDM Options Flavor bit
ldp.msg.tlv.fec.vc.intparam.tdmopt_freq FREQ Unsigned 16-bit integer VC FEC Interface Param TDM Options Frequency
ldp.msg.tlv.fec.vc.intparam.tdmopt_pt PT Unsigned 8-bit integer VC FEC Interface Param TDM Options Payload Type
ldp.msg.tlv.fec.vc.intparam.tdmopt_r R Bit Boolean VC FEC Interface Param TDM Options RTP Header
ldp.msg.tlv.fec.vc.intparam.tdmopt_res1 RSVD-1 Unsigned 16-bit integer VC FEC Interface Param TDM Options Reserved
ldp.msg.tlv.fec.vc.intparam.tdmopt_res2 RSVD-2 Unsigned 8-bit integer VC FEC Interface Param TDM Options Reserved
ldp.msg.tlv.fec.vc.intparam.tdmopt_ssrc SSRC Unsigned 32-bit integer VC FEC Interface Param TDM Options SSRC
ldp.msg.tlv.fec.vc.intparam.vccv.cctype_cw PWE3 Control Word Boolean VC FEC Interface Param VCCV CC Type PWE3 CW
ldp.msg.tlv.fec.vc.intparam.vccv.cctype_mplsra MPLS Router Alert Boolean VC FEC Interface Param VCCV CC Type MPLS Router Alert
ldp.msg.tlv.fec.vc.intparam.vccv.cctype_ttl1 MPLS Inner Label TTL = 1 Boolean VC FEC Interface Param VCCV CC Type Inner Label TTL 1
ldp.msg.tlv.fec.vc.intparam.vccv.cvtype_bfd BFD Boolean VC FEC Interface Param VCCV CV Type BFD
ldp.msg.tlv.fec.vc.intparam.vccv.cvtype_icmpping ICMP Ping Boolean VC FEC Interface Param VCCV CV Type ICMP Ping
ldp.msg.tlv.fec.vc.intparam.vccv.cvtype_lspping LSP Ping Boolean VC FEC Interface Param VCCV CV Type LSP Ping
ldp.msg.tlv.fec.vc.intparam.vlanid VLAN Id Unsigned 16-bit integer VC FEC Interface Param VLAN Id
ldp.msg.tlv.fec.vc.vcid VC ID Unsigned 32-bit integer VC FEC VCID
ldp.msg.tlv.fec.vc.vctype VC Type Unsigned 16-bit integer Virtual Circuit Type
ldp.msg.tlv.flags_cbs CBS Boolean CBS negotiability flag
ldp.msg.tlv.flags_cdr CDR Boolean CDR negotiability flag
ldp.msg.tlv.flags_ebs EBS Boolean EBS negotiability flag
ldp.msg.tlv.flags_pbs PBS Boolean PBS negotiability flag
ldp.msg.tlv.flags_pdr PDR Boolean PDR negotiability flag
ldp.msg.tlv.flags_reserv Reserved Unsigned 8-bit integer Reserved
ldp.msg.tlv.flags_weight Weight Boolean Weight negotiability flag
ldp.msg.tlv.fr.label.dlci DLCI Unsigned 24-bit integer FRAME RELAY Label DLCI
ldp.msg.tlv.fr.label.len Number of DLCI bits Unsigned 16-bit integer DLCI Number of bits
ldp.msg.tlv.frequency Frequency Unsigned 8-bit integer Frequency
ldp.msg.tlv.ft_ack.sequence_num FT ACK Sequence Number Unsigned 32-bit integer FT ACK Sequence Number
ldp.msg.tlv.ft_protect.sequence_num FT Sequence Number Unsigned 32-bit integer FT Sequence Number
ldp.msg.tlv.ft_sess.flag_a A bit Boolean All-Label protection Required
ldp.msg.tlv.ft_sess.flag_c C bit Boolean Check-Pointint Flag
ldp.msg.tlv.ft_sess.flag_l L bit Boolean Learn From network Flag
ldp.msg.tlv.ft_sess.flag_r R bit Boolean FT Reconnect Flag
ldp.msg.tlv.ft_sess.flag_res Reserved Unsigned 16-bit integer Reserved bits
ldp.msg.tlv.ft_sess.flag_s S bit Boolean Save State Flag
ldp.msg.tlv.ft_sess.flags Flags Unsigned 16-bit integer FT Session Flags
ldp.msg.tlv.ft_sess.reconn_to Reconnect Timeout Unsigned 32-bit integer FT Reconnect Timeout
ldp.msg.tlv.ft_sess.recovery_time Recovery Time Unsigned 32-bit integer Recovery Time
ldp.msg.tlv.ft_sess.res Reserved Unsigned 16-bit integer Reserved
ldp.msg.tlv.generic.label Generic Label Unsigned 32-bit integer Generic Label
ldp.msg.tlv.hc.value Hop Count Value Unsigned 8-bit integer Hop Count
ldp.msg.tlv.hello.cnf_seqno Configuration Sequence Number Unsigned 32-bit integer Hello Configuration Sequence Number
ldp.msg.tlv.hello.hold Hold Time Unsigned 16-bit integer Hello Common Parameters Hold Time
ldp.msg.tlv.hello.requested Hello Requested Boolean Hello Common Parameters Hello Requested Bit
ldp.msg.tlv.hello.res Reserved Unsigned 16-bit integer Hello Common Parameters Reserved Field
ldp.msg.tlv.hello.targeted Targeted Hello Boolean Hello Common Parameters Targeted Bit
ldp.msg.tlv.hold_prio Hold Prio Unsigned 8-bit integer LSP hold priority
ldp.msg.tlv.ipv4.taddr IPv4 Transport Address IPv4 address IPv4 Transport Address
ldp.msg.tlv.ipv6.taddr IPv6 Transport Address IPv6 address IPv6 Transport Address
ldp.msg.tlv.len TLV Length Unsigned 16-bit integer TLV Length Field
ldp.msg.tlv.lspid.actflg Action Indicator Flag Unsigned 16-bit integer Action Indicator Flag
ldp.msg.tlv.lspid.locallspid Local CR-LSP ID Unsigned 16-bit integer Local CR-LSP ID
ldp.msg.tlv.lspid.lsrid Ingress LSR Router ID IPv4 address Ingress LSR Router ID
ldp.msg.tlv.mac MAC address 6-byte Hardware (MAC) Address MAC address
ldp.msg.tlv.pbs PBS Double-precision floating point Peak Burst Size
ldp.msg.tlv.pdr PDR Double-precision floating point Peak Data Rate
ldp.msg.tlv.pv.lsrid LSR Id IPv4 address Path Vector LSR Id
ldp.msg.tlv.resource_class Resource Class Unsigned 32-bit integer Resource Class (Color)
ldp.msg.tlv.returned.ldpid.lsid Returned PDU Label Space ID Unsigned 16-bit integer LDP Label Space ID
ldp.msg.tlv.returned.ldpid.lsr Returned PDU LSR ID IPv4 address LDP Label Space Router ID
ldp.msg.tlv.returned.msg.id Returned Message ID Unsigned 32-bit integer LDP Message ID
ldp.msg.tlv.returned.msg.len Returned Message Length Unsigned 16-bit integer LDP Message Length (excluding message type and len)
ldp.msg.tlv.returned.msg.type Returned Message Type Unsigned 16-bit integer LDP message type
ldp.msg.tlv.returned.msg.ubit Returned Message Unknown bit Boolean Message Unknown bit
ldp.msg.tlv.returned.pdu_len Returned PDU Length Unsigned 16-bit integer LDP PDU Length
ldp.msg.tlv.returned.version Returned PDU Version Unsigned 16-bit integer LDP Version Number
ldp.msg.tlv.route_pinning Route Pinning Unsigned 32-bit integer Route Pinning
ldp.msg.tlv.sess.advbit Session Label Advertisement Discipline Boolean Common Session Parameters Label Advertisement Discipline
ldp.msg.tlv.sess.atm.dir Directionality Boolean Label Directionality
ldp.msg.tlv.sess.atm.lr Number of ATM Label Ranges Unsigned 8-bit integer Number of Label Ranges
ldp.msg.tlv.sess.atm.maxvci Maximum VCI Unsigned 16-bit integer Maximum VCI
ldp.msg.tlv.sess.atm.maxvpi Maximum VPI Unsigned 16-bit integer Maximum VPI
ldp.msg.tlv.sess.atm.merge Session ATM Merge Parameter Unsigned 8-bit integer Merge ATM Session Parameters
ldp.msg.tlv.sess.atm.minvci Minimum VCI Unsigned 16-bit integer Minimum VCI
ldp.msg.tlv.sess.atm.minvpi Minimum VPI Unsigned 16-bit integer Minimum VPI
ldp.msg.tlv.sess.fr.dir Directionality Boolean Label Directionality
ldp.msg.tlv.sess.fr.len Number of DLCI bits Unsigned 16-bit integer DLCI Number of bits
ldp.msg.tlv.sess.fr.lr Number of Frame Relay Label Ranges Unsigned 8-bit integer Number of Label Ranges
ldp.msg.tlv.sess.fr.maxdlci Maximum DLCI Unsigned 24-bit integer Maximum DLCI
ldp.msg.tlv.sess.fr.merge Session Frame Relay Merge Parameter Unsigned 8-bit integer Merge Frame Relay Session Parameters
ldp.msg.tlv.sess.fr.mindlci Minimum DLCI Unsigned 24-bit integer Minimum DLCI
ldp.msg.tlv.sess.ka Session KeepAlive Time Unsigned 16-bit integer Common Session Parameters KeepAlive Time
ldp.msg.tlv.sess.ldetbit Session Loop Detection Boolean Common Session Parameters Loop Detection
ldp.msg.tlv.sess.mxpdu Session Max PDU Length Unsigned 16-bit integer Common Session Parameters Max PDU Length
ldp.msg.tlv.sess.pvlim Session Path Vector Limit Unsigned 8-bit integer Common Session Parameters Path Vector Limit
ldp.msg.tlv.sess.rxlsr Session Receiver LSR Identifier IPv4 address Common Session Parameters LSR Identifier
ldp.msg.tlv.sess.ver Session Protocol Version Unsigned 16-bit integer Common Session Parameters Protocol Version
ldp.msg.tlv.set_prio Set Prio Unsigned 8-bit integer LSP setup priority
ldp.msg.tlv.status.data Status Data Unsigned 32-bit integer Status Data
ldp.msg.tlv.status.ebit E Bit Boolean Fatal Error Bit
ldp.msg.tlv.status.fbit F Bit Boolean Forward Bit
ldp.msg.tlv.status.msg.id Message ID Unsigned 32-bit integer Identifies peer message to which Status TLV refers
ldp.msg.tlv.status.msg.type Message Type Unsigned 16-bit integer Type of peer message to which Status TLV refers
ldp.msg.tlv.type TLV Type Unsigned 16-bit integer TLV Type Field
ldp.msg.tlv.unknown TLV Unknown bits Unsigned 8-bit integer TLV Unknown bits Field
ldp.msg.tlv.value TLV Value Byte array TLV Value Bytes
ldp.msg.tlv.vendor_id Vendor ID Unsigned 32-bit integer IEEE 802 Assigned Vendor ID
ldp.msg.tlv.weight Weight Unsigned 8-bit integer Weight of the CR-LSP
ldp.msg.type Message Type Unsigned 16-bit integer LDP message type
ldp.msg.ubit U bit Boolean Unknown Message Bit
ldp.msg.vendor.id Vendor ID Unsigned 32-bit integer LDP Vendor-private Message ID
ldp.req Request Boolean
ldp.rsp Response Boolean
ldp.tlv.lbl_req_msg_id Label Request Message ID Unsigned 32-bit integer Label Request Message to be aborted
laplink.tcp_data Unknown TCP data Byte array TCP data
laplink.tcp_ident TCP Ident Unsigned 32-bit integer Unknown magic
laplink.tcp_length TCP Data payload length Unsigned 16-bit integer Length of remaining payload
laplink.udp_ident UDP Ident Unsigned 32-bit integer Unknown magic
laplink.udp_name UDP Name String Machine name
l2tp.Nr Nr Unsigned 16-bit integer
l2tp.Ns Ns Unsigned 16-bit integer
l2tp.avp.ciscotype Type Unsigned 16-bit integer AVP Type
l2tp.avp.hidden Hidden Boolean Hidden AVP
l2tp.avp.length Length Unsigned 16-bit integer AVP Length
l2tp.avp.mandatory Mandatory Boolean Mandatory AVP
l2tp.avp.type Type Unsigned 16-bit integer AVP Type
l2tp.avp.vendor_id Vendor ID Unsigned 16-bit integer AVP Vendor ID
l2tp.ccid Control Connection ID Unsigned 32-bit integer Control Connection ID
l2tp.length Length Unsigned 16-bit integer
l2tp.length_bit Length Bit Boolean Length bit
l2tp.offset Offset Unsigned 16-bit integer Number of octest past the L2TP header at which thepayload data starts.
l2tp.offset_bit Offset bit Boolean Offset bit
l2tp.priority Priority Boolean Priority bit
l2tp.res Reserved Unsigned 16-bit integer Reserved
l2tp.seq_bit Sequence Bit Boolean Sequence bit
l2tp.session Session ID Unsigned 16-bit integer Session ID
l2tp.sid Session ID Unsigned 32-bit integer Session ID
l2tp.tie_breaker Tie Breaker Unsigned 64-bit integer Tie Breaker
l2tp.tunnel Tunnel ID Unsigned 16-bit integer Tunnel ID
l2tp.type Type Unsigned 16-bit integer Type bit
l2tp.version Version Unsigned 16-bit integer Version
lt2p.cookie Cookie Byte array Cookie
lt2p.l2_spec_atm ATM-Specific Sublayer No value ATM-Specific Sublayer
lt2p.l2_spec_c C-bit Boolean CLP Bit
lt2p.l2_spec_def Default L2-Specific Sublayer No value Default L2-Specific Sublayer
lt2p.l2_spec_g G-bit Boolean EFCI Bit
lt2p.l2_spec_s S-bit Boolean Sequence Bit
lt2p.l2_spec_sequence Sequence Number Unsigned 24-bit integer Sequence Number
lt2p.l2_spec_t T-bit Boolean Transport Type Bit
lt2p.l2_spec_u U-bit Boolean C/R Bit
udp.checksum_coverage Checksum coverage Unsigned 16-bit integer
udp.checksum_coverage_bad Bad Checksum coverage Boolean
ldap.AccessMask.ADS_CONTROL_ACCESS Control Access Boolean
ldap.AccessMask.ADS_CREATE_CHILD Create Child Boolean
ldap.AccessMask.ADS_DELETE_CHILD Delete Child Boolean
ldap.AccessMask.ADS_DELETE_TREE Delete Tree Boolean
ldap.AccessMask.ADS_LIST List Boolean
ldap.AccessMask.ADS_LIST_OBJECT List Object Boolean
ldap.AccessMask.ADS_READ_PROP Read Prop Boolean
ldap.AccessMask.ADS_SELF_WRITE Self Write Boolean
ldap.AccessMask.ADS_WRITE_PROP Write Prop Boolean
ldap.AttributeDescriptionList_item Item String ldap.AttributeDescription
ldap.AttributeList_item Item No value ldap.AttributeList_item
ldap.Controls_item Item No value ldap.Control
ldap.LDAPMessage LDAPMessage No value ldap.LDAPMessage
ldap.PartialAttributeList_item Item No value ldap.PartialAttributeList_item
ldap.Referral_item Item String ldap.LDAPURL
ldap.SearchResultReference_item Item String ldap.LDAPURL
ldap.abandonRequest abandonRequest Unsigned 32-bit integer ldap.AbandonRequest
ldap.addRequest addRequest No value ldap.AddRequest
ldap.addResponse addResponse No value ldap.AddResponse
ldap.and and Unsigned 32-bit integer ldap.T_and
ldap.and_item Item Unsigned 32-bit integer ldap.T_and_item
ldap.any any String ldap.LDAPString
ldap.approxMatch approxMatch No value ldap.T_approxMatch
ldap.assertionValue assertionValue String ldap.AssertionValue
ldap.attributeDesc attributeDesc String ldap.AttributeDescription
ldap.attributes attributes Unsigned 32-bit integer ldap.AttributeDescriptionList
ldap.authentication authentication Unsigned 32-bit integer ldap.AuthenticationChoice
ldap.ava ava No value ldap.AttributeValueAssertion
ldap.baseObject baseObject String ldap.LDAPDN
ldap.bindRequest bindRequest No value ldap.BindRequest
ldap.bindResponse bindResponse No value ldap.BindResponse
ldap.compareRequest compareRequest No value ldap.CompareRequest
ldap.compareResponse compareResponse No value ldap.CompareResponse
ldap.controlType controlType String ldap.ControlType
ldap.controlValue controlValue Byte array ldap.OCTET_STRING
ldap.controls controls Unsigned 32-bit integer ldap.Controls
ldap.credentials credentials Byte array ldap.Credentials
ldap.criticality criticality Boolean ldap.BOOLEAN
ldap.delRequest delRequest String ldap.DelRequest
ldap.delResponse delResponse No value ldap.DelResponse
ldap.deleteoldrdn deleteoldrdn Boolean ldap.BOOLEAN
ldap.derefAliases derefAliases Unsigned 32-bit integer ldap.T_derefAliases
ldap.dnAttributes dnAttributes Boolean ldap.BOOLEAN
ldap.entry entry String ldap.LDAPDN
ldap.equalityMatch equalityMatch No value ldap.T_equalityMatch
ldap.errorMessage errorMessage String ldap.ErrorMessage
ldap.extendedReq extendedReq No value ldap.ExtendedRequest
ldap.extendedResp extendedResp No value ldap.ExtendedResponse
ldap.extensibleMatch extensibleMatch No value ldap.T_extensibleMatch
ldap.filter filter Unsigned 32-bit integer ldap.T_filter
ldap.final final String ldap.LDAPString
ldap.greaterOrEqual greaterOrEqual No value ldap.T_greaterOrEqual
ldap.guid GUID GUID
ldap.initial initial String ldap.LDAPString
ldap.lessOrEqual lessOrEqual No value ldap.T_lessOrEqual
ldap.matchValue matchValue String ldap.AssertionValue
ldap.matchedDN matchedDN String ldap.LDAPDN
ldap.matchingRule matchingRule String ldap.MatchingRuleId
ldap.mechanism mechanism String ldap.Mechanism
ldap.messageID messageID Unsigned 32-bit integer ldap.MessageID
ldap.modDNRequest modDNRequest No value ldap.ModifyDNRequest
ldap.modDNResponse modDNResponse No value ldap.ModifyDNResponse
ldap.modification modification Unsigned 32-bit integer ldap.ModifyRequest_modification
ldap.modification_item Item No value ldap.T_modifyRequest_modification_item
ldap.modifyRequest modifyRequest No value ldap.ModifyRequest
ldap.modifyResponse modifyResponse No value ldap.ModifyResponse
ldap.name name String ldap.LDAPDN
ldap.newSuperior newSuperior String ldap.LDAPDN
ldap.newrdn newrdn String ldap.RelativeLDAPDN
ldap.not not Unsigned 32-bit integer ldap.T_not
ldap.object object String ldap.LDAPDN
ldap.objectName objectName String ldap.LDAPDN
ldap.operation operation Unsigned 32-bit integer ldap.T_operation
ldap.or or Unsigned 32-bit integer ldap.T_or
ldap.or_item Item Unsigned 32-bit integer ldap.T_or_item
ldap.present present String ldap.T_present
ldap.protocolOp protocolOp Unsigned 32-bit integer ldap.ProtocolOp
ldap.referral referral Unsigned 32-bit integer ldap.Referral
ldap.requestName requestName String ldap.LDAPOID
ldap.requestValue requestValue Byte array ldap.OCTET_STRING
ldap.response response Byte array ldap.OCTET_STRING
ldap.responseName responseName String ldap.ResponseName
ldap.response_in Response In Frame number The response to this LDAP request is in this frame
ldap.response_to Response To Frame number This is a response to the LDAP request in this frame
ldap.resultCode resultCode Unsigned 32-bit integer ldap.T_resultCode
ldap.sasl sasl No value ldap.SaslCredentials
ldap.sasl_buffer_length SASL Buffer Length Unsigned 32-bit integer SASL Buffer Length
ldap.scope scope Unsigned 32-bit integer ldap.T_scope
ldap.searchRequest searchRequest No value ldap.SearchRequest
ldap.searchResDone searchResDone No value ldap.SearchResultDone
ldap.searchResEntry searchResEntry No value ldap.SearchResultEntry
ldap.searchResRef searchResRef Unsigned 32-bit integer ldap.SearchResultReference
ldap.serverSaslCreds serverSaslCreds Byte array ldap.ServerSaslCreds
ldap.sid Sid String Sid
ldap.simple simple Byte array ldap.Simple
ldap.sizeLimit sizeLimit Unsigned 32-bit integer ldap.INTEGER_0_maxInt
ldap.substrings substrings No value ldap.SubstringFilter
ldap.substrings_item Item Unsigned 32-bit integer ldap.T_substringFilter_substrings_item
ldap.time Time Time duration The time between the Call and the Reply
ldap.timeLimit timeLimit Unsigned 32-bit integer ldap.INTEGER_0_maxInt
ldap.type type String ldap.AttributeDescription
ldap.typesOnly typesOnly Boolean ldap.BOOLEAN
ldap.unbindRequest unbindRequest No value ldap.UnbindRequest
ldap.vals vals Unsigned 32-bit integer ldap.SET_OF_AttributeValue
ldap.vals_item Item Byte array ldap.AttributeValue
ldap.version version Unsigned 32-bit integer ldap.INTEGER_1_127
mscldap.clientsitename Client Site String Client Site name
mscldap.domain Domain String Domainname
mscldap.domain.guid Domain GUID Byte array Domain GUID
mscldap.forest Forest String Forest
mscldap.hostname Hostname String Hostname
mscldap.nb_domain NetBios Domain String NetBios Domainname
mscldap.nb_hostname NetBios Hostname String NetBios Hostname
mscldap.netlogon.flags Flags Unsigned 32-bit integer Netlogon flags describing the DC properties
mscldap.netlogon.flags.closest Closest Boolean Is this the closest dc? (is this used at all?)
mscldap.netlogon.flags.ds DS Boolean Does this dc provide DS services?
mscldap.netlogon.flags.gc GC Boolean Does this dc service as a GLOBAL CATALOGUE?
mscldap.netlogon.flags.good_timeserv Good Time Serv Boolean Is this a Good Time Server? (i.e. does it have a hardware clock)
mscldap.netlogon.flags.kdc KDC Boolean Does this dc act as a KDC?
mscldap.netlogon.flags.ldap LDAP Boolean Does this DC act as an LDAP server?
mscldap.netlogon.flags.ndnc NDNC Boolean Is this an NDNC dc?
mscldap.netlogon.flags.pdc PDC Boolean Is this DC a PDC or not?
mscldap.netlogon.flags.timeserv Time Serv Boolean Does this dc provide time services (ntp) ?
mscldap.netlogon.flags.writable Writable Boolean Is this dc writable? (i.e. can it update the AD?)
mscldap.netlogon.lm_token LM Token Unsigned 16-bit integer LM Token
mscldap.netlogon.nt_token NT Token Unsigned 16-bit integer NT Token
mscldap.netlogon.type Type Unsigned 32-bit integer Type of <please tell Wireshark developers what this type is>
mscldap.netlogon.version Version Unsigned 32-bit integer Version of <please tell Wireshark developers what this type is>
mscldap.sitename Site String Site name
mscldap.username User String User name
lpd.request Request Boolean TRUE if LPD request
lpd.response Response Boolean TRUE if LPD response
lapb.address Address Field Unsigned 8-bit integer Address
lapb.control Control Field Unsigned 8-bit integer Control field
lapb.control.f Final Boolean
lapb.control.ftype Frame type Unsigned 8-bit integer
lapb.control.n_r N(R) Unsigned 8-bit integer
lapb.control.n_s N(S) Unsigned 8-bit integer
lapb.control.p Poll Boolean
lapb.control.s_ftype Supervisory frame type Unsigned 8-bit integer
lapb.control.u_modifier_cmd Command Unsigned 8-bit integer
lapb.control.u_modifier_resp Response Unsigned 8-bit integer
lapbether.length Length Field Unsigned 16-bit integer LAPBEther Length Field
lapd.address Address Field Unsigned 16-bit integer Address
lapd.control Control Field Unsigned 16-bit integer Control field
lapd.control.f Final Boolean
lapd.control.ftype Frame type Unsigned 16-bit integer
lapd.control.n_r N(R) Unsigned 16-bit integer
lapd.control.n_s N(S) Unsigned 16-bit integer
lapd.control.p Poll Boolean
lapd.control.s_ftype Supervisory frame type Unsigned 16-bit integer
lapd.cr C/R Unsigned 16-bit integer Command/Response bit
lapd.ea1 EA1 Unsigned 16-bit integer First Address Extension bit
lapd.ea2 EA2 Unsigned 16-bit integer Second Address Extension bit
lapd.sapi SAPI Unsigned 16-bit integer Service Access Point Identifier
lapd.tei TEI Unsigned 16-bit integer Terminal Endpoint Identifier
lldp.chassis.id Chassis Id Byte array
lldp.chassis.id.ip4 Chassis Id IPv4 address
lldp.chassis.id.ip6 Chassis Id IPv6 address
lldp.chassis.id.mac Chassis Id 6-byte Hardware (MAC) Address
lldp.chassis.subtype Chassis Id Subtype Unsigned 8-bit integer
lldp.ieee.802_1.subtype IEEE 802.1 Subtype Unsigned 8-bit integer
lldp.ieee.802_3.subtype IEEE 802.3 Subtype Unsigned 8-bit integer
lldp.media.subtype Media Subtype Unsigned 8-bit integer
lldp.mgn.addr.hex Management Address Byte array
lldp.mgn.addr.ip4 Management Address IPv4 address
lldp.mgn.addr.ip6 Management Address IPv6 address
lldp.mgn.obj.id Object Identifier Byte array
lldp.network_address.subtype Network Address family Unsigned 8-bit integer Network Address family
lldp.orgtlv.oui Organization Unique Code Unsigned 24-bit integer
lldp.port.id.ip4 Port Id IPv4 address
lldp.port.id.ip6 Port Id IPv6 address
lldp.port.id.mac Port Id 6-byte Hardware (MAC) Address
lldp.port.subtype Port Id Subtype Unsigned 8-bit integer
lldp.profinet.cable_delay_local Port Cable Delay Local Unsigned 32-bit integer
lldp.profinet.port_rx_delay_local Port RX Delay Local Unsigned 32-bit integer
lldp.profinet.port_rx_delay_remote Port RX Delay Remote Unsigned 32-bit integer
lldp.profinet.port_tx_delay_local Port TX Delay Local Unsigned 32-bit integer
lldp.profinet.port_tx_delay_remote Port TX Delay Remote Unsigned 32-bit integer
lldp.profinet.rtc2_port_status RTClass2 Port Status Unsigned 16-bit integer
lldp.profinet.rtc3_port_status RTClass3 Port Status Unsigned 16-bit integer
lldp.profinet.subtype Subtype Unsigned 8-bit integer PROFINET Subtype
lldp.time_to_live Seconds Unsigned 16-bit integer
lldp.tlv.len TLV Length Unsigned 16-bit integer
lldp.tlv.type TLV Type Unsigned 16-bit integer
lldp.unknown_subtype Unknown Subtype Content Byte array
lmp.begin_verify.all_links Verify All Links Boolean
lmp.begin_verify.enctype Encoding Type Unsigned 8-bit integer
lmp.begin_verify.flags Flags Unsigned 16-bit integer
lmp.begin_verify.link_type Data Link Type Boolean
lmp.data_link.link_verify Data-Link is Allocated Boolean
lmp.data_link.local_ipv4 Data-Link Local ID - IPv4 IPv4 address
lmp.data_link.local_unnum Data-Link Local ID - Unnumbered Unsigned 32-bit integer
lmp.data_link.port Data-Link is Individual Port Boolean
lmp.data_link.remote_ipv4 Data-Link Remote ID - IPv4 IPv4 address
lmp.data_link.remote_unnum Data-Link Remote ID - Unnumbered Unsigned 32-bit integer
lmp.data_link_encoding LSP Encoding Type Unsigned 8-bit integer
lmp.data_link_flags Data-Link Flags Unsigned 8-bit integer
lmp.data_link_subobj Subobject No value
lmp.data_link_switching Interface Switching Capability Unsigned 8-bit integer
lmp.error Error Code Unsigned 32-bit integer
lmp.error.config_bad_ccid Config - Bad CC ID Boolean
lmp.error.config_bad_params Config - Unacceptable non-negotiable parameters Boolean
lmp.error.config_renegotiate Config - Renegotiate Parametere Boolean
lmp.error.summary_bad_data_link Summary - Bad Data Link Object Boolean
lmp.error.summary_bad_params Summary - Unacceptable non-negotiable parameters Boolean
lmp.error.summary_bad_remote_link_id Summary - Bad Remote Link ID Boolean
lmp.error.summary_bad_te_link Summary - Bad TE Link Object Boolean
lmp.error.summary_renegotiate Summary - Renegotiate Parametere Boolean
lmp.error.summary_unknown_dl_ctype Summary - Bad Data Link C-Type Boolean
lmp.error.summary_unknown_tel_ctype Summary - Bad TE Link C-Type Boolean
lmp.error.verify_te_link_id Verification - TE Link ID Configuration Error Boolean
lmp.error.verify_unknown_ctype Verification - Unknown Object C-Type Boolean
lmp.error.verify_unsupported_link Verification - Unsupported for this TE-Link Boolean
lmp.error.verify_unsupported_transport Verification - Transport Unsupported Boolean
lmp.error.verify_unwilling Verification - Unwilling to Verify at this time Boolean
lmp.hdr.ccdown ControlChannelDown Boolean
lmp.hdr.flags LMP Header - Flags Unsigned 8-bit integer
lmp.hdr.reboot Reboot Boolean
lmp.hellodeadinterval HelloDeadInterval Unsigned 32-bit integer
lmp.hellointerval HelloInterval Unsigned 32-bit integer
lmp.local_ccid Local CCID Value Unsigned 32-bit integer
lmp.local_interfaceid_ipv4 Local Interface ID - IPv4 IPv4 address
lmp.local_interfaceid_unnum Local Interface ID - Unnumbered Unsigned 32-bit integer
lmp.local_linkid_ipv4 Local Link ID - IPv4 IPv4 address
lmp.local_linkid_unnum Local Link ID - Unnumbered Unsigned 32-bit integer
lmp.local_nodeid Local Node ID Value IPv4 address
lmp.messageid Message-ID Value Unsigned 32-bit integer
lmp.messageid_ack Message-ID Ack Value Unsigned 32-bit integer
lmp.msg Message Type Unsigned 8-bit integer
lmp.msg.beginverify BeginVerify Message Boolean
lmp.msg.beginverifyack BeginVerifyAck Message Boolean
lmp.msg.beginverifynack BeginVerifyNack Message Boolean
lmp.msg.channelstatus ChannelStatus Message Boolean
lmp.msg.channelstatusack ChannelStatusAck Message Boolean
lmp.msg.channelstatusrequest ChannelStatusRequest Message Boolean
lmp.msg.channelstatusresponse ChannelStatusResponse Message Boolean
lmp.msg.config Config Message Boolean
lmp.msg.configack ConfigAck Message Boolean
lmp.msg.confignack ConfigNack Message Boolean
lmp.msg.endverify EndVerify Message Boolean
lmp.msg.endverifyack EndVerifyAck Message Boolean
lmp.msg.hello HELLO Message Boolean
lmp.msg.linksummary LinkSummary Message Boolean
lmp.msg.linksummaryack LinkSummaryAck Message Boolean
lmp.msg.linksummarynack LinkSummaryNack Message Boolean
lmp.msg.serviceconfig ServiceConfig Message Boolean
lmp.msg.serviceconfigack ServiceConfigAck Message Boolean
lmp.msg.serviceconfignack ServiceConfigNack Message Boolean
lmp.msg.test Test Message Boolean
lmp.msg.teststatusack TestStatusAck Message Boolean
lmp.msg.teststatusfailure TestStatusFailure Message Boolean
lmp.msg.teststatussuccess TestStatusSuccess Message Boolean
lmp.obj.Nodeid NODE_ID No value
lmp.obj.begin_verify BEGIN_VERIFY No value
lmp.obj.begin_verify_ack BEGIN_VERIFY_ACK No value
lmp.obj.ccid CCID No value
lmp.obj.channel_status CHANNEL_STATUS No value
lmp.obj.channel_status_request CHANNEL_STATUS_REQUEST No value
lmp.obj.config CONFIG No value
lmp.obj.ctype Object C-Type Unsigned 8-bit integer
lmp.obj.data_link DATA_LINK No value
lmp.obj.error ERROR No value
lmp.obj.hello HELLO No value
lmp.obj.interfaceid INTERFACE_ID No value
lmp.obj.linkid LINK_ID No value
lmp.obj.messageid MESSAGE_ID No value
lmp.obj.serviceconfig SERVICE_CONFIG No value
lmp.obj.te_link TE_LINK No value
lmp.obj.verifyid VERIFY_ID No value
lmp.object LOCAL_CCID Unsigned 8-bit integer
lmp.remote_ccid Remote CCID Value Unsigned 32-bit integer
lmp.remote_interfaceid_ipv4 Remote Interface ID - IPv4 IPv4 address
lmp.remote_interfaceid_unnum Remote Interface ID - Unnumbered Unsigned 32-bit integer
lmp.remote_linkid_ipv4 Remote Link ID - IPv4 Unsigned 32-bit integer
lmp.remote_linkid_unnum Remote Link ID - Unnumbered Unsigned 32-bit integer
lmp.remote_nodeid Remote Node ID Value IPv4 address
lmp.rxseqnum RxSeqNum Unsigned 32-bit integer
lmp.service_config.cct Contiguous Concatenation Types Unsigned 8-bit integer
lmp.service_config.cpsa Client Port Service Attributes Unsigned 8-bit integer
lmp.service_config.cpsa.line_overhead Line/MS Overhead Transparency Supported Boolean
lmp.service_config.cpsa.local_ifid Local interface id of the client interface referred to IPv4 address
lmp.service_config.cpsa.max_ncc Maximum Number of Contiguously Concatenated Components Unsigned 8-bit integer
lmp.service_config.cpsa.max_nvc Minimum Number of Virtually Concatenated Components Unsigned 8-bit integer
lmp.service_config.cpsa.min_ncc Minimum Number of Contiguously Concatenated Components Unsigned 8-bit integer
lmp.service_config.cpsa.min_nvc Maximum Number of Contiguously Concatenated Components Unsigned 8-bit integer
lmp.service_config.cpsa.path_overhead Path/VC Overhead Transparency Supported Boolean
lmp.service_config.cpsa.section_overhead Section/RS Overhead Transparency Supported Boolean
lmp.service_config.nsa.diversity Network Diversity Flags Unsigned 8-bit integer
lmp.service_config.nsa.diversity.link Link diversity supported Boolean
lmp.service_config.nsa.diversity.node Node diversity supported Boolean
lmp.service_config.nsa.diversity.srlg SRLG diversity supported Boolean
lmp.service_config.nsa.tcm TCM Monitoring Unsigned 8-bit integer
lmp.service_config.nsa.transparency Network Transparency Flags Unsigned 32-bit integer
lmp.service_config.nsa.transparency.loh Standard LOH/MSOH transparency supported Boolean
lmp.service_config.nsa.transparency.soh Standard SOH/RSOH transparency supported Boolean
lmp.service_config.nsa.transparency.tcm TCM Monitoring Supported Boolean
lmp.service_config.sp Service Config - Supported Signalling Protocols Unsigned 8-bit integer
lmp.service_config.sp.ldp LDP is supported Boolean
lmp.service_config.sp.rsvp RSVP is supported Boolean
lmp.te_link.fault_mgmt Fault Management Supported Boolean
lmp.te_link.link_verify Link Verification Supported Boolean
lmp.te_link.local_ipv4 TE-Link Local ID - IPv4 IPv4 address
lmp.te_link.local_unnum TE-Link Local ID - Unnumbered Unsigned 32-bit integer
lmp.te_link.remote_ipv4 TE-Link Remote ID - IPv4 IPv4 address
lmp.te_link.remote_unnum TE-Link Remote ID - Unnumbered Unsigned 32-bit integer
lmp.te_link_flags TE-Link Flags Unsigned 8-bit integer
lmp.txseqnum TxSeqNum Unsigned 32-bit integer
lmp.verifyid Verify-ID Unsigned 32-bit integer
sll.etype Protocol Unsigned 16-bit integer Ethernet protocol type
sll.halen Link-layer address length Unsigned 16-bit integer Link-layer address length
sll.hatype Link-layer address type Unsigned 16-bit integer Link-layer address type
sll.ltype Protocol Unsigned 16-bit integer Linux protocol type
sll.pkttype Packet type Unsigned 16-bit integer Packet type
sll.src.eth Source 6-byte Hardware (MAC) Address Source link-layer address
sll.src.other Source Byte array Source link-layer address
sll.trailer Trailer Byte array Trailer
lmi.cmd Call reference Unsigned 8-bit integer Call Reference
lmi.dlci_act DLCI Active Unsigned 8-bit integer DLCI Active Flag
lmi.dlci_hi DLCI High Unsigned 8-bit integer DLCI High bits
lmi.dlci_low DLCI Low Unsigned 8-bit integer DLCI Low bits
lmi.dlci_new DLCI New Unsigned 8-bit integer DLCI New Flag
lmi.ele_rcd_type Record Type Unsigned 8-bit integer Record Type
lmi.inf_ele_len Length Unsigned 8-bit integer Information Element Length
lmi.inf_ele_type Type Unsigned 8-bit integer Information Element Type
lmi.msg_type Message Type Unsigned 8-bit integer Message Type
lmi.recv_seq Recv Seq Unsigned 8-bit integer Receive Sequence
lmi.send_seq Send Seq Unsigned 8-bit integer Send Sequence
llap.dst Destination Node Unsigned 8-bit integer
llap.src Source Node Unsigned 8-bit integer
llap.type Type Unsigned 8-bit integer
llcgprs.as Ackn request bit Boolean Acknowledgement request bit A
llcgprs.cr Command/Response bit Boolean Command/Response bit
llcgprs.e E bit Boolean Encryption mode bit
llcgprs.frmrcr C/R Unsigned 32-bit integer Rejected command response
llcgprs.frmrrfcf Control Field Octet Unsigned 16-bit integer Rejected Frame CF
llcgprs.frmrspare X Unsigned 32-bit integer Filler
llcgprs.frmrvr V(R) Unsigned 32-bit integer Current receive state variable
llcgprs.frmrvs V(S) Unsigned 32-bit integer Current send state variable
llcgprs.frmrw1 W1 Unsigned 32-bit integer Invalid - info not permitted
llcgprs.frmrw2 W2 Unsigned 32-bit integer Info exceeded N201
llcgprs.frmrw3 W3 Unsigned 32-bit integer Undefined control field
llcgprs.frmrw4 W4 Unsigned 32-bit integer LLE was in ABM when rejecting
llcgprs.ia Ack Bit Unsigned 24-bit integer I A Bit
llcgprs.ifmt I Format Unsigned 24-bit integer I Fmt Bit
llcgprs.iignore Spare Unsigned 24-bit integer Ignore Bit
llcgprs.k k Unsigned 8-bit integer k counter
llcgprs.kmask ignored Unsigned 8-bit integer ignored
llcgprs.nr Receive sequence number Unsigned 16-bit integer Receive sequence number N(R)
llcgprs.nu N(U) Unsigned 16-bit integer Transmited unconfirmed sequence number
llcgprs.pd Protocol Discriminator_bit Boolean Protocol Discriminator bit (should be 0)
llcgprs.pf P/F bit Boolean Poll /Finall bit
llcgprs.pm PM bit Boolean Protected mode bit
llcgprs.romrl Remaining Length of TOM Protocol Header Unsigned 8-bit integer RL
llcgprs.s S format Unsigned 16-bit integer Supervisory format S
llcgprs.s1s2 Supervisory function bits Unsigned 16-bit integer Supervisory functions bits
llcgprs.sacknr N(R) Unsigned 24-bit integer N(R)
llcgprs.sackns N(S) Unsigned 24-bit integer N(S)
llcgprs.sackrbits R Bitmap Bits Unsigned 8-bit integer R Bitmap
llcgprs.sacksfb Supervisory function bits Unsigned 24-bit integer Supervisory functions bits
llcgprs.sapi SAPI Unsigned 8-bit integer Service Access Point Identifier
llcgprs.sapib SAPI Unsigned 8-bit integer Service Access Point Identifier
llcgprs.sspare Spare Unsigned 16-bit integer Ignore Bit
llcgprs.tomdata TOM Message Capsule Byte Unsigned 8-bit integer tdb
llcgprs.tomhead TOM Header Byte Unsigned 8-bit integer thb
llcgprs.tompd TOM Protocol Discriminator Unsigned 8-bit integer TPD
llcgprs.u U format Unsigned 8-bit integer U frame format
llcgprs.ucom Command/Response Unsigned 8-bit integer Commands and Responses
llcgprs.ui UI format Unsigned 16-bit integer UI frame format
llcgprs.ui_sp_bit Spare bits Unsigned 16-bit integer Spare bits
llcgprs.xidbyte Parameter Byte Unsigned 8-bit integer Data
llcgprs.xidlen1 Length Unsigned 8-bit integer Len
llcgprs.xidlen2 Length continued Unsigned 8-bit integer Len
llcgprs.xidspare Spare Unsigned 8-bit integer Ignore
llcgprs.xidtype Type Unsigned 8-bit integer Type
llcgprs.xidxl XL Bit Unsigned 8-bit integer XL
llc.cisco_pid PID Unsigned 16-bit integer
llc.ciscowl_pid PID Unsigned 16-bit integer
llc.control Control Unsigned 16-bit integer
llc.control.f Final Boolean
llc.control.ftype Frame type Unsigned 16-bit integer
llc.control.n_r N(R) Unsigned 16-bit integer
llc.control.n_s N(S) Unsigned 16-bit integer
llc.control.p Poll Boolean
llc.control.s_ftype Supervisory frame type Unsigned 16-bit integer
llc.control.u_modifier_cmd Command Unsigned 8-bit integer
llc.control.u_modifier_resp Response Unsigned 8-bit integer
llc.dsap DSAP Unsigned 8-bit integer DSAP - 7 Most Significant Bits only
llc.dsap.ig IG Bit Boolean Individual/Group - Least Significant Bit only
llc.extreme_pid PID Unsigned 16-bit integer
llc.nortel_pid PID Unsigned 16-bit integer
llc.oui Organization Code Unsigned 24-bit integer
llc.pid Protocol ID Unsigned 16-bit integer
llc.ssap SSAP Unsigned 8-bit integer SSAP - 7 Most Significant Bits only
llc.ssap.cr CR Bit Boolean Command/Response - Least Significant Bit only
llc.type Type Unsigned 16-bit integer
llc.xid.format XID Format Unsigned 8-bit integer
llc.xid.types LLC Types/Classes Unsigned 8-bit integer
llc.xid.wsize Receive Window Size Unsigned 8-bit integer
logotypecertextn.LogotypeExtn LogotypeExtn No value logotypecertextn.LogotypeExtn
logotypecertextn.audio audio Unsigned 32-bit integer logotypecertextn.SEQUENCE_OF_LogotypeAudio
logotypecertextn.audioDetails audioDetails No value logotypecertextn.LogotypeDetails
logotypecertextn.audioInfo audioInfo No value logotypecertextn.LogotypeAudioInfo
logotypecertextn.audio_item Item No value logotypecertextn.LogotypeAudio
logotypecertextn.channels channels Signed 32-bit integer logotypecertextn.INTEGER
logotypecertextn.communityLogos communityLogos Unsigned 32-bit integer logotypecertextn.SEQUENCE_OF_LogotypeInfo
logotypecertextn.communityLogos_item Item Unsigned 32-bit integer logotypecertextn.LogotypeInfo
logotypecertextn.direct direct No value logotypecertextn.LogotypeData
logotypecertextn.fileSize fileSize Signed 32-bit integer logotypecertextn.INTEGER
logotypecertextn.hashAlg hashAlg No value x509af.AlgorithmIdentifier
logotypecertextn.hashValue hashValue Byte array logotypecertextn.OCTET_STRING
logotypecertextn.image image Unsigned 32-bit integer logotypecertextn.SEQUENCE_OF_LogotypeImage
logotypecertextn.imageDetails imageDetails No value logotypecertextn.LogotypeDetails
logotypecertextn.imageInfo imageInfo No value logotypecertextn.LogotypeImageInfo
logotypecertextn.image_item Item No value logotypecertextn.LogotypeImage
logotypecertextn.indirect indirect No value logotypecertextn.LogotypeReference
logotypecertextn.info info Unsigned 32-bit integer logotypecertextn.LogotypeInfo
logotypecertextn.issuerLogo issuerLogo Unsigned 32-bit integer logotypecertextn.LogotypeInfo
logotypecertextn.language language String logotypecertextn.IA5String
logotypecertextn.logotypeHash logotypeHash Unsigned 32-bit integer logotypecertextn.SEQUENCE_SIZE_1_MAX_OF_HashAlgAndValue
logotypecertextn.logotypeHash_item Item No value logotypecertextn.HashAlgAndValue
logotypecertextn.logotypeType logotypeType logotypecertextn.OBJECT_IDENTIFIER
logotypecertextn.logotypeURI logotypeURI Unsigned 32-bit integer logotypecertextn.T_logotypeURI
logotypecertextn.logotypeURI_item Item String logotypecertextn.IA5String
logotypecertextn.mediaType mediaType String logotypecertextn.IA5String
logotypecertextn.numBits numBits Signed 32-bit integer logotypecertextn.INTEGER
logotypecertextn.otherLogos otherLogos Unsigned 32-bit integer logotypecertextn.SEQUENCE_OF_OtherLogotypeInfo
logotypecertextn.otherLogos_item Item No value logotypecertextn.OtherLogotypeInfo
logotypecertextn.playTime playTime Signed 32-bit integer logotypecertextn.INTEGER
logotypecertextn.refStructHash refStructHash Unsigned 32-bit integer logotypecertextn.SEQUENCE_SIZE_1_MAX_OF_HashAlgAndValue
logotypecertextn.refStructHash_item Item No value logotypecertextn.HashAlgAndValue
logotypecertextn.refStructURI refStructURI Unsigned 32-bit integer logotypecertextn.T_refStructURI
logotypecertextn.refStructURI_item Item String logotypecertextn.IA5String
logotypecertextn.resolution resolution Unsigned 32-bit integer logotypecertextn.LogotypeImageResolution
logotypecertextn.sampleRate sampleRate Signed 32-bit integer logotypecertextn.INTEGER
logotypecertextn.subjectLogo subjectLogo Unsigned 32-bit integer logotypecertextn.LogotypeInfo
logotypecertextn.tableSize tableSize Signed 32-bit integer logotypecertextn.INTEGER
logotypecertextn.type type Signed 32-bit integer logotypecertextn.LogotypeImageType
logotypecertextn.xSize xSize Signed 32-bit integer logotypecertextn.INTEGER
logotypecertextn.ySize ySize Signed 32-bit integer logotypecertextn.INTEGER
ascend.chunk WDD Chunk Unsigned 32-bit integer
ascend.number Called number String
ascend.sess Session ID Unsigned 32-bit integer
ascend.task Task Unsigned 32-bit integer
ascend.type Link type Unsigned 32-bit integer
ascend.user User name String
macctrl.pause Pause Unsigned 16-bit integer MAC control Pause
macctrl.quanta Quanta Unsigned 16-bit integer MAC control quanta
MAP_DialoguePDU.alternativeApplicationContext alternativeApplicationContext MAP_DialoguePDU.OBJECT_IDENTIFIER
MAP_DialoguePDU.applicationProcedureCancellation applicationProcedureCancellation Unsigned 32-bit integer MAP_DialoguePDU.ProcedureCancellationReason
MAP_DialoguePDU.destinationReference destinationReference Byte array gsm_map.AddressString
MAP_DialoguePDU.encapsulatedAC encapsulatedAC MAP_DialoguePDU.OBJECT_IDENTIFIER
MAP_DialoguePDU.extensionContainer extensionContainer No value gsm_map.ExtensionContainer
MAP_DialoguePDU.map_ProviderAbortReason map-ProviderAbortReason Unsigned 32-bit integer MAP_DialoguePDU.MAP_ProviderAbortReason
MAP_DialoguePDU.map_UserAbortChoice map-UserAbortChoice Unsigned 32-bit integer MAP_DialoguePDU.MAP_UserAbortChoice
MAP_DialoguePDU.map_accept map-accept No value MAP_DialoguePDU.MAP_AcceptInfo
MAP_DialoguePDU.map_close map-close No value MAP_DialoguePDU.MAP_CloseInfo
MAP_DialoguePDU.map_open map-open No value MAP_DialoguePDU.MAP_OpenInfo
MAP_DialoguePDU.map_providerAbort map-providerAbort No value MAP_DialoguePDU.MAP_ProviderAbortInfo
MAP_DialoguePDU.map_refuse map-refuse No value MAP_DialoguePDU.MAP_RefuseInfo
MAP_DialoguePDU.map_userAbort map-userAbort No value MAP_DialoguePDU.MAP_UserAbortInfo
MAP_DialoguePDU.originationReference originationReference Byte array gsm_map.AddressString
MAP_DialoguePDU.protectedPayload protectedPayload Byte array gsm_map.ProtectedPayload
MAP_DialoguePDU.reason reason Unsigned 32-bit integer MAP_DialoguePDU.Reason
MAP_DialoguePDU.resourceUnavailable resourceUnavailable Unsigned 32-bit integer MAP_DialoguePDU.ResourceUnavailableReason
MAP_DialoguePDU.securityHeader securityHeader No value gsm_map.SecurityHeader
MAP_DialoguePDU.userResourceLimitation userResourceLimitation No value MAP_DialoguePDU.NULL
MAP_DialoguePDU.userSpecificReason userSpecificReason No value MAP_DialoguePDU.NULL
mdshdr.crc CRC Unsigned 32-bit integer
mdshdr.dstidx Dst Index Unsigned 16-bit integer
mdshdr.eof EOF Unsigned 8-bit integer
mdshdr.plen Packet Len Unsigned 16-bit integer
mdshdr.sof SOF Unsigned 8-bit integer
mdshdr.span SPAN Frame Unsigned 8-bit integer
mdshdr.srcidx Src Index Unsigned 16-bit integer
mdshdr.vsan VSAN Unsigned 16-bit integer
mime_multipart.header.content-disposition Content-Disposition String RFC 3261: Content-Disposition Header
mime_multipart.header.content-encoding Content-Encoding String RFC 3261: Content-Encoding Header
mime_multipart.header.content-language Content-Language String RFC 3261: Content-Language Header
mime_multipart.header.content-length Content-Length String RFC 3261: Content-Length Header
mime_multipart.header.content-type Content-Type String RFC 3261: Content-Type Header
mime_multipart.type Type String RFC 3261: MIME multipart encapsulation type
mms.AlternateAccess_item Item Unsigned 32-bit integer mms.AlternateAccess_item
mms.FileName_item Item String mms.GraphicString
mms.ScatteredAccessDescription_item Item No value mms.ScatteredAccessDescription_item
mms.Write_Response_item Item Unsigned 32-bit integer mms.Write_Response_item
mms.aaSpecific aaSpecific No value mms.NULL
mms.aa_specific aa-specific String mms.Identifier
mms.abortOnTimeOut abortOnTimeOut Boolean mms.BOOLEAN
mms.acceptableDelay acceptableDelay Signed 32-bit integer mms.Unsigned32
mms.access access Signed 32-bit integer mms.T_access
mms.accesst accesst Unsigned 32-bit integer mms.AlternateAccessSelection
mms.acknowledgeEventNotification acknowledgeEventNotification No value mms.AcknowledgeEventNotification_Request
mms.acknowledgedState acknowledgedState Signed 32-bit integer mms.EC_State
mms.acknowledgmentFilter acknowledgmentFilter Signed 32-bit integer mms.T_acknowledgmentFilter
mms.actionResult actionResult No value mms.T_actionResult
mms.active-to-disabled active-to-disabled Boolean
mms.active-to-idle active-to-idle Boolean
mms.activeAlarmsOnly activeAlarmsOnly Boolean mms.BOOLEAN
mms.additionalCode additionalCode Signed 32-bit integer mms.INTEGER
mms.additionalDescription additionalDescription String mms.VisibleString
mms.additionalDetail additionalDetail No value mms.JOU_Additional_Detail
mms.address address Unsigned 32-bit integer mms.Address
mms.ae_invocation_id ae-invocation-id Signed 32-bit integer mms.T_ae_invocation_id
mms.ae_qualifier ae-qualifier Unsigned 32-bit integer mms.T_ae_qualifier
mms.alarmAcknowledgementRule alarmAcknowledgementRule Signed 32-bit integer mms.AlarmAckRule
mms.alarmAcknowledgmentRule alarmAcknowledgmentRule Signed 32-bit integer mms.AlarmAckRule
mms.alarmSummaryReports alarmSummaryReports Boolean mms.BOOLEAN
mms.allElements allElements No value mms.NULL
mms.alterEventConditionMonitoring alterEventConditionMonitoring No value mms.AlterEventConditionMonitoring_Request
mms.alterEventEnrollment alterEventEnrollment No value mms.AlterEventEnrollment_Request
mms.alternateAccess alternateAccess Unsigned 32-bit integer mms.AlternateAccess
mms.annotation annotation String mms.VisibleString
mms.any-to-deleted any-to-deleted Boolean
mms.ap_invocation_id ap-invocation-id Signed 32-bit integer mms.T_ap_invocation_id
mms.ap_title ap-title Unsigned 32-bit integer mms.T_ap_title
mms.applicationReference applicationReference No value mms.ApplicationReference
mms.applicationToPreempt applicationToPreempt No value mms.ApplicationReference
mms.application_reference application-reference Signed 32-bit integer mms.T_application_reference
mms.array array No value mms.T_array
mms.array_item Item Unsigned 32-bit integer mms.Data
mms.attachToEventCondition attachToEventCondition Boolean
mms.attachToSemaphore attachToSemaphore Boolean
mms.attach_To_Event_Condition attach-To-Event-Condition No value mms.AttachToEventCondition
mms.attach_To_Semaphore attach-To-Semaphore No value mms.AttachToSemaphore
mms.bcd bcd Signed 32-bit integer mms.Unsigned8
mms.binary_time binary-time Boolean mms.BOOLEAN
mms.bit_string bit-string Signed 32-bit integer mms.Integer32
mms.boolean boolean No value mms.NULL
mms.booleanArray booleanArray Byte array mms.BIT_STRING
mms.cancel cancel Signed 32-bit integer mms.T_cancel
mms.cancel_ErrorPDU cancel-ErrorPDU No value mms.Cancel_ErrorPDU
mms.cancel_RequestPDU cancel-RequestPDU Signed 32-bit integer mms.Cancel_RequestPDU
mms.cancel_ResponsePDU cancel-ResponsePDU Signed 32-bit integer mms.Cancel_ResponsePDU
mms.cancel_errorPDU cancel-errorPDU Signed 32-bit integer mms.T_cancel_errorPDU
mms.cancel_requestPDU cancel-requestPDU Signed 32-bit integer mms.T_cancel_requestPDU
mms.cancel_responsePDU cancel-responsePDU Signed 32-bit integer mms.T_cancel_responsePDU
mms.causingTransitions causingTransitions Byte array mms.Transitions
mms.cei cei Boolean
mms.class class Signed 32-bit integer mms.T_class
mms.clientApplication clientApplication No value mms.ApplicationReference
mms.coded coded No value acse.EXTERNAL
mms.component component String mms.Identifier
mms.componentName componentName String mms.Identifier
mms.componentType componentType Unsigned 32-bit integer mms.TypeSpecification
mms.components components Unsigned 32-bit integer mms.T_components
mms.components_item Item No value mms.T_components_item
mms.conclude conclude Signed 32-bit integer mms.T_conclude
mms.conclude_ErrorPDU conclude-ErrorPDU No value mms.Conclude_ErrorPDU
mms.conclude_RequestPDU conclude-RequestPDU No value mms.Conclude_RequestPDU
mms.conclude_ResponsePDU conclude-ResponsePDU No value mms.Conclude_ResponsePDU
mms.conclude_errorPDU conclude-errorPDU Signed 32-bit integer mms.T_conclude_errorPDU
mms.conclude_requestPDU conclude-requestPDU Signed 32-bit integer mms.T_conclude_requestPDU
mms.conclude_responsePDU conclude-responsePDU Signed 32-bit integer mms.T_conclude_responsePDU
mms.confirmedServiceRequest confirmedServiceRequest Unsigned 32-bit integer mms.ConfirmedServiceRequest
mms.confirmedServiceResponse confirmedServiceResponse Unsigned 32-bit integer mms.ConfirmedServiceResponse
mms.confirmed_ErrorPDU confirmed-ErrorPDU No value mms.Confirmed_ErrorPDU
mms.confirmed_RequestPDU confirmed-RequestPDU No value mms.Confirmed_RequestPDU
mms.confirmed_ResponsePDU confirmed-ResponsePDU No value mms.Confirmed_ResponsePDU
mms.confirmed_errorPDU confirmed-errorPDU Signed 32-bit integer mms.T_confirmed_errorPDU
mms.confirmed_requestPDU confirmed-requestPDU Signed 32-bit integer mms.T_confirmed_requestPDU
mms.confirmed_responsePDU confirmed-responsePDU Signed 32-bit integer mms.T_confirmed_responsePDU
mms.continueAfter continueAfter String mms.Identifier
mms.controlTimeOut controlTimeOut Signed 32-bit integer mms.Unsigned32
mms.createJournal createJournal No value mms.CreateJournal_Request
mms.createProgramInvocation createProgramInvocation No value mms.CreateProgramInvocation_Request
mms.cs_request_detail cs-request-detail Unsigned 32-bit integer mms.CS_Request_Detail
mms.currentEntries currentEntries Signed 32-bit integer mms.Unsigned32
mms.currentFileName currentFileName Unsigned 32-bit integer mms.FileName
mms.currentName currentName Unsigned 32-bit integer mms.ObjectName
mms.currentState currentState Signed 32-bit integer mms.EC_State
mms.data data No value mms.T_data
mms.defineEventAction defineEventAction No value mms.DefineEventAction_Request
mms.defineEventCondition defineEventCondition No value mms.DefineEventCondition_Request
mms.defineEventEnrollment defineEventEnrollment No value mms.DefineEventEnrollment_Request
mms.defineEventEnrollment_Error defineEventEnrollment-Error Unsigned 32-bit integer mms.DefineEventEnrollment_Error
mms.defineNamedType defineNamedType No value mms.DefineNamedType_Request
mms.defineNamedVariable defineNamedVariable No value mms.DefineNamedVariable_Request
mms.defineNamedVariableList defineNamedVariableList No value mms.DefineNamedVariableList_Request
mms.defineScatteredAccess defineScatteredAccess No value mms.DefineScatteredAccess_Request
mms.defineSemaphore defineSemaphore No value mms.DefineSemaphore_Request
mms.definition definition Signed 32-bit integer mms.T_definition
mms.deleteDomain deleteDomain String mms.DeleteDomain_Request
mms.deleteEventAction deleteEventAction Unsigned 32-bit integer mms.DeleteEventAction_Request
mms.deleteEventCondition deleteEventCondition Unsigned 32-bit integer mms.DeleteEventCondition_Request
mms.deleteEventEnrollment deleteEventEnrollment Unsigned 32-bit integer mms.DeleteEventEnrollment_Request
mms.deleteJournal deleteJournal No value mms.DeleteJournal_Request
mms.deleteNamedType deleteNamedType No value mms.DeleteNamedType_Request
mms.deleteNamedVariableList deleteNamedVariableList No value mms.DeleteNamedVariableList_Request
mms.deleteProgramInvocation deleteProgramInvocation String mms.DeleteProgramInvocation_Request
mms.deleteSemaphore deleteSemaphore Unsigned 32-bit integer mms.DeleteSemaphore_Request
mms.deleteVariableAccess deleteVariableAccess No value mms.DeleteVariableAccess_Request
mms.destinationFile destinationFile Unsigned 32-bit integer mms.FileName
mms.disabled-to-active disabled-to-active Boolean
mms.disabled-to-idle disabled-to-idle Boolean
mms.discard discard No value mms.ServiceError
mms.domain domain String mms.Identifier
mms.domainId domainId String mms.Identifier
mms.domainName domainName String mms.Identifier
mms.domainSpecific domainSpecific String mms.Identifier
mms.domain_specific domain-specific No value mms.T_domain_specific
mms.downloadSegment downloadSegment String mms.DownloadSegment_Request
mms.duration duration Signed 32-bit integer mms.EE_Duration
mms.ea ea Unsigned 32-bit integer mms.ObjectName
mms.ec ec Unsigned 32-bit integer mms.ObjectName
mms.echo echo Boolean mms.BOOLEAN
mms.elementType elementType Unsigned 32-bit integer mms.TypeSpecification
mms.enabled enabled Boolean mms.BOOLEAN
mms.encodedString encodedString No value acse.EXTERNAL
mms.endingTime endingTime Byte array mms.TimeOfDay
mms.enrollementState enrollementState Signed 32-bit integer mms.EE_State
mms.enrollmentClass enrollmentClass Signed 32-bit integer mms.EE_Class
mms.enrollmentsOnly enrollmentsOnly Boolean mms.BOOLEAN
mms.entryClass entryClass Signed 32-bit integer mms.T_entryClass
mms.entryContent entryContent No value mms.EntryContent
mms.entryForm entryForm Unsigned 32-bit integer mms.T_entryForm
mms.entryId entryId Byte array mms.OCTET_STRING
mms.entryIdToStartAfter entryIdToStartAfter Byte array mms.OCTET_STRING
mms.entryIdentifier entryIdentifier Byte array mms.OCTET_STRING
mms.entrySpecification entrySpecification Byte array mms.OCTET_STRING
mms.entryToStartAfter entryToStartAfter No value mms.T_entryToStartAfter
mms.errorClass errorClass Unsigned 32-bit integer mms.T_errorClass
mms.evaluationInterval evaluationInterval Signed 32-bit integer mms.Unsigned32
mms.event event No value mms.T_event
mms.eventActioName eventActioName Unsigned 32-bit integer mms.ObjectName
mms.eventAction eventAction Unsigned 32-bit integer mms.ObjectName
mms.eventActionName eventActionName Unsigned 32-bit integer mms.ObjectName
mms.eventActionResult eventActionResult Unsigned 32-bit integer mms.T_eventActionResult
mms.eventCondition eventCondition Unsigned 32-bit integer mms.ObjectName
mms.eventConditionName eventConditionName Unsigned 32-bit integer mms.ObjectName
mms.eventConditionTransition eventConditionTransition Byte array mms.Transitions
mms.eventConditionTransitions eventConditionTransitions Byte array mms.Transitions
mms.eventEnrollmentName eventEnrollmentName Unsigned 32-bit integer mms.ObjectName
mms.eventEnrollmentNames eventEnrollmentNames Unsigned 32-bit integer mms.SEQUENCE_OF_ObjectName
mms.eventEnrollmentNames_item Item Unsigned 32-bit integer mms.ObjectName
mms.eventNotification eventNotification No value mms.EventNotification
mms.executionArgument executionArgument Unsigned 32-bit integer mms.T_executionArgument
mms.extendedObjectClass extendedObjectClass Unsigned 32-bit integer mms.T_extendedObjectClass
mms.failure failure Signed 32-bit integer mms.DataAccessError
mms.file file Signed 32-bit integer mms.T_file
mms.fileAttributes fileAttributes No value mms.FileAttributes
mms.fileClose fileClose Signed 32-bit integer mms.FileClose_Request
mms.fileData fileData Byte array mms.OCTET_STRING
mms.fileDelete fileDelete Unsigned 32-bit integer mms.FileDelete_Request
mms.fileDirectory fileDirectory No value mms.FileDirectory_Request
mms.fileName fileName Unsigned 32-bit integer mms.FileName
mms.fileOpen fileOpen No value mms.FileOpen_Request
mms.fileRead fileRead Signed 32-bit integer mms.FileRead_Request
mms.fileRename fileRename No value mms.FileRename_Request
mms.fileSpecification fileSpecification Unsigned 32-bit integer mms.FileName
mms.filenName filenName Unsigned 32-bit integer mms.FileName
mms.filename filename Unsigned 32-bit integer mms.FileName
mms.floating_point floating-point Byte array mms.FloatingPoint
mms.foo foo Signed 32-bit integer mms.INTEGER
mms.freeNamedToken freeNamedToken String mms.Identifier
mms.frsmID frsmID Signed 32-bit integer mms.Integer32
mms.generalized_time generalized-time No value mms.NULL
mms.getAlarmEnrollmentSummary getAlarmEnrollmentSummary No value mms.GetAlarmEnrollmentSummary_Request
mms.getAlarmSummary getAlarmSummary No value mms.GetAlarmSummary_Request
mms.getCapabilityList getCapabilityList No value mms.GetCapabilityList_Request
mms.getDomainAttributes getDomainAttributes String mms.GetDomainAttributes_Request
mms.getEventActionAttributes getEventActionAttributes Unsigned 32-bit integer mms.GetEventActionAttributes_Request
mms.getEventConditionAttributes getEventConditionAttributes Unsigned 32-bit integer mms.GetEventConditionAttributes_Request
mms.getEventEnrollmentAttributes getEventEnrollmentAttributes No value mms.GetEventEnrollmentAttributes_Request
mms.getNameList getNameList No value mms.GetNameList_Request
mms.getNamedTypeAttributes getNamedTypeAttributes Unsigned 32-bit integer mms.GetNamedTypeAttributes_Request
mms.getNamedVariableListAttributes getNamedVariableListAttributes Unsigned 32-bit integer mms.GetNamedVariableListAttributes_Request
mms.getProgramInvocationAttributes getProgramInvocationAttributes String mms.GetProgramInvocationAttributes_Request
mms.getScatteredAccessAttributes getScatteredAccessAttributes Unsigned 32-bit integer mms.GetScatteredAccessAttributes_Request
mms.getVariableAccessAttributes getVariableAccessAttributes Unsigned 32-bit integer mms.GetVariableAccessAttributes_Request
mms.hungNamedToken hungNamedToken String mms.Identifier
mms.identify identify No value mms.Identify_Request
mms.idle-to-active idle-to-active Boolean
mms.idle-to-disabled idle-to-disabled Boolean
mms.index index Signed 32-bit integer mms.Unsigned32
mms.indexRange indexRange No value mms.T_indexRange
mms.informationReport informationReport No value mms.InformationReport
mms.initialPosition initialPosition Signed 32-bit integer mms.Unsigned32
mms.initializeJournal initializeJournal No value mms.InitializeJournal_Request
mms.initiate initiate Signed 32-bit integer mms.T_initiate
mms.initiateDownloadSequence initiateDownloadSequence No value mms.InitiateDownloadSequence_Request
mms.initiateUploadSequence initiateUploadSequence String mms.InitiateUploadSequence_Request
mms.initiate_ErrorPDU initiate-ErrorPDU No value mms.Initiate_ErrorPDU
mms.initiate_RequestPDU initiate-RequestPDU No value mms.Initiate_RequestPDU
mms.initiate_ResponsePDU initiate-ResponsePDU No value mms.Initiate_ResponsePDU
mms.input input No value mms.Input_Request
mms.inputTimeOut inputTimeOut Signed 32-bit integer mms.Unsigned32
mms.integer integer Signed 32-bit integer mms.Unsigned8
mms.invalidated invalidated No value mms.NULL
mms.invokeID invokeID Signed 32-bit integer mms.Unsigned32
mms.itemId itemId String mms.Identifier
mms.journalName journalName Unsigned 32-bit integer mms.ObjectName
mms.kill kill No value mms.Kill_Request
mms.lastModified lastModified String mms.GeneralizedTime
mms.leastSevere leastSevere Signed 32-bit integer mms.Unsigned8
mms.limitSpecification limitSpecification No value mms.T_limitSpecification
mms.limitingEntry limitingEntry Byte array mms.OCTET_STRING
mms.limitingTime limitingTime Byte array mms.TimeOfDay
mms.listOfAbstractSyntaxes listOfAbstractSyntaxes Unsigned 32-bit integer mms.T_listOfAbstractSyntaxes
mms.listOfAbstractSyntaxes_item Item mms.OBJECT_IDENTIFIER
mms.listOfAccessResult listOfAccessResult Unsigned 32-bit integer mms.SEQUENCE_OF_AccessResult
mms.listOfAccessResult_item Item Unsigned 32-bit integer mms.AccessResult
mms.listOfAlarmEnrollmentSummary listOfAlarmEnrollmentSummary Unsigned 32-bit integer mms.SEQUENCE_OF_AlarmEnrollmentSummary
mms.listOfAlarmEnrollmentSummary_item Item No value mms.AlarmEnrollmentSummary
mms.listOfAlarmSummary listOfAlarmSummary Unsigned 32-bit integer mms.SEQUENCE_OF_AlarmSummary
mms.listOfAlarmSummary_item Item No value mms.AlarmSummary
mms.listOfCapabilities listOfCapabilities Unsigned 32-bit integer mms.T_listOfCapabilities
mms.listOfCapabilities_item Item String mms.VisibleString
mms.listOfData listOfData Unsigned 32-bit integer mms.SEQUENCE_OF_Data
mms.listOfData_item Item Unsigned 32-bit integer mms.Data
mms.listOfDirectoryEntry listOfDirectoryEntry Unsigned 32-bit integer mms.SEQUENCE_OF_DirectoryEntry
mms.listOfDirectoryEntry_item Item No value mms.DirectoryEntry
mms.listOfDomainName listOfDomainName Unsigned 32-bit integer mms.SEQUENCE_OF_Identifier
mms.listOfDomainName_item Item String mms.Identifier
mms.listOfDomainNames listOfDomainNames Unsigned 32-bit integer mms.SEQUENCE_OF_Identifier
mms.listOfDomainNames_item Item String mms.Identifier
mms.listOfEventEnrollment listOfEventEnrollment Unsigned 32-bit integer mms.SEQUENCE_OF_EventEnrollment
mms.listOfEventEnrollment_item Item No value mms.EventEnrollment
mms.listOfIdentifier listOfIdentifier Unsigned 32-bit integer mms.SEQUENCE_OF_Identifier
mms.listOfIdentifier_item Item String mms.Identifier
mms.listOfJournalEntry listOfJournalEntry Unsigned 32-bit integer mms.SEQUENCE_OF_JournalEntry
mms.listOfJournalEntry_item Item No value mms.JournalEntry
mms.listOfModifier listOfModifier Unsigned 32-bit integer mms.SEQUENCE_OF_Modifier
mms.listOfModifier_item Item Unsigned 32-bit integer mms.Modifier
mms.listOfName listOfName Unsigned 32-bit integer mms.SEQUENCE_OF_ObjectName
mms.listOfName_item Item Unsigned 32-bit integer mms.ObjectName
mms.listOfNamedTokens listOfNamedTokens Unsigned 32-bit integer mms.T_listOfNamedTokens
mms.listOfNamedTokens_item Item Unsigned 32-bit integer mms.T_listOfNamedTokens_item
mms.listOfOutputData listOfOutputData Unsigned 32-bit integer mms.T_listOfOutputData
mms.listOfOutputData_item Item String mms.VisibleString
mms.listOfProgramInvocations listOfProgramInvocations Unsigned 32-bit integer mms.SEQUENCE_OF_Identifier
mms.listOfProgramInvocations_item Item String mms.Identifier
mms.listOfPromptData listOfPromptData Unsigned 32-bit integer mms.T_listOfPromptData
mms.listOfPromptData_item Item String mms.VisibleString
mms.listOfSemaphoreEntry listOfSemaphoreEntry Unsigned 32-bit integer mms.SEQUENCE_OF_SemaphoreEntry
mms.listOfSemaphoreEntry_item Item No value mms.SemaphoreEntry
mms.listOfTypeName listOfTypeName Unsigned 32-bit integer mms.SEQUENCE_OF_ObjectName
mms.listOfTypeName_item Item Unsigned 32-bit integer mms.ObjectName
mms.listOfVariable listOfVariable Unsigned 32-bit integer mms.T_listOfVariable
mms.listOfVariableListName listOfVariableListName Unsigned 32-bit integer mms.SEQUENCE_OF_ObjectName
mms.listOfVariableListName_item Item Unsigned 32-bit integer mms.ObjectName
mms.listOfVariable_item Item No value mms.T_listOfVariable_item
mms.listOfVariables listOfVariables Unsigned 32-bit integer mms.T_listOfVariables
mms.listOfVariables_item Item String mms.VisibleString
mms.loadData loadData Unsigned 32-bit integer mms.T_loadData
mms.loadDomainContent loadDomainContent No value mms.LoadDomainContent_Request
mms.localDetail localDetail Byte array mms.BIT_STRING_SIZE_0_128
mms.localDetailCalled localDetailCalled Signed 32-bit integer mms.Integer32
mms.localDetailCalling localDetailCalling Signed 32-bit integer mms.Integer32
mms.lowIndex lowIndex Signed 32-bit integer mms.Unsigned32
mms.mmsDeletable mmsDeletable Boolean mms.BOOLEAN
mms.mmsInitRequestDetail mmsInitRequestDetail No value mms.InitRequestDetail
mms.mmsInitResponseDetail mmsInitResponseDetail No value mms.InitResponseDetail
mms.modelName modelName String mms.VisibleString
mms.modifierPosition modifierPosition Signed 32-bit integer mms.Unsigned32
mms.monitor monitor Boolean mms.BOOLEAN
mms.monitorType monitorType Boolean mms.BOOLEAN
mms.monitoredVariable monitoredVariable Unsigned 32-bit integer mms.VariableSpecification
mms.moreFollows moreFollows Boolean mms.BOOLEAN
mms.mostSevere mostSevere Signed 32-bit integer mms.Unsigned8
mms.name name Unsigned 32-bit integer mms.ObjectName
mms.nameToStartAfter nameToStartAfter String mms.Identifier
mms.named named No value mms.T_named
mms.namedToken namedToken String mms.Identifier
mms.negociatedDataStructureNestingLevel negociatedDataStructureNestingLevel Signed 32-bit integer mms.Integer8
mms.negociatedMaxServOutstandingCalled negociatedMaxServOutstandingCalled Signed 32-bit integer mms.Integer16
mms.negociatedMaxServOutstandingCalling negociatedMaxServOutstandingCalling Signed 32-bit integer mms.Integer16
mms.negociatedParameterCBB negociatedParameterCBB Byte array mms.ParameterSupportOptions
mms.negociatedVersionNumber negociatedVersionNumber Signed 32-bit integer mms.Integer16
mms.newFileName newFileName Unsigned 32-bit integer mms.FileName
mms.newIdentifier newIdentifier String mms.Identifier
mms.noResult noResult No value mms.NULL
mms.non_coded non-coded Byte array mms.OCTET_STRING
mms.notificationLost notificationLost Boolean mms.BOOLEAN
mms.numberDeleted numberDeleted Signed 32-bit integer mms.Unsigned32
mms.numberMatched numberMatched Signed 32-bit integer mms.Unsigned32
mms.numberOfElements numberOfElements Signed 32-bit integer mms.Unsigned32
mms.numberOfEntries numberOfEntries Signed 32-bit integer mms.Integer32
mms.numberOfEventEnrollments numberOfEventEnrollments Signed 32-bit integer mms.Unsigned32
mms.numberOfHungTokens numberOfHungTokens Signed 32-bit integer mms.Unsigned16
mms.numberOfOwnedTokens numberOfOwnedTokens Signed 32-bit integer mms.Unsigned16
mms.numberOfTokens numberOfTokens Signed 32-bit integer mms.Unsigned16
mms.numbersOfTokens numbersOfTokens Signed 32-bit integer mms.Unsigned16
mms.numericAddress numericAddress Signed 32-bit integer mms.Unsigned32
mms.objId objId No value mms.NULL
mms.objectClass objectClass Signed 32-bit integer mms.T_objectClass
mms.objectScope objectScope Unsigned 32-bit integer mms.T_objectScope
mms.obtainFile obtainFile No value mms.ObtainFile_Request
mms.occurenceTime occurenceTime Byte array mms.TimeOfDay
mms.octet_string octet-string Signed 32-bit integer mms.Integer32
mms.operatorStationName operatorStationName String mms.Identifier
mms.originalInvokeID originalInvokeID Signed 32-bit integer mms.Unsigned32
mms.originatingApplication originatingApplication No value mms.ApplicationReference
mms.others others Signed 32-bit integer mms.INTEGER
mms.output output No value mms.Output_Request
mms.ownedNamedToken ownedNamedToken String mms.Identifier
mms.packed packed Boolean mms.BOOLEAN
mms.pdu_error pdu-error Signed 32-bit integer mms.T_pdu_error
mms.prio_rity prio-rity Signed 32-bit integer mms.Priority
mms.priority priority Signed 32-bit integer mms.Priority
mms.programInvocationName programInvocationName String mms.Identifier
mms.proposedDataStructureNestingLevel proposedDataStructureNestingLevel Signed 32-bit integer mms.Integer8
mms.proposedMaxServOutstandingCalled proposedMaxServOutstandingCalled Signed 32-bit integer mms.Integer16
mms.proposedMaxServOutstandingCalling proposedMaxServOutstandingCalling Signed 32-bit integer mms.Integer16
mms.proposedParameterCBB proposedParameterCBB Byte array mms.ParameterSupportOptions
mms.proposedVersionNumber proposedVersionNumber Signed 32-bit integer mms.Integer16
mms.rangeStartSpecification rangeStartSpecification Unsigned 32-bit integer mms.T_rangeStartSpecification
mms.rangeStopSpecification rangeStopSpecification Unsigned 32-bit integer mms.T_rangeStopSpecification
mms.read read No value mms.Read_Request
mms.readJournal readJournal No value mms.ReadJournal_Request
mms.real real Boolean
mms.rejectPDU rejectPDU No value mms.RejectPDU
mms.rejectReason rejectReason Unsigned 32-bit integer mms.T_rejectReason
mms.relinquishControl relinquishControl No value mms.RelinquishControl_Request
mms.relinquishIfConnectionLost relinquishIfConnectionLost Boolean mms.BOOLEAN
mms.remainingAcceptableDelay remainingAcceptableDelay Signed 32-bit integer mms.Unsigned32
mms.remainingTimeOut remainingTimeOut Signed 32-bit integer mms.Unsigned32
mms.rename rename No value mms.Rename_Request
mms.reportActionStatus reportActionStatus Signed 32-bit integer mms.ReportEventActionStatus_Response
mms.reportEventActionStatus reportEventActionStatus Unsigned 32-bit integer mms.ReportEventActionStatus_Request
mms.reportEventConditionStatus reportEventConditionStatus Unsigned 32-bit integer mms.ReportEventConditionStatus_Request
mms.reportEventEnrollmentStatus reportEventEnrollmentStatus Unsigned 32-bit integer mms.ReportEventEnrollmentStatus_Request
mms.reportJournalStatus reportJournalStatus Unsigned 32-bit integer mms.ReportJournalStatus_Request
mms.reportPoolSemaphoreStatus reportPoolSemaphoreStatus No value mms.ReportPoolSemaphoreStatus_Request
mms.reportSemaphoreEntryStatus reportSemaphoreEntryStatus No value mms.ReportSemaphoreEntryStatus_Request
mms.reportSemaphoreStatus reportSemaphoreStatus Unsigned 32-bit integer mms.ReportSemaphoreStatus_Request
mms.requestDomainDownLoad requestDomainDownLoad No value mms.RequestDomainDownload_Response
mms.requestDomainDownload requestDomainDownload No value mms.RequestDomainDownload_Request
mms.requestDomainUpload requestDomainUpload No value mms.RequestDomainUpload_Request
mms.reset reset No value mms.Reset_Request
mms.resource resource Signed 32-bit integer mms.T_resource
mms.resume resume No value mms.Resume_Request
mms.reusable reusable Boolean mms.BOOLEAN
mms.revision revision String mms.VisibleString
mms.scatteredAccessDescription scatteredAccessDescription Unsigned 32-bit integer mms.ScatteredAccessDescription
mms.scatteredAccessName scatteredAccessName Unsigned 32-bit integer mms.ObjectName
mms.scopeOfDelete scopeOfDelete Signed 32-bit integer mms.T_scopeOfDelete
mms.scopeOfRequest scopeOfRequest Signed 32-bit integer mms.T_scopeOfRequest
mms.selectAccess selectAccess Unsigned 32-bit integer mms.T_selectAccess
mms.semaphoreName semaphoreName Unsigned 32-bit integer mms.ObjectName
mms.service service Signed 32-bit integer mms.T_service
mms.serviceError serviceError No value mms.ServiceError
mms.serviceSpecificInformation serviceSpecificInformation Unsigned 32-bit integer mms.T_serviceSpecificInformation
mms.service_preempt service-preempt Signed 32-bit integer mms.T_service_preempt
mms.servicesSupportedCalled servicesSupportedCalled Byte array mms.ServiceSupportOptions
mms.servicesSupportedCalling servicesSupportedCalling Byte array mms.ServiceSupportOptions
mms.severity severity Signed 32-bit integer mms.Unsigned8
mms.severityFilter severityFilter No value mms.T_severityFilter
mms.sharable sharable Boolean mms.BOOLEAN
mms.simpleString simpleString String mms.VisibleString
mms.sizeOfFile sizeOfFile Signed 32-bit integer mms.Unsigned32
mms.sourceFile sourceFile Unsigned 32-bit integer mms.FileName
mms.sourceFileServer sourceFileServer No value mms.ApplicationReference
mms.specific specific Unsigned 32-bit integer mms.SEQUENCE_OF_ObjectName
mms.specific_item Item Unsigned 32-bit integer mms.ObjectName
mms.specificationWithResult specificationWithResult Boolean mms.BOOLEAN
mms.start start No value mms.Start_Request
mms.startArgument startArgument String mms.VisibleString
mms.startingEntry startingEntry Byte array mms.OCTET_STRING
mms.startingTime startingTime Byte array mms.TimeOfDay
mms.state state Signed 32-bit integer mms.DomainState
mms.status status Boolean mms.Status_Request
mms.stop stop No value mms.Stop_Request
mms.storeDomainContent storeDomainContent No value mms.StoreDomainContent_Request
mms.str1 str1 Boolean
mms.str2 str2 Boolean
mms.structure structure No value mms.T_structure
mms.structure_item Item Unsigned 32-bit integer mms.Data
mms.success success No value mms.NULL
mms.symbolicAddress symbolicAddress String mms.VisibleString
mms.takeControl takeControl No value mms.TakeControl_Request
mms.terminateDownloadSequence terminateDownloadSequence No value mms.TerminateDownloadSequence_Request
mms.terminateUploadSequence terminateUploadSequence Signed 32-bit integer mms.TerminateUploadSequence_Request
mms.thirdParty thirdParty No value mms.ApplicationReference
mms.timeActiveAcknowledged timeActiveAcknowledged Unsigned 32-bit integer mms.EventTime
mms.timeIdleAcknowledged timeIdleAcknowledged Unsigned 32-bit integer mms.EventTime
mms.timeOfAcknowledgedTransition timeOfAcknowledgedTransition Unsigned 32-bit integer mms.EventTime
mms.timeOfDayT timeOfDayT Byte array mms.TimeOfDay
mms.timeOfLastTransitionToActive timeOfLastTransitionToActive Unsigned 32-bit integer mms.EventTime
mms.timeOfLastTransitionToIdle timeOfLastTransitionToIdle Unsigned 32-bit integer mms.EventTime
mms.timeSequenceIdentifier timeSequenceIdentifier Signed 32-bit integer mms.Unsigned32
mms.timeSpecification timeSpecification Byte array mms.TimeOfDay
mms.time_resolution time-resolution Signed 32-bit integer mms.T_time_resolution
mms.tpy tpy Boolean
mms.transitionTime transitionTime Unsigned 32-bit integer mms.EventTime
mms.triggerEvent triggerEvent No value mms.TriggerEvent_Request
mms.typeName typeName Unsigned 32-bit integer mms.ObjectName
mms.typeSpecification typeSpecification Unsigned 32-bit integer mms.TypeSpecification
mms.ulsmID ulsmID Signed 32-bit integer mms.Integer32
mms.unacknowledgedState unacknowledgedState Signed 32-bit integer mms.T_unacknowledgedState
mms.unconfirmedPDU unconfirmedPDU Signed 32-bit integer mms.T_unconfirmedPDU
mms.unconfirmedService unconfirmedService Unsigned 32-bit integer mms.UnconfirmedService
mms.unconfirmed_PDU unconfirmed-PDU No value mms.Unconfirmed_PDU
mms.unconstrainedAddress unconstrainedAddress Byte array mms.OCTET_STRING
mms.undefined undefined No value mms.NULL
mms.unnamed unnamed Unsigned 32-bit integer mms.AlternateAccessSelection
mms.unsigned unsigned Signed 32-bit integer mms.Unsigned8
mms.unsolicitedStatus unsolicitedStatus No value mms.UnsolicitedStatus
mms.uploadInProgress uploadInProgress Signed 32-bit integer mms.Integer8
mms.uploadSegment uploadSegment Signed 32-bit integer mms.UploadSegment_Request
mms.vadr vadr Boolean
mms.valt valt Boolean
mms.valueSpecification valueSpecification Unsigned 32-bit integer mms.Data
mms.variableAccessSpecification variableAccessSpecification Unsigned 32-bit integer mms.VariableAccessSpecification
mms.variableAccessSpecificatn variableAccessSpecificatn Unsigned 32-bit integer mms.VariableAccessSpecification
mms.variableDescription variableDescription No value mms.T_variableDescription
mms.variableListName variableListName Unsigned 32-bit integer mms.ObjectName
mms.variableName variableName Unsigned 32-bit integer mms.ObjectName
mms.variableReference variableReference Unsigned 32-bit integer mms.VariableSpecification
mms.variableSpecification variableSpecification Unsigned 32-bit integer mms.VariableSpecification
mms.variableTag variableTag String mms.VisibleString
mms.vendorName vendorName String mms.VisibleString
mms.visible_string visible-string Signed 32-bit integer mms.Integer32
mms.vlis vlis Boolean
mms.vmd vmd No value mms.NULL
mms.vmdLogicalStatus vmdLogicalStatus Signed 32-bit integer mms.T_vmdLogicalStatus
mms.vmdPhysicalStatus vmdPhysicalStatus Signed 32-bit integer mms.T_vmdPhysicalStatus
mms.vmdSpecific vmdSpecific No value mms.NULL
mms.vmd_specific vmd-specific String mms.Identifier
mms.vmd_state vmd-state Signed 32-bit integer mms.T_vmd_state
mms.vnam vnam Boolean
mms.vsca vsca Boolean
mms.write write No value mms.Write_Request
mms.writeJournal writeJournal No value mms.WriteJournal_Request
mmse.bcc Bcc String Blind carbon copy.
mmse.cc Cc String Carbon copy.
mmse.content_location X-Mms-Content-Location String Defines the location of the message.
mmse.content_type Data No value Media content of the message.
mmse.date Date Date/Time stamp Arrival timestamp of the message or sending timestamp.
mmse.delivery_report X-Mms-Delivery-Report Unsigned 8-bit integer Whether a report of message delivery is wanted or not.
mmse.delivery_time.abs X-Mms-Delivery-Time Date/Time stamp The time at which message delivery is desired.
mmse.delivery_time.rel X-Mms-Delivery-Time Time duration The desired message delivery delay.
mmse.expiry.abs X-Mms-Expiry Date/Time stamp Time when message expires and need not be delivered anymore.
mmse.expiry.rel X-Mms-Expiry Time duration Delay before message expires and need not be delivered anymore.
mmse.ffheader Free format (not encoded) header String Application header without corresponding encoding.
mmse.from From String Address of the message sender.
mmse.message_class.id X-Mms-Message-Class Unsigned 8-bit integer Of what category is the message.
mmse.message_class.str X-Mms-Message-Class String Of what category is the message.
mmse.message_id Message-Id String Unique identification of the message.
mmse.message_size X-Mms-Message-Size Unsigned 32-bit integer The size of the message in octets.
mmse.message_type X-Mms-Message-Type Unsigned 8-bit integer Specifies the transaction type. Effectively defines PDU.
mmse.mms_version X-Mms-MMS-Version String Version of the protocol used.
mmse.previously_sent_by X-Mms-Previously-Sent-By String Indicates that the MM has been previously sent by this user.
mmse.previously_sent_by.address Address String Indicates from whom the MM has been previously sent.
mmse.previously_sent_by.forward_count Forward Count Unsigned 32-bit integer Forward count of the previously sent MM.
mmse.previously_sent_date X-Mms-Previously-Sent-Date String Indicates the date that the MM has been previously sent.
mmse.previously_sent_date.date Date String Time when the MM has been previously sent.
mmse.previously_sent_date.forward_count Forward Count Unsigned 32-bit integer Forward count of the previously sent MM.
mmse.priority X-Mms-Priority Unsigned 8-bit integer Priority of the message.
mmse.read_reply X-Mms-Read-Reply Unsigned 8-bit integer Whether a read report from every recipient is wanted.
mmse.read_report X-Mms-Read-Report Unsigned 8-bit integer Whether a read report from every recipient is wanted.
mmse.read_status X-Mms-Read-Status Unsigned 8-bit integer MMS-specific message read status.
mmse.reply_charging X-Mms-Reply-Charging Unsigned 8-bit integer MMS-specific message reply charging method.
mmse.reply_charging_deadline X-Mms-Reply-Charging-Deadline Unsigned 8-bit integer MMS-specific message reply charging deadline type.
mmse.reply_charging_id X-Mms-Reply-Charging-Id String Unique reply charging identification of the message.
mmse.reply_charging_size X-Mms-Reply-Charging-Size Unsigned 32-bit integer The size of the reply charging in octets.
mmse.report_allowed X-Mms-Report-Allowed Unsigned 8-bit integer Sending of delivery report allowed or not.
mmse.response_status Response-Status Unsigned 8-bit integer MMS-specific result of a message submission or retrieval.
mmse.response_text Response-Text String Additional information on MMS-specific result.
mmse.retrieve_status X-Mms-Retrieve-Status Unsigned 8-bit integer MMS-specific result of a message retrieval.
mmse.retrieve_text X-Mms-Retrieve-Text String Status text of a MMS message retrieval.
mmse.sender_visibility Sender-Visibility Unsigned 8-bit integer Disclose sender identity to receiver or not.
mmse.status Status Unsigned 8-bit integer Current status of the message.
mmse.subject Subject String Subject of the message.
mmse.to To String Recipient(s) of the message.
mmse.transaction_id X-Mms-Transaction-ID String A unique identifier for this transaction. Identifies request and corresponding response only.
kpasswd.ChangePasswdData ChangePasswdData No value Change Password Data structure
kpasswd.ap_req AP_REQ No value AP_REQ structure
kpasswd.ap_req_len AP_REQ Length Unsigned 16-bit integer Length of AP_REQ data
kpasswd.krb_priv KRB-PRIV No value KRB-PRIV message
kpasswd.message_len Message Length Unsigned 16-bit integer Message Length
kpasswd.new_password New Password String New Password
kpasswd.result Result Unsigned 16-bit integer Result
kpasswd.result_string Result String String Result String
kpasswd.version Version Unsigned 16-bit integer Version
msnlb.cluster_virtual_ip Cluster Virtual IP IPv4 address Cluster Virtual IP address
msnlb.count Count Unsigned 32-bit integer Count
msnlb.host_ip Host IP IPv4 address Host IP address
msnlb.host_name Host name String Host name
msnlb.hpn Host Priority Number Unsigned 32-bit integer Host Priority Number
msnlb.unknown Unknown Byte array
msproxy.bindaddr Destination IPv4 address
msproxy.bindid Bound Port Id Unsigned 32-bit integer
msproxy.bindport Bind Port Unsigned 16-bit integer
msproxy.boundport Bound Port Unsigned 16-bit integer
msproxy.clntport Client Port Unsigned 16-bit integer
msproxy.command Command Unsigned 16-bit integer
msproxy.dstaddr Destination Address IPv4 address
msproxy.dstport Destination Port Unsigned 16-bit integer
msproxy.resolvaddr Address IPv4 address
msproxy.server_ext_addr Server External Address IPv4 address
msproxy.server_ext_port Server External Port Unsigned 16-bit integer
msproxy.server_int_addr Server Internal Address IPv4 address
msproxy.server_int_port Server Internal Port Unsigned 16-bit integer
msproxy.serveraddr Server Address IPv4 address
msproxy.serverport Server Port Unsigned 16-bit integer
msproxy.srcport Source Port Unsigned 16-bit integer
msnip.checksum Checksum Unsigned 16-bit integer MSNIP Checksum
msnip.checksum_bad Bad Checksum Boolean Bad MSNIP Checksum
msnip.count Count Unsigned 8-bit integer MSNIP Number of groups
msnip.genid Generation ID Unsigned 16-bit integer MSNIP Generation ID
msnip.groups Groups No value MSNIP Groups
msnip.holdtime Holdtime Unsigned 32-bit integer MSNIP Holdtime in seconds
msnip.holdtime16 Holdtime Unsigned 16-bit integer MSNIP Holdtime in seconds
msnip.maddr Multicast group IPv4 address MSNIP Multicast Group
msnip.netmask Netmask Unsigned 8-bit integer MSNIP Netmask
msnip.rec_type Record Type Unsigned 8-bit integer MSNIP Record Type
msnip.type Type Unsigned 8-bit integer MSNIP Packet Type
m2tp.diagnostic_info Diagnostic information Byte array
m2tp.error_code Error code Unsigned 32-bit integer
m2tp.heartbeat_data Heartbeat data Byte array
m2tp.info_string Info string String
m2tp.interface_identifier Interface Identifier Unsigned 32-bit integer
m2tp.master_slave Master Slave Indicator Unsigned 32-bit integer
m2tp.message_class Message class Unsigned 8-bit integer
m2tp.message_length Message length Unsigned 32-bit integer
m2tp.message_type Message Type Unsigned 8-bit integer
m2tp.parameter_length Parameter length Unsigned 16-bit integer
m2tp.parameter_padding Padding Byte array
m2tp.parameter_tag Parameter Tag Unsigned 16-bit integer
m2tp.parameter_value Parameter Value Byte array
m2tp.reason Reason Unsigned 32-bit integer
m2tp.reserved Reserved Unsigned 8-bit integer
m2tp.user_identifier M2tp User Identifier Unsigned 32-bit integer
m2tp.version Version Unsigned 8-bit integer
m2ua.action Actions Unsigned 32-bit integer
m2ua.asp_identifier ASP identifier Unsigned 32-bit integer
m2ua.congestion_status Congestion status Unsigned 32-bit integer
m2ua.correlation_identifier Correlation identifier Unsigned 32-bit integer
m2ua.data_2_li Length indicator Unsigned 8-bit integer
m2ua.deregistration_status Deregistration status Unsigned 32-bit integer
m2ua.diagnostic_information Diagnostic information Byte array
m2ua.discard_status Discard status Unsigned 32-bit integer
m2ua.error_code Error code Unsigned 32-bit integer
m2ua.event Event Unsigned 32-bit integer
m2ua.heartbeat_data Heartbeat data Byte array
m2ua.info_string Info string String
m2ua.interface_identifier_int Interface Identifier (integer) Unsigned 32-bit integer
m2ua.interface_identifier_start Interface Identifier (start) Unsigned 32-bit integer
m2ua.interface_identifier_stop Interface Identifier (stop) Unsigned 32-bit integer
m2ua.interface_identifier_text Interface identifier (text) String
m2ua.local_lk_identifier Local LK identifier Unsigned 32-bit integer
m2ua.message_class Message class Unsigned 8-bit integer
m2ua.message_length Message length Unsigned 32-bit integer
m2ua.message_type Message Type Unsigned 8-bit integer
m2ua.parameter_length Parameter length Unsigned 16-bit integer
m2ua.parameter_padding Padding Byte array
m2ua.parameter_tag Parameter Tag Unsigned 16-bit integer
m2ua.parameter_value Parameter value Byte array
m2ua.registration_status Registration status Unsigned 32-bit integer
m2ua.reserved Reserved Unsigned 8-bit integer
m2ua.retrieval_result Retrieval result Unsigned 32-bit integer
m2ua.sdl_identifier SDL identifier Unsigned 16-bit integer
m2ua.sdl_reserved Reserved Unsigned 16-bit integer
m2ua.sdt_identifier SDT identifier Unsigned 16-bit integer
m2ua.sdt_reserved Reserved Unsigned 16-bit integer
m2ua.sequence_number Sequence number Unsigned 32-bit integer
m2ua.state State Unsigned 32-bit integer
m2ua.status_info Status info Unsigned 16-bit integer
m2ua.status_type Status type Unsigned 16-bit integer
m2ua.traffic_mode_type Traffic mode Type Unsigned 32-bit integer
m2ua.version Version Unsigned 8-bit integer
m3ua.affected_point_code_mask Mask Unsigned 8-bit integer
m3ua.affected_point_code_pc Affected point code Unsigned 24-bit integer
m3ua.asp_identifier ASP identifier Unsigned 32-bit integer
m3ua.cic_range_lower Lower CIC value Unsigned 16-bit integer
m3ua.cic_range_mask Mask Unsigned 8-bit integer
m3ua.cic_range_pc Originating point code Unsigned 24-bit integer
m3ua.cic_range_upper Upper CIC value Unsigned 16-bit integer
m3ua.concerned_dpc Concerned DPC Unsigned 24-bit integer
m3ua.concerned_reserved Reserved Byte array
m3ua.congestion_level Congestion level Unsigned 8-bit integer
m3ua.congestion_reserved Reserved Byte array
m3ua.correlation_identifier Correlation Identifier Unsigned 32-bit integer
m3ua.deregistration_result_routing_context Routing context Unsigned 32-bit integer
m3ua.deregistration_results_status De-Registration status Unsigned 32-bit integer
m3ua.deregistration_status Deregistration status Unsigned 32-bit integer
m3ua.diagnostic_information Diagnostic information Byte array
m3ua.dpc_mask Mask Unsigned 8-bit integer
m3ua.dpc_pc Destination point code Unsigned 24-bit integer
m3ua.error_code Error code Unsigned 32-bit integer
m3ua.heartbeat_data Heartbeat data Byte array
m3ua.info_string Info string String
m3ua.local_rk_identifier Local routing key identifier Unsigned 32-bit integer
m3ua.message_class Message class Unsigned 8-bit integer
m3ua.message_length Message length Unsigned 32-bit integer
m3ua.message_type Message Type Unsigned 8-bit integer
m3ua.network_appearance Network appearance Unsigned 32-bit integer
m3ua.opc_list_mask Mask Unsigned 8-bit integer
m3ua.opc_list_pc Originating point code Unsigned 24-bit integer
m3ua.parameter_length Parameter length Unsigned 16-bit integer
m3ua.parameter_padding Padding Byte array
m3ua.parameter_tag Parameter Tag Unsigned 16-bit integer
m3ua.parameter_value Parameter value Byte array
m3ua.paramter_trailer Trailer Byte array
m3ua.protocol_data_2_li Length indicator Unsigned 8-bit integer
m3ua.protocol_data_dpc DPC Unsigned 32-bit integer
m3ua.protocol_data_mp MP Unsigned 8-bit integer
m3ua.protocol_data_ni NI Unsigned 8-bit integer
m3ua.protocol_data_opc OPC Unsigned 32-bit integer
m3ua.protocol_data_si SI Unsigned 8-bit integer
m3ua.protocol_data_sls SLS Unsigned 8-bit integer
m3ua.reason Reason Unsigned 32-bit integer
m3ua.registration_result_identifier Local RK-identifier value Unsigned 32-bit integer
m3ua.registration_result_routing_context Routing context Unsigned 32-bit integer
m3ua.registration_results_status Registration status Unsigned 32-bit integer
m3ua.registration_status Registration status Unsigned 32-bit integer
m3ua.reserved Reserved Unsigned 8-bit integer
m3ua.routing_context Routing context Unsigned 32-bit integer
m3ua.si Service indicator Unsigned 8-bit integer
m3ua.ssn Subsystem number Unsigned 8-bit integer
m3ua.status_info Status info Unsigned 16-bit integer
m3ua.status_type Status type Unsigned 16-bit integer
m3ua.traffic_mode_type Traffic mode Type Unsigned 32-bit integer
m3ua.unavailability_cause Unavailability cause Unsigned 16-bit integer
m3ua.user_identity User Identity Unsigned 16-bit integer
m3ua.version Version Unsigned 8-bit integer
m2pa.bsn BSN Unsigned 24-bit integer
m2pa.class Message Class Unsigned 8-bit integer
m2pa.filler Filler Byte array
m2pa.fsn FSN Unsigned 24-bit integer
m2pa.length Message length Unsigned 32-bit integer
m2pa.li_priority Priority Unsigned 8-bit integer
m2pa.li_spare Spare Unsigned 8-bit integer
m2pa.priority Priority Unsigned 8-bit integer
m2pa.priority_spare Spare Unsigned 8-bit integer
m2pa.spare Spare Unsigned 8-bit integer
m2pa.status Link Status Unsigned 32-bit integer
m2pa.type Message Type Unsigned 16-bit integer
m2pa.unknown_data Unknown Data Byte array
m2pa.unused Unused Unsigned 8-bit integer
m2pa.version Version Unsigned 8-bit integer
h245.AlternativeCapabilitySet_item alternativeCapability Unsigned 32-bit integer h245.CapabilityTableEntryNumber
h245.CertSelectionCriteria_item Item No value h245.Criteria
h245.EncryptionCapability_item Item Unsigned 32-bit integer h245.MediaEncryptionAlgorithm
h245.Manufacturer H.245 Manufacturer Unsigned 32-bit integer h245.H.221 Manufacturer
h245.ModeDescription_item Item No value h245.ModeElement
h245.OpenLogicalChannel OpenLogicalChannel No value h245.OpenLogicalChannel
h245.aal aal Unsigned 32-bit integer h245.Cmd_aal
h245.aal1 aal1 No value h245.T_aal1
h245.aal1ViaGateway aal1ViaGateway No value h245.T_aal1ViaGateway
h245.aal5 aal5 No value h245.T_aal5
h245.accept accept No value h245.NULL
h245.accepted accepted No value h245.NULL
h245.ackAndNackMessage ackAndNackMessage No value h245.NULL
h245.ackMessageOnly ackMessageOnly No value h245.NULL
h245.ackOrNackMessageOnly ackOrNackMessageOnly No value h245.NULL
h245.adaptationLayerType adaptationLayerType Unsigned 32-bit integer h245.T_adaptationLayerType
h245.adaptiveClockRecovery adaptiveClockRecovery Boolean h245.BOOLEAN
h245.addConnection addConnection No value h245.AddConnectionReq
h245.additionalDecoderBuffer additionalDecoderBuffer Unsigned 32-bit integer h245.INTEGER_0_262143
h245.additionalPictureMemory additionalPictureMemory No value h245.T_additionalPictureMemory
h245.address address Unsigned 32-bit integer h245.T_address
h245.advancedIntraCodingMode advancedIntraCodingMode Boolean h245.BOOLEAN
h245.advancedPrediction advancedPrediction Boolean h245.BOOLEAN
h245.al1Framed al1Framed No value h245.T_h223_al_type_al1Framed
h245.al1M al1M No value h245.T_h223_al_type_al1M
h245.al1NotFramed al1NotFramed No value h245.T_h223_al_type_al1NotFramed
h245.al2M al2M No value h245.T_h223_al_type_al2M
h245.al2WithSequenceNumbers al2WithSequenceNumbers No value h245.T_h223_al_type_al2WithSequenceNumbers
h245.al2WithoutSequenceNumbers al2WithoutSequenceNumbers No value h245.T_h223_al_type_al2WithoutSequenceNumbers
h245.al3 al3 No value h245.T_h223_al_type_al3
h245.al3M al3M No value h245.T_h223_al_type_al3M
h245.algorithm algorithm h245.OBJECT_IDENTIFIER
h245.algorithmOID algorithmOID h245.OBJECT_IDENTIFIER
h245.alpduInterleaving alpduInterleaving Boolean h245.BOOLEAN
h245.alphanumeric alphanumeric String h245.GeneralString
h245.alsduSplitting alsduSplitting Boolean h245.BOOLEAN
h245.alternateInterVLCMode alternateInterVLCMode Boolean h245.BOOLEAN
h245.annexA annexA Boolean h245.BOOLEAN
h245.annexB annexB Boolean h245.BOOLEAN
h245.annexD annexD Boolean h245.BOOLEAN
h245.annexE annexE Boolean h245.BOOLEAN
h245.annexF annexF Boolean h245.BOOLEAN
h245.annexG annexG Boolean h245.BOOLEAN
h245.annexH annexH Boolean h245.BOOLEAN
h245.antiSpamAlgorithm antiSpamAlgorithm h245.OBJECT_IDENTIFIER
h245.anyPixelAspectRatio anyPixelAspectRatio Boolean h245.BOOLEAN
h245.application application Unsigned 32-bit integer h245.Application
h245.arithmeticCoding arithmeticCoding Boolean h245.BOOLEAN
h245.arqType arqType Unsigned 32-bit integer h245.ArqType
h245.associateConference associateConference Boolean h245.BOOLEAN
h245.associatedAlgorithm associatedAlgorithm No value h245.NonStandardParameter
h245.associatedSessionID associatedSessionID Unsigned 32-bit integer h245.INTEGER_1_255
h245.atmABR atmABR Boolean h245.BOOLEAN
h245.atmCBR atmCBR Boolean h245.BOOLEAN
h245.atmParameters atmParameters No value h245.ATMParameters
h245.atmUBR atmUBR Boolean h245.BOOLEAN
h245.atm_AAL5_BIDIR atm-AAL5-BIDIR No value h245.NULL
h245.atm_AAL5_UNIDIR atm-AAL5-UNIDIR No value h245.NULL
h245.atm_AAL5_compressed atm-AAL5-compressed No value h245.T_atm_AAL5_compressed
h245.atmnrtVBR atmnrtVBR Boolean h245.BOOLEAN
h245.atmrtVBR atmrtVBR Boolean h245.BOOLEAN
h245.audioData audioData Unsigned 32-bit integer h245.AudioCapability
h245.audioHeader audioHeader Boolean h245.BOOLEAN
h245.audioHeaderPresent audioHeaderPresent Boolean h245.BOOLEAN
h245.audioLayer audioLayer Unsigned 32-bit integer h245.T_audioLayer
h245.audioLayer1 audioLayer1 Boolean h245.BOOLEAN
h245.audioLayer2 audioLayer2 Boolean h245.BOOLEAN
h245.audioLayer3 audioLayer3 Boolean h245.BOOLEAN
h245.audioMode audioMode Unsigned 32-bit integer h245.AudioMode
h245.audioSampling audioSampling Unsigned 32-bit integer h245.T_audioSampling
h245.audioSampling16k audioSampling16k Boolean h245.BOOLEAN
h245.audioSampling22k05 audioSampling22k05 Boolean h245.BOOLEAN
h245.audioSampling24k audioSampling24k Boolean h245.BOOLEAN
h245.audioSampling32k audioSampling32k Boolean h245.BOOLEAN
h245.audioSampling44k1 audioSampling44k1 Boolean h245.BOOLEAN
h245.audioSampling48k audioSampling48k Boolean h245.BOOLEAN
h245.audioTelephoneEvent audioTelephoneEvent String h245.GeneralString
h245.audioTelephonyEvent audioTelephonyEvent No value h245.NoPTAudioTelephonyEventCapability
h245.audioTone audioTone No value h245.NoPTAudioToneCapability
h245.audioUnit audioUnit Unsigned 32-bit integer h245.INTEGER_1_256
h245.audioUnitSize audioUnitSize Unsigned 32-bit integer h245.INTEGER_1_256
h245.audioWithAL1 audioWithAL1 Boolean h245.BOOLEAN
h245.audioWithAL1M audioWithAL1M Boolean h245.BOOLEAN
h245.audioWithAL2 audioWithAL2 Boolean h245.BOOLEAN
h245.audioWithAL2M audioWithAL2M Boolean h245.BOOLEAN
h245.audioWithAL3 audioWithAL3 Boolean h245.BOOLEAN
h245.audioWithAL3M audioWithAL3M Boolean h245.BOOLEAN
h245.authenticationCapability authenticationCapability No value h245.AuthenticationCapability
h245.authorizationParameter authorizationParameter No value h245.AuthorizationParameters
h245.availableBitRates availableBitRates No value h245.T_availableBitRates
h245.averageRate averageRate Unsigned 32-bit integer h245.INTEGER_1_4294967295
h245.bPictureEnhancement bPictureEnhancement Unsigned 32-bit integer h245.SET_SIZE_1_14_OF_BEnhancementParameters
h245.bPictureEnhancement_item Item No value h245.BEnhancementParameters
h245.backwardMaximumSDUSize backwardMaximumSDUSize Unsigned 32-bit integer h245.INTEGER_0_65535
h245.baseBitRateConstrained baseBitRateConstrained Boolean h245.BOOLEAN
h245.basic basic No value h245.NULL
h245.basicString basicString No value h245.NULL
h245.bigCpfAdditionalPictureMemory bigCpfAdditionalPictureMemory Unsigned 32-bit integer h245.INTEGER_1_256
h245.bitRate bitRate Unsigned 32-bit integer h245.INTEGER_1_19200
h245.bitRateLockedToNetworkClock bitRateLockedToNetworkClock Boolean h245.BOOLEAN
h245.bitRateLockedToPCRClock bitRateLockedToPCRClock Boolean h245.BOOLEAN
h245.booleanArray booleanArray Unsigned 32-bit integer h245.INTEGER_0_255
h245.bppMaxKb bppMaxKb Unsigned 32-bit integer h245.INTEGER_0_65535
h245.broadcastMyLogicalChannel broadcastMyLogicalChannel Unsigned 32-bit integer h245.LogicalChannelNumber
h245.broadcastMyLogicalChannelResponse broadcastMyLogicalChannelResponse Unsigned 32-bit integer h245.T_broadcastMyLogicalChannelResponse
h245.bucketSize bucketSize Unsigned 32-bit integer h245.INTEGER_1_4294967295
h245.burst burst Unsigned 32-bit integer h245.INTEGER_1_4294967295
h245.callAssociationNumber callAssociationNumber Unsigned 32-bit integer h245.INTEGER_0_4294967295
h245.callInformation callInformation No value h245.CallInformationReq
h245.canNotPerformLoop canNotPerformLoop No value h245.NULL
h245.cancelBroadcastMyLogicalChannel cancelBroadcastMyLogicalChannel Unsigned 32-bit integer h245.LogicalChannelNumber
h245.cancelMakeMeChair cancelMakeMeChair No value h245.NULL
h245.cancelMakeTerminalBroadcaster cancelMakeTerminalBroadcaster No value h245.NULL
h245.cancelMultipointConference cancelMultipointConference No value h245.NULL
h245.cancelMultipointModeCommand cancelMultipointModeCommand No value h245.NULL
h245.cancelMultipointSecondaryStatus cancelMultipointSecondaryStatus No value h245.NULL
h245.cancelMultipointZeroComm cancelMultipointZeroComm No value h245.NULL
h245.cancelSeenByAll cancelSeenByAll No value h245.NULL
h245.cancelSeenByAtLeastOneOther cancelSeenByAtLeastOneOther No value h245.NULL
h245.cancelSendThisSource cancelSendThisSource No value h245.NULL
h245.capabilities capabilities Unsigned 32-bit integer h245.SET_SIZE_1_256_OF_AlternativeCapabilitySet
h245.capabilities_item Item Unsigned 32-bit integer h245.AlternativeCapabilitySet
h245.capability capability Unsigned 32-bit integer h245.Capability
h245.capabilityDescriptorNumber capabilityDescriptorNumber Unsigned 32-bit integer h245.CapabilityDescriptorNumber
h245.capabilityDescriptorNumbers capabilityDescriptorNumbers Unsigned 32-bit integer h245.SET_SIZE_1_256_OF_CapabilityDescriptorNumber
h245.capabilityDescriptorNumbers_item Item Unsigned 32-bit integer h245.CapabilityDescriptorNumber
h245.capabilityDescriptors capabilityDescriptors Unsigned 32-bit integer h245.SET_SIZE_1_256_OF_CapabilityDescriptor
h245.capabilityDescriptors_item Item No value h245.CapabilityDescriptor
h245.capabilityIdentifier capabilityIdentifier Unsigned 32-bit integer h245.CapabilityIdentifier
h245.capabilityOnMuxStream capabilityOnMuxStream Unsigned 32-bit integer h245.SET_SIZE_1_256_OF_AlternativeCapabilitySet
h245.capabilityOnMuxStream_item Item Unsigned 32-bit integer h245.AlternativeCapabilitySet
h245.capabilityTable capabilityTable Unsigned 32-bit integer h245.SET_SIZE_1_256_OF_CapabilityTableEntry
h245.capabilityTableEntryNumber capabilityTableEntryNumber Unsigned 32-bit integer h245.CapabilityTableEntryNumber
h245.capabilityTableEntryNumbers capabilityTableEntryNumbers Unsigned 32-bit integer h245.SET_SIZE_1_65535_OF_CapabilityTableEntryNumber
h245.capabilityTableEntryNumbers_item Item Unsigned 32-bit integer h245.CapabilityTableEntryNumber
h245.capabilityTable_item Item No value h245.CapabilityTableEntry
h245.cause cause Unsigned 32-bit integer h245.MasterSlaveDeterminationRejectCause
h245.ccir601Prog ccir601Prog Boolean h245.BOOLEAN
h245.ccir601Seq ccir601Seq Boolean h245.BOOLEAN
h245.centralizedAudio centralizedAudio Boolean h245.BOOLEAN
h245.centralizedConferenceMC centralizedConferenceMC Boolean h245.BOOLEAN
h245.centralizedControl centralizedControl Boolean h245.BOOLEAN
h245.centralizedData centralizedData Unsigned 32-bit integer h245.SEQUENCE_OF_DataApplicationCapability
h245.centralizedData_item Item No value h245.DataApplicationCapability
h245.centralizedVideo centralizedVideo Boolean h245.BOOLEAN
h245.certProtectedKey certProtectedKey Boolean h245.BOOLEAN
h245.certSelectionCriteria certSelectionCriteria Unsigned 32-bit integer h245.CertSelectionCriteria
h245.certificateResponse certificateResponse Byte array h245.OCTET_STRING_SIZE_1_65535
h245.chairControlCapability chairControlCapability Boolean h245.BOOLEAN
h245.chairTokenOwnerResponse chairTokenOwnerResponse No value h245.T_chairTokenOwnerResponse
h245.channelTag channelTag Unsigned 32-bit integer h245.INTEGER_0_4294967295
h245.cif cif Boolean h245.BOOLEAN
h245.cif16 cif16 No value h245.NULL
h245.cif16AdditionalPictureMemory cif16AdditionalPictureMemory Unsigned 32-bit integer h245.INTEGER_1_256
h245.cif16MPI cif16MPI Unsigned 32-bit integer h245.INTEGER_1_32
h245.cif4 cif4 No value h245.NULL
h245.cif4AdditionalPictureMemory cif4AdditionalPictureMemory Unsigned 32-bit integer h245.INTEGER_1_256
h245.cif4MPI cif4MPI Unsigned 32-bit integer h245.INTEGER_1_32
h245.cifAdditionalPictureMemory cifAdditionalPictureMemory Unsigned 32-bit integer h245.INTEGER_1_256
h245.cifMPI cifMPI Unsigned 32-bit integer h245.INTEGER_1_4
h245.class0 class0 No value h245.NULL
h245.class1 class1 No value h245.NULL
h245.class2 class2 No value h245.NULL
h245.class3 class3 No value h245.NULL
h245.class4 class4 No value h245.NULL
h245.class5 class5 No value h245.NULL
h245.clockConversionCode clockConversionCode Unsigned 32-bit integer h245.INTEGER_1000_1001
h245.clockDivisor clockDivisor Unsigned 32-bit integer h245.INTEGER_1_127
h245.clockRecovery clockRecovery Unsigned 32-bit integer h245.Cmd_clockRecovery
h245.closeLogicalChannel closeLogicalChannel No value h245.CloseLogicalChannel
h245.closeLogicalChannelAck closeLogicalChannelAck No value h245.CloseLogicalChannelAck
h245.collapsing collapsing Unsigned 32-bit integer h245.SEQUENCE_OF_GenericParameter
h245.collapsing_item Item No value h245.GenericParameter
h245.comfortNoise comfortNoise Boolean h245.BOOLEAN
h245.command command Unsigned 32-bit integer h245.CommandMessage
h245.communicationModeCommand communicationModeCommand No value h245.CommunicationModeCommand
h245.communicationModeRequest communicationModeRequest No value h245.CommunicationModeRequest
h245.communicationModeResponse communicationModeResponse Unsigned 32-bit integer h245.CommunicationModeResponse
h245.communicationModeTable communicationModeTable Unsigned 32-bit integer h245.SET_SIZE_1_256_OF_CommunicationModeTableEntry
h245.communicationModeTable_item Item No value h245.CommunicationModeTableEntry
h245.compositionNumber compositionNumber Unsigned 32-bit integer h245.INTEGER_0_255
h245.conferenceCapability conferenceCapability No value h245.ConferenceCapability
h245.conferenceCommand conferenceCommand Unsigned 32-bit integer h245.ConferenceCommand
h245.conferenceID conferenceID Byte array h245.ConferenceID
h245.conferenceIDResponse conferenceIDResponse No value h245.T_conferenceIDResponse
h245.conferenceIdentifier conferenceIdentifier Byte array h245.OCTET_STRING_SIZE_16
h245.conferenceIndication conferenceIndication Unsigned 32-bit integer h245.ConferenceIndication
h245.conferenceRequest conferenceRequest Unsigned 32-bit integer h245.ConferenceRequest
h245.conferenceResponse conferenceResponse Unsigned 32-bit integer h245.ConferenceResponse
h245.connectionIdentifier connectionIdentifier No value h245.ConnectionIdentifier
h245.connectionsNotAvailable connectionsNotAvailable No value h245.NULL
h245.constrainedBitstream constrainedBitstream Boolean h245.BOOLEAN
h245.containedThreads containedThreads Unsigned 32-bit integer h245.T_containedThreads
h245.containedThreads_item Item Unsigned 32-bit integer h245.INTEGER_0_15
h245.controlFieldOctets controlFieldOctets Unsigned 32-bit integer h245.T_controlFieldOctets
h245.controlOnMuxStream controlOnMuxStream Boolean h245.BOOLEAN
h245.controlledLoad controlledLoad No value h245.NULL
h245.crc12bit crc12bit No value h245.NULL
h245.crc16bit crc16bit No value h245.NULL
h245.crc16bitCapability crc16bitCapability Boolean h245.BOOLEAN
h245.crc20bit crc20bit No value h245.NULL
h245.crc28bit crc28bit No value h245.NULL
h245.crc32bit crc32bit No value h245.NULL
h245.crc32bitCapability crc32bitCapability Boolean h245.BOOLEAN
h245.crc4bit crc4bit No value h245.NULL
h245.crc8bit crc8bit No value h245.NULL
h245.crc8bitCapability crc8bitCapability Boolean h245.BOOLEAN
h245.crcDesired crcDesired No value h245.T_crcDesired
h245.crcLength crcLength Unsigned 32-bit integer h245.AL1CrcLength
h245.crcNotUsed crcNotUsed No value h245.NULL
h245.currentInterval currentInterval Unsigned 32-bit integer h245.INTEGER_0_65535
h245.currentIntervalInformation currentIntervalInformation No value h245.NULL
h245.currentMaximumBitRate currentMaximumBitRate Unsigned 32-bit integer h245.MaximumBitRate
h245.currentPictureHeaderRepetition currentPictureHeaderRepetition Boolean h245.BOOLEAN
h245.custom custom Unsigned 32-bit integer h245.SEQUENCE_SIZE_1_256_OF_RTPH263VideoRedundancyFrameMapping
h245.customMPI customMPI Unsigned 32-bit integer h245.INTEGER_1_2048
h245.customPCF customPCF Unsigned 32-bit integer h245.T_customPCF
h245.customPCF_item Item No value h245.T_customPCF_item
h245.customPictureClockFrequency customPictureClockFrequency Unsigned 32-bit integer h245.SET_SIZE_1_16_OF_CustomPictureClockFrequency
h245.customPictureClockFrequency_item Item No value h245.CustomPictureClockFrequency
h245.customPictureFormat customPictureFormat Unsigned 32-bit integer h245.SET_SIZE_1_16_OF_CustomPictureFormat
h245.customPictureFormat_item Item No value h245.CustomPictureFormat
h245.custom_item Item No value h245.RTPH263VideoRedundancyFrameMapping
h245.data data Byte array h245.T_nsd_data
h245.dataMode dataMode No value h245.DataMode
h245.dataPartitionedSlices dataPartitionedSlices Boolean h245.BOOLEAN
h245.dataType dataType Unsigned 32-bit integer h245.DataType
h245.dataTypeALCombinationNotSupported dataTypeALCombinationNotSupported No value h245.NULL
h245.dataTypeNotAvailable dataTypeNotAvailable No value h245.NULL
h245.dataTypeNotSupported dataTypeNotSupported No value h245.NULL
h245.dataWithAL1 dataWithAL1 Boolean h245.BOOLEAN
h245.dataWithAL1M dataWithAL1M Boolean h245.BOOLEAN
h245.dataWithAL2 dataWithAL2 Boolean h245.BOOLEAN
h245.dataWithAL2M dataWithAL2M Boolean h245.BOOLEAN
h245.dataWithAL3 dataWithAL3 Boolean h245.BOOLEAN
h245.dataWithAL3M dataWithAL3M Boolean h245.BOOLEAN
h245.deActivate deActivate No value h245.NULL
h245.deblockingFilterMode deblockingFilterMode Boolean h245.BOOLEAN
h245.decentralizedConferenceMC decentralizedConferenceMC Boolean h245.BOOLEAN
h245.decision decision Unsigned 32-bit integer h245.T_decision
h245.deniedBroadcastMyLogicalChannel deniedBroadcastMyLogicalChannel No value h245.NULL
h245.deniedChairToken deniedChairToken No value h245.NULL
h245.deniedMakeTerminalBroadcaster deniedMakeTerminalBroadcaster No value h245.NULL
h245.deniedSendThisSource deniedSendThisSource No value h245.NULL
h245.depFec depFec Unsigned 32-bit integer h245.DepFECData
h245.depFecCapability depFecCapability Unsigned 32-bit integer h245.DepFECCapability
h245.depFecMode depFecMode Unsigned 32-bit integer h245.DepFECMode
h245.descriptorCapacityExceeded descriptorCapacityExceeded No value h245.NULL
h245.descriptorTooComplex descriptorTooComplex No value h245.NULL
h245.desired desired No value h245.NULL
h245.destination destination No value h245.TerminalLabel
h245.dialingInformation dialingInformation Unsigned 32-bit integer h245.DialingInformation
h245.differentPort differentPort No value h245.T_differentPort
h245.differential differential Unsigned 32-bit integer h245.SET_SIZE_1_65535_OF_DialingInformationNumber
h245.differential_item Item No value h245.DialingInformationNumber
h245.digPhotoHighProg digPhotoHighProg Boolean h245.BOOLEAN
h245.digPhotoHighSeq digPhotoHighSeq Boolean h245.BOOLEAN
h245.digPhotoLow digPhotoLow Boolean h245.BOOLEAN
h245.digPhotoMedProg digPhotoMedProg Boolean h245.BOOLEAN
h245.digPhotoMedSeq digPhotoMedSeq Boolean h245.BOOLEAN
h245.direction direction Unsigned 32-bit integer h245.EncryptionUpdateDirection
h245.disconnect disconnect No value h245.NULL
h245.distributedAudio distributedAudio Boolean h245.BOOLEAN
h245.distributedControl distributedControl Boolean h245.BOOLEAN
h245.distributedData distributedData Unsigned 32-bit integer h245.SEQUENCE_OF_DataApplicationCapability
h245.distributedData_item Item No value h245.DataApplicationCapability
h245.distributedVideo distributedVideo Boolean h245.BOOLEAN
h245.distribution distribution Unsigned 32-bit integer h245.T_distribution
h245.doContinuousIndependentProgressions doContinuousIndependentProgressions No value h245.NULL
h245.doContinuousProgressions doContinuousProgressions No value h245.NULL
h245.doOneIndependentProgression doOneIndependentProgression No value h245.NULL
h245.doOneProgression doOneProgression No value h245.NULL
h245.domainBased domainBased String h245.IA5String_SIZE_1_64
h245.dropConference dropConference No value h245.NULL
h245.dropTerminal dropTerminal No value h245.TerminalLabel
h245.dscpValue dscpValue Unsigned 32-bit integer h245.INTEGER_0_63
h245.dsm_cc dsm-cc Unsigned 32-bit integer h245.DataProtocolCapability
h245.dsvdControl dsvdControl No value h245.NULL
h245.dtmf dtmf No value h245.NULL
h245.duration duration Unsigned 32-bit integer h245.INTEGER_1_65535
h245.dynamicPictureResizingByFour dynamicPictureResizingByFour Boolean h245.BOOLEAN
h245.dynamicPictureResizingSixteenthPel dynamicPictureResizingSixteenthPel Boolean h245.BOOLEAN
h245.dynamicRTPPayloadType dynamicRTPPayloadType Unsigned 32-bit integer h245.INTEGER_96_127
h245.dynamicWarpingHalfPel dynamicWarpingHalfPel Boolean h245.BOOLEAN
h245.dynamicWarpingSixteenthPel dynamicWarpingSixteenthPel Boolean h245.BOOLEAN
h245.e164Address e164Address String h245.T_e164Address
h245.eRM eRM No value h245.T_eRM
h245.elementList elementList Unsigned 32-bit integer h245.T_elementList
h245.elementList_item Item No value h245.MultiplexElement
h245.elements elements Unsigned 32-bit integer h245.SEQUENCE_OF_MultiplePayloadStreamElement
h245.elements_item Item No value h245.MultiplePayloadStreamElement
h245.encrypted encrypted Byte array h245.OCTET_STRING
h245.encryptedAlphanumeric encryptedAlphanumeric No value h245.EncryptedAlphanumeric
h245.encryptedBasicString encryptedBasicString No value h245.NULL
h245.encryptedGeneralString encryptedGeneralString No value h245.NULL
h245.encryptedIA5String encryptedIA5String No value h245.NULL
h245.encryptedSignalType encryptedSignalType Byte array h245.OCTET_STRING_SIZE_1
h245.encryptionAlgorithmID encryptionAlgorithmID No value h245.T_encryptionAlgorithmID
h245.encryptionAuthenticationAndIntegrity encryptionAuthenticationAndIntegrity No value h245.EncryptionAuthenticationAndIntegrity
h245.encryptionCapability encryptionCapability Unsigned 32-bit integer h245.EncryptionCapability
h245.encryptionCommand encryptionCommand Unsigned 32-bit integer h245.EncryptionCommand
h245.encryptionData encryptionData Unsigned 32-bit integer h245.EncryptionMode
h245.encryptionIVRequest encryptionIVRequest No value h245.NULL
h245.encryptionMode encryptionMode Unsigned 32-bit integer h245.EncryptionMode
h245.encryptionSE encryptionSE Byte array h245.OCTET_STRING
h245.encryptionSync encryptionSync No value h245.EncryptionSync
h245.encryptionUpdate encryptionUpdate No value h245.EncryptionSync
h245.encryptionUpdateAck encryptionUpdateAck No value h245.T_encryptionUpdateAck
h245.encryptionUpdateCommand encryptionUpdateCommand No value h245.T_encryptionUpdateCommand
h245.encryptionUpdateRequest encryptionUpdateRequest No value h245.EncryptionUpdateRequest
h245.endSessionCommand endSessionCommand Unsigned 32-bit integer h245.EndSessionCommand
h245.enhanced enhanced No value h245.T_enhanced
h245.enhancedReferencePicSelect enhancedReferencePicSelect No value h245.T_enhancedReferencePicSelect
h245.enhancementLayerInfo enhancementLayerInfo No value h245.EnhancementLayerInfo
h245.enhancementOptions enhancementOptions No value h245.EnhancementOptions
h245.enterExtensionAddress enterExtensionAddress No value h245.NULL
h245.enterH243ConferenceID enterH243ConferenceID No value h245.NULL
h245.enterH243Password enterH243Password No value h245.NULL
h245.enterH243TerminalID enterH243TerminalID No value h245.NULL
h245.entryNumbers entryNumbers Unsigned 32-bit integer h245.SET_SIZE_1_15_OF_MultiplexTableEntryNumber
h245.entryNumbers_item Item Unsigned 32-bit integer h245.MultiplexTableEntryNumber
h245.equaliseDelay equaliseDelay No value h245.NULL
h245.errorCompensation errorCompensation Boolean h245.BOOLEAN
h245.errorCorrection errorCorrection Unsigned 32-bit integer h245.Cmd_errorCorrection
h245.errorCorrectionOnly errorCorrectionOnly Boolean h245.BOOLEAN
h245.escrowID escrowID h245.OBJECT_IDENTIFIER
h245.escrowValue escrowValue Byte array h245.BIT_STRING_SIZE_1_65535
h245.escrowentry escrowentry Unsigned 32-bit integer h245.SEQUENCE_SIZE_1_256_OF_EscrowData
h245.escrowentry_item Item No value h245.EscrowData
h245.estimatedReceivedJitterExponent estimatedReceivedJitterExponent Unsigned 32-bit integer h245.INTEGER_0_7
h245.estimatedReceivedJitterMantissa estimatedReceivedJitterMantissa Unsigned 32-bit integer h245.INTEGER_0_3
h245.excessiveError excessiveError No value h245.T_excessiveError
h245.expirationTime expirationTime Unsigned 32-bit integer h245.INTEGER_0_4294967295
h245.extendedAlphanumeric extendedAlphanumeric No value h245.NULL
h245.extendedPAR extendedPAR Unsigned 32-bit integer h245.T_extendedPAR
h245.extendedPAR_item Item No value h245.T_extendedPAR_item
h245.extendedVideoCapability extendedVideoCapability No value h245.ExtendedVideoCapability
h245.extensionAddress extensionAddress Byte array h245.TerminalID
h245.extensionAddressResponse extensionAddressResponse No value h245.T_extensionAddressResponse
h245.externalReference externalReference Byte array h245.OCTET_STRING_SIZE_1_255
h245.fec fec Unsigned 32-bit integer h245.FECData
h245.fecCapability fecCapability No value h245.FECCapability
h245.fecMode fecMode No value h245.FECMode
h245.fecScheme fecScheme h245.OBJECT_IDENTIFIER
h245.field field h245.OBJECT_IDENTIFIER
h245.fillBitRemoval fillBitRemoval Boolean h245.BOOLEAN
h245.finite finite Unsigned 32-bit integer h245.INTEGER_0_16
h245.firstGOB firstGOB Unsigned 32-bit integer h245.INTEGER_0_17
h245.firstMB firstMB Unsigned 32-bit integer h245.INTEGER_1_8192
h245.fiveChannels3_0_2_0 fiveChannels3-0-2-0 Boolean h245.BOOLEAN
h245.fiveChannels3_2 fiveChannels3-2 Boolean h245.BOOLEAN
h245.fixedPointIDCT0 fixedPointIDCT0 Boolean h245.BOOLEAN
h245.floorRequested floorRequested No value h245.TerminalLabel
h245.flowControlCommand flowControlCommand No value h245.FlowControlCommand
h245.flowControlIndication flowControlIndication No value h245.FlowControlIndication
h245.flowControlToZero flowControlToZero Boolean h245.BOOLEAN
h245.forwardLogicalChannelDependency forwardLogicalChannelDependency Unsigned 32-bit integer h245.LogicalChannelNumber
h245.forwardLogicalChannelNumber forwardLogicalChannelNumber Unsigned 32-bit integer h245.OLC_fw_lcn
h245.forwardLogicalChannelParameters forwardLogicalChannelParameters No value h245.T_forwardLogicalChannelParameters
h245.forwardMaximumSDUSize forwardMaximumSDUSize Unsigned 32-bit integer h245.INTEGER_0_65535
h245.forwardMultiplexAckParameters forwardMultiplexAckParameters Unsigned 32-bit integer h245.T_forwardMultiplexAckParameters
h245.fourChannels2_0_2_0 fourChannels2-0-2-0 Boolean h245.BOOLEAN
h245.fourChannels2_2 fourChannels2-2 Boolean h245.BOOLEAN
h245.fourChannels3_1 fourChannels3-1 Boolean h245.BOOLEAN
h245.frameSequence frameSequence Unsigned 32-bit integer h245.T_frameSequence
h245.frameSequence_item Item Unsigned 32-bit integer h245.INTEGER_0_255
h245.frameToThreadMapping frameToThreadMapping Unsigned 32-bit integer h245.T_frameToThreadMapping
h245.framed framed No value h245.NULL
h245.framesBetweenSyncPoints framesBetweenSyncPoints Unsigned 32-bit integer h245.INTEGER_1_256
h245.framesPerSecond framesPerSecond Unsigned 32-bit integer h245.INTEGER_0_15
h245.fullPictureFreeze fullPictureFreeze Boolean h245.BOOLEAN
h245.fullPictureSnapshot fullPictureSnapshot Boolean h245.BOOLEAN
h245.functionNotSupported functionNotSupported No value h245.FunctionNotSupported
h245.functionNotUnderstood functionNotUnderstood Unsigned 32-bit integer h245.FunctionNotUnderstood
h245.g3FacsMH200x100 g3FacsMH200x100 Boolean h245.BOOLEAN
h245.g3FacsMH200x200 g3FacsMH200x200 Boolean h245.BOOLEAN
h245.g4FacsMMR200x100 g4FacsMMR200x100 Boolean h245.BOOLEAN
h245.g4FacsMMR200x200 g4FacsMMR200x200 Boolean h245.BOOLEAN
h245.g711Alaw56k g711Alaw56k Unsigned 32-bit integer h245.INTEGER_1_256
h245.g711Alaw64k g711Alaw64k Unsigned 32-bit integer h245.INTEGER_1_256
h245.g711Ulaw56k g711Ulaw56k Unsigned 32-bit integer h245.INTEGER_1_256
h245.g711Ulaw64k g711Ulaw64k Unsigned 32-bit integer h245.INTEGER_1_256
h245.g722_48k g722-48k Unsigned 32-bit integer h245.INTEGER_1_256
h245.g722_56k g722-56k Unsigned 32-bit integer h245.INTEGER_1_256
h245.g722_64k g722-64k Unsigned 32-bit integer h245.INTEGER_1_256
h245.g7231 g7231 No value h245.T_g7231
h245.g7231AnnexCCapability g7231AnnexCCapability No value h245.G7231AnnexCCapability
h245.g7231AnnexCMode g7231AnnexCMode No value h245.G7231AnnexCMode
h245.g723AnnexCAudioMode g723AnnexCAudioMode No value h245.G723AnnexCAudioMode
h245.g728 g728 Unsigned 32-bit integer h245.INTEGER_1_256
h245.g729 g729 Unsigned 32-bit integer h245.INTEGER_1_256
h245.g729AnnexA g729AnnexA Unsigned 32-bit integer h245.INTEGER_1_256
h245.g729AnnexAwAnnexB g729AnnexAwAnnexB Unsigned 32-bit integer h245.INTEGER_1_256
h245.g729Extensions g729Extensions No value h245.G729Extensions
h245.g729wAnnexB g729wAnnexB Unsigned 32-bit integer h245.INTEGER_1_256
h245.gatewayAddress gatewayAddress Unsigned 32-bit integer h245.SET_SIZE_1_256_OF_Q2931Address
h245.gatewayAddress_item Item No value h245.Q2931Address
h245.generalString generalString No value h245.NULL
h245.genericAudioCapability genericAudioCapability No value h245.GenericCapability
h245.genericAudioMode genericAudioMode No value h245.GenericCapability
h245.genericCommand genericCommand No value h245.GenericMessage
h245.genericControlCapability genericControlCapability No value h245.GenericCapability
h245.genericDataCapability genericDataCapability No value h245.GenericCapability
h245.genericDataMode genericDataMode No value h245.GenericCapability
h245.genericH235SecurityCapability genericH235SecurityCapability No value h245.GenericCapability
h245.genericIndication genericIndication No value h245.GenericMessage
h245.genericInformation genericInformation Unsigned 32-bit integer h245.SEQUENCE_OF_GenericInformation
h245.genericInformation_item Item No value h245.GenericInformation
h245.genericModeParameters genericModeParameters No value h245.GenericCapability
h245.genericMultiplexCapability genericMultiplexCapability No value h245.GenericCapability
h245.genericParameter genericParameter Unsigned 32-bit integer h245.SEQUENCE_OF_GenericParameter
h245.genericParameter_item Item No value h245.GenericParameter
h245.genericRequest genericRequest No value h245.GenericMessage
h245.genericResponse genericResponse No value h245.GenericMessage
h245.genericTransportParameters genericTransportParameters No value h245.GenericTransportParameters
h245.genericUserInputCapability genericUserInputCapability No value h245.GenericCapability
h245.genericVideoCapability genericVideoCapability No value h245.GenericCapability
h245.genericVideoMode genericVideoMode No value h245.GenericCapability
h245.golay24_12 golay24-12 No value h245.NULL
h245.grantedBroadcastMyLogicalChannel grantedBroadcastMyLogicalChannel No value h245.NULL
h245.grantedChairToken grantedChairToken No value h245.NULL
h245.grantedMakeTerminalBroadcaster grantedMakeTerminalBroadcaster No value h245.NULL
h245.grantedSendThisSource grantedSendThisSource No value h245.NULL
h245.gsmEnhancedFullRate gsmEnhancedFullRate No value h245.GSMAudioCapability
h245.gsmFullRate gsmFullRate No value h245.GSMAudioCapability
h245.gsmHalfRate gsmHalfRate No value h245.GSMAudioCapability
h245.gstn gstn No value h245.NULL
h245.gstnOptions gstnOptions Unsigned 32-bit integer h245.T_gstnOptions
h245.guaranteedQOS guaranteedQOS No value h245.NULL
h245.h221NonStandard h221NonStandard No value h245.H221NonStandardID
h245.h222Capability h222Capability No value h245.H222Capability
h245.h222DataPartitioning h222DataPartitioning Unsigned 32-bit integer h245.DataProtocolCapability
h245.h222LogicalChannelParameters h222LogicalChannelParameters No value h245.H222LogicalChannelParameters
h245.h223AnnexA h223AnnexA Boolean h245.BOOLEAN
h245.h223AnnexADoubleFlag h223AnnexADoubleFlag Boolean h245.BOOLEAN
h245.h223AnnexB h223AnnexB Boolean h245.BOOLEAN
h245.h223AnnexBwithHeader h223AnnexBwithHeader Boolean h245.BOOLEAN
h245.h223AnnexCCapability h223AnnexCCapability No value h245.H223AnnexCCapability
h245.h223Capability h223Capability No value h245.H223Capability
h245.h223LogicalChannelParameters h223LogicalChannelParameters No value h245.OLC_fw_h223_params
h245.h223ModeChange h223ModeChange Unsigned 32-bit integer h245.T_h223ModeChange
h245.h223ModeParameters h223ModeParameters No value h245.H223ModeParameters
h245.h223MultiplexReconfiguration h223MultiplexReconfiguration Unsigned 32-bit integer h245.H223MultiplexReconfiguration
h245.h223MultiplexTableCapability h223MultiplexTableCapability Unsigned 32-bit integer h245.T_h223MultiplexTableCapability
h245.h223SkewIndication h223SkewIndication No value h245.H223SkewIndication
h245.h224 h224 Unsigned 32-bit integer h245.DataProtocolCapability
h245.h2250Capability h2250Capability No value h245.H2250Capability
h245.h2250LogicalChannelAckParameters h2250LogicalChannelAckParameters No value h245.H2250LogicalChannelAckParameters
h245.h2250LogicalChannelParameters h2250LogicalChannelParameters No value h245.H2250LogicalChannelParameters
h245.h2250MaximumSkewIndication h2250MaximumSkewIndication No value h245.H2250MaximumSkewIndication
h245.h2250ModeParameters h2250ModeParameters No value h245.H2250ModeParameters
h245.h233AlgorithmIdentifier h233AlgorithmIdentifier Unsigned 32-bit integer h245.SequenceNumber
h245.h233Encryption h233Encryption No value h245.NULL
h245.h233EncryptionReceiveCapability h233EncryptionReceiveCapability No value h245.T_h233EncryptionReceiveCapability
h245.h233EncryptionTransmitCapability h233EncryptionTransmitCapability Boolean h245.BOOLEAN
h245.h233IVResponseTime h233IVResponseTime Unsigned 32-bit integer h245.INTEGER_0_255
h245.h235Control h235Control No value h245.NonStandardParameter
h245.h235Key h235Key Byte array h245.OCTET_STRING_SIZE_1_65535
h245.h235Media h235Media No value h245.H235Media
h245.h235Mode h235Mode No value h245.H235Mode
h245.h235SecurityCapability h235SecurityCapability No value h245.H235SecurityCapability
h245.h261VideoCapability h261VideoCapability No value h245.H261VideoCapability
h245.h261VideoMode h261VideoMode No value h245.H261VideoMode
h245.h261aVideoPacketization h261aVideoPacketization Boolean h245.BOOLEAN
h245.h262VideoCapability h262VideoCapability No value h245.H262VideoCapability
h245.h262VideoMode h262VideoMode No value h245.H262VideoMode
h245.h263Options h263Options No value h245.H263Options
h245.h263Version3Options h263Version3Options No value h245.H263Version3Options
h245.h263VideoCapability h263VideoCapability No value h245.H263VideoCapability
h245.h263VideoCoupledModes h263VideoCoupledModes Unsigned 32-bit integer h245.SET_SIZE_1_16_OF_H263ModeComboFlags
h245.h263VideoCoupledModes_item Item No value h245.H263ModeComboFlags
h245.h263VideoMode h263VideoMode No value h245.H263VideoMode
h245.h263VideoUncoupledModes h263VideoUncoupledModes No value h245.H263ModeComboFlags
h245.h310SeparateVCStack h310SeparateVCStack No value h245.NULL
h245.h310SingleVCStack h310SingleVCStack No value h245.NULL
h245.hdlcFrameTunnelingwSAR hdlcFrameTunnelingwSAR No value h245.NULL
h245.hdlcFrameTunnelling hdlcFrameTunnelling No value h245.NULL
h245.hdlcParameters hdlcParameters No value h245.V76HDLCParameters
h245.hdtvProg hdtvProg Boolean h245.BOOLEAN
h245.hdtvSeq hdtvSeq Boolean h245.BOOLEAN
h245.headerFEC headerFEC Unsigned 32-bit integer h245.AL1HeaderFEC
h245.headerFormat headerFormat Unsigned 32-bit integer h245.T_headerFormat
h245.height height Unsigned 32-bit integer h245.INTEGER_1_255
h245.highRateMode0 highRateMode0 Unsigned 32-bit integer h245.INTEGER_27_78
h245.highRateMode1 highRateMode1 Unsigned 32-bit integer h245.INTEGER_27_78
h245.higherBitRate higherBitRate Unsigned 32-bit integer h245.INTEGER_1_65535
h245.highestEntryNumberProcessed highestEntryNumberProcessed Unsigned 32-bit integer h245.CapabilityTableEntryNumber
h245.hookflash hookflash No value h245.NULL
h245.hrd_B hrd-B Unsigned 32-bit integer h245.INTEGER_0_524287
h245.iA5String iA5String No value h245.NULL
h245.iP6Address iP6Address No value h245.T_iP6Address
h245.iPAddress iPAddress No value h245.T_iPAddress
h245.iPSourceRouteAddress iPSourceRouteAddress No value h245.T_iPSourceRouteAddress
h245.iPXAddress iPXAddress No value h245.T_iPXAddress
h245.identicalNumbers identicalNumbers No value h245.NULL
h245.improvedPBFramesMode improvedPBFramesMode Boolean h245.BOOLEAN
h245.independentSegmentDecoding independentSegmentDecoding Boolean h245.BOOLEAN
h245.indication indication Unsigned 32-bit integer h245.IndicationMessage
h245.infinite infinite No value h245.NULL
h245.infoNotAvailable infoNotAvailable Unsigned 32-bit integer h245.INTEGER_1_65535
h245.insufficientBandwidth insufficientBandwidth No value h245.NULL
h245.insufficientResources insufficientResources No value h245.NULL
h245.integrityCapability integrityCapability No value h245.IntegrityCapability
h245.interlacedFields interlacedFields Boolean h245.BOOLEAN
h245.internationalNumber internationalNumber String h245.NumericString_SIZE_1_16
h245.invalidDependentChannel invalidDependentChannel No value h245.NULL
h245.invalidSessionID invalidSessionID No value h245.NULL
h245.ip_TCP ip-TCP No value h245.NULL
h245.ip_UDP ip-UDP No value h245.NULL
h245.is11172AudioCapability is11172AudioCapability No value h245.IS11172AudioCapability
h245.is11172AudioMode is11172AudioMode No value h245.IS11172AudioMode
h245.is11172VideoCapability is11172VideoCapability No value h245.IS11172VideoCapability
h245.is11172VideoMode is11172VideoMode No value h245.IS11172VideoMode
h245.is13818AudioCapability is13818AudioCapability No value h245.IS13818AudioCapability
h245.is13818AudioMode is13818AudioMode No value h245.IS13818AudioMode
h245.isdnOptions isdnOptions Unsigned 32-bit integer h245.T_isdnOptions
h245.issueQuery issueQuery No value h245.NULL
h245.iv iv Byte array h245.OCTET_STRING
h245.iv16 iv16 Byte array h245.IV16
h245.iv8 iv8 Byte array h245.IV8
h245.jbig200x200Prog jbig200x200Prog Boolean h245.BOOLEAN
h245.jbig200x200Seq jbig200x200Seq Boolean h245.BOOLEAN
h245.jbig300x300Prog jbig300x300Prog Boolean h245.BOOLEAN
h245.jbig300x300Seq jbig300x300Seq Boolean h245.BOOLEAN
h245.jitterIndication jitterIndication No value h245.JitterIndication
h245.keyProtectionMethod keyProtectionMethod No value h245.KeyProtectionMethod
h245.lcse lcse No value h245.NULL
h245.linesPerFrame linesPerFrame Unsigned 32-bit integer h245.INTEGER_0_16383
h245.localAreaAddress localAreaAddress Unsigned 32-bit integer h245.TransportAddress
h245.localQoS localQoS Boolean h245.BOOLEAN
h245.localTCF localTCF No value h245.NULL
h245.logical logical No value h245.NULL
h245.logicalChannelActive logicalChannelActive No value h245.NULL
h245.logicalChannelInactive logicalChannelInactive No value h245.NULL
h245.logicalChannelLoop logicalChannelLoop Unsigned 32-bit integer h245.LogicalChannelNumber
h245.logicalChannelNumber logicalChannelNumber Unsigned 32-bit integer h245.T_logicalChannelNum
h245.logicalChannelNumber1 logicalChannelNumber1 Unsigned 32-bit integer h245.LogicalChannelNumber
h245.logicalChannelNumber2 logicalChannelNumber2 Unsigned 32-bit integer h245.LogicalChannelNumber
h245.logicalChannelRateAcknowledge logicalChannelRateAcknowledge No value h245.LogicalChannelRateAcknowledge
h245.logicalChannelRateReject logicalChannelRateReject No value h245.LogicalChannelRateReject
h245.logicalChannelRateRelease logicalChannelRateRelease No value h245.LogicalChannelRateRelease
h245.logicalChannelRateRequest logicalChannelRateRequest No value h245.LogicalChannelRateRequest
h245.logicalChannelSwitchingCapability logicalChannelSwitchingCapability Boolean h245.BOOLEAN
h245.longInterleaver longInterleaver Boolean h245.BOOLEAN
h245.longTermPictureIndex longTermPictureIndex Unsigned 32-bit integer h245.INTEGER_0_255
h245.loopBackTestCapability loopBackTestCapability Boolean h245.BOOLEAN
h245.loopbackTestProcedure loopbackTestProcedure Boolean h245.BOOLEAN
h245.loose loose No value h245.NULL
h245.lostPartialPicture lostPartialPicture No value h245.T_lostPartialPicture
h245.lostPicture lostPicture Unsigned 32-bit integer h245.SEQUENCE_OF_PictureReference
h245.lostPicture_item Item Unsigned 32-bit integer h245.PictureReference
h245.lowFrequencyEnhancement lowFrequencyEnhancement Boolean h245.BOOLEAN
h245.lowRateMode0 lowRateMode0 Unsigned 32-bit integer h245.INTEGER_23_66
h245.lowRateMode1 lowRateMode1 Unsigned 32-bit integer h245.INTEGER_23_66
h245.lowerBitRate lowerBitRate Unsigned 32-bit integer h245.INTEGER_1_65535
h245.luminanceSampleRate luminanceSampleRate Unsigned 32-bit integer h245.INTEGER_0_4294967295
h245.mCTerminalIDResponse mCTerminalIDResponse No value h245.T_mCTerminalIDResponse
h245.mPI mPI No value h245.T_mPI
h245.mREJCapability mREJCapability Boolean h245.BOOLEAN
h245.mSREJ mSREJ No value h245.NULL
h245.maintenanceLoopAck maintenanceLoopAck No value h245.MaintenanceLoopAck
h245.maintenanceLoopOffCommand maintenanceLoopOffCommand No value h245.MaintenanceLoopOffCommand
h245.maintenanceLoopReject maintenanceLoopReject No value h245.MaintenanceLoopReject
h245.maintenanceLoopRequest maintenanceLoopRequest No value h245.MaintenanceLoopRequest
h245.makeMeChair makeMeChair No value h245.NULL
h245.makeMeChairResponse makeMeChairResponse Unsigned 32-bit integer h245.T_makeMeChairResponse
h245.makeTerminalBroadcaster makeTerminalBroadcaster No value h245.TerminalLabel
h245.makeTerminalBroadcasterResponse makeTerminalBroadcasterResponse Unsigned 32-bit integer h245.T_makeTerminalBroadcasterResponse
h245.manufacturerCode manufacturerCode Unsigned 32-bit integer h245.T_manufacturerCode
h245.master master No value h245.NULL
h245.masterActivate masterActivate No value h245.NULL
h245.masterSlaveConflict masterSlaveConflict No value h245.NULL
h245.masterSlaveDetermination masterSlaveDetermination No value h245.MasterSlaveDetermination
h245.masterSlaveDeterminationAck masterSlaveDeterminationAck No value h245.MasterSlaveDeterminationAck
h245.masterSlaveDeterminationReject masterSlaveDeterminationReject No value h245.MasterSlaveDeterminationReject
h245.masterSlaveDeterminationRelease masterSlaveDeterminationRelease No value h245.MasterSlaveDeterminationRelease
h245.masterToSlave masterToSlave No value h245.NULL
h245.maxAl_sduAudioFrames maxAl-sduAudioFrames Unsigned 32-bit integer h245.INTEGER_1_256
h245.maxBitRate maxBitRate Unsigned 32-bit integer h245.INTEGER_1_19200
h245.maxCustomPictureHeight maxCustomPictureHeight Unsigned 32-bit integer h245.INTEGER_1_2048
h245.maxCustomPictureWidth maxCustomPictureWidth Unsigned 32-bit integer h245.INTEGER_1_2048
h245.maxH223MUXPDUsize maxH223MUXPDUsize Unsigned 32-bit integer h245.INTEGER_1_65535
h245.maxMUXPDUSizeCapability maxMUXPDUSizeCapability Boolean h245.BOOLEAN
h245.maxNTUSize maxNTUSize Unsigned 32-bit integer h245.INTEGER_0_65535
h245.maxNumberOfAdditionalConnections maxNumberOfAdditionalConnections Unsigned 32-bit integer h245.INTEGER_1_65535
h245.maxPendingReplacementFor maxPendingReplacementFor Unsigned 32-bit integer h245.INTEGER_0_255
h245.maxPktSize maxPktSize Unsigned 32-bit integer h245.INTEGER_1_4294967295
h245.maxWindowSizeCapability maxWindowSizeCapability Unsigned 32-bit integer h245.INTEGER_1_127
h245.maximumAL1MPDUSize maximumAL1MPDUSize Unsigned 32-bit integer h245.INTEGER_0_65535
h245.maximumAL2MSDUSize maximumAL2MSDUSize Unsigned 32-bit integer h245.INTEGER_0_65535
h245.maximumAL3MSDUSize maximumAL3MSDUSize Unsigned 32-bit integer h245.INTEGER_0_65535
h245.maximumAl2SDUSize maximumAl2SDUSize Unsigned 32-bit integer h245.INTEGER_0_65535
h245.maximumAl3SDUSize maximumAl3SDUSize Unsigned 32-bit integer h245.INTEGER_0_65535
h245.maximumAudioDelayJitter maximumAudioDelayJitter Unsigned 32-bit integer h245.INTEGER_0_1023
h245.maximumBitRate maximumBitRate Unsigned 32-bit integer h245.MaximumBitRate
h245.maximumDelayJitter maximumDelayJitter Unsigned 32-bit integer h245.INTEGER_0_1023
h245.maximumElementListSize maximumElementListSize Unsigned 32-bit integer h245.INTEGER_2_255
h245.maximumHeaderInterval maximumHeaderInterval No value h245.MaximumHeaderIntervalReq
h245.maximumNestingDepth maximumNestingDepth Unsigned 32-bit integer h245.INTEGER_1_15
h245.maximumPayloadLength maximumPayloadLength Unsigned 32-bit integer h245.INTEGER_1_65025
h245.maximumSampleSize maximumSampleSize Unsigned 32-bit integer h245.INTEGER_1_255
h245.maximumSkew maximumSkew Unsigned 32-bit integer h245.INTEGER_0_4095
h245.maximumStringLength maximumStringLength Unsigned 32-bit integer h245.INTEGER_1_256
h245.maximumSubElementListSize maximumSubElementListSize Unsigned 32-bit integer h245.INTEGER_2_255
h245.mcCapability mcCapability No value h245.T_mcCapability
h245.mcLocationIndication mcLocationIndication No value h245.MCLocationIndication
h245.mcuNumber mcuNumber Unsigned 32-bit integer h245.McuNumber
h245.mediaCapability mediaCapability Unsigned 32-bit integer h245.CapabilityTableEntryNumber
h245.mediaChannel mediaChannel Unsigned 32-bit integer h245.T_mediaChannel
h245.mediaChannelCapabilities mediaChannelCapabilities Unsigned 32-bit integer h245.SEQUENCE_SIZE_1_256_OF_MediaChannelCapability
h245.mediaChannelCapabilities_item Item No value h245.MediaChannelCapability
h245.mediaControlChannel mediaControlChannel Unsigned 32-bit integer h245.T_mediaControlChannel
h245.mediaControlGuaranteedDelivery mediaControlGuaranteedDelivery Boolean h245.BOOLEAN
h245.mediaDistributionCapability mediaDistributionCapability Unsigned 32-bit integer h245.SEQUENCE_OF_MediaDistributionCapability
h245.mediaDistributionCapability_item Item No value h245.MediaDistributionCapability
h245.mediaGuaranteedDelivery mediaGuaranteedDelivery Boolean h245.BOOLEAN
h245.mediaLoop mediaLoop Unsigned 32-bit integer h245.LogicalChannelNumber
h245.mediaMode mediaMode Unsigned 32-bit integer h245.T_mediaMode
h245.mediaPacketization mediaPacketization Unsigned 32-bit integer h245.T_mediaPacketization
h245.mediaPacketizationCapability mediaPacketizationCapability No value h245.MediaPacketizationCapability
h245.mediaTransport mediaTransport Unsigned 32-bit integer h245.MediaTransportType
h245.mediaType mediaType Unsigned 32-bit integer h245.T_mediaType
h245.messageContent messageContent Unsigned 32-bit integer h245.SEQUENCE_OF_GenericParameter
h245.messageContent_item Item No value h245.GenericParameter
h245.messageIdentifier messageIdentifier Unsigned 32-bit integer h245.CapabilityIdentifier
h245.minCustomPictureHeight minCustomPictureHeight Unsigned 32-bit integer h245.INTEGER_1_2048
h245.minCustomPictureWidth minCustomPictureWidth Unsigned 32-bit integer h245.INTEGER_1_2048
h245.minPoliced minPoliced Unsigned 32-bit integer h245.INTEGER_1_4294967295
h245.miscellaneousCommand miscellaneousCommand No value h245.MiscellaneousCommand
h245.miscellaneousIndication miscellaneousIndication No value h245.MiscellaneousIndication
h245.mobile mobile No value h245.NULL
h245.mobileMultilinkFrameCapability mobileMultilinkFrameCapability No value h245.T_mobileMultilinkFrameCapability
h245.mobileMultilinkReconfigurationCommand mobileMultilinkReconfigurationCommand No value h245.MobileMultilinkReconfigurationCommand
h245.mobileMultilinkReconfigurationIndication mobileMultilinkReconfigurationIndication No value h245.MobileMultilinkReconfigurationIndication
h245.mobileOperationTransmitCapability mobileOperationTransmitCapability No value h245.T_mobileOperationTransmitCapability
h245.mode mode Unsigned 32-bit integer h245.V76LCP_mode
h245.modeChangeCapability modeChangeCapability Boolean h245.BOOLEAN
h245.modeCombos modeCombos Unsigned 32-bit integer h245.SET_SIZE_1_16_OF_H263VideoModeCombos
h245.modeCombos_item Item No value h245.H263VideoModeCombos
h245.modeUnavailable modeUnavailable No value h245.NULL
h245.modifiedQuantizationMode modifiedQuantizationMode Boolean h245.BOOLEAN
h245.mpuHorizMBs mpuHorizMBs Unsigned 32-bit integer h245.INTEGER_1_128
h245.mpuTotalNumber mpuTotalNumber Unsigned 32-bit integer h245.INTEGER_1_65536
h245.mpuVertMBs mpuVertMBs Unsigned 32-bit integer h245.INTEGER_1_72
h245.multiUniCastConference multiUniCastConference Boolean h245.BOOLEAN
h245.multicast multicast No value h245.NULL
h245.multicastAddress multicastAddress Unsigned 32-bit integer h245.MulticastAddress
h245.multicastCapability multicastCapability Boolean h245.BOOLEAN
h245.multicastChannelNotAllowed multicastChannelNotAllowed No value h245.NULL
h245.multichannelType multichannelType Unsigned 32-bit integer h245.IS11172_multichannelType
h245.multilingual multilingual Boolean h245.BOOLEAN
h245.multilinkIndication multilinkIndication Unsigned 32-bit integer h245.MultilinkIndication
h245.multilinkRequest multilinkRequest Unsigned 32-bit integer h245.MultilinkRequest
h245.multilinkResponse multilinkResponse Unsigned 32-bit integer h245.MultilinkResponse
h245.multiplePayloadStream multiplePayloadStream No value h245.MultiplePayloadStream
h245.multiplePayloadStreamCapability multiplePayloadStreamCapability No value h245.MultiplePayloadStreamCapability
h245.multiplePayloadStreamMode multiplePayloadStreamMode No value h245.MultiplePayloadStreamMode
h245.multiplex multiplex Unsigned 32-bit integer h245.Cmd_multiplex
h245.multiplexCapability multiplexCapability Unsigned 32-bit integer h245.MultiplexCapability
h245.multiplexEntryDescriptors multiplexEntryDescriptors Unsigned 32-bit integer h245.SET_SIZE_1_15_OF_MultiplexEntryDescriptor
h245.multiplexEntryDescriptors_item Item No value h245.MultiplexEntryDescriptor
h245.multiplexEntrySend multiplexEntrySend No value h245.MultiplexEntrySend
h245.multiplexEntrySendAck multiplexEntrySendAck No value h245.MultiplexEntrySendAck
h245.multiplexEntrySendReject multiplexEntrySendReject No value h245.MultiplexEntrySendReject
h245.multiplexEntrySendRelease multiplexEntrySendRelease No value h245.MultiplexEntrySendRelease
h245.multiplexFormat multiplexFormat Unsigned 32-bit integer h245.MultiplexFormat
h245.multiplexParameters multiplexParameters Unsigned 32-bit integer h245.OLC_forw_multiplexParameters
h245.multiplexTableEntryNumber multiplexTableEntryNumber Unsigned 32-bit integer h245.MultiplexTableEntryNumber
h245.multiplexTableEntryNumber_item Item Unsigned 32-bit integer h245.MultiplexTableEntryNumber
h245.multiplexedStream multiplexedStream No value h245.MultiplexedStreamParameter
h245.multiplexedStreamMode multiplexedStreamMode No value h245.MultiplexedStreamParameter
h245.multiplexedStreamModeParameters multiplexedStreamModeParameters No value h245.MultiplexedStreamModeParameters
h245.multipointConference multipointConference No value h245.NULL
h245.multipointConstraint multipointConstraint No value h245.NULL
h245.multipointModeCommand multipointModeCommand No value h245.NULL
h245.multipointSecondaryStatus multipointSecondaryStatus No value h245.NULL
h245.multipointVisualizationCapability multipointVisualizationCapability Boolean h245.BOOLEAN
h245.multipointZeroComm multipointZeroComm No value h245.NULL
h245.n401 n401 Unsigned 32-bit integer h245.INTEGER_1_4095
h245.n401Capability n401Capability Unsigned 32-bit integer h245.INTEGER_1_4095
h245.n_isdn n-isdn No value h245.NULL
h245.nackMessageOnly nackMessageOnly No value h245.NULL
h245.netBios netBios Byte array h245.OCTET_STRING_SIZE_16
h245.netnum netnum Byte array h245.OCTET_STRING_SIZE_4
h245.network network IPv4 address h245.Ipv4_network
h245.networkAddress networkAddress Unsigned 32-bit integer h245.T_networkAddress
h245.networkType networkType Unsigned 32-bit integer h245.SET_SIZE_1_255_OF_DialingInformationNetworkType
h245.networkType_item Item Unsigned 32-bit integer h245.DialingInformationNetworkType
h245.newATMVCCommand newATMVCCommand No value h245.NewATMVCCommand
h245.newATMVCIndication newATMVCIndication No value h245.NewATMVCIndication
h245.nextPictureHeaderRepetition nextPictureHeaderRepetition Boolean h245.BOOLEAN
h245.nlpid nlpid No value h245.Nlpid
h245.nlpidData nlpidData Byte array h245.OCTET_STRING
h245.nlpidProtocol nlpidProtocol Unsigned 32-bit integer h245.DataProtocolCapability
h245.noArq noArq No value h245.NULL
h245.noMultiplex noMultiplex No value h245.NULL
h245.noRestriction noRestriction No value h245.NULL
h245.noSilenceSuppressionHighRate noSilenceSuppressionHighRate No value h245.NULL
h245.noSilenceSuppressionLowRate noSilenceSuppressionLowRate No value h245.NULL
h245.noSuspendResume noSuspendResume No value h245.NULL
h245.node node Byte array h245.OCTET_STRING_SIZE_6
h245.nonCollapsing nonCollapsing Unsigned 32-bit integer h245.SEQUENCE_OF_GenericParameter
h245.nonCollapsingRaw nonCollapsingRaw Byte array h245.OCTET_STRING
h245.nonCollapsing_item Item No value h245.GenericParameter
h245.nonStandard nonStandard No value h245.NonStandardMessage
h245.nonStandardAddress nonStandardAddress No value h245.NonStandardParameter
h245.nonStandardData nonStandardData No value h245.NonStandardParameter
h245.nonStandardData_item Item No value h245.NonStandardParameter
h245.nonStandardIdentifier nonStandardIdentifier Unsigned 32-bit integer h245.NonStandardIdentifier
h245.nonStandardParameter nonStandardParameter No value h245.NonStandardParameter
h245.nonStandard_item Item No value h245.NonStandardParameter
h245.none none No value h245.NULL
h245.noneProcessed noneProcessed No value h245.NULL
h245.normal normal No value h245.NULL
h245.nsap nsap Byte array h245.OCTET_STRING_SIZE_1_20
h245.nsapAddress nsapAddress Byte array h245.OCTET_STRING_SIZE_1_20
h245.nsrpSupport nsrpSupport Boolean h245.BOOLEAN
h245.nullClockRecovery nullClockRecovery Boolean h245.BOOLEAN
h245.nullData nullData No value h245.NULL
h245.nullErrorCorrection nullErrorCorrection Boolean h245.BOOLEAN
h245.numOfDLCS numOfDLCS Unsigned 32-bit integer h245.INTEGER_2_8191
h245.numberOfBPictures numberOfBPictures Unsigned 32-bit integer h245.INTEGER_1_64
h245.numberOfCodewords numberOfCodewords Unsigned 32-bit integer h245.INTEGER_1_65536
h245.numberOfGOBs numberOfGOBs Unsigned 32-bit integer h245.INTEGER_1_18
h245.numberOfMBs numberOfMBs Unsigned 32-bit integer h245.INTEGER_1_8192
h245.numberOfRetransmissions numberOfRetransmissions Unsigned 32-bit integer h245.T_numberOfRetransmissions
h245.numberOfThreads numberOfThreads Unsigned 32-bit integer h245.INTEGER_1_16
h245.numberOfVCs numberOfVCs Unsigned 32-bit integer h245.INTEGER_1_256
h245.object object h245.T_object
h245.octetString octetString Byte array h245.OCTET_STRING
h245.offset_x offset-x Signed 32-bit integer h245.INTEGER_M262144_262143
h245.offset_y offset-y Signed 32-bit integer h245.INTEGER_M262144_262143
h245.oid oid h245.OBJECT_IDENTIFIER
h245.oneOfCapabilities oneOfCapabilities Unsigned 32-bit integer h245.AlternativeCapabilitySet
h245.openLogicalChannel openLogicalChannel No value h245.OpenLogicalChannel
h245.openLogicalChannelAck openLogicalChannelAck No value h245.OpenLogicalChannelAck
h245.openLogicalChannelConfirm openLogicalChannelConfirm No value h245.OpenLogicalChannelConfirm
h245.openLogicalChannelReject openLogicalChannelReject No value h245.OpenLogicalChannelReject
h245.originateCall originateCall No value h245.NULL
h245.paramS paramS No value h245.Params
h245.parameterIdentifier parameterIdentifier Unsigned 32-bit integer h245.ParameterIdentifier
h245.parameterValue parameterValue Unsigned 32-bit integer h245.ParameterValue
h245.partialPictureFreezeAndRelease partialPictureFreezeAndRelease Boolean h245.BOOLEAN
h245.partialPictureSnapshot partialPictureSnapshot Boolean h245.BOOLEAN
h245.partiallyFilledCells partiallyFilledCells Boolean h245.BOOLEAN
h245.password password Byte array h245.Password
h245.passwordResponse passwordResponse No value h245.T_passwordResponse
h245.payloadDescriptor payloadDescriptor Unsigned 32-bit integer h245.T_payloadDescriptor
h245.payloadType payloadType Unsigned 32-bit integer h245.INTEGER_0_127
h245.pbFrames pbFrames Boolean h245.BOOLEAN
h245.pcr_pid pcr-pid Unsigned 32-bit integer h245.INTEGER_0_8191
h245.pdu_type PDU Type Unsigned 32-bit integer Type of H.245 PDU
h245.peakRate peakRate Unsigned 32-bit integer h245.INTEGER_1_4294967295
h245.pictureNumber pictureNumber Boolean h245.BOOLEAN
h245.pictureRate pictureRate Unsigned 32-bit integer h245.INTEGER_0_15
h245.pictureReference pictureReference Unsigned 32-bit integer h245.PictureReference
h245.pixelAspectCode pixelAspectCode Unsigned 32-bit integer h245.T_pixelAspectCode
h245.pixelAspectCode_item Item Unsigned 32-bit integer h245.INTEGER_1_14
h245.pixelAspectInformation pixelAspectInformation Unsigned 32-bit integer h245.T_pixelAspectInformation
h245.pktMode pktMode Unsigned 32-bit integer h245.T_pktMode
h245.portNumber portNumber Unsigned 32-bit integer h245.INTEGER_0_65535
h245.presentationOrder presentationOrder Unsigned 32-bit integer h245.INTEGER_1_256
h245.previousPictureHeaderRepetition previousPictureHeaderRepetition Boolean h245.BOOLEAN
h245.primary primary No value h245.RedundancyEncodingElement
h245.primaryEncoding primaryEncoding Unsigned 32-bit integer h245.CapabilityTableEntryNumber
h245.productNumber productNumber String h245.OCTET_STRING_SIZE_1_256
h245.profileAndLevel profileAndLevel Unsigned 32-bit integer h245.T_profileAndLevel
h245.profileAndLevel_HPatHL profileAndLevel-HPatHL Boolean h245.BOOLEAN
h245.profileAndLevel_HPatH_14 profileAndLevel-HPatH-14 Boolean h245.BOOLEAN
h245.profileAndLevel_HPatML profileAndLevel-HPatML Boolean h245.BOOLEAN
h245.profileAndLevel_MPatHL profileAndLevel-MPatHL Boolean h245.BOOLEAN
h245.profileAndLevel_MPatH_14 profileAndLevel-MPatH-14 Boolean h245.BOOLEAN
h245.profileAndLevel_MPatLL profileAndLevel-MPatLL Boolean h245.BOOLEAN
h245.profileAndLevel_MPatML profileAndLevel-MPatML Boolean h245.BOOLEAN
h245.profileAndLevel_SNRatLL profileAndLevel-SNRatLL Boolean h245.BOOLEAN
h245.profileAndLevel_SNRatML profileAndLevel-SNRatML Boolean h245.BOOLEAN
h245.profileAndLevel_SPatML profileAndLevel-SPatML Boolean h245.BOOLEAN
h245.profileAndLevel_SpatialatH_14 profileAndLevel-SpatialatH-14 Boolean h245.BOOLEAN
h245.programDescriptors programDescriptors Byte array h245.OCTET_STRING
h245.programStream programStream Boolean h245.BOOLEAN
h245.progressiveRefinement progressiveRefinement Boolean h245.BOOLEAN
h245.progressiveRefinementAbortContinuous progressiveRefinementAbortContinuous No value h245.NULL
h245.progressiveRefinementAbortOne progressiveRefinementAbortOne No value h245.NULL
h245.progressiveRefinementStart progressiveRefinementStart No value h245.T_progressiveRefinementStart
h245.protectedCapability protectedCapability Unsigned 32-bit integer h245.CapabilityTableEntryNumber
h245.protectedChannel protectedChannel Unsigned 32-bit integer h245.LogicalChannelNumber
h245.protectedElement protectedElement Unsigned 32-bit integer h245.ModeElementType
h245.protectedPayloadType protectedPayloadType Unsigned 32-bit integer h245.INTEGER_0_127
h245.protectedSessionID protectedSessionID Unsigned 32-bit integer h245.INTEGER_1_255
h245.protocolIdentifier protocolIdentifier h245.OBJECT_IDENTIFIER
h245.q2931Address q2931Address No value h245.Q2931Address
h245.qOSCapabilities qOSCapabilities Unsigned 32-bit integer h245.SEQUENCE_SIZE_1_256_OF_QOSCapability
h245.qOSCapabilities_item Item No value h245.QOSCapability
h245.qcif qcif Boolean h245.BOOLEAN
h245.qcifAdditionalPictureMemory qcifAdditionalPictureMemory Unsigned 32-bit integer h245.INTEGER_1_256
h245.qcifMPI qcifMPI Unsigned 32-bit integer h245.INTEGER_1_4
h245.qosCapability qosCapability No value h245.QOSCapability
h245.qosClass qosClass Unsigned 32-bit integer h245.QOSClass
h245.qosDescriptor qosDescriptor No value h245.QOSDescriptor
h245.qosMode qosMode Unsigned 32-bit integer h245.QOSMode
h245.qosType qosType Unsigned 32-bit integer h245.QOSType
h245.rangeOfBitRates rangeOfBitRates No value h245.T_rangeOfBitRates
h245.rcpcCodeRate rcpcCodeRate Unsigned 32-bit integer h245.INTEGER_8_32
h245.reason reason Unsigned 32-bit integer h245.Clc_reason
h245.receiveAndTransmitAudioCapability receiveAndTransmitAudioCapability Unsigned 32-bit integer h245.AudioCapability
h245.receiveAndTransmitDataApplicationCapability receiveAndTransmitDataApplicationCapability No value h245.DataApplicationCapability
h245.receiveAndTransmitMultiplexedStreamCapability receiveAndTransmitMultiplexedStreamCapability No value h245.MultiplexedStreamCapability
h245.receiveAndTransmitMultipointCapability receiveAndTransmitMultipointCapability No value h245.MultipointCapability
h245.receiveAndTransmitUserInputCapability receiveAndTransmitUserInputCapability Unsigned 32-bit integer h245.UserInputCapability
h245.receiveAndTransmitVideoCapability receiveAndTransmitVideoCapability Unsigned 32-bit integer h245.VideoCapability
h245.receiveAudioCapability receiveAudioCapability Unsigned 32-bit integer h245.AudioCapability
h245.receiveCompression receiveCompression Unsigned 32-bit integer h245.CompressionType
h245.receiveDataApplicationCapability receiveDataApplicationCapability No value h245.DataApplicationCapability
h245.receiveMultiplexedStreamCapability receiveMultiplexedStreamCapability No value h245.MultiplexedStreamCapability
h245.receiveMultipointCapability receiveMultipointCapability No value h245.MultipointCapability
h245.receiveRTPAudioTelephonyEventCapability receiveRTPAudioTelephonyEventCapability No value h245.AudioTelephonyEventCapability
h245.receiveRTPAudioToneCapability receiveRTPAudioToneCapability No value h245.AudioToneCapability
h245.receiveUserInputCapability receiveUserInputCapability Unsigned 32-bit integer h245.UserInputCapability
h245.receiveVideoCapability receiveVideoCapability Unsigned 32-bit integer h245.VideoCapability
h245.reconfiguration reconfiguration No value h245.NULL
h245.recovery recovery Unsigned 32-bit integer h245.T_recovery
h245.recoveryReferencePicture recoveryReferencePicture Unsigned 32-bit integer h245.SEQUENCE_OF_PictureReference
h245.recoveryReferencePicture_item Item Unsigned 32-bit integer h245.PictureReference
h245.reducedResolutionUpdate reducedResolutionUpdate Boolean h245.BOOLEAN
h245.redundancyEncoding redundancyEncoding Boolean h245.BOOLEAN
h245.redundancyEncodingCap redundancyEncodingCap No value h245.RedundancyEncodingCapability
h245.redundancyEncodingCapability redundancyEncodingCapability Unsigned 32-bit integer h245.SEQUENCE_SIZE_1_256_OF_RedundancyEncodingCapability
h245.redundancyEncodingCapability_item Item No value h245.RedundancyEncodingCapability
h245.redundancyEncodingDTMode redundancyEncodingDTMode No value h245.RedundancyEncodingDTMode
h245.redundancyEncodingMethod redundancyEncodingMethod Unsigned 32-bit integer h245.RedundancyEncodingMethod
h245.redundancyEncodingMode redundancyEncodingMode No value h245.RedundancyEncodingMode
h245.refPictureSelection refPictureSelection No value h245.RefPictureSelection
h245.referencePicSelect referencePicSelect Boolean h245.BOOLEAN
h245.rej rej No value h245.NULL
h245.rejCapability rejCapability Boolean h245.BOOLEAN
h245.reject reject Unsigned 32-bit integer h245.T_reject
h245.rejectReason rejectReason Unsigned 32-bit integer h245.LogicalChannelRateRejectReason
h245.rejected rejected Unsigned 32-bit integer h245.T_rejected
h245.rejectionDescriptions rejectionDescriptions Unsigned 32-bit integer h245.SET_SIZE_1_15_OF_MultiplexEntryRejectionDescriptions
h245.rejectionDescriptions_item Item No value h245.MultiplexEntryRejectionDescriptions
h245.remoteMCRequest remoteMCRequest Unsigned 32-bit integer h245.RemoteMCRequest
h245.remoteMCResponse remoteMCResponse Unsigned 32-bit integer h245.RemoteMCResponse
h245.removeConnection removeConnection No value h245.RemoveConnectionReq
h245.reopen reopen No value h245.NULL
h245.repeatCount repeatCount Unsigned 32-bit integer h245.ME_repeatCount
h245.replacementFor replacementFor Unsigned 32-bit integer h245.LogicalChannelNumber
h245.replacementForRejected replacementForRejected No value h245.NULL
h245.request request Unsigned 32-bit integer h245.RequestMessage
h245.requestAllTerminalIDs requestAllTerminalIDs No value h245.NULL
h245.requestAllTerminalIDsResponse requestAllTerminalIDsResponse No value h245.RequestAllTerminalIDsResponse
h245.requestChairTokenOwner requestChairTokenOwner No value h245.NULL
h245.requestChannelClose requestChannelClose No value h245.RequestChannelClose
h245.requestChannelCloseAck requestChannelCloseAck No value h245.RequestChannelCloseAck
h245.requestChannelCloseReject requestChannelCloseReject No value h245.RequestChannelCloseReject
h245.requestChannelCloseRelease requestChannelCloseRelease No value h245.RequestChannelCloseRelease
h245.requestDenied requestDenied No value h245.NULL
h245.requestForFloor requestForFloor No value h245.NULL
h245.requestMode requestMode No value h245.RequestMode
h245.requestModeAck requestModeAck No value h245.RequestModeAck
h245.requestModeReject requestModeReject No value h245.RequestModeReject
h245.requestModeRelease requestModeRelease No value h245.RequestModeRelease
h245.requestMultiplexEntry requestMultiplexEntry No value h245.RequestMultiplexEntry
h245.requestMultiplexEntryAck requestMultiplexEntryAck No value h245.RequestMultiplexEntryAck
h245.requestMultiplexEntryReject requestMultiplexEntryReject No value h245.RequestMultiplexEntryReject
h245.requestMultiplexEntryRelease requestMultiplexEntryRelease No value h245.RequestMultiplexEntryRelease
h245.requestTerminalCertificate requestTerminalCertificate No value h245.T_requestTerminalCertificate
h245.requestTerminalID requestTerminalID No value h245.TerminalLabel
h245.requestType requestType Unsigned 32-bit integer h245.T_requestType
h245.requestedInterval requestedInterval Unsigned 32-bit integer h245.INTEGER_0_65535
h245.requestedModes requestedModes Unsigned 32-bit integer h245.SEQUENCE_SIZE_1_256_OF_ModeDescription
h245.requestedModes_item Item Unsigned 32-bit integer h245.ModeDescription
h245.required required No value h245.NULL
h245.reservationFailure reservationFailure No value h245.NULL
h245.resizingPartPicFreezeAndRelease resizingPartPicFreezeAndRelease Boolean h245.BOOLEAN
h245.resolution resolution Unsigned 32-bit integer h245.H261Resolution
h245.resourceID resourceID Unsigned 32-bit integer h245.INTEGER_0_65535
h245.response response Unsigned 32-bit integer h245.ResponseMessage
h245.responseCode responseCode Unsigned 32-bit integer h245.T_responseCode
h245.restriction restriction Unsigned 32-bit integer h245.Restriction
h245.returnedFunction returnedFunction Byte array h245.OCTET_STRING
h245.reverseLogicalChannelDependency reverseLogicalChannelDependency Unsigned 32-bit integer h245.LogicalChannelNumber
h245.reverseLogicalChannelNumber reverseLogicalChannelNumber Unsigned 32-bit integer h245.T_reverseLogicalChannelNumber
h245.reverseLogicalChannelParameters reverseLogicalChannelParameters No value h245.OLC_reverseLogicalChannelParameters
h245.reverseParameters reverseParameters No value h245.Cmd_reverseParameters
h245.rfc2198coding rfc2198coding No value h245.NULL
h245.rfc2733 rfc2733 No value h245.FECC_rfc2733
h245.rfc2733Format rfc2733Format Unsigned 32-bit integer h245.Rfc2733Format
h245.rfc2733Mode rfc2733Mode No value h245.T_rfc2733Mode
h245.rfc2733diffport rfc2733diffport Unsigned 32-bit integer h245.MaxRedundancy
h245.rfc2733rfc2198 rfc2733rfc2198 Unsigned 32-bit integer h245.MaxRedundancy
h245.rfc2733sameport rfc2733sameport Unsigned 32-bit integer h245.MaxRedundancy
h245.rfc_number rfc-number Unsigned 32-bit integer h245.INTEGER_1_32768_
h245.roundTripDelayRequest roundTripDelayRequest No value h245.RoundTripDelayRequest
h245.roundTripDelayResponse roundTripDelayResponse No value h245.RoundTripDelayResponse
h245.roundrobin roundrobin No value h245.NULL
h245.route route Unsigned 32-bit integer h245.T_route
h245.route_item Item Byte array h245.OCTET_STRING_SIZE_4
h245.routing routing Unsigned 32-bit integer h245.T_routing
h245.rsCodeCapability rsCodeCapability Boolean h245.BOOLEAN
h245.rsCodeCorrection rsCodeCorrection Unsigned 32-bit integer h245.INTEGER_0_127
h245.rsvpParameters rsvpParameters No value h245.RSVPParameters
h245.rtcpVideoControlCapability rtcpVideoControlCapability Boolean h245.BOOLEAN
h245.rtp rtp No value h245.T_rtp
h245.rtpAudioRedundancyEncoding rtpAudioRedundancyEncoding No value h245.NULL
h245.rtpH263VideoRedundancyEncoding rtpH263VideoRedundancyEncoding No value h245.RTPH263VideoRedundancyEncoding
h245.rtpPayloadIndication rtpPayloadIndication No value h245.NULL
h245.rtpPayloadType rtpPayloadType Unsigned 32-bit integer h245.SEQUENCE_SIZE_1_256_OF_RTPPayloadType
h245.rtpPayloadType_item Item No value h245.RTPPayloadType
h245.rtpRedundancyEncoding rtpRedundancyEncoding No value h245.T_rtpRedundancyEncoding
h245.sREJ sREJ No value h245.NULL
h245.sREJCapability sREJCapability Boolean h245.BOOLEAN
h245.sRandom sRandom Unsigned 32-bit integer h245.INTEGER_1_4294967295
h245.samePort samePort Boolean h245.BOOLEAN
h245.sampleSize sampleSize Unsigned 32-bit integer h245.INTEGER_1_255
h245.samplesPerFrame samplesPerFrame Unsigned 32-bit integer h245.INTEGER_1_255
h245.samplesPerLine samplesPerLine Unsigned 32-bit integer h245.INTEGER_0_16383
h245.sbeNumber sbeNumber Unsigned 32-bit integer h245.INTEGER_0_9
h245.scale_x scale-x Unsigned 32-bit integer h245.INTEGER_1_255
h245.scale_y scale-y Unsigned 32-bit integer h245.INTEGER_1_255
h245.scope scope Unsigned 32-bit integer h245.Scope
h245.scrambled scrambled Boolean h245.BOOLEAN
h245.sebch16_5 sebch16-5 No value h245.NULL
h245.sebch16_7 sebch16-7 No value h245.NULL
h245.secondary secondary Unsigned 32-bit integer h245.SEQUENCE_OF_RedundancyEncodingElement
h245.secondaryEncoding secondaryEncoding Unsigned 32-bit integer h245.SEQUENCE_SIZE_1_256_OF_CapabilityTableEntryNumber
h245.secondaryEncoding_item Item Unsigned 32-bit integer h245.CapabilityTableEntryNumber
h245.secondary_item Item No value h245.RedundancyEncodingElement
h245.secureChannel secureChannel Boolean h245.BOOLEAN
h245.secureDTMF secureDTMF No value h245.NULL
h245.securityDenied securityDenied No value h245.NULL
h245.seenByAll seenByAll No value h245.NULL
h245.seenByAtLeastOneOther seenByAtLeastOneOther No value h245.NULL
h245.segmentableFlag segmentableFlag Boolean h245.T_h223_lc_segmentableFlag
h245.segmentationAndReassembly segmentationAndReassembly No value h245.NULL
h245.semanticError semanticError No value h245.NULL
h245.sendBufferSize sendBufferSize Unsigned 32-bit integer h245.T_al3_sendBufferSize
h245.sendTerminalCapabilitySet sendTerminalCapabilitySet Unsigned 32-bit integer h245.SendTerminalCapabilitySet
h245.sendThisSource sendThisSource No value h245.TerminalLabel
h245.sendThisSourceResponse sendThisSourceResponse Unsigned 32-bit integer h245.T_sendThisSourceResponse
h245.separateLANStack separateLANStack No value h245.NULL
h245.separatePort separatePort Boolean h245.BOOLEAN
h245.separateStack separateStack No value h245.NetworkAccessParameters
h245.separateStackEstablishmentFailed separateStackEstablishmentFailed No value h245.NULL
h245.separateStream separateStream No value h245.T_separateStreamBool
h245.separateVideoBackChannel separateVideoBackChannel Boolean h245.BOOLEAN
h245.sequenceNumber sequenceNumber Unsigned 32-bit integer h245.SequenceNumber
h245.servicePriority servicePriority No value h245.ServicePriority
h245.servicePrioritySignalled servicePrioritySignalled Boolean h245.BOOLEAN
h245.servicePriorityValue servicePriorityValue No value h245.ServicePriorityValue
h245.sessionDependency sessionDependency Unsigned 32-bit integer h245.INTEGER_1_255
h245.sessionDescription sessionDescription String h245.BMPString_SIZE_1_128
h245.sessionID sessionID Unsigned 32-bit integer h245.INTEGER_0_255
h245.sharedSecret sharedSecret Boolean h245.BOOLEAN
h245.shortInterleaver shortInterleaver Boolean h245.BOOLEAN
h245.sidMode0 sidMode0 Unsigned 32-bit integer h245.INTEGER_6_17
h245.sidMode1 sidMode1 Unsigned 32-bit integer h245.INTEGER_6_17
h245.signal signal No value h245.T_signal
h245.signalAddress signalAddress Unsigned 32-bit integer h245.TransportAddress
h245.signalType signalType String h245.T_signalType
h245.signalUpdate signalUpdate No value h245.T_signalUpdate
h245.silenceSuppression silenceSuppression Boolean h245.BOOLEAN
h245.silenceSuppressionHighRate silenceSuppressionHighRate No value h245.NULL
h245.silenceSuppressionLowRate silenceSuppressionLowRate No value h245.NULL
h245.simultaneousCapabilities simultaneousCapabilities Unsigned 32-bit integer h245.SET_SIZE_1_256_OF_AlternativeCapabilitySet
h245.simultaneousCapabilities_item Item Unsigned 32-bit integer h245.AlternativeCapabilitySet
h245.singleBitRate singleBitRate Unsigned 32-bit integer h245.INTEGER_1_65535
h245.singleChannel singleChannel Boolean h245.BOOLEAN
h245.skew skew Unsigned 32-bit integer h245.INTEGER_0_4095
h245.skippedFrameCount skippedFrameCount Unsigned 32-bit integer h245.INTEGER_0_15
h245.slave slave No value h245.NULL
h245.slaveActivate slaveActivate No value h245.NULL
h245.slaveToMaster slaveToMaster No value h245.NULL
h245.slicesInOrder_NonRect slicesInOrder-NonRect Boolean h245.BOOLEAN
h245.slicesInOrder_Rect slicesInOrder-Rect Boolean h245.BOOLEAN
h245.slicesNoOrder_NonRect slicesNoOrder-NonRect Boolean h245.BOOLEAN
h245.slicesNoOrder_Rect slicesNoOrder-Rect Boolean h245.BOOLEAN
h245.slowCif16MPI slowCif16MPI Unsigned 32-bit integer h245.INTEGER_1_3600
h245.slowCif4MPI slowCif4MPI Unsigned 32-bit integer h245.INTEGER_1_3600
h245.slowCifMPI slowCifMPI Unsigned 32-bit integer h245.INTEGER_1_3600
h245.slowQcifMPI slowQcifMPI Unsigned 32-bit integer h245.INTEGER_1_3600
h245.slowSqcifMPI slowSqcifMPI Unsigned 32-bit integer h245.INTEGER_1_3600
h245.snrEnhancement snrEnhancement Unsigned 32-bit integer h245.SET_SIZE_1_14_OF_EnhancementOptions
h245.snrEnhancement_item Item No value h245.EnhancementOptions
h245.source source No value h245.TerminalLabel
h245.spareReferencePictures spareReferencePictures Boolean h245.BOOLEAN
h245.spatialEnhancement spatialEnhancement Unsigned 32-bit integer h245.SET_SIZE_1_14_OF_EnhancementOptions
h245.spatialEnhancement_item Item No value h245.EnhancementOptions
h245.specificRequest specificRequest No value h245.T_specificRequest
h245.sqcif sqcif No value h245.NULL
h245.sqcifAdditionalPictureMemory sqcifAdditionalPictureMemory Unsigned 32-bit integer h245.INTEGER_1_256
h245.sqcifMPI sqcifMPI Unsigned 32-bit integer h245.INTEGER_1_32
h245.srtsClockRecovery srtsClockRecovery Boolean h245.BOOLEAN
h245.standard standard h245.T_standardOid
h245.standardMPI standardMPI Unsigned 32-bit integer h245.INTEGER_1_31
h245.start start No value h245.NULL
h245.status status Unsigned 32-bit integer h245.T_status
h245.statusDeterminationNumber statusDeterminationNumber Unsigned 32-bit integer h245.INTEGER_0_16777215
h245.stillImageTransmission stillImageTransmission Boolean h245.BOOLEAN
h245.stop stop No value h245.NULL
h245.streamDescriptors streamDescriptors Byte array h245.OCTET_STRING
h245.strict strict No value h245.NULL
h245.structuredDataTransfer structuredDataTransfer Boolean h245.BOOLEAN
h245.subAddress subAddress String h245.IA5String_SIZE_1_40
h245.subChannelID subChannelID Unsigned 32-bit integer h245.INTEGER_0_8191
h245.subElementList subElementList Unsigned 32-bit integer h245.T_subElementList
h245.subElementList_item Item No value h245.MultiplexElement
h245.subMessageIdentifier subMessageIdentifier Unsigned 32-bit integer h245.T_subMessageIdentifier
h245.subPictureNumber subPictureNumber Unsigned 32-bit integer h245.INTEGER_0_255
h245.subPictureRemovalParameters subPictureRemovalParameters No value h245.T_subPictureRemovalParameters
h245.subaddress subaddress Byte array h245.OCTET_STRING_SIZE_1_20
h245.substituteConferenceIDCommand substituteConferenceIDCommand No value h245.SubstituteConferenceIDCommand
h245.supersedes supersedes Unsigned 32-bit integer h245.SEQUENCE_OF_ParameterIdentifier
h245.supersedes_item Item Unsigned 32-bit integer h245.ParameterIdentifier
h245.suspendResume suspendResume Unsigned 32-bit integer h245.T_suspendResume
h245.suspendResumeCapabilitywAddress suspendResumeCapabilitywAddress Boolean h245.BOOLEAN
h245.suspendResumeCapabilitywoAddress suspendResumeCapabilitywoAddress Boolean h245.BOOLEAN
h245.suspendResumewAddress suspendResumewAddress No value h245.NULL
h245.suspendResumewoAddress suspendResumewoAddress No value h245.NULL
h245.switchReceiveMediaOff switchReceiveMediaOff No value h245.NULL
h245.switchReceiveMediaOn switchReceiveMediaOn No value h245.NULL
h245.synchFlag synchFlag Unsigned 32-bit integer h245.INTEGER_0_255
h245.synchronized synchronized No value h245.NULL
h245.syntaxError syntaxError No value h245.NULL
h245.systemLoop systemLoop No value h245.NULL
h245.t120 t120 Unsigned 32-bit integer h245.DataProtocolCapability
h245.t120DynamicPortCapability t120DynamicPortCapability Boolean h245.BOOLEAN
h245.t120SetupProcedure t120SetupProcedure Unsigned 32-bit integer h245.T_t120SetupProcedure
h245.t140 t140 Unsigned 32-bit integer h245.DataProtocolCapability
h245.t30fax t30fax Unsigned 32-bit integer h245.DataProtocolCapability
h245.t35CountryCode t35CountryCode Unsigned 32-bit integer h245.T_t35CountryCode
h245.t35Extension t35Extension Unsigned 32-bit integer h245.T_t35Extension
h245.t38FaxMaxBuffer t38FaxMaxBuffer Signed 32-bit integer h245.INTEGER
h245.t38FaxMaxDatagram t38FaxMaxDatagram Signed 32-bit integer h245.INTEGER
h245.t38FaxProfile t38FaxProfile No value h245.T38FaxProfile
h245.t38FaxProtocol t38FaxProtocol Unsigned 32-bit integer h245.DataProtocolCapability
h245.t38FaxRateManagement t38FaxRateManagement Unsigned 32-bit integer h245.T38FaxRateManagement
h245.t38FaxTcpOptions t38FaxTcpOptions No value h245.T38FaxTcpOptions
h245.t38FaxUdpEC t38FaxUdpEC Unsigned 32-bit integer h245.T_t38FaxUdpEC
h245.t38FaxUdpOptions t38FaxUdpOptions No value h245.T38FaxUdpOptions
h245.t38TCPBidirectionalMode t38TCPBidirectionalMode Boolean h245.BOOLEAN
h245.t38UDPFEC t38UDPFEC No value h245.NULL
h245.t38UDPRedundancy t38UDPRedundancy No value h245.NULL
h245.t38fax t38fax No value h245.T_t38fax
h245.t434 t434 Unsigned 32-bit integer h245.DataProtocolCapability
h245.t84 t84 No value h245.T_t84
h245.t84Profile t84Profile Unsigned 32-bit integer h245.T84Profile
h245.t84Protocol t84Protocol Unsigned 32-bit integer h245.DataProtocolCapability
h245.t84Restricted t84Restricted No value h245.T_t84Restricted
h245.t84Unrestricted t84Unrestricted No value h245.NULL
h245.tableEntryCapacityExceeded tableEntryCapacityExceeded Unsigned 32-bit integer h245.T_tableEntryCapacityExceeded
h245.tcp tcp No value h245.NULL
h245.telephonyMode telephonyMode No value h245.NULL
h245.temporalReference temporalReference Unsigned 32-bit integer h245.INTEGER_0_1023
h245.temporalSpatialTradeOffCapability temporalSpatialTradeOffCapability Boolean h245.BOOLEAN
h245.terminalCapabilitySet terminalCapabilitySet No value h245.TerminalCapabilitySet
h245.terminalCapabilitySetAck terminalCapabilitySetAck No value h245.TerminalCapabilitySetAck
h245.terminalCapabilitySetReject terminalCapabilitySetReject No value h245.TerminalCapabilitySetReject
h245.terminalCapabilitySetRelease terminalCapabilitySetRelease No value h245.TerminalCapabilitySetRelease
h245.terminalCertificateResponse terminalCertificateResponse No value h245.T_terminalCertificateResponse
h245.terminalDropReject terminalDropReject No value h245.NULL
h245.terminalID terminalID Byte array h245.TerminalID
h245.terminalIDResponse terminalIDResponse No value h245.T_terminalIDResponse
h245.terminalInformation terminalInformation Unsigned 32-bit integer h245.SEQUENCE_OF_TerminalInformation
h245.terminalInformation_item Item No value h245.TerminalInformation
h245.terminalJoinedConference terminalJoinedConference No value h245.TerminalLabel
h245.terminalLabel terminalLabel No value h245.TerminalLabel
h245.terminalLeftConference terminalLeftConference No value h245.TerminalLabel
h245.terminalListRequest terminalListRequest No value h245.NULL
h245.terminalListResponse terminalListResponse Unsigned 32-bit integer h245.SET_SIZE_1_256_OF_TerminalLabel
h245.terminalListResponse_item Item No value h245.TerminalLabel
h245.terminalNumber terminalNumber Unsigned 32-bit integer h245.TerminalNumber
h245.terminalNumberAssign terminalNumberAssign No value h245.TerminalLabel
h245.terminalOnHold terminalOnHold No value h245.NULL
h245.terminalType terminalType Unsigned 32-bit integer h245.INTEGER_0_255
h245.terminalYouAreSeeing terminalYouAreSeeing No value h245.TerminalLabel
h245.terminalYouAreSeeingInSubPictureNumber terminalYouAreSeeingInSubPictureNumber No value h245.TerminalYouAreSeeingInSubPictureNumber
h245.threadNumber threadNumber Unsigned 32-bit integer h245.INTEGER_0_15
h245.threeChannels2_1 threeChannels2-1 Boolean h245.BOOLEAN
h245.threeChannels3_0 threeChannels3-0 Boolean h245.BOOLEAN
h245.timestamp timestamp Unsigned 32-bit integer h245.INTEGER_0_4294967295
h245.toLevel0 toLevel0 No value h245.NULL
h245.toLevel1 toLevel1 No value h245.NULL
h245.toLevel2 toLevel2 No value h245.NULL
h245.toLevel2withOptionalHeader toLevel2withOptionalHeader No value h245.NULL
h245.tokenRate tokenRate Unsigned 32-bit integer h245.INTEGER_1_4294967295
h245.transcodingJBIG transcodingJBIG Boolean h245.BOOLEAN
h245.transcodingMMR transcodingMMR Boolean h245.BOOLEAN
h245.transferMode transferMode Unsigned 32-bit integer h245.T_transferMode
h245.transferredTCF transferredTCF No value h245.NULL
h245.transmitAndReceiveCompression transmitAndReceiveCompression Unsigned 32-bit integer h245.CompressionType
h245.transmitAudioCapability transmitAudioCapability Unsigned 32-bit integer h245.AudioCapability
h245.transmitCompression transmitCompression Unsigned 32-bit integer h245.CompressionType
h245.transmitDataApplicationCapability transmitDataApplicationCapability No value h245.DataApplicationCapability
h245.transmitMultiplexedStreamCapability transmitMultiplexedStreamCapability No value h245.MultiplexedStreamCapability
h245.transmitMultipointCapability transmitMultipointCapability No value h245.MultipointCapability
h245.transmitUserInputCapability transmitUserInputCapability Unsigned 32-bit integer h245.UserInputCapability
h245.transmitVideoCapability transmitVideoCapability Unsigned 32-bit integer h245.VideoCapability
h245.transparencyParameters transparencyParameters No value h245.TransparencyParameters
h245.transparent transparent No value h245.NULL
h245.transport transport Unsigned 32-bit integer h245.DataProtocolCapability
h245.transportCapability transportCapability No value h245.TransportCapability
h245.transportStream transportStream Boolean h245.BOOLEAN
h245.transportWithI_frames transportWithI-frames Boolean h245.BOOLEAN
h245.tsapIdentifier tsapIdentifier Unsigned 32-bit integer h245.TsapIdentifier
h245.twoChannelDual twoChannelDual No value h245.NULL
h245.twoChannelStereo twoChannelStereo No value h245.NULL
h245.twoChannels twoChannels Boolean h245.BOOLEAN
h245.twoOctetAddressFieldCapability twoOctetAddressFieldCapability Boolean h245.BOOLEAN
h245.type type Unsigned 32-bit integer h245.Avb_type
h245.typeIArq typeIArq No value h245.H223AnnexCArqParameters
h245.typeIIArq typeIIArq No value h245.H223AnnexCArqParameters
h245.uIH uIH Boolean h245.BOOLEAN
h245.uNERM uNERM No value h245.NULL
h245.udp udp No value h245.NULL
h245.uihCapability uihCapability Boolean h245.BOOLEAN
h245.undefinedReason undefinedReason No value h245.NULL
h245.undefinedTableEntryUsed undefinedTableEntryUsed No value h245.NULL
h245.unframed unframed No value h245.NULL
h245.unicast unicast No value h245.NULL
h245.unicastAddress unicastAddress Unsigned 32-bit integer h245.UnicastAddress
h245.unknown unknown No value h245.NULL
h245.unknownDataType unknownDataType No value h245.NULL
h245.unknownFunction unknownFunction No value h245.NULL
h245.unlimitedMotionVectors unlimitedMotionVectors Boolean h245.BOOLEAN
h245.unrestrictedVector unrestrictedVector Boolean h245.BOOLEAN
h245.unsigned32Max unsigned32Max Unsigned 32-bit integer h245.INTEGER_0_4294967295
h245.unsigned32Min unsigned32Min Unsigned 32-bit integer h245.INTEGER_0_4294967295
h245.unsignedMax unsignedMax Unsigned 32-bit integer h245.INTEGER_0_65535
h245.unsignedMin unsignedMin Unsigned 32-bit integer h245.INTEGER_0_65535
h245.unspecified unspecified No value h245.NULL
h245.unspecifiedCause unspecifiedCause No value h245.NULL
h245.unsuitableReverseParameters unsuitableReverseParameters No value h245.NULL
h245.untilClosingFlag untilClosingFlag No value h245.T_untilClosingFlag
h245.user user No value h245.NULL
h245.userData userData Unsigned 32-bit integer h245.DataProtocolCapability
h245.userInput userInput Unsigned 32-bit integer h245.UserInputIndication
h245.userInputSupportIndication userInputSupportIndication Unsigned 32-bit integer h245.T_userInputSupportIndication
h245.userRejected userRejected No value h245.NULL
h245.uuid uuid Byte array h245.OCTET_STRING_SIZE_16
h245.v120 v120 No value h245.NULL
h245.v140 v140 No value h245.NULL
h245.v14buffered v14buffered No value h245.NULL
h245.v34DSVD v34DSVD No value h245.NULL
h245.v34DuplexFAX v34DuplexFAX No value h245.NULL
h245.v34H324 v34H324 No value h245.NULL
h245.v42bis v42bis No value h245.V42bis
h245.v42lapm v42lapm No value h245.NULL
h245.v75Capability v75Capability No value h245.V75Capability
h245.v75Parameters v75Parameters No value h245.V75Parameters
h245.v76Capability v76Capability No value h245.V76Capability
h245.v76LogicalChannelParameters v76LogicalChannelParameters No value h245.V76LogicalChannelParameters
h245.v76ModeParameters v76ModeParameters Unsigned 32-bit integer h245.V76ModeParameters
h245.v76wCompression v76wCompression Unsigned 32-bit integer h245.T_v76wCompression
h245.v8bis v8bis No value h245.NULL
h245.value value Byte array h245.OCTET_STRING_SIZE_1_65535
h245.variable_delta variable-delta Boolean h245.BOOLEAN
h245.vbd vbd No value h245.VBDCapability
h245.vbvBufferSize vbvBufferSize Unsigned 32-bit integer h245.INTEGER_0_262143
h245.vcCapability vcCapability Unsigned 32-bit integer h245.SET_OF_VCCapability
h245.vcCapability_item Item No value h245.VCCapability
h245.vendor vendor Unsigned 32-bit integer h245.NonStandardIdentifier
h245.vendorIdentification vendorIdentification No value h245.VendorIdentification
h245.version version Unsigned 32-bit integer h245.INTEGER_0_255
h245.versionNumber versionNumber String h245.OCTET_STRING_SIZE_1_256
h245.videoBackChannelSend videoBackChannelSend Unsigned 32-bit integer h245.T_videoBackChannelSend
h245.videoBadMBs videoBadMBs No value h245.T_videoBadMBs
h245.videoBadMBsCap videoBadMBsCap Boolean h245.BOOLEAN
h245.videoBitRate videoBitRate Unsigned 32-bit integer h245.INTEGER_0_1073741823
h245.videoCapability videoCapability Unsigned 32-bit integer h245.SEQUENCE_OF_VideoCapability
h245.videoCapabilityExtension videoCapabilityExtension Unsigned 32-bit integer h245.SEQUENCE_OF_GenericCapability
h245.videoCapabilityExtension_item Item No value h245.GenericCapability
h245.videoCapability_item Item Unsigned 32-bit integer h245.VideoCapability
h245.videoCommandReject videoCommandReject No value h245.NULL
h245.videoData videoData Unsigned 32-bit integer h245.VideoCapability
h245.videoFastUpdateGOB videoFastUpdateGOB No value h245.T_videoFastUpdateGOB
h245.videoFastUpdateMB videoFastUpdateMB No value h245.T_videoFastUpdateMB
h245.videoFastUpdatePicture videoFastUpdatePicture No value h245.NULL
h245.videoFreezePicture videoFreezePicture No value h245.NULL
h245.videoIndicateCompose videoIndicateCompose No value h245.VideoIndicateCompose
h245.videoIndicateMixingCapability videoIndicateMixingCapability Boolean h245.BOOLEAN
h245.videoIndicateReadyToActivate videoIndicateReadyToActivate No value h245.NULL
h245.videoMode videoMode Unsigned 32-bit integer h245.VideoMode
h245.videoMux videoMux Boolean h245.BOOLEAN
h245.videoNotDecodedMBs videoNotDecodedMBs No value h245.T_videoNotDecodedMBs
h245.videoSegmentTagging videoSegmentTagging Boolean h245.BOOLEAN
h245.videoSendSyncEveryGOB videoSendSyncEveryGOB No value h245.NULL
h245.videoSendSyncEveryGOBCancel videoSendSyncEveryGOBCancel No value h245.NULL
h245.videoTemporalSpatialTradeOff videoTemporalSpatialTradeOff Unsigned 32-bit integer h245.INTEGER_0_31
h245.videoWithAL1 videoWithAL1 Boolean h245.BOOLEAN
h245.videoWithAL1M videoWithAL1M Boolean h245.BOOLEAN
h245.videoWithAL2 videoWithAL2 Boolean h245.BOOLEAN
h245.videoWithAL2M videoWithAL2M Boolean h245.BOOLEAN
h245.videoWithAL3 videoWithAL3 Boolean h245.BOOLEAN
h245.videoWithAL3M videoWithAL3M Boolean h245.BOOLEAN
h245.waitForCall waitForCall No value h245.NULL
h245.waitForCommunicationMode waitForCommunicationMode No value h245.NULL
h245.wholeMultiplex wholeMultiplex No value h245.NULL
h245.width width Unsigned 32-bit integer h245.INTEGER_1_255
h245.willTransmitLessPreferredMode willTransmitLessPreferredMode No value h245.NULL
h245.willTransmitMostPreferredMode willTransmitMostPreferredMode No value h245.NULL
h245.windowSize windowSize Unsigned 32-bit integer h245.INTEGER_1_127
h245.withdrawChairToken withdrawChairToken No value h245.NULL
h245.zeroDelay zeroDelay No value h245.NULL
msrp.authentication.info Authentication-Info String Authentication-Info
msrp.authorization Authorization String Authorization
msrp.byte.range Byte Range String Byte Range
msrp.cnt.flg Continuation-flag String Continuation-flag
msrp.content.description Content-Description String Content-Description
msrp.content.disposition Content-Disposition String Content-Disposition
msrp.content.id Content-ID String Content-ID
msrp.content.type Content-Type String Content-Type
msrp.end.line End Line String End Line
msrp.failure.report Failure Report String Failure Report
msrp.from.path From Path String From Path
msrp.messageid Message ID String Message ID
msrp.method Method String Method
msrp.msg.hdr Message Header No value Message Header
msrp.request.line Request Line String Request Line
msrp.response.line Response Line String Response Line
msrp.setup Stream setup String Stream setup, method and frame number
msrp.setup-frame Setup frame Frame number Frame that set up this stream
msrp.setup-method Setup Method String Method used to set up this stream
msrp.status Status String Status
msrp.status.code Status code Unsigned 16-bit integer Status code
msrp.success.report Success Report String Success Report
msrp.to.path To Path String To Path
msrp.transaction.id Transaction Id String Transaction Id
msrp.use.path Use-Path String Use-Path
msrp.www.authenticate WWW-Authenticate String WWW-Authenticate
mtp2.bib Backward indicator bit Unsigned 8-bit integer
mtp2.bsn Backward sequence number Unsigned 8-bit integer
mtp2.fib Forward indicator bit Unsigned 8-bit integer
mtp2.fsn Forward sequence number Unsigned 8-bit integer
mtp2.li Length Indicator Unsigned 8-bit integer
mtp2.res Reserved Unsigned 16-bit integer
mtp2.sf Status field Unsigned 8-bit integer
mtp2.spare Spare Unsigned 8-bit integer
mtp3.ansi_dpc DPC String
mtp3.ansi_opc DPC String
mtp3.chinese_dpc DPC String
mtp3.chinese_opc DPC String
mtp3.dpc DPC Unsigned 32-bit integer
mtp3.dpc.cluster DPC Cluster Unsigned 24-bit integer
mtp3.dpc.member DPC Member Unsigned 24-bit integer
mtp3.dpc.network DPC Network Unsigned 24-bit integer
mtp3.network_indicator Network indicator Unsigned 8-bit integer
mtp3.opc OPC Unsigned 32-bit integer
mtp3.opc.cluster OPC Cluster Unsigned 24-bit integer
mtp3.opc.member OPC Member Unsigned 24-bit integer
mtp3.opc.network OPC Network Unsigned 24-bit integer
mtp3.pc PC Unsigned 32-bit integer
mtp3.priority Priority Unsigned 8-bit integer
mtp3.service_indicator Service indicator Unsigned 8-bit integer
mtp3.sls Signalling Link Selector Unsigned 32-bit integer
mtp3.sls_spare SLS Spare Unsigned 8-bit integer
mtp3.spare Spare Unsigned 8-bit integer
mtp3mg.ansi_apc Affected Point Code String
mtp3mg.apc Affected Point Code (ITU) Unsigned 16-bit integer
mtp3mg.apc.cluster Affected Point Code cluster Unsigned 24-bit integer
mtp3mg.apc.member Affected Point Code member Unsigned 24-bit integer
mtp3mg.apc.network Affected Point Code network Unsigned 24-bit integer
mtp3mg.cause Cause Unsigned 8-bit integer Cause of user unavailability
mtp3mg.cbc Change Back Code Unsigned 16-bit integer
mtp3mg.chinese_apc Affected Point Code String
mtp3mg.fsn Forward Sequence Number Unsigned 8-bit integer Forward Sequence Number of last accepted message
mtp3mg.h0 H0 (Message Group) Unsigned 8-bit integer Message group identifier
mtp3mg.h1 H1 (Message) Unsigned 8-bit integer Message type
mtp3mg.japan_apc Affected Point Code Unsigned 16-bit integer
mtp3mg.japan_count Count of Affected Point Codes (Japan) Unsigned 8-bit integer
mtp3mg.japan_spare TFC spare (Japan) Unsigned 8-bit integer
mtp3mg.japan_status Status Unsigned 8-bit integer
mtp3mg.link Link Unsigned 8-bit integer CIC of BIC used to carry data
mtp3mg.slc Signalling Link Code Unsigned 8-bit integer SLC of affected link
mtp3mg.spare Japan management spare Unsigned 8-bit integer Japan management spare
mtp3mg.status Status Unsigned 8-bit integer Congestion status
mtp3mg.test Japan test message Unsigned 8-bit integer Japan test message type
mtp3mg.test.h0 H0 (Message Group) Unsigned 8-bit integer Message group identifier
mtp3mg.test.h1 H1 (Message) Unsigned 8-bit integer SLT message type
mtp3mg.test.length Test length Unsigned 8-bit integer Signalling link test pattern length
mtp3mg.test.pattern Japan test message pattern Unsigned 16-bit integer Japan test message pattern
mtp3mg.test.spare Japan test message spare Unsigned 8-bit integer Japan test message spare
mtp3mg.user User Unsigned 8-bit integer Unavailable user part
atcvs.job_info JobInfo No value JobInfo structure
atsvc.atsvc_DaysOfMonth.Eight Eight Boolean
atsvc.atsvc_DaysOfMonth.Eighteenth Eighteenth Boolean
atsvc.atsvc_DaysOfMonth.Eleventh Eleventh Boolean
atsvc.atsvc_DaysOfMonth.Fifteenth Fifteenth Boolean
atsvc.atsvc_DaysOfMonth.Fifth Fifth Boolean
atsvc.atsvc_DaysOfMonth.First First Boolean
atsvc.atsvc_DaysOfMonth.Fourteenth Fourteenth Boolean
atsvc.atsvc_DaysOfMonth.Fourth Fourth Boolean
atsvc.atsvc_DaysOfMonth.Ninteenth Ninteenth Boolean
atsvc.atsvc_DaysOfMonth.Ninth Ninth Boolean
atsvc.atsvc_DaysOfMonth.Second Second Boolean
atsvc.atsvc_DaysOfMonth.Seventeenth Seventeenth Boolean
atsvc.atsvc_DaysOfMonth.Seventh Seventh Boolean
atsvc.atsvc_DaysOfMonth.Sixteenth Sixteenth Boolean
atsvc.atsvc_DaysOfMonth.Sixth Sixth Boolean
atsvc.atsvc_DaysOfMonth.Tenth Tenth Boolean
atsvc.atsvc_DaysOfMonth.Third Third Boolean
atsvc.atsvc_DaysOfMonth.Thirtieth Thirtieth Boolean
atsvc.atsvc_DaysOfMonth.Thirtyfirst Thirtyfirst Boolean
atsvc.atsvc_DaysOfMonth.Thitteenth Thitteenth Boolean
atsvc.atsvc_DaysOfMonth.Twelfth Twelfth Boolean
atsvc.atsvc_DaysOfMonth.Twentyeighth Twentyeighth Boolean
atsvc.atsvc_DaysOfMonth.Twentyfifth Twentyfifth Boolean
atsvc.atsvc_DaysOfMonth.Twentyfirst Twentyfirst Boolean
atsvc.atsvc_DaysOfMonth.Twentyfourth Twentyfourth Boolean
atsvc.atsvc_DaysOfMonth.Twentyninth Twentyninth Boolean
atsvc.atsvc_DaysOfMonth.Twentysecond Twentysecond Boolean
atsvc.atsvc_DaysOfMonth.Twentyseventh Twentyseventh Boolean
atsvc.atsvc_DaysOfMonth.Twentysixth Twentysixth Boolean
atsvc.atsvc_DaysOfMonth.Twentyth Twentyth Boolean
atsvc.atsvc_DaysOfMonth.Twentythird Twentythird Boolean
atsvc.atsvc_DaysOfWeek.DAYSOFWEEK_FRIDAY Daysofweek Friday Boolean
atsvc.atsvc_DaysOfWeek.DAYSOFWEEK_MONDAY Daysofweek Monday Boolean
atsvc.atsvc_DaysOfWeek.DAYSOFWEEK_SATURDAY Daysofweek Saturday Boolean
atsvc.atsvc_DaysOfWeek.DAYSOFWEEK_SUNDAY Daysofweek Sunday Boolean
atsvc.atsvc_DaysOfWeek.DAYSOFWEEK_THURSDAY Daysofweek Thursday Boolean
atsvc.atsvc_DaysOfWeek.DAYSOFWEEK_TUESDAY Daysofweek Tuesday Boolean
atsvc.atsvc_DaysOfWeek.DAYSOFWEEK_WEDNESDAY Daysofweek Wednesday Boolean
atsvc.atsvc_Flags.JOB_ADD_CURRENT_DATE Job Add Current Date Boolean
atsvc.atsvc_Flags.JOB_EXEC_ERROR Job Exec Error Boolean
atsvc.atsvc_Flags.JOB_NONINTERACTIVE Job Noninteractive Boolean
atsvc.atsvc_Flags.JOB_RUNS_TODAY Job Runs Today Boolean
atsvc.atsvc_Flags.JOB_RUN_PERIODICALLY Job Run Periodically Boolean
atsvc.atsvc_JobDel.max_job_id Max Job Id Unsigned 32-bit integer
atsvc.atsvc_JobDel.min_job_id Min Job Id Unsigned 32-bit integer
atsvc.atsvc_JobEnum.ctr Ctr No value
atsvc.atsvc_JobEnum.preferred_max_len Preferred Max Len Unsigned 32-bit integer
atsvc.atsvc_JobEnum.resume_handle Resume Handle Unsigned 32-bit integer
atsvc.atsvc_JobEnum.total_entries Total Entries Unsigned 32-bit integer
atsvc.atsvc_JobEnumInfo.command Command String
atsvc.atsvc_JobEnumInfo.days_of_month Days Of Month Unsigned 32-bit integer
atsvc.atsvc_JobEnumInfo.days_of_week Days Of Week Unsigned 8-bit integer
atsvc.atsvc_JobEnumInfo.flags Flags Unsigned 8-bit integer
atsvc.atsvc_JobEnumInfo.job_time Job Time Unsigned 32-bit integer
atsvc.atsvc_JobInfo.command Command String
atsvc.atsvc_JobInfo.days_of_month Days Of Month Unsigned 32-bit integer
atsvc.atsvc_JobInfo.days_of_week Days Of Week Unsigned 8-bit integer
atsvc.atsvc_JobInfo.flags Flags Unsigned 8-bit integer
atsvc.atsvc_JobInfo.job_time Job Time Unsigned 32-bit integer
atsvc.atsvc_enum_ctr.entries_read Entries Read Unsigned 32-bit integer
atsvc.atsvc_enum_ctr.first_entry First Entry No value
atsvc.job_id Job Id Unsigned 32-bit integer Identifier of the scheduled job
atsvc.opnum Operation Unsigned 16-bit integer
atsvc.server Server String Name of the server
atsvc.status Status Unsigned 32-bit integer
dfs.opnum Operation Unsigned 16-bit integer Operation
trksvr.opnum Operation Unsigned 16-bit integer
trksvr.rc Return code Unsigned 32-bit integer TRKSVR return code
efs.EFS_CERTIFICATE_BLOB.cbData cbData Signed 32-bit integer
efs.EFS_CERTIFICATE_BLOB.dwCertEncodingType dwCertEncodingType Signed 32-bit integer
efs.EFS_CERTIFICATE_BLOB.pbData pbData Unsigned 8-bit integer
efs.EFS_HASH_BLOB.cbData cbData Signed 32-bit integer
efs.EFS_HASH_BLOB.pbData pbData Unsigned 8-bit integer
efs.ENCRYPTION_CERTIFICATE.TotalLength TotalLength Signed 32-bit integer
efs.ENCRYPTION_CERTIFICATE.pCertBlob pCertBlob No value
efs.ENCRYPTION_CERTIFICATE.pUserSid pUserSid String
efs.ENCRYPTION_CERTIFICATE_HASH.cbTotalLength cbTotalLength Signed 32-bit integer
efs.ENCRYPTION_CERTIFICATE_HASH.lpDisplayInformation lpDisplayInformation String
efs.ENCRYPTION_CERTIFICATE_HASH.pHash pHash No value
efs.ENCRYPTION_CERTIFICATE_HASH.pUserSid pUserSid String
efs.ENCRYPTION_CERTIFICATE_HASH_LIST.nCert_Hash nCert_Hash Signed 32-bit integer
efs.ENCRYPTION_CERTIFICATE_HASH_LIST.pUsers pUsers No value
efs.EfsRpcAddUsersToFile.FileName FileName String
efs.EfsRpcCloseRaw.pvContext pvContext Byte array
efs.EfsRpcDecryptFileSrv.FileName FileName String
efs.EfsRpcDecryptFileSrv.Reserved Reserved Signed 32-bit integer
efs.EfsRpcEncryptFileSrv.Filename Filename String
efs.EfsRpcOpenFileRaw.FileName FileName String
efs.EfsRpcOpenFileRaw.Flags Flags Signed 32-bit integer
efs.EfsRpcOpenFileRaw.pvContext pvContext Byte array
efs.EfsRpcQueryRecoveryAgents.FileName FileName String
efs.EfsRpcQueryRecoveryAgents.pRecoveryAgents pRecoveryAgents No value
efs.EfsRpcQueryUsersOnFile.FileName FileName String
efs.EfsRpcQueryUsersOnFile.pUsers pUsers No value
efs.EfsRpcReadFileRaw.pvContext pvContext Byte array
efs.EfsRpcRemoveUsersFromFile.FileName FileName String
efs.EfsRpcSetFileEncryptionKey.pEncryptionCertificate pEncryptionCertificate No value
efs.EfsRpcWriteFileRaw.pvContext pvContext Byte array
efs.opnum Operation Unsigned 16-bit integer
efs.rc Return code Unsigned 32-bit integer
eventlog.backup_file Backup filename String Eventlog backup file
eventlog.buf_size Buffer size Unsigned 32-bit integer Eventlog buffer size
eventlog.flags Eventlog flags Unsigned 32-bit integer Eventlog flags
eventlog.hnd Context Handle Byte array Eventlog context handle
eventlog.info_level Information level Unsigned 32-bit integer Eventlog information level
eventlog.name Eventlog name String Eventlog name
eventlog.offset Eventlog offset Unsigned 32-bit integer Eventlog offset
eventlog.oldest_record Oldest record Unsigned 32-bit integer Oldest record available in eventlog
eventlog.opnum Operation Unsigned 16-bit integer Operation
eventlog.rc Return code Unsigned 32-bit integer Eventlog return status code
eventlog.records Number of records Unsigned 32-bit integer Number of records in eventlog
eventlog.size Eventlog size Unsigned 32-bit integer Eventlog size
eventlog.unknown Unknown field Unsigned 32-bit integer Unknown field
eventlog.unknown_str Unknown string String Unknown string
mapi.decrypted.data Decrypted data Byte array Decrypted data
mapi.decrypted.data.len Length Unsigned 32-bit integer Used size of buffer for decrypted data
mapi.decrypted.data.maxlen Max Length Unsigned 32-bit integer Maximum size of buffer for decrypted data
mapi.decrypted.data.offset Offset Unsigned 32-bit integer Offset into buffer for decrypted data
mapi.encap_len Length Unsigned 16-bit integer Length of encapsulated/encrypted data
mapi.encrypted_data Encrypted data Byte array Encrypted data
mapi.hnd Context Handle Byte array
mapi.opnum Operation Unsigned 16-bit integer
mapi.pdu.len Length Unsigned 16-bit integer Size of the command PDU
mapi.rc Return code Unsigned 32-bit integer
mapi.unknown_long Unknown long Unsigned 32-bit integer Unknown long. If you know what this is, contact wireshark developers.
mapi.unknown_short Unknown short Unsigned 16-bit integer Unknown short. If you know what this is, contact wireshark developers.
mapi.unknown_string Unknown string String Unknown string. If you know what this is, contact wireshark developers.
frsrpc.opnum Operation Unsigned 16-bit integer Operation
frsapi.opnum Operation Unsigned 16-bit integer Operation
lsa.access_mask Access Mask Unsigned 32-bit integer LSA Access Mask
lsa.access_mask.audit_log_admin Administer audit log attributes Boolean Administer audit log attributes
lsa.access_mask.create_account Create special accounts (for assignment of user rights) Boolean Create special accounts (for assignment of user rights)
lsa.access_mask.create_priv Create a privilege Boolean Create a privilege
lsa.access_mask.create_secret Create a secret object Boolean Create a secret object
lsa.access_mask.get_privateinfo Get sensitive policy information Boolean Get sensitive policy information
lsa.access_mask.lookup_names Lookup Names/SIDs Boolean Lookup Names/SIDs
lsa.access_mask.server_admin Enable/Disable LSA Boolean Enable/Disable LSA
lsa.access_mask.set_audit_requirements Change system audit requirements Boolean Change system audit requirements
lsa.access_mask.set_default_quota_limits Set default quota limits Boolean Set default quota limits
lsa.access_mask.trust_admin Modify domain trust relationships Boolean Modify domain trust relationships
lsa.access_mask.view_audit_info View system audit requirements Boolean View system audit requirements
lsa.access_mask.view_local_info View non-sensitive policy information Boolean View non-sensitive policy information
lsa.acct Account String Account
lsa.attr Attr Unsigned 64-bit integer LSA Attributes
lsa.auth.blob Auth blob Byte array
lsa.auth.len Auth Len Unsigned 32-bit integer Auth Info len
lsa.auth.type Auth Type Unsigned 32-bit integer Auth Info type
lsa.auth.update Update Unsigned 64-bit integer LSA Auth Info update
lsa.controller Controller String Name of Domain Controller
lsa.count Count Unsigned 32-bit integer Count of objects
lsa.cur.mtime Current MTime Date/Time stamp Current MTime to set
lsa.domain Domain String Domain
lsa.flat_name Flat Name String
lsa.forest Forest String
lsa.fqdn_domain FQDN String Fully Qualified Domain Name
lsa.hnd Context Handle Byte array LSA policy handle
lsa.index Index Unsigned 32-bit integer
lsa.info.level Level Unsigned 16-bit integer Information level of requested data
lsa.info_type Info Type Unsigned 32-bit integer
lsa.key Key String
lsa.max_count Max Count Unsigned 32-bit integer
lsa.mod.mtime MTime Date/Time stamp Time when this modification occured
lsa.mod.seq_no Seq No Unsigned 64-bit integer Sequence number for this modification
lsa.name Name String
lsa.new_pwd New Password Byte array New password
lsa.num_mapped Num Mapped Unsigned 32-bit integer
lsa.obj_attr Attributes Unsigned 32-bit integer LSA Attributes
lsa.obj_attr.len Length Unsigned 32-bit integer Length of object attribute structure
lsa.obj_attr.name Name String Name of object attribute
lsa.old.mtime Old MTime Date/Time stamp Old MTime for this object
lsa.old_pwd Old Password Byte array Old password
lsa.opnum Operation Unsigned 16-bit integer Operation
lsa.paei.enabled Auditing enabled Unsigned 8-bit integer If Security auditing is enabled or not
lsa.paei.settings Settings Unsigned 32-bit integer Audit Events Information settings
lsa.pali.log_size Log Size Unsigned 32-bit integer Size of audit log
lsa.pali.next_audit_record Next Audit Record Unsigned 32-bit integer Next audit record
lsa.pali.percent_full Percent Full Unsigned 32-bit integer How full audit log is in percentage
lsa.pali.retention_period Retention Period Time duration
lsa.pali.shutdown_in_progress Shutdown in progress Unsigned 8-bit integer Flag whether shutdown is in progress or not
lsa.pali.time_to_shutdown Time to shutdown Time duration Time to shutdown
lsa.policy.info Info Class Unsigned 16-bit integer Policy information class
lsa.policy_information POLICY INFO No value Policy Information union
lsa.privilege.display__name.size Size Needed Unsigned 32-bit integer Number of characters in the privilege display name
lsa.privilege.display_name Display Name String LSA Privilege Display Name
lsa.privilege.name Name String LSA Privilege Name
lsa.qos.effective_only Effective only Unsigned 8-bit integer QOS Flag whether this is Effective Only or not
lsa.qos.imp_lev Impersonation level Unsigned 16-bit integer QOS Impersonation Level
lsa.qos.len Length Unsigned 32-bit integer Length of quality of service structure
lsa.qos.track_ctx Context Tracking Unsigned 8-bit integer QOS Context Tracking Mode
lsa.quota.max_wss Max WSS Unsigned 32-bit integer Size of Quota Max WSS
lsa.quota.min_wss Min WSS Unsigned 32-bit integer Size of Quota Min WSS
lsa.quota.non_paged_pool Non Paged Pool Unsigned 32-bit integer Size of Quota non-Paged Pool
lsa.quota.paged_pool Paged Pool Unsigned 32-bit integer Size of Quota Paged Pool
lsa.quota.pagefile Pagefile Unsigned 32-bit integer Size of quota pagefile usage
lsa.rc Return code Unsigned 32-bit integer LSA return status code
lsa.remove_all Remove All Unsigned 8-bit integer Flag whether all rights should be removed or only the specified ones
lsa.resume_handle Resume Handle Unsigned 32-bit integer Resume Handle
lsa.rid RID Unsigned 32-bit integer RID
lsa.rid.offset RID Offset Unsigned 32-bit integer RID Offset
lsa.rights Rights String Account Rights
lsa.sd_size Size Unsigned 32-bit integer Size of lsa security descriptor
lsa.secret LSA Secret Byte array
lsa.server Server String Name of Server
lsa.server_role Role Unsigned 16-bit integer LSA Server Role
lsa.sid_type SID Type Unsigned 16-bit integer Type of SID
lsa.size Size Unsigned 32-bit integer
lsa.source Source String Replica Source
lsa.trust.attr Trust Attr Unsigned 32-bit integer Trust attributes
lsa.trust.attr.non_trans Non Transitive Boolean Non Transitive trust
lsa.trust.attr.tree_parent Tree Parent Boolean Tree Parent trust
lsa.trust.attr.tree_root Tree Root Boolean Tree Root trust
lsa.trust.attr.uplevel_only Upleve only Boolean Uplevel only trust
lsa.trust.direction Trust Direction Unsigned 32-bit integer Trust direction
lsa.trust.type Trust Type Unsigned 32-bit integer Trust type
lsa.trusted.info_level Info Level Unsigned 16-bit integer Information level of requested Trusted Domain Information
lsa.unknown.char Unknown char Unsigned 8-bit integer Unknown char. If you know what this is, contact wireshark developers.
lsa.unknown.hyper Unknown hyper Unsigned 64-bit integer Unknown hyper. If you know what this is, contact wireshark developers.
lsa.unknown.long Unknown long Unsigned 32-bit integer Unknown long. If you know what this is, contact wireshark developers.
lsa.unknown.short Unknown short Unsigned 16-bit integer Unknown short. If you know what this is, contact wireshark developers.
lsa.unknown_string Unknown string String Unknown string. If you know what this is, contact wireshark developers.
nt.luid.high High Unsigned 32-bit integer LUID High component
nt.luid.low Low Unsigned 32-bit integer LUID Low component
msmms.command Command String MSMMS command hidden filter
msmms.command.broadcast-indexing Broadcast indexing Unsigned 8-bit integer
msmms.command.broadcast-liveness Broadcast liveness Unsigned 8-bit integer
msmms.command.client-transport-info Client transport info String
msmms.command.common-header Command common header String MSMMS command common header
msmms.command.direction Command direction Unsigned 16-bit integer
msmms.command.download-update-player-url Download update player URL String
msmms.command.download-update-player-url-length Download update URL length Unsigned 32-bit integer
msmms.command.length Command length Unsigned 32-bit integer
msmms.command.length-remaining Length until end (8-byte blocks) Unsigned 32-bit integer
msmms.command.length-remaining2 Length until end (8-byte blocks) Unsigned 32-bit integer
msmms.command.password-encryption-type Password encryption type String
msmms.command.password-encryption-type-length Password encryption type length Unsigned 32-bit integer
msmms.command.player-info Player info String
msmms.command.prefix1 Prefix 1 Unsigned 32-bit integer
msmms.command.prefix1-command-level Prefix 1 Command Level Unsigned 32-bit integer
msmms.command.prefix1-error-code Prefix 1 ErrorCode Unsigned 32-bit integer
msmms.command.prefix2 Prefix 2 Unsigned 32-bit integer
msmms.command.protocol-type Protocol type String
msmms.command.result-flags Result flags Unsigned 32-bit integer
msmms.command.sequence-number Sequence number Unsigned 32-bit integer
msmms.command.server-file Server file String
msmms.command.server-version Server version String
msmms.command.server-version-length Server Version Length Unsigned 32-bit integer
msmms.command.signature Command signature Unsigned 32-bit integer
msmms.command.strange-string Strange string String
msmms.command.timestamp Time stamp (s) Double-precision floating point
msmms.command.to-client-id Command Unsigned 16-bit integer
msmms.command.to-server-id Command Unsigned 16-bit integer
msmms.command.tool-version Tool version String
msmms.command.tool-version-length Tool Version Length Unsigned 32-bit integer
msmms.command.version Version Unsigned 32-bit integer
msmms.data Data No value
msmms.data.client-id Client ID Unsigned 32-bit integer
msmms.data.command-id Command ID Unsigned 16-bit integer
msmms.data.header-id Header ID Unsigned 32-bit integer
msmms.data.header-packet-id-type Header packet ID type Unsigned 32-bit integer
msmms.data.media-packet-length Media packet length (bytes) Unsigned 32-bit integer
msmms.data.packet-id-type Packet ID type Unsigned 8-bit integer
msmms.data.packet-length Packet length Unsigned 16-bit integer
msmms.data.packet-to-resend Packet to resend Unsigned 32-bit integer
msmms.data.prerecorded-media-length Pre-recorded media length (seconds) Unsigned 32-bit integer
msmms.data.selection-stream-action Action Unsigned 16-bit integer
msmms.data.selection-stream-id Stream id Unsigned 16-bit integer
msmms.data.sequence Sequence number Unsigned 32-bit integer
msmms.data.stream-selection-flags Stream selection flags Unsigned 16-bit integer
msmms.data.stream-structure-count Stream structure count Unsigned 32-bit integer
msmms.data.tcp-flags TCP flags Unsigned 8-bit integer
msmms.data.timing-pair Data timing pair No value
msmms.data.timing-pair.flag Flag Unsigned 8-bit integer
msmms.data.timing-pair.flags Flags Unsigned 24-bit integer
msmms.data.timing-pair.id ID Unsigned 8-bit integer
msmms.data.timing-pair.packet-length Packet length Unsigned 16-bit integer
msmms.data.timing-pair.sequence-number Sequence number Unsigned 8-bit integer
msmms.data.udp-sequence UDP Sequence Unsigned 8-bit integer
msmms.data.unparsed Unparsed data No value
msmms.data.words-in-structure Number of 4 byte fields in structure Unsigned 32-bit integer
messenger.client Client String Client that sent the message
messenger.message Message String The message being sent
messenger.opnum Operation Unsigned 16-bit integer Operation
messenger.rc Return code Unsigned 32-bit integer
messenger.server Server String Server to send the message to
netlogon.acct.expiry_time Acct Expiry Time Date/Time stamp When this account will expire
netlogon.acct_desc Acct Desc String Account Description
netlogon.acct_name Acct Name String Account Name
netlogon.alias_name Alias Name String Alias Name
netlogon.alias_rid Alias RID Unsigned 32-bit integer
netlogon.attrs Attributes Unsigned 32-bit integer Attributes
netlogon.audit_retention_period Audit Retention Period Time duration Audit retention period
netlogon.auditing_mode Auditing Mode Unsigned 8-bit integer Auditing Mode
netlogon.auth.data Auth Data Byte array Auth Data
netlogon.auth.size Auth Size Unsigned 32-bit integer Size of AuthData in bytes
netlogon.auth_flags Auth Flags Unsigned 32-bit integer
netlogon.authoritative Authoritative Unsigned 8-bit integer
netlogon.bad_pw_count Bad PW Count Unsigned 32-bit integer Number of failed logins
netlogon.bad_pw_count16 Bad PW Count Unsigned 16-bit integer Number of failed logins
netlogon.blob BLOB Byte array BLOB
netlogon.blob.size Size Unsigned 32-bit integer Size in bytes of BLOB
netlogon.challenge Challenge Byte array Netlogon challenge
netlogon.cipher_current_data Cipher Current Data Byte array
netlogon.cipher_current_set_time Cipher Current Set Time Date/Time stamp Time when current cipher was initiated
netlogon.cipher_len Cipher Len Unsigned 32-bit integer
netlogon.cipher_maxlen Cipher Max Len Unsigned 32-bit integer
netlogon.cipher_old_data Cipher Old Data Byte array
netlogon.cipher_old_set_time Cipher Old Set Time Date/Time stamp Time when previous cipher was initiated
netlogon.client.site_name Client Site Name String Client Site Name
netlogon.code Code Unsigned 32-bit integer Code
netlogon.codepage Codepage Unsigned 16-bit integer Codepage setting for this account
netlogon.comment Comment String Comment
netlogon.computer_name Computer Name String Computer Name
netlogon.count Count Unsigned 32-bit integer
netlogon.country Country Unsigned 16-bit integer Country setting for this account
netlogon.credential Credential Byte array Netlogon Credential
netlogon.database_id Database Id Unsigned 32-bit integer Database Id
netlogon.db_create_time DB Create Time Date/Time stamp Time when created
netlogon.db_modify_time DB Modify Time Date/Time stamp Time when last modified
netlogon.dc.address DC Address String DC Address
netlogon.dc.address_type DC Address Type Unsigned 32-bit integer DC Address Type
netlogon.dc.flags Domain Controller Flags Unsigned 32-bit integer Domain Controller Flags
netlogon.dc.flags.closest Closest Boolean If this is the closest server
netlogon.dc.flags.dns_controller DNS Controller Boolean If this server is a DNS Controller
netlogon.dc.flags.dns_domain DNS Domain Boolean
netlogon.dc.flags.dns_forest DNS Forest Boolean
netlogon.dc.flags.ds DS Boolean If this server is a DS
netlogon.dc.flags.gc GC Boolean If this server is a GC
netlogon.dc.flags.good_timeserv Good Timeserv Boolean If this is a Good TimeServer
netlogon.dc.flags.kdc KDC Boolean If this is a KDC
netlogon.dc.flags.ldap LDAP Boolean If this is an LDAP server
netlogon.dc.flags.ndnc NDNC Boolean If this is an NDNC server
netlogon.dc.flags.pdc PDC Boolean If this server is a PDC
netlogon.dc.flags.timeserv Timeserv Boolean If this server is a TimeServer
netlogon.dc.flags.writable Writable Boolean If this server can do updates to the database
netlogon.dc.name DC Name String DC Name
netlogon.dc.site_name DC Site Name String DC Site Name
netlogon.delta_type Delta Type Unsigned 16-bit integer Delta Type
netlogon.dir_drive Dir Drive String Drive letter for home directory
netlogon.dns.forest_name DNS Forest Name String DNS Forest Name
netlogon.dns_domain DNS Domain String DNS Domain Name
netlogon.dns_host DNS Host String DNS Host
netlogon.domain Domain String Domain
netlogon.domain_create_time Domain Create Time Date/Time stamp Time when this domain was created
netlogon.domain_modify_time Domain Modify Time Date/Time stamp Time when this domain was last modified
netlogon.dos.rc DOS error code Unsigned 32-bit integer DOS Error Code
netlogon.downlevel_domain Downlevel Domain String Downlevel Domain Name
netlogon.dummy Dummy String Dummy string
netlogon.entries Entries Unsigned 32-bit integer
netlogon.event_audit_option Event Audit Option Unsigned 32-bit integer Event audit option
netlogon.flags Flags Unsigned 32-bit integer
netlogon.full_name Full Name String Full Name
netlogon.get_dcname.request.flags Flags Unsigned 32-bit integer Flags for DSGetDCName request
netlogon.get_dcname.request.flags.avoid_self Avoid Self Boolean Return another DC than the one we ask
netlogon.get_dcname.request.flags.background_only Background Only Boolean If we want cached data, even if it may have expired
netlogon.get_dcname.request.flags.ds_preferred DS Preferred Boolean Whether we prefer the call to return a w2k server (if available)
netlogon.get_dcname.request.flags.ds_required DS Required Boolean Whether we require that the returned DC supports w2k or not
netlogon.get_dcname.request.flags.force_rediscovery Force Rediscovery Boolean Whether to allow the server to returned cached information or not
netlogon.get_dcname.request.flags.gc_server_required GC Required Boolean Whether we require that the returned DC is a Global Catalog server
netlogon.get_dcname.request.flags.good_timeserv_preferred Timeserv Preferred Boolean If we prefer Windows Time Servers
netlogon.get_dcname.request.flags.ip_required IP Required Boolean If we requre the IP of the DC in the reply
netlogon.get_dcname.request.flags.is_dns_name Is DNS Name Boolean If the specified domain name is a DNS name
netlogon.get_dcname.request.flags.is_flat_name Is Flat Name Boolean If the specified domain name is a NetBIOS name
netlogon.get_dcname.request.flags.kdc_required KDC Required Boolean If we require that the returned server is a KDC
netlogon.get_dcname.request.flags.only_ldap_needed Only LDAP Needed Boolean We just want an LDAP server, it does not have to be a DC
netlogon.get_dcname.request.flags.pdc_required PDC Required Boolean Whether we require the returned DC to be the PDC
netlogon.get_dcname.request.flags.return_dns_name Return DNS Name Boolean Only return a DNS name (or an error)
netlogon.get_dcname.request.flags.return_flat_name Return Flat Name Boolean Only return a NetBIOS name (or an error)
netlogon.get_dcname.request.flags.timeserv_required Timeserv Required Boolean If we require the returned server to be a WindowsTimeServ server
netlogon.get_dcname.request.flags.writable_required Writable Required Boolean If we require that the returned server is writable
netlogon.group_desc Group Desc String Group Description
netlogon.group_name Group Name String Group Name
netlogon.group_rid Group RID Unsigned 32-bit integer
netlogon.groups.attrs.enabled Enabled Boolean The group attributes ENABLED flag
netlogon.groups.attrs.enabled_by_default Enabled By Default Boolean The group attributes ENABLED_BY_DEFAULT flag
netlogon.groups.attrs.mandatory Mandatory Boolean The group attributes MANDATORY flag
netlogon.handle Handle String Logon Srv Handle
netlogon.home_dir Home Dir String Home Directory
netlogon.kickoff_time Kickoff Time Date/Time stamp Time when this user will be kicked off
netlogon.last_logoff_time Last Logoff Time Date/Time stamp Time for last time this user logged off
netlogon.len Len Unsigned 32-bit integer Length
netlogon.level Level Unsigned 32-bit integer Which option of the union is represented here
netlogon.level16 Level Unsigned 16-bit integer Which option of the union is represented here
netlogon.lm_chal_resp LM Chal resp Byte array Challenge response for LM authentication
netlogon.lm_owf_pwd LM Pwd Byte array LanManager OWF Password
netlogon.lm_owf_pwd.encrypted Encrypted LM Pwd Byte array Encrypted LanManager OWF Password
netlogon.lm_pwd_present LM PWD Present Unsigned 8-bit integer Is LanManager password present for this account?
netlogon.logoff_time Logoff Time Date/Time stamp Time for last time this user logged off
netlogon.logon_attempts Logon Attempts Unsigned 32-bit integer Number of logon attempts
netlogon.logon_count Logon Count Unsigned 32-bit integer Number of successful logins
netlogon.logon_count16 Logon Count Unsigned 16-bit integer Number of successful logins
netlogon.logon_id Logon ID Unsigned 64-bit integer Logon ID
netlogon.logon_script Logon Script String Logon Script
netlogon.logon_time Logon Time Date/Time stamp Time for last time this user logged on
netlogon.max_audit_event_count Max Audit Event Count Unsigned 32-bit integer Max audit event count
netlogon.max_log_size Max Log Size Unsigned 32-bit integer Max Size of log
netlogon.max_size Max Size Unsigned 32-bit integer Max Size of database
netlogon.max_working_set_size Max Working Set Size Unsigned 32-bit integer
netlogon.min_passwd_len Min Password Len Unsigned 16-bit integer Minimum length of password
netlogon.min_working_set_size Min Working Set Size Unsigned 32-bit integer
netlogon.modify_count Modify Count Unsigned 64-bit integer How many times the object has been modified
netlogon.neg_flags Neg Flags Unsigned 32-bit integer Negotiation Flags
netlogon.next_reference Next Reference Unsigned 32-bit integer
netlogon.nonpaged_pool_limit Non-Paged Pool Limit Unsigned 32-bit integer
netlogon.nt_chal_resp NT Chal resp Byte array Challenge response for NT authentication
netlogon.nt_owf_pwd NT Pwd Byte array NT OWF Password
netlogon.nt_pwd_present NT PWD Present Unsigned 8-bit integer Is NT password present for this account?
netlogon.num_dc Num DCs Unsigned 32-bit integer Number of domain controllers
netlogon.num_deltas Num Deltas Unsigned 32-bit integer Number of SAM Deltas in array
netlogon.num_other_groups Num Other Groups Unsigned 32-bit integer
netlogon.num_rids Num RIDs Unsigned 32-bit integer Number of RIDs
netlogon.num_trusts Num Trusts Unsigned 32-bit integer
netlogon.oem_info OEM Info String OEM Info
netlogon.opnum Operation Unsigned 16-bit integer Operation
netlogon.pac.data Pac Data Byte array Pac Data
netlogon.pac.size Pac Size Unsigned 32-bit integer Size of PacData in bytes
netlogon.page_file_limit Page File Limit Unsigned 32-bit integer
netlogon.paged_pool_limit Paged Pool Limit Unsigned 32-bit integer
netlogon.param_ctrl Param Ctrl Unsigned 32-bit integer Param ctrl
netlogon.parameters Parameters String Parameters
netlogon.parent_index Parent Index Unsigned 32-bit integer Parent Index
netlogon.passwd_history_len Passwd History Len Unsigned 16-bit integer Length of password history
netlogon.pdc_connection_status PDC Connection Status Unsigned 32-bit integer PDC Connection Status
netlogon.principal Principal String Principal
netlogon.priv Priv Unsigned 32-bit integer
netlogon.privilege_control Privilege Control Unsigned 32-bit integer
netlogon.privilege_entries Privilege Entries Unsigned 32-bit integer
netlogon.privilege_name Privilege Name String
netlogon.profile_path Profile Path String Profile Path
netlogon.pwd_age PWD Age Time duration Time since this users password was changed
netlogon.pwd_can_change_time PWD Can Change Date/Time stamp When this users password may be changed
netlogon.pwd_expired PWD Expired Unsigned 8-bit integer Whether this password has expired or not
netlogon.pwd_last_set_time PWD Last Set Date/Time stamp Last time this users password was changed
netlogon.pwd_must_change_time PWD Must Change Date/Time stamp When this users password must be changed
netlogon.rc Return code Unsigned 32-bit integer Netlogon return code
netlogon.reference Reference Unsigned 32-bit integer
netlogon.reserved Reserved Unsigned 32-bit integer Reserved
netlogon.resourcegroupcount ResourceGroup count Unsigned 32-bit integer Number of Resource Groups
netlogon.restart_state Restart State Unsigned 16-bit integer Restart State
netlogon.rid User RID Unsigned 32-bit integer
netlogon.sec_chan_type Sec Chan Type Unsigned 16-bit integer Secure Channel Type
netlogon.secchan.bind.unknown1 Unknown1 Unsigned 32-bit integer
netlogon.secchan.bind.unknown2 Unknown2 Unsigned 32-bit integer
netlogon.secchan.bind_ack.unknown1 Unknown1 Unsigned 32-bit integer
netlogon.secchan.bind_ack.unknown2 Unknown2 Unsigned 32-bit integer
netlogon.secchan.bind_ack.unknown3 Unknown3 Unsigned 32-bit integer
netlogon.secchan.digest Packet Digest Byte array Packet Digest
netlogon.secchan.domain Domain String
netlogon.secchan.host Host String
netlogon.secchan.nonce Nonce Byte array Nonce
netlogon.secchan.seq Sequence No Byte array Sequence No
netlogon.secchan.sig Signature Byte array Signature
netlogon.secchan.verifier Secure Channel Verifier No value Verifier
netlogon.security_information Security Information Unsigned 32-bit integer Security Information
netlogon.sensitive_data Data Byte array Sensitive Data
netlogon.sensitive_data_flag Sensitive Data Unsigned 8-bit integer Sensitive data flag
netlogon.sensitive_data_len Length Unsigned 32-bit integer Length of sensitive data
netlogon.serial_number Serial Number Unsigned 32-bit integer
netlogon.server Server String Server
netlogon.site_name Site Name String Site Name
netlogon.sync_context Sync Context Unsigned 32-bit integer Sync Context
netlogon.system_flags System Flags Unsigned 32-bit integer
netlogon.tc_connection_status TC Connection Status Unsigned 32-bit integer TC Connection Status
netlogon.time_limit Time Limit Time duration
netlogon.timestamp Timestamp Date/Time stamp
netlogon.trust.attribs.cross_organization Cross Organization Boolean
netlogon.trust.attribs.forest_transitive Forest Transitive Boolean
netlogon.trust.attribs.non_transitive Non Transitive Boolean
netlogon.trust.attribs.quarantined_domain Quarantined Domain Boolean
netlogon.trust.attribs.treat_as_external Treat As External Boolean
netlogon.trust.attribs.uplevel_only Uplevel Only Boolean
netlogon.trust.attribs.within_forest Within Forest Boolean
netlogon.trust.flags.in_forest In Forest Boolean Whether this domain is a member of the same forest as the servers domain
netlogon.trust.flags.inbound Inbound Trust Boolean Inbound trust. Whether the domain directly trusts the queried servers domain
netlogon.trust.flags.native_mode Native Mode Boolean Whether the domain is a w2k native mode domain or not
netlogon.trust.flags.outbound Outbound Trust Boolean Outbound Trust. Whether the domain is directly trusted by the servers domain
netlogon.trust.flags.primary Primary Boolean Whether the domain is the primary domain for the queried server or not
netlogon.trust.flags.tree_root Tree Root Boolean Whether the domain is the root of the tree for the queried server
netlogon.trust_attribs Trust Attributes Unsigned 32-bit integer Trust Attributes
netlogon.trust_flags Trust Flags Unsigned 32-bit integer Trust Flags
netlogon.trust_type Trust Type Unsigned 32-bit integer Trust Type
netlogon.trusted_dc Trusted DC String Trusted DC
netlogon.unknown.char Unknown char Unsigned 8-bit integer Unknown char. If you know what this is, contact wireshark developers.
netlogon.unknown.long Unknown long Unsigned 32-bit integer Unknown long. If you know what this is, contact wireshark developers.
netlogon.unknown.short Unknown short Unsigned 16-bit integer Unknown short. If you know what this is, contact wireshark developers.
netlogon.unknown_string Unknown string String Unknown string. If you know what this is, contact wireshark developers.
netlogon.user.account_control.account_auto_locked Account Auto Locked Boolean The user account control account_auto_locked flag
netlogon.user.account_control.account_disabled Account Disabled Boolean The user account control account_disabled flag
netlogon.user.account_control.dont_expire_password Dont Expire Password Boolean The user account control dont_expire_password flag
netlogon.user.account_control.dont_require_preauth Dont Require PreAuth Boolean The user account control DONT_REQUIRE_PREAUTH flag
netlogon.user.account_control.encrypted_text_password_allowed Encrypted Text Password Allowed Boolean The user account control encrypted_text_password_allowed flag
netlogon.user.account_control.home_directory_required Home Directory Required Boolean The user account control home_directory_required flag
netlogon.user.account_control.interdomain_trust_account Interdomain trust Account Boolean The user account control interdomain_trust_account flag
netlogon.user.account_control.mns_logon_account MNS Logon Account Boolean The user account control mns_logon_account flag
netlogon.user.account_control.normal_account Normal Account Boolean The user account control normal_account flag
netlogon.user.account_control.not_delegated Not Delegated Boolean The user account control not_delegated flag
netlogon.user.account_control.password_not_required Password Not Required Boolean The user account control password_not_required flag
netlogon.user.account_control.server_trust_account Server Trust Account Boolean The user account control server_trust_account flag
netlogon.user.account_control.smartcard_required SmartCard Required Boolean The user account control smartcard_required flag
netlogon.user.account_control.temp_duplicate_account Temp Duplicate Account Boolean The user account control temp_duplicate_account flag
netlogon.user.account_control.trusted_for_delegation Trusted For Delegation Boolean The user account control trusted_for_delegation flag
netlogon.user.account_control.use_des_key_only Use DES Key Only Boolean The user account control use_des_key_only flag
netlogon.user.account_control.workstation_trust_account Workstation Trust Account Boolean The user account control workstation_trust_account flag
netlogon.user.flags.extra_sids Extra SIDs Boolean The user flags EXTRA_SIDS
netlogon.user.flags.resource_groups Resource Groups Boolean The user flags RESOURCE_GROUPS
netlogon.user_account_control User Account Control Unsigned 32-bit integer User Account control
netlogon.user_flags User Flags Unsigned 32-bit integer User flags
netlogon.user_session_key User Session Key Byte array User Session Key
netlogon.validation_level Validation Level Unsigned 16-bit integer Requested level of validation
netlogon.wkst.fqdn Wkst FQDN String Workstation FQDN
netlogon.wkst.name Wkst Name String Workstation Name
netlogon.wkst.os Wkst OS String Workstation OS
netlogon.wkst.site_name Wkst Site Name String Workstation Site Name
netlogon.wksts Workstations String Workstations
pnp.opnum Operation Unsigned 16-bit integer Operation
rras.opnum Operation Unsigned 16-bit integer Operation
sam.sd_size Size Unsigned 32-bit integer Size of SAM security descriptor
samr.access Access Mask Unsigned 32-bit integer Access
samr.access_granted Access Granted Unsigned 32-bit integer Access Granted
samr.acct_desc Account Desc String Account Description
samr.acct_expiry_time Acct Expiry Date/Time stamp When this user account expires
samr.acct_name Account Name String Name of Account
samr.alias Alias Unsigned 32-bit integer Alias
samr.alias.desc Alias Desc String Alias (Local Group) Description
samr.alias.num_of_members Num of Members in Alias Unsigned 32-bit integer Number of members in Alias (Local Group)
samr.alias_name Alias Name String Name of Alias (Local Group)
samr.attr Attributes Unsigned 32-bit integer
samr.bad_pwd_count Bad Pwd Count Unsigned 16-bit integer Number of bad pwd entries for this user
samr.callback Callback String Callback for this user
samr.codepage Codepage Unsigned 16-bit integer Codepage setting for this user
samr.comment Account Comment String Account Comment
samr.count Count Unsigned 32-bit integer Number of elements in following array
samr.country Country Unsigned 16-bit integer Country setting for this user
samr.crypt_hash Hash Byte array Encrypted Hash
samr.crypt_password Password Byte array Encrypted Password
samr.dc DC String Name of Domain Controller
samr.domain Domain String Name of Domain
samr.entries Entries Unsigned 32-bit integer Number of entries to return
samr.force_logoff_time Forced Logoff Time After Time Expires Time duration Forced logoff time after expires:
samr.full_name Full Name String Full Name of Account
samr.group Group Unsigned 32-bit integer Group
samr.group.desc Group Desc String Group Description
samr.group.num_of_members Num of Members in Group Unsigned 32-bit integer Number of members in Group
samr.group_name Group Name String Name of Group
samr.hnd Context Handle Byte array
samr.home Home String Home directory for this user
samr.home_drive Home Drive String Home drive for this user
samr.index Index Unsigned 32-bit integer Index
samr.info_type Info Type Unsigned 32-bit integer Information Type
samr.kickoff_time Kickoff Time Date/Time stamp Time when this user will be kicked off
samr.level Level Unsigned 16-bit integer Level requested/returned for Information
samr.lm_change LM Change Unsigned 8-bit integer LM Change value
samr.lm_passchange_block Encrypted Block Byte array Lan Manager Password Change Block
samr.lm_password_verifier Verifier Byte array Lan Manager Password Verifier
samr.lm_pwd_set LM Pwd Set Unsigned 8-bit integer Flag indicating whether the LanManager password has been set
samr.lockout_duration_time Lockout Duration Time Time duration Lockout duration time:
samr.lockout_reset_time Lockout Reset Time Time duration Lockout Reset Time:
samr.lockout_threshold Lockout Threshold Unsigned 16-bit integer Lockout Threshold:
samr.logoff_time Last Logoff Time Date/Time stamp Time for last time this user logged off
samr.logon_count Logon Count Unsigned 16-bit integer Number of logons for this user
samr.logon_time Last Logon Time Date/Time stamp Time for last time this user logged on
samr.max_entries Max Entries Unsigned 32-bit integer Maximum number of entries
samr.max_pwd_age Max Pwd Age Time duration Maximum Password Age before it expires
samr.min_pwd_age Min Pwd Age Time duration Minimum Password Age before it can be changed
samr.min_pwd_len Min Pwd Len Unsigned 16-bit integer Minimum Password Length
samr.nt_passchange_block Encrypted Block Byte array NT Password Change Block
samr.nt_passchange_block_decrypted Decrypted Block Byte array NT Password Change Decrypted Block
samr.nt_passchange_block_new_ntpassword New NT Password String New NT Password
samr.nt_passchange_block_new_ntpassword_len New NT Unicode Password length Unsigned 32-bit integer New NT Password Unicode Length
samr.nt_passchange_block_pseudorandom Pseudorandom data Byte array Pseudorandom data
samr.nt_password_verifier Verifier Byte array NT Password Verifier
samr.nt_pwd_set NT Pwd Set Unsigned 8-bit integer Flag indicating whether the NT password has been set
samr.num_aliases Num Aliases Unsigned 32-bit integer Number of aliases in this domain
samr.num_groups Num Groups Unsigned 32-bit integer Number of groups in this domain
samr.num_users Num Users Unsigned 32-bit integer Number of users in this domain
samr.opnum Operation Unsigned 16-bit integer Operation
samr.pref_maxsize Pref MaxSize Unsigned 32-bit integer Maximum Size of data to return
samr.primary_group_rid Primary group RID Unsigned 32-bit integer RID of the user primary group
samr.profile Profile String Profile for this user
samr.pwd_Expired Expired flag Unsigned 8-bit integer Flag indicating if the password for this account has expired or not
samr.pwd_can_change_time PWD Can Change Date/Time stamp When this users password may be changed
samr.pwd_history_len Pwd History Len Unsigned 16-bit integer Password History Length
samr.pwd_last_set_time PWD Last Set Date/Time stamp Last time this users password was changed
samr.pwd_must_change_time PWD Must Change Date/Time stamp When this users password must be changed
samr.rc Return code Unsigned 32-bit integer
samr.resume_hnd Resume Hnd Unsigned 32-bit integer Resume handle
samr.ret_size Returned Size Unsigned 32-bit integer Number of returned objects in this PDU
samr.revision Revision Unsigned 64-bit integer Revision number for this structure
samr.rid Rid Unsigned 32-bit integer RID
samr.rid.attrib Rid Attrib Unsigned 32-bit integer
samr.script Script String Login script for this user
samr.server Server String Name of Server
samr.start_idx Start Idx Unsigned 32-bit integer Start Index for returned Information
samr.total_size Total Size Unsigned 32-bit integer Total size of data
samr.type Type Unsigned 32-bit integer Type
samr.unknown.char Unknown char Unsigned 8-bit integer Unknown char. If you know what this is, contact wireshark developers.
samr.unknown.hyper Unknown hyper Unsigned 64-bit integer Unknown hyper. If you know what this is, contact wireshark developers.
samr.unknown.long Unknown long Unsigned 32-bit integer Unknown long. If you know what this is, contact wireshark developers.
samr.unknown.short Unknown short Unsigned 16-bit integer Unknown short. If you know what this is, contact wireshark developers.
samr.unknown_string Unknown string String Unknown string. If you know what this is, contact wireshark developers.
samr.unknown_time Unknown time Date/Time stamp Unknown NT TIME, contact wireshark developers if you know what this is
samr.workstations Workstations String
samr_access_mask.alias_add_member Add member Boolean Add member
samr_access_mask.alias_get_members Get members Boolean Get members
samr_access_mask.alias_lookup_info Lookup info Boolean Lookup info
samr_access_mask.alias_remove_member Remove member Boolean Remove member
samr_access_mask.alias_set_info Set info Boolean Set info
samr_access_mask.connect_connect_to_server Connect to server Boolean Connect to server
samr_access_mask.connect_create_domain Create domain Boolean Create domain
samr_access_mask.connect_enum_domains Enum domains Boolean Enum domains
samr_access_mask.connect_initialize_server Initialize server Boolean Initialize server
samr_access_mask.connect_open_domain Open domain Boolean Open domain
samr_access_mask.connect_shutdown_server Shutdown server Boolean Shutdown server
samr_access_mask.domain_create_alias Create alias Boolean Create alias
samr_access_mask.domain_create_group Create group Boolean Create group
samr_access_mask.domain_create_user Create user Boolean Create user
samr_access_mask.domain_enum_accounts Enum accounts Boolean Enum accounts
samr_access_mask.domain_lookup_alias_by_mem Lookup alias Boolean Lookup alias
samr_access_mask.domain_lookup_info1 Lookup info1 Boolean Lookup info1
samr_access_mask.domain_lookup_info2 Lookup info2 Boolean Lookup info2
samr_access_mask.domain_open_account Open account Boolean Open account
samr_access_mask.domain_set_info1 Set info1 Boolean Set info1
samr_access_mask.domain_set_info2 Set info2 Boolean Set info2
samr_access_mask.domain_set_info3 Set info3 Boolean Set info3
samr_access_mask.group_add_member Add member Boolean Add member
samr_access_mask.group_get_members Get members Boolean Get members
samr_access_mask.group_lookup_info Lookup info Boolean Lookup info
samr_access_mask.group_remove_member Remove member Boolean Remove member
samr_access_mask.group_set_info Get info Boolean Get info
samr_access_mask.user_change_group_membership Change group membership Boolean Change group membership
samr_access_mask.user_change_password Change password Boolean Change password
samr_access_mask.user_get_attributes Get attributes Boolean Get attributes
samr_access_mask.user_get_group_membership Get group membership Boolean Get group membership
samr_access_mask.user_get_groups Get groups Boolean Get groups
samr_access_mask.user_get_locale Get locale Boolean Get locale
samr_access_mask.user_get_logoninfo Get logon info Boolean Get logon info
samr_access_mask.user_get_name_etc Get name, etc Boolean Get name, etc
samr_access_mask.user_set_attributes Set attributes Boolean Set attributes
samr_access_mask.user_set_loc_com Set loc com Boolean Set loc com
samr_access_mask.user_set_password Set password Boolean Set password
srvsvc. Max Raw Buf Len Unsigned 32-bit integer Max Raw Buf Len
srvsvc.acceptdownlevelapis Accept Downlevel APIs Unsigned 32-bit integer Accept Downlevel APIs
srvsvc.accessalert Access Alerts Unsigned 32-bit integer Number of access alerts
srvsvc.activelocks Active Locks Unsigned 32-bit integer Active Locks
srvsvc.alerts Alerts String Alerts
srvsvc.alertsched Alert Sched Unsigned 32-bit integer Alert Schedule
srvsvc.alist_mtime Alist mtime Unsigned 32-bit integer Alist mtime
srvsvc.ann_delta Announce Delta Unsigned 32-bit integer Announce Delta
srvsvc.announce Announce Unsigned 32-bit integer Announce
srvsvc.auditedevents Audited Events Unsigned 32-bit integer Number of audited events
srvsvc.auditprofile Audit Profile Unsigned 32-bit integer Audit Profile
srvsvc.autopath Autopath String Autopath
srvsvc.chdevjobs Char Dev Jobs Unsigned 32-bit integer Number of Char Device Jobs
srvsvc.chdevqs Char Devqs Unsigned 32-bit integer Number of Char Device Queues
srvsvc.chdevs Char Devs Unsigned 32-bit integer Number of Char Devices
srvsvc.chrdev Char Device String Char Device Name
srvsvc.chrdev_opcode Opcode Unsigned 32-bit integer Opcode to apply to the Char Device
srvsvc.chrdev_status Status Unsigned 32-bit integer Char Device Status
srvsvc.chrdev_time Time Unsigned 32-bit integer Char Device Time?
srvsvc.chrdevq Device Queue String Char Device Queue Name
srvsvc.chrqdev_numahead Num Ahead Unsigned 32-bit integer
srvsvc.chrqdev_numusers Num Users Unsigned 32-bit integer Char QDevice Number Of Users
srvsvc.chrqdev_pri Priority Unsigned 32-bit integer Char QDevice Priority
srvsvc.client.type Client Type String Client Type
srvsvc.comment Comment String Comment
srvsvc.computer Computer String Computer Name
srvsvc.con_id Connection ID Unsigned 32-bit integer Connection ID
srvsvc.con_num_opens Num Opens Unsigned 32-bit integer Num Opens
srvsvc.con_time Connection Time Unsigned 32-bit integer Connection Time
srvsvc.con_type Connection Type Unsigned 32-bit integer Connection Type
srvsvc.connections Connections Unsigned 32-bit integer Number of Connections
srvsvc.cur_uses Current Uses Unsigned 32-bit integer Current Uses
srvsvc.dfs_root_flags DFS Root Flags Unsigned 32-bit integer DFS Root Flags. Contact wireshark developers if you know what the bits are
srvsvc.disc Disc Unsigned 32-bit integer
srvsvc.disk_info0_unknown1 Disk_Info0 unknown Unsigned 32-bit integer Disk Info 0 unknown uint32
srvsvc.disk_name Disk Name String Disk Name
srvsvc.disk_name_len Disk Name Length Unsigned 32-bit integer Length of Disk Name
srvsvc.diskalert Disk Alerts Unsigned 32-bit integer Number of disk alerts
srvsvc.diskspacetreshold Diskspace Treshold Unsigned 32-bit integer Diskspace Treshold
srvsvc.domain Domain String Domain
srvsvc.emulated_server Emulated Server String Emulated Server Name
srvsvc.enablefcbopens Enable FCB Opens Unsigned 32-bit integer Enable FCB Opens
srvsvc.enableforcedlogoff Enable Forced Logoff Unsigned 32-bit integer Enable Forced Logoff
srvsvc.enableoplockforceclose Enable Oplock Force Close Unsigned 32-bit integer Enable Oplock Force Close
srvsvc.enableoplocks Enable Oplocks Unsigned 32-bit integer Enable Oplocks
srvsvc.enableraw Enable RAW Unsigned 32-bit integer Enable RAW
srvsvc.enablesharednetdrives Enable Shared Net Drives Unsigned 32-bit integer Enable Shared Net Drives
srvsvc.enablesoftcompat Enable Soft Compat Unsigned 32-bit integer Enable Soft Compat
srvsvc.enum_hnd Enumeration handle Byte array Enumeration Handle
srvsvc.erroralert Error Alerts Unsigned 32-bit integer Number of error alerts
srvsvc.errortreshold Error Treshold Unsigned 32-bit integer Error Treshold
srvsvc.file_id File ID Unsigned 32-bit integer File ID
srvsvc.file_num_locks Num Locks Unsigned 32-bit integer Number of locks for file
srvsvc.glist_mtime Glist mtime Unsigned 32-bit integer Glist mtime
srvsvc.guest Guest Account String Guest Account
srvsvc.hidden Hidden Unsigned 32-bit integer Hidden
srvsvc.hnd Context Handle Byte array Context Handle
srvsvc.info.platform_id Platform ID Unsigned 32-bit integer Platform ID
srvsvc.initconntable Init Connection Table Unsigned 32-bit integer Init Connection Table
srvsvc.initfiletable Init File Table Unsigned 32-bit integer Init File Table
srvsvc.initsearchtable Init Search Table Unsigned 32-bit integer Init Search Table
srvsvc.initsesstable Init Session Table Unsigned 32-bit integer Init Session Table
srvsvc.initworkitems Init Workitems Unsigned 32-bit integer Workitems
srvsvc.irpstacksize Irp Stack Size Unsigned 32-bit integer Irp Stack Size
srvsvc.lanmask LANMask Unsigned 32-bit integer LANMask
srvsvc.licences Licences Unsigned 32-bit integer Licences
srvsvc.linkinfovalidtime Link Info Valid Time Unsigned 32-bit integer Link Info Valid Time
srvsvc.lmannounce LM Announce Unsigned 32-bit integer LM Announce
srvsvc.logonalert Logon Alerts Unsigned 32-bit integer Number of logon alerts
srvsvc.max_uses Max Uses Unsigned 32-bit integer Max Uses
srvsvc.maxaudits Max Audits Unsigned 32-bit integer Maximum number of audits
srvsvc.maxcopyreadlen Max Copy Read Len Unsigned 32-bit integer Max Copy Read Len
srvsvc.maxcopywritelen Max Copy Write Len Unsigned 32-bit integer Max Copy Write Len
srvsvc.maxfreeconnections Max Free Conenctions Unsigned 32-bit integer Max Free Connections
srvsvc.maxkeepcomplsearch Max Keep Compl Search Unsigned 32-bit integer Max Keep Compl Search
srvsvc.maxkeepsearch Max Keep Search Unsigned 32-bit integer Max Keep Search
srvsvc.maxlinkdelay Max Link Delay Unsigned 32-bit integer Max Link Delay
srvsvc.maxmpxct MaxMpxCt Unsigned 32-bit integer MaxMpxCt
srvsvc.maxnonpagedmemoryusage Max Non-Paged Memory Usage Unsigned 32-bit integer Max Non-Paged Memory Usage
srvsvc.maxpagedmemoryusage Max Paged Memory Usage Unsigned 32-bit integer Max Paged Memory Usage
srvsvc.maxworkitemidletime Max Workitem Idle Time Unsigned 32-bit integer Max Workitem Idle Time
srvsvc.maxworkitems Max Workitems Unsigned 32-bit integer Workitems
srvsvc.minfreeconnections Min Free Conenctions Unsigned 32-bit integer Min Free Connections
srvsvc.minfreeworkitems Min Free Workitems Unsigned 32-bit integer Min Free Workitems
srvsvc.minkeepcomplsearch Min Keep Compl Search Unsigned 32-bit integer Min Keep Compl Search
srvsvc.minkeepsearch Min Keep Search Unsigned 32-bit integer Min Keep Search
srvsvc.minlinkthroughput Min Link Throughput Unsigned 32-bit integer Min Link Throughput
srvsvc.minrcvqueue Min Rcv Queue Unsigned 32-bit integer Min Rcv Queue
srvsvc.netioalert Net I/O Alerts Unsigned 32-bit integer Number of Net I/O Alerts
srvsvc.networkerrortreshold Network Error Treshold Unsigned 32-bit integer Network Error Treshold
srvsvc.num_admins Num Admins Unsigned 32-bit integer Number of Administrators
srvsvc.numbigbufs Num Big Bufs Unsigned 32-bit integer Number of big buffers
srvsvc.numblockthreads Num Block Threads Unsigned 32-bit integer Num Block Threads
srvsvc.numfiletasks Num Filetasks Unsigned 32-bit integer Number of filetasks
srvsvc.openfiles Open Files Unsigned 32-bit integer Open Files
srvsvc.opensearch Open Search Unsigned 32-bit integer Open Search
srvsvc.oplockbreakresponsewait Oplock Break Response wait Unsigned 32-bit integer Oplock Break response Wait
srvsvc.oplockbreakwait Oplock Break Wait Unsigned 32-bit integer Oplock Break Wait
srvsvc.opnum Operation Unsigned 16-bit integer Operation
srvsvc.outbuflen OutBufLen Unsigned 32-bit integer Output Buffer Length
srvsvc.parm_error Parameter Error Unsigned 32-bit integer Parameter Error
srvsvc.path Path String Path
srvsvc.path_flags Flags Unsigned 32-bit integer Path flags
srvsvc.path_len Len Unsigned 32-bit integer Path len
srvsvc.path_type Type Unsigned 32-bit integer Path type
srvsvc.perm Permissions Unsigned 32-bit integer Permissions
srvsvc.policy Policy Unsigned 32-bit integer Policy
srvsvc.preferred_len Preferred length Unsigned 32-bit integer Preferred Length
srvsvc.prefix Prefix String Path Prefix
srvsvc.qualifier Qualifier String Connection Qualifier
srvsvc.rawworkitems Raw Workitems Unsigned 32-bit integer Workitems
srvsvc.rc Return code Unsigned 32-bit integer Return Code
srvsvc.reserved Reserved Unsigned 32-bit integer Announce
srvsvc.scavqosinfoupdatetime Scav QoS Info Update Time Unsigned 32-bit integer Scav QoS Info Update Time
srvsvc.scavtimeout Scav Timeout Unsigned 32-bit integer Scav Timeout
srvsvc.security Security Unsigned 32-bit integer Security
srvsvc.server Server String Server Name
srvsvc.server_stat.avresponse Avresponse Unsigned 32-bit integer
srvsvc.server_stat.bigbufneed Big Buf Need Unsigned 32-bit integer Number of big buffers needed?
srvsvc.server_stat.bytesrcvd Bytes Rcvd Unsigned 64-bit integer Number of bytes received
srvsvc.server_stat.bytessent Bytes Sent Unsigned 64-bit integer Number of bytes sent
srvsvc.server_stat.devopens Devopens Unsigned 32-bit integer Number of devopens
srvsvc.server_stat.fopens Fopens Unsigned 32-bit integer Number of fopens
srvsvc.server_stat.jobsqueued Jobs Queued Unsigned 32-bit integer Number of jobs queued
srvsvc.server_stat.permerrors Permerrors Unsigned 32-bit integer Number of permission errors
srvsvc.server_stat.pwerrors Pwerrors Unsigned 32-bit integer Number of password errors
srvsvc.server_stat.reqbufneed Req Buf Need Unsigned 32-bit integer Number of request buffers needed?
srvsvc.server_stat.serrorout Serrorout Unsigned 32-bit integer Number of serrorout
srvsvc.server_stat.sopens Sopens Unsigned 32-bit integer Number of sopens
srvsvc.server_stat.start Start Unsigned 32-bit integer
srvsvc.server_stat.stimeouts stimeouts Unsigned 32-bit integer Number of stimeouts
srvsvc.server_stat.syserrors Syserrors Unsigned 32-bit integer Number of system errors
srvsvc.service Service String Service
srvsvc.service_bits Service Bits Unsigned 32-bit integer Service Bits
srvsvc.service_bits_of_interest Service Bits Of Interest Unsigned 32-bit integer Service Bits Of Interest
srvsvc.service_options Options Unsigned 32-bit integer Service Options
srvsvc.session Session String Session Name
srvsvc.session.idle_time Idle Time Unsigned 32-bit integer Idle Time
srvsvc.session.num_opens Num Opens Unsigned 32-bit integer Num Opens
srvsvc.session.time Time Unsigned 32-bit integer Time
srvsvc.session.user_flags User Flags Unsigned 32-bit integer User Flags
srvsvc.sessopens Sessions Open Unsigned 32-bit integer Sessions Open
srvsvc.sessreqs Sessions Reqs Unsigned 32-bit integer Sessions Requests
srvsvc.sessvcs Sessions VCs Unsigned 32-bit integer Sessions VCs
srvsvc.share Share String Share
srvsvc.share.num_entries Number of entries Unsigned 32-bit integer Number of Entries
srvsvc.share.tot_entries Total entries Unsigned 32-bit integer Total Entries
srvsvc.share_alternate_name Alternate Name String Alternate name for this share
srvsvc.share_flags Flags Unsigned 32-bit integer Share flags
srvsvc.share_passwd Share Passwd String Password for this share
srvsvc.share_type Share Type Unsigned 32-bit integer Share Type
srvsvc.shares Shares Unsigned 32-bit integer Number of Shares
srvsvc.sizreqbufs Siz Req Bufs Unsigned 32-bit integer
srvsvc.srvheuristics Server Heuristics String Server Heuristics
srvsvc.threadcountadd Thread Count Add Unsigned 32-bit integer Thread Count Add
srvsvc.threadpriority Thread Priority Unsigned 32-bit integer Thread Priority
srvsvc.timesource Timesource Unsigned 32-bit integer Timesource
srvsvc.tod.day Day Unsigned 32-bit integer
srvsvc.tod.elapsed Elapsed Unsigned 32-bit integer
srvsvc.tod.hours Hours Unsigned 32-bit integer
srvsvc.tod.hunds Hunds Unsigned 32-bit integer
srvsvc.tod.mins Mins Unsigned 32-bit integer
srvsvc.tod.month Month Unsigned 32-bit integer
srvsvc.tod.msecs msecs Unsigned 32-bit integer
srvsvc.tod.secs Secs Unsigned 32-bit integer
srvsvc.tod.timezone Timezone Unsigned 32-bit integer
srvsvc.tod.tinterval Tinterval Unsigned 32-bit integer
srvsvc.tod.weekday Weekday Unsigned 32-bit integer
srvsvc.tod.year Year Unsigned 32-bit integer
srvsvc.transport Transport String Transport Name
srvsvc.transport.address Address Byte array Address of transport
srvsvc.transport.addresslen Address Len Unsigned 32-bit integer Length of transport address
srvsvc.transport.name Name String Name of transport
srvsvc.transport.networkaddress Network Address String Network address for transport
srvsvc.transport.num_vcs VCs Unsigned 32-bit integer Number of VCs for this transport
srvsvc.ulist_mtime Ulist mtime Unsigned 32-bit integer Ulist mtime
srvsvc.update_immediately Update Immediately Unsigned 32-bit integer Update Immediately
srvsvc.user User String User Name
srvsvc.user_path User Path String User Path
srvsvc.users Users Unsigned 32-bit integer User Count
srvsvc.version.major Major Version Unsigned 32-bit integer Major Version
srvsvc.version.minor Minor Version Unsigned 32-bit integer Minor Version
srvsvc.xactmemsize Xact Mem Size Unsigned 32-bit integer Xact Mem Size
svrsvc.info_level Info Level Unsigned 32-bit integer Info Level
svcctl.access_mask Access Mask Unsigned 32-bit integer SVCCTL Access Mask
svcctl.database Database String Name of the database to open
svcctl.hnd Context Handle Byte array SVCCTL Context handle
svcctl.is_locked IsLocked Unsigned 32-bit integer SVCCTL whether the database is locked or not
svcctl.lock Lock Byte array SVCCTL Database Lock
svcctl.lock_duration Duration Unsigned 32-bit integer SVCCTL number of seconds the database has been locked
svcctl.lock_owner Owner String SVCCTL the user that holds the database lock
svcctl.machinename MachineName String Name of the host we want to open the database on
svcctl.opnum Operation Unsigned 16-bit integer Operation
svcctl.rc Return code Unsigned 32-bit integer SVCCTL return code
svcctl.required_size Required Size Unsigned 32-bit integer SVCCTL required size of buffer for data to fit
svcctl.resume Resume Handle Unsigned 32-bit integer SVCCTL resume handle
svcctl.scm_rights_connect Connect Boolean SVCCTL Rights to connect to SCM
svcctl.scm_rights_create_service Create Service Boolean SVCCTL Rights to create services
svcctl.scm_rights_enumerate_service Enumerate Service Boolean SVCCTL Rights to enumerate services
svcctl.scm_rights_lock Lock Boolean SVCCTL Rights to lock database
svcctl.scm_rights_modify_boot_config Modify Boot Config Boolean SVCCTL Rights to modify boot config
svcctl.scm_rights_query_lock_status Query Lock Status Boolean SVCCTL Rights to query database lock status
svcctl.service_state State Unsigned 32-bit integer SVCCTL service state
svcctl.service_type Type Unsigned 32-bit integer SVCCTL type of service
svcctl.size Size Unsigned 32-bit integer SVCCTL size of buffer
secdescbuf.len Length Unsigned 32-bit integer Length
secdescbuf.max_len Max len Unsigned 32-bit integer Max len
secdescbuf.undoc Undocumented Unsigned 32-bit integer Undocumented
setprinterdataex.data Data Byte array Data
setprinterdataex.max_len Max len Unsigned 32-bit integer Max len
setprinterdataex.real_len Real len Unsigned 32-bit integer Real len
spoolprinterinfo.devmode_ptr Devmode pointer Unsigned 32-bit integer Devmode pointer
spoolprinterinfo.secdesc_ptr Secdesc pointer Unsigned 32-bit integer Secdesc pointer
spoolss.Datatype Datatype String Datatype
spoolss.access_mask.job_admin Job admin Boolean Job admin
spoolss.access_mask.printer_admin Printer admin Boolean Printer admin
spoolss.access_mask.printer_use Printer use Boolean Printer use
spoolss.access_mask.server_admin Server admin Boolean Server admin
spoolss.access_mask.server_enum Server enum Boolean Server enum
spoolss.access_required Access required Unsigned 32-bit integer Access required
spoolss.architecture Architecture name String Architecture name
spoolss.buffer.data Buffer data Byte array Contents of buffer
spoolss.buffer.size Buffer size Unsigned 32-bit integer Size of buffer
spoolss.clientmajorversion Client major version Unsigned 32-bit integer Client printer driver major version
spoolss.clientminorversion Client minor version Unsigned 32-bit integer Client printer driver minor version
spoolss.configfile Config file String Printer name
spoolss.datafile Data file String Data file
spoolss.defaultdatatype Default data type String Default data type
spoolss.dependentfiles Dependent files String Dependent files
spoolss.devicemodectr.size Devicemode ctr size Unsigned 32-bit integer Devicemode ctr size
spoolss.devmode Devicemode Unsigned 32-bit integer Devicemode
spoolss.devmode.bits_per_pel Bits per pel Unsigned 32-bit integer Bits per pel
spoolss.devmode.collate Collate Unsigned 16-bit integer Collate
spoolss.devmode.color Color Unsigned 16-bit integer Color
spoolss.devmode.copies Copies Unsigned 16-bit integer Copies
spoolss.devmode.default_source Default source Unsigned 16-bit integer Default source
spoolss.devmode.display_flags Display flags Unsigned 32-bit integer Display flags
spoolss.devmode.display_freq Display frequency Unsigned 32-bit integer Display frequency
spoolss.devmode.dither_type Dither type Unsigned 32-bit integer Dither type
spoolss.devmode.driver_extra Driver extra Byte array Driver extra
spoolss.devmode.driver_extra_len Driver extra length Unsigned 32-bit integer Driver extra length
spoolss.devmode.driver_version Driver version Unsigned 16-bit integer Driver version
spoolss.devmode.duplex Duplex Unsigned 16-bit integer Duplex
spoolss.devmode.fields Fields Unsigned 32-bit integer Fields
spoolss.devmode.fields.bits_per_pel Bits per pel Boolean Bits per pel
spoolss.devmode.fields.collate Collate Boolean Collate
spoolss.devmode.fields.color Color Boolean Color
spoolss.devmode.fields.copies Copies Boolean Copies
spoolss.devmode.fields.default_source Default source Boolean Default source
spoolss.devmode.fields.display_flags Display flags Boolean Display flags
spoolss.devmode.fields.display_frequency Display frequency Boolean Display frequency
spoolss.devmode.fields.dither_type Dither type Boolean Dither type
spoolss.devmode.fields.duplex Duplex Boolean Duplex
spoolss.devmode.fields.form_name Form name Boolean Form name
spoolss.devmode.fields.icm_intent ICM intent Boolean ICM intent
spoolss.devmode.fields.icm_method ICM method Boolean ICM method
spoolss.devmode.fields.log_pixels Log pixels Boolean Log pixels
spoolss.devmode.fields.media_type Media type Boolean Media type
spoolss.devmode.fields.nup N-up Boolean N-up
spoolss.devmode.fields.orientation Orientation Boolean Orientation
spoolss.devmode.fields.panning_height Panning height Boolean Panning height
spoolss.devmode.fields.panning_width Panning width Boolean Panning width
spoolss.devmode.fields.paper_length Paper length Boolean Paper length
spoolss.devmode.fields.paper_size Paper size Boolean Paper size
spoolss.devmode.fields.paper_width Paper width Boolean Paper width
spoolss.devmode.fields.pels_height Pels height Boolean Pels height
spoolss.devmode.fields.pels_width Pels width Boolean Pels width
spoolss.devmode.fields.position Position Boolean Position
spoolss.devmode.fields.print_quality Print quality Boolean Print quality
spoolss.devmode.fields.scale Scale Boolean Scale
spoolss.devmode.fields.tt_option TT option Boolean TT option
spoolss.devmode.fields.y_resolution Y resolution Boolean Y resolution
spoolss.devmode.icm_intent ICM intent Unsigned 32-bit integer ICM intent
spoolss.devmode.icm_method ICM method Unsigned 32-bit integer ICM method
spoolss.devmode.log_pixels Log pixels Unsigned 16-bit integer Log pixels
spoolss.devmode.media_type Media type Unsigned 32-bit integer Media type
spoolss.devmode.orientation Orientation Unsigned 16-bit integer Orientation
spoolss.devmode.panning_height Panning height Unsigned 32-bit integer Panning height
spoolss.devmode.panning_width Panning width Unsigned 32-bit integer Panning width
spoolss.devmode.paper_length Paper length Unsigned 16-bit integer Paper length
spoolss.devmode.paper_size Paper size Unsigned 16-bit integer Paper size
spoolss.devmode.paper_width Paper width Unsigned 16-bit integer Paper width
spoolss.devmode.pels_height Pels height Unsigned 32-bit integer Pels height
spoolss.devmode.pels_width Pels width Unsigned 32-bit integer Pels width
spoolss.devmode.print_quality Print quality Unsigned 16-bit integer Print quality
spoolss.devmode.reserved1 Reserved1 Unsigned 32-bit integer Reserved1
spoolss.devmode.reserved2 Reserved2 Unsigned 32-bit integer Reserved2
spoolss.devmode.scale Scale Unsigned 16-bit integer Scale
spoolss.devmode.size Size Unsigned 32-bit integer Size
spoolss.devmode.size2 Size2 Unsigned 16-bit integer Size2
spoolss.devmode.spec_version Spec version Unsigned 16-bit integer Spec version
spoolss.devmode.tt_option TT option Unsigned 16-bit integer TT option
spoolss.devmode.y_resolution Y resolution Unsigned 16-bit integer Y resolution
spoolss.document Document name String Document name
spoolss.drivername Driver name String Driver name
spoolss.driverpath Driver path String Driver path
spoolss.driverversion Driver version Unsigned 32-bit integer Printer name
spoolss.elapsed_time Elapsed time Unsigned 32-bit integer Elapsed time
spoolss.end_time End time Unsigned 32-bit integer End time
spoolss.enumforms.num Num Unsigned 32-bit integer Num
spoolss.enumjobs.firstjob First job Unsigned 32-bit integer Index of first job to return
spoolss.enumjobs.level Info level Unsigned 32-bit integer Info level
spoolss.enumjobs.numjobs Num jobs Unsigned 32-bit integer Number of jobs to return
spoolss.enumprinterdata.data_needed Data size needed Unsigned 32-bit integer Buffer size needed for printerdata data
spoolss.enumprinterdata.data_offered Data size offered Unsigned 32-bit integer Buffer size offered for printerdata data
spoolss.enumprinterdata.enumindex Enum index Unsigned 32-bit integer Index for start of enumeration
spoolss.enumprinterdata.value_len Value length Unsigned 32-bit integer Size of printerdata value
spoolss.enumprinterdata.value_needed Value size needed Unsigned 32-bit integer Buffer size needed for printerdata value
spoolss.enumprinterdata.value_offered Value size offered Unsigned 32-bit integer Buffer size offered for printerdata value
spoolss.enumprinterdataex.name Name String Name
spoolss.enumprinterdataex.name_len Name len Unsigned 32-bit integer Name len
spoolss.enumprinterdataex.name_offset Name offset Unsigned 32-bit integer Name offset
spoolss.enumprinterdataex.num_values Num values Unsigned 32-bit integer Number of values returned
spoolss.enumprinterdataex.val_dword.high DWORD value (high) Unsigned 16-bit integer DWORD value (high)
spoolss.enumprinterdataex.val_dword.low DWORD value (low) Unsigned 16-bit integer DWORD value (low)
spoolss.enumprinterdataex.value_len Value len Unsigned 32-bit integer Value len
spoolss.enumprinterdataex.value_offset Value offset Unsigned 32-bit integer Value offset
spoolss.enumprinterdataex.value_type Value type Unsigned 32-bit integer Value type
spoolss.enumprinters.flags Flags Unsigned 32-bit integer Flags
spoolss.enumprinters.flags.enum_connections Enum connections Boolean Enum connections
spoolss.enumprinters.flags.enum_default Enum default Boolean Enum default
spoolss.enumprinters.flags.enum_local Enum local Boolean Enum local
spoolss.enumprinters.flags.enum_name Enum name Boolean Enum name
spoolss.enumprinters.flags.enum_network Enum network Boolean Enum network
spoolss.enumprinters.flags.enum_remote Enum remote Boolean Enum remote
spoolss.enumprinters.flags.enum_shared Enum shared Boolean Enum shared
spoolss.form Data Unsigned 32-bit integer Data
spoolss.form.flags Flags Unsigned 32-bit integer Flags
spoolss.form.height Height Unsigned 32-bit integer Height
spoolss.form.horiz Horizontal Unsigned 32-bit integer Horizontal
spoolss.form.left Left margin Unsigned 32-bit integer Left
spoolss.form.level Level Unsigned 32-bit integer Level
spoolss.form.name Name String Name
spoolss.form.top Top Unsigned 32-bit integer Top
spoolss.form.unknown Unknown Unsigned 32-bit integer Unknown
spoolss.form.vert Vertical Unsigned 32-bit integer Vertical
spoolss.form.width Width Unsigned 32-bit integer Width
spoolss.helpfile Help file String Help file
spoolss.hnd Context handle Byte array SPOOLSS policy handle
spoolss.job.bytesprinted Job bytes printed Unsigned 32-bit integer Job bytes printed
spoolss.job.id Job ID Unsigned 32-bit integer Job identification number
spoolss.job.pagesprinted Job pages printed Unsigned 32-bit integer Job pages printed
spoolss.job.position Job position Unsigned 32-bit integer Job position
spoolss.job.priority Job priority Unsigned 32-bit integer Job priority
spoolss.job.size Job size Unsigned 32-bit integer Job size
spoolss.job.status Job status Unsigned 32-bit integer Job status
spoolss.job.status.blocked Blocked Boolean Blocked
spoolss.job.status.deleted Deleted Boolean Deleted
spoolss.job.status.deleting Deleting Boolean Deleting
spoolss.job.status.error Error Boolean Error
spoolss.job.status.offline Offline Boolean Offline
spoolss.job.status.paperout Paperout Boolean Paperout
spoolss.job.status.paused Paused Boolean Paused
spoolss.job.status.printed Printed Boolean Printed
spoolss.job.status.printing Printing Boolean Printing
spoolss.job.status.spooling Spooling Boolean Spooling
spoolss.job.status.user_intervention User intervention Boolean User intervention
spoolss.job.totalbytes Job total bytes Unsigned 32-bit integer Job total bytes
spoolss.job.totalpages Job total pages Unsigned 32-bit integer Job total pages
spoolss.keybuffer.data Key Buffer data Byte array Contents of buffer
spoolss.keybuffer.size Key Buffer size Unsigned 32-bit integer Size of buffer
spoolss.machinename Machine name String Machine name
spoolss.monitorname Monitor name String Monitor name
spoolss.needed Needed Unsigned 32-bit integer Size of buffer required for request
spoolss.notify_field Field Unsigned 16-bit integer Field
spoolss.notify_info.count Count Unsigned 32-bit integer Count
spoolss.notify_info.flags Flags Unsigned 32-bit integer Flags
spoolss.notify_info.version Version Unsigned 32-bit integer Version
spoolss.notify_info_data.buffer Buffer Unsigned 32-bit integer Buffer
spoolss.notify_info_data.buffer.data Buffer data Byte array Buffer data
spoolss.notify_info_data.buffer.len Buffer length Unsigned 32-bit integer Buffer length
spoolss.notify_info_data.bufsize Buffer size Unsigned 32-bit integer Buffer size
spoolss.notify_info_data.count Count Unsigned 32-bit integer Count
spoolss.notify_info_data.jobid Job Id Unsigned 32-bit integer Job Id
spoolss.notify_info_data.type Type Unsigned 16-bit integer Type
spoolss.notify_info_data.value1 Value1 Unsigned 32-bit integer Value1
spoolss.notify_info_data.value2 Value2 Unsigned 32-bit integer Value2
spoolss.notify_option.count Count Unsigned 32-bit integer Count
spoolss.notify_option.reserved1 Reserved1 Unsigned 16-bit integer Reserved1
spoolss.notify_option.reserved2 Reserved2 Unsigned 32-bit integer Reserved2
spoolss.notify_option.reserved3 Reserved3 Unsigned 32-bit integer Reserved3
spoolss.notify_option.type Type Unsigned 16-bit integer Type
spoolss.notify_option_data.count Count Unsigned 32-bit integer Count
spoolss.notify_options.count Count Unsigned 32-bit integer Count
spoolss.notify_options.flags Flags Unsigned 32-bit integer Flags
spoolss.notify_options.version Version Unsigned 32-bit integer Version
spoolss.notifyname Notify name String Notify name
spoolss.offered Offered Unsigned 32-bit integer Size of buffer offered in this request
spoolss.offset Offset Unsigned 32-bit integer Offset of data
spoolss.opnum Operation Unsigned 16-bit integer Operation
spoolss.outputfile Output file String Output File
spoolss.parameters Parameters String Parameters
spoolss.portname Port name String Port name
spoolss.printer.action Action Unsigned 32-bit integer Action
spoolss.printer.build_version Build version Unsigned 16-bit integer Build version
spoolss.printer.c_setprinter Csetprinter Unsigned 32-bit integer Csetprinter
spoolss.printer.changeid Change id Unsigned 32-bit integer Change id
spoolss.printer.cjobs CJobs Unsigned 32-bit integer CJobs
spoolss.printer.flags Flags Unsigned 32-bit integer Flags
spoolss.printer.global_counter Global counter Unsigned 32-bit integer Global counter
spoolss.printer.guid GUID String GUID
spoolss.printer.major_version Major version Unsigned 16-bit integer Major version
spoolss.printer.printer_errors Printer errors Unsigned 32-bit integer Printer errors
spoolss.printer.session_ctr Session counter Unsigned 32-bit integer Sessopm counter
spoolss.printer.total_bytes Total bytes Unsigned 32-bit integer Total bytes
spoolss.printer.total_jobs Total jobs Unsigned 32-bit integer Total jobs
spoolss.printer.total_pages Total pages Unsigned 32-bit integer Total pages
spoolss.printer.unknown11 Unknown 11 Unsigned 32-bit integer Unknown 11
spoolss.printer.unknown13 Unknown 13 Unsigned 32-bit integer Unknown 13
spoolss.printer.unknown14 Unknown 14 Unsigned 32-bit integer Unknown 14
spoolss.printer.unknown15 Unknown 15 Unsigned 32-bit integer Unknown 15
spoolss.printer.unknown16 Unknown 16 Unsigned 32-bit integer Unknown 16
spoolss.printer.unknown18 Unknown 18 Unsigned 32-bit integer Unknown 18
spoolss.printer.unknown20 Unknown 20 Unsigned 32-bit integer Unknown 20
spoolss.printer.unknown22 Unknown 22 Unsigned 16-bit integer Unknown 22
spoolss.printer.unknown23 Unknown 23 Unsigned 16-bit integer Unknown 23
spoolss.printer.unknown24 Unknown 24 Unsigned 16-bit integer Unknown 24
spoolss.printer.unknown25 Unknown 25 Unsigned 16-bit integer Unknown 25
spoolss.printer.unknown26 Unknown 26 Unsigned 16-bit integer Unknown 26
spoolss.printer.unknown27 Unknown 27 Unsigned 16-bit integer Unknown 27
spoolss.printer.unknown28 Unknown 28 Unsigned 16-bit integer Unknown 28
spoolss.printer.unknown29 Unknown 29 Unsigned 16-bit integer Unknown 29
spoolss.printer.unknown7 Unknown 7 Unsigned 32-bit integer Unknown 7
spoolss.printer.unknown8 Unknown 8 Unsigned 32-bit integer Unknown 8
spoolss.printer.unknown9 Unknown 9 Unsigned 32-bit integer Unknown 9
spoolss.printer_attributes Attributes Unsigned 32-bit integer Attributes
spoolss.printer_attributes.default Default (9x/ME only) Boolean Default
spoolss.printer_attributes.direct Direct Boolean Direct
spoolss.printer_attributes.do_complete_first Do complete first Boolean Do complete first
spoolss.printer_attributes.enable_bidi Enable bidi (9x/ME only) Boolean Enable bidi
spoolss.printer_attributes.enable_devq Enable devq Boolean Enable evq
spoolss.printer_attributes.hidden Hidden Boolean Hidden
spoolss.printer_attributes.keep_printed_jobs Keep printed jobs Boolean Keep printed jobs
spoolss.printer_attributes.local Local Boolean Local
spoolss.printer_attributes.network Network Boolean Network
spoolss.printer_attributes.published Published Boolean Published
spoolss.printer_attributes.queued Queued Boolean Queued
spoolss.printer_attributes.raw_only Raw only Boolean Raw only
spoolss.printer_attributes.shared Shared Boolean Shared
spoolss.printer_attributes.work_offline Work offline (9x/ME only) Boolean Work offline
spoolss.printer_local Printer local Unsigned 32-bit integer Printer local
spoolss.printer_status Status Unsigned 32-bit integer Status
spoolss.printercomment Printer comment String Printer comment
spoolss.printerdata Data Unsigned 32-bit integer Data
spoolss.printerdata.data Data Byte array Printer data
spoolss.printerdata.data.dword DWORD data Unsigned 32-bit integer DWORD data
spoolss.printerdata.data.sz String data String String data
spoolss.printerdata.key Key String Printer data key
spoolss.printerdata.size Size Unsigned 32-bit integer Printer data size
spoolss.printerdata.type Type Unsigned 32-bit integer Printer data type
spoolss.printerdata.val_sz SZ value String SZ value
spoolss.printerdata.value Value String Printer data value
spoolss.printerdesc Printer description String Printer description
spoolss.printerlocation Printer location String Printer location
spoolss.printername Printer name String Printer name
spoolss.printprocessor Print processor String Print processor
spoolss.rc Return code Unsigned 32-bit integer SPOOLSS return code
spoolss.replyopenprinter.unk0 Unknown 0 Unsigned 32-bit integer Unknown 0
spoolss.replyopenprinter.unk1 Unknown 1 Unsigned 32-bit integer Unknown 1
spoolss.returned Returned Unsigned 32-bit integer Number of items returned
spoolss.rffpcnex.flags RFFPCNEX flags Unsigned 32-bit integer RFFPCNEX flags
spoolss.rffpcnex.flags.add_driver Add driver Boolean Add driver
spoolss.rffpcnex.flags.add_form Add form Boolean Add form
spoolss.rffpcnex.flags.add_job Add job Boolean Add job
spoolss.rffpcnex.flags.add_port Add port Boolean Add port
spoolss.rffpcnex.flags.add_printer Add printer Boolean Add printer
spoolss.rffpcnex.flags.add_processor Add processor Boolean Add processor
spoolss.rffpcnex.flags.configure_port Configure port Boolean Configure port
spoolss.rffpcnex.flags.delete_driver Delete driver Boolean Delete driver
spoolss.rffpcnex.flags.delete_form Delete form Boolean Delete form
spoolss.rffpcnex.flags.delete_job Delete job Boolean Delete job
spoolss.rffpcnex.flags.delete_port Delete port Boolean Delete port
spoolss.rffpcnex.flags.delete_printer Delete printer Boolean Delete printer
spoolss.rffpcnex.flags.delete_processor Delete processor Boolean Delete processor
spoolss.rffpcnex.flags.failed_connection_printer Failed printer connection Boolean Failed printer connection
spoolss.rffpcnex.flags.set_driver Set driver Boolean Set driver
spoolss.rffpcnex.flags.set_form Set form Boolean Set form
spoolss.rffpcnex.flags.set_job Set job Boolean Set job
spoolss.rffpcnex.flags.set_printer Set printer Boolean Set printer
spoolss.rffpcnex.flags.timeout Timeout Boolean Timeout
spoolss.rffpcnex.flags.write_job Write job Boolean Write job
spoolss.rffpcnex.options Options Unsigned 32-bit integer RFFPCNEX options
spoolss.routerreplyprinter.changeid Change id Unsigned 32-bit integer Change id
spoolss.routerreplyprinter.condition Condition Unsigned 32-bit integer Condition
spoolss.routerreplyprinter.unknown1 Unknown1 Unsigned 32-bit integer Unknown1
spoolss.rrpcn.changehigh Change high Unsigned 32-bit integer Change high
spoolss.rrpcn.changelow Change low Unsigned 32-bit integer Change low
spoolss.rrpcn.unk0 Unknown 0 Unsigned 32-bit integer Unknown 0
spoolss.rrpcn.unk1 Unknown 1 Unsigned 32-bit integer Unknown 1
spoolss.servermajorversion Server major version Unsigned 32-bit integer Server printer driver major version
spoolss.serverminorversion Server minor version Unsigned 32-bit integer Server printer driver minor version
spoolss.servername Server name String Server name
spoolss.setjob.cmd Set job command Unsigned 32-bit integer Printer data name
spoolss.setpfile Separator file String Separator file
spoolss.setprinter_cmd Command Unsigned 32-bit integer Command
spoolss.sharename Share name String Share name
spoolss.start_time Start time Unsigned 32-bit integer Start time
spoolss.textstatus Text status String Text status
spoolss.time.day Day Unsigned 32-bit integer Day
spoolss.time.dow Day of week Unsigned 32-bit integer Day of week
spoolss.time.hour Hour Unsigned 32-bit integer Hour
spoolss.time.minute Minute Unsigned 32-bit integer Minute
spoolss.time.month Month Unsigned 32-bit integer Month
spoolss.time.msec Millisecond Unsigned 32-bit integer Millisecond
spoolss.time.second Second Unsigned 32-bit integer Second
spoolss.time.year Year Unsigned 32-bit integer Year
spoolss.userlevel.build Build Unsigned 32-bit integer Build
spoolss.userlevel.client Client String Client
spoolss.userlevel.major Major Unsigned 32-bit integer Major
spoolss.userlevel.minor Minor Unsigned 32-bit integer Minor
spoolss.userlevel.processor Processor Unsigned 32-bit integer Processor
spoolss.userlevel.size Size Unsigned 32-bit integer Size
spoolss.userlevel.user User String User
spoolss.username User name String User name
spoolss.writeprinter.numwritten Num written Unsigned 32-bit integer Number of bytes written
tapi.hnd Context Handle Byte array Context handle
tapi.opnum Operation Unsigned 16-bit integer
tapi.rc Return code Unsigned 32-bit integer TAPI return code
tapi.unknown.bytes Unknown bytes Byte array Unknown bytes. If you know what this is, contact wireshark developers.
tapi.unknown.long Unknown long Unsigned 32-bit integer Unknown long. If you know what this is, contact wireshark developers.
tapi.unknown.string Unknown string String Unknown string. If you know what this is, contact wireshark developers.
browser.backup.count Backup List Requested Count Unsigned 8-bit integer Backup list requested count
browser.backup.server Backup Server String Backup Server Name
browser.backup.token Backup Request Token Unsigned 32-bit integer Backup requested/response token
browser.browser_to_promote Browser to Promote String Browser to Promote
browser.command Command Unsigned 8-bit integer Browse command opcode
browser.comment Host Comment String Server Comment
browser.election.criteria Election Criteria Unsigned 32-bit integer Election Criteria
browser.election.desire Election Desire Unsigned 8-bit integer Election Desire
browser.election.desire.backup Backup Boolean Is this a backup server
browser.election.desire.domain_master Domain Master Boolean Is this a domain master
browser.election.desire.master Master Boolean Is this a master server
browser.election.desire.nt NT Boolean Is this a NT server
browser.election.desire.standby Standby Boolean Is this a standby server?
browser.election.desire.wins WINS Boolean Is this a WINS server
browser.election.os Election OS Unsigned 8-bit integer Election OS
browser.election.os.nts NT Server Boolean Is this a NT Server?
browser.election.os.ntw NT Workstation Boolean Is this a NT Workstation?
browser.election.os.wfw WfW Boolean Is this a WfW host?
browser.election.revision Election Revision Unsigned 16-bit integer Election Revision
browser.election.version Election Version Unsigned 8-bit integer Election Version
browser.mb_server Master Browser Server Name String BROWSE Master Browser Server Name
browser.os_major OS Major Version Unsigned 8-bit integer Operating System Major Version
browser.os_minor OS Minor Version Unsigned 8-bit integer Operating System Minor Version
browser.period Update Periodicity Unsigned 32-bit integer Update Periodicity in ms
browser.proto_major Browser Protocol Major Version Unsigned 8-bit integer Browser Protocol Major Version
browser.proto_minor Browser Protocol Minor Version Unsigned 8-bit integer Browser Protocol Minor Version
browser.reset_cmd ResetBrowserState Command Unsigned 8-bit integer ResetBrowserState Command
browser.reset_cmd.demote Demote LMB Boolean Demote LMB
browser.reset_cmd.flush Flush Browse List Boolean Flush Browse List
browser.reset_cmd.stop_lmb Stop Being LMB Boolean Stop Being LMB
browser.response_computer_name Response Computer Name String Response Computer Name
browser.server Server Name String BROWSE Server Name
browser.server_type Server Type Unsigned 32-bit integer Server Type Flags
browser.server_type.apple Apple Boolean Is This An Apple Server ?
browser.server_type.backup_controller Backup Controller Boolean Is This A Backup Domain Controller?
browser.server_type.browser.backup Backup Browser Boolean Is This A Backup Browser?
browser.server_type.browser.domain_master Domain Master Browser Boolean Is This A Domain Master Browser?
browser.server_type.browser.master Master Browser Boolean Is This A Master Browser?
browser.server_type.browser.potential Potential Browser Boolean Is This A Potential Browser?
browser.server_type.dialin Dialin Boolean Is This A Dialin Server?
browser.server_type.domain_controller Domain Controller Boolean Is This A Domain Controller?
browser.server_type.domainenum Domain Enum Boolean Is This A Domain Enum request?
browser.server_type.local Local Boolean Is This A Local List Only request?
browser.server_type.member Member Boolean Is This A Domain Member Server?
browser.server_type.novell Novell Boolean Is This A Novell Server?
browser.server_type.nts NT Server Boolean Is This A NT Server?
browser.server_type.ntw NT Workstation Boolean Is This A NT Workstation?
browser.server_type.osf OSF Boolean Is This An OSF server ?
browser.server_type.print Print Boolean Is This A Print Server?
browser.server_type.server Server Boolean Is This A Server?
browser.server_type.sql SQL Boolean Is This A SQL Server?
browser.server_type.time Time Source Boolean Is This A Time Source?
browser.server_type.vms VMS Boolean Is This A VMS Server?
browser.server_type.w95 Windows 95+ Boolean Is This A Windows 95 or above server?
browser.server_type.wfw WfW Boolean Is This A Windows For Workgroups Server?
browser.server_type.workstation Workstation Boolean Is This A Workstation?
browser.server_type.xenix Xenix Boolean Is This A Xenix Server?
browser.sig Signature Unsigned 16-bit integer Signature Constant
browser.unused Unused flags Unsigned 8-bit integer Unused/unknown flags
browser.update_count Update Count Unsigned 8-bit integer Browse Update Count
browser.uptime Uptime Unsigned 32-bit integer Server uptime in ms
lanman.aux_data_desc Auxiliary Data Descriptor String LANMAN Auxiliary Data Descriptor
lanman.available_bytes Available Bytes Unsigned 16-bit integer LANMAN Number of Available Bytes
lanman.available_count Available Entries Unsigned 16-bit integer LANMAN Number of Available Entries
lanman.bad_pw_count Bad Password Count Unsigned 16-bit integer LANMAN Number of incorrect passwords entered since last successful login
lanman.code_page Code Page Unsigned 16-bit integer LANMAN Code Page
lanman.comment Comment String LANMAN Comment
lanman.computer_name Computer Name String LANMAN Computer Name
lanman.continuation_from Continuation from message in frame Unsigned 32-bit integer This is a LANMAN continuation from the message in the frame in question
lanman.convert Convert Unsigned 16-bit integer LANMAN Convert
lanman.country_code Country Code Unsigned 16-bit integer LANMAN Country Code
lanman.current_time Current Date/Time Date/Time stamp LANMAN Current date and time, in seconds since 00:00:00, January 1, 1970
lanman.day Day Unsigned 8-bit integer LANMAN Current day
lanman.duration Duration of Session Time duration LANMAN Number of seconds the user was logged on
lanman.entry_count Entry Count Unsigned 16-bit integer LANMAN Number of Entries
lanman.enumeration_domain Enumeration Domain String LANMAN Domain in which to enumerate servers
lanman.full_name Full Name String LANMAN Full Name
lanman.function_code Function Code Unsigned 16-bit integer LANMAN Function Code/Command
lanman.group_name Group Name String LANMAN Group Name
lanman.homedir Home Directory String LANMAN Home Directory
lanman.hour Hour Unsigned 8-bit integer LANMAN Current hour
lanman.hundredths Hundredths of a second Unsigned 8-bit integer LANMAN Current hundredths of a second
lanman.kickoff_time Kickoff Date/Time Date/Time stamp LANMAN Date and time when user will be logged off
lanman.last_entry Last Entry String LANMAN last reported entry of the enumerated servers
lanman.last_logoff Last Logoff Date/Time Date/Time stamp LANMAN Date and time of last logoff
lanman.last_logon Last Logon Date/Time Date/Time stamp LANMAN Date and time of last logon
lanman.level Detail Level Unsigned 16-bit integer LANMAN Detail Level
lanman.logoff_code Logoff Code Unsigned 16-bit integer LANMAN Logoff Code
lanman.logoff_time Logoff Date/Time Date/Time stamp LANMAN Date and time when user should log off
lanman.logon_code Logon Code Unsigned 16-bit integer LANMAN Logon Code
lanman.logon_domain Logon Domain String LANMAN Logon Domain
lanman.logon_hours Logon Hours Byte array LANMAN Logon Hours
lanman.logon_server Logon Server String LANMAN Logon Server
lanman.max_storage Max Storage Unsigned 32-bit integer LANMAN Max Storage
lanman.minute Minute Unsigned 8-bit integer LANMAN Current minute
lanman.month Month Unsigned 8-bit integer LANMAN Current month
lanman.msecs Milliseconds Unsigned 32-bit integer LANMAN Milliseconds since arbitrary time in the past (typically boot time)
lanman.new_password New Password Byte array LANMAN New Password (encrypted)
lanman.num_logons Number of Logons Unsigned 16-bit integer LANMAN Number of Logons
lanman.old_password Old Password Byte array LANMAN Old Password (encrypted)
lanman.operator_privileges Operator Privileges Unsigned 32-bit integer LANMAN Operator Privileges
lanman.other_domains Other Domains String LANMAN Other Domains
lanman.param_desc Parameter Descriptor String LANMAN Parameter Descriptor
lanman.parameters Parameters String LANMAN Parameters
lanman.password Password String LANMAN Password
lanman.password_age Password Age Time duration LANMAN Time since user last changed his/her password
lanman.password_can_change Password Can Change Date/Time stamp LANMAN Date and time when user can change their password
lanman.password_must_change Password Must Change Date/Time stamp LANMAN Date and time when user must change their password
lanman.privilege_level Privilege Level Unsigned 16-bit integer LANMAN Privilege Level
lanman.recv_buf_len Receive Buffer Length Unsigned 16-bit integer LANMAN Receive Buffer Length
lanman.reserved Reserved Unsigned 32-bit integer LANMAN Reserved
lanman.ret_desc Return Descriptor String LANMAN Return Descriptor
lanman.script_path Script Path String LANMAN Pathname of user's logon script
lanman.second Second Unsigned 8-bit integer LANMAN Current second
lanman.send_buf_len Send Buffer Length Unsigned 16-bit integer LANMAN Send Buffer Length
lanman.server.comment Server Comment String LANMAN Server Comment
lanman.server.major Major Version Unsigned 8-bit integer LANMAN Server Major Version
lanman.server.minor Minor Version Unsigned 8-bit integer LANMAN Server Minor Version
lanman.server.name Server Name String LANMAN Name of Server
lanman.share.comment Share Comment String LANMAN Share Comment
lanman.share.current_uses Share Current Uses Unsigned 16-bit integer LANMAN Current connections to share
lanman.share.max_uses Share Max Uses Unsigned 16-bit integer LANMAN Max connections allowed to share
lanman.share.name Share Name String LANMAN Name of Share
lanman.share.password Share Password String LANMAN Share Password
lanman.share.path Share Path String LANMAN Share Path
lanman.share.permissions Share Permissions Unsigned 16-bit integer LANMAN Permissions on share
lanman.share.type Share Type Unsigned 16-bit integer LANMAN Type of Share
lanman.status Status Unsigned 16-bit integer LANMAN Return status
lanman.timeinterval Time Interval Unsigned 16-bit integer LANMAN .0001 second units per clock tick
lanman.tzoffset Time Zone Offset Signed 16-bit integer LANMAN Offset of time zone from GMT, in minutes
lanman.units_per_week Units Per Week Unsigned 16-bit integer LANMAN Units Per Week
lanman.user_comment User Comment String LANMAN User Comment
lanman.user_name User Name String LANMAN User Name
lanman.ustruct_size Length of UStruct Unsigned 16-bit integer LANMAN UStruct Length
lanman.weekday Weekday Unsigned 8-bit integer LANMAN Current day of the week
lanman.workstation_domain Workstation Domain String LANMAN Workstation Domain
lanman.workstation_major Workstation Major Version Unsigned 8-bit integer LANMAN Workstation Major Version
lanman.workstation_minor Workstation Minor Version Unsigned 8-bit integer LANMAN Workstation Minor Version
lanman.workstation_name Workstation Name String LANMAN Workstation Name
lanman.workstations Workstations String LANMAN Workstations
lanman.year Year Unsigned 16-bit integer LANMAN Current year
smb_netlogon.command Command Unsigned 8-bit integer SMB NETLOGON Command
smb_netlogon.computer_name Computer Name String SMB NETLOGON Computer Name
smb_netlogon.date_time Date/Time Unsigned 32-bit integer SMB NETLOGON Date/Time
smb_netlogon.db_count DB Count Unsigned 32-bit integer SMB NETLOGON DB Count
smb_netlogon.db_index Database Index Unsigned 32-bit integer SMB NETLOGON Database Index
smb_netlogon.domain_name Domain Name String SMB NETLOGON Domain Name
smb_netlogon.domain_sid_size Domain SID Size Unsigned 32-bit integer SMB NETLOGON Domain SID Size
smb_netlogon.flags.autolock Autolock Boolean SMB NETLOGON Account Autolock
smb_netlogon.flags.enabled Enabled Boolean SMB NETLOGON Is This Account Enabled
smb_netlogon.flags.expire Expire Boolean SMB NETLOGON Will Account Expire
smb_netlogon.flags.homedir Homedir Boolean SMB NETLOGON Homedir Required
smb_netlogon.flags.interdomain Interdomain Trust Boolean SMB NETLOGON Inter-domain Trust Account
smb_netlogon.flags.mns MNS User Boolean SMB NETLOGON MNS User Account
smb_netlogon.flags.normal Normal User Boolean SMB NETLOGON Normal User Account
smb_netlogon.flags.password Password Boolean SMB NETLOGON Password Required
smb_netlogon.flags.server Server Trust Boolean SMB NETLOGON Server Trust Account
smb_netlogon.flags.temp_dup Temp Duplicate User Boolean SMB NETLOGON Temp Duplicate User Account
smb_netlogon.flags.workstation Workstation Trust Boolean SMB NETLOGON Workstation Trust Account
smb_netlogon.large_serial Large Serial Number Unsigned 64-bit integer SMB NETLOGON Large Serial Number
smb_netlogon.lm_token LM Token Unsigned 16-bit integer SMB NETLOGON LM Token
smb_netlogon.lmnt_token LMNT Token Unsigned 16-bit integer SMB NETLOGON LMNT Token
smb_netlogon.low_serial Low Serial Number Unsigned 32-bit integer SMB NETLOGON Low Serial Number
smb_netlogon.mailslot_name Mailslot Name String SMB NETLOGON Mailslot Name
smb_netlogon.major_version Workstation Major Version Unsigned 8-bit integer SMB NETLOGON Workstation Major Version
smb_netlogon.minor_version Workstation Minor Version Unsigned 8-bit integer SMB NETLOGON Workstation Minor Version
smb_netlogon.nt_date_time NT Date/Time Date/Time stamp SMB NETLOGON NT Date/Time
smb_netlogon.nt_version NT Version Unsigned 32-bit integer SMB NETLOGON NT Version
smb_netlogon.os_version Workstation OS Version Unsigned 8-bit integer SMB NETLOGON Workstation OS Version
smb_netlogon.pdc_name PDC Name String SMB NETLOGON PDC Name
smb_netlogon.pulse Pulse Unsigned 32-bit integer SMB NETLOGON Pulse
smb_netlogon.random Random Unsigned 32-bit integer SMB NETLOGON Random
smb_netlogon.request_count Request Count Unsigned 16-bit integer SMB NETLOGON Request Count
smb_netlogon.script_name Script Name String SMB NETLOGON Script Name
smb_netlogon.server_name Server Name String SMB NETLOGON Server Name
smb_netlogon.unicode_computer_name Unicode Computer Name String SMB NETLOGON Unicode Computer Name
smb_netlogon.unicode_pdc_name Unicode PDC Name String SMB NETLOGON Unicode PDC Name
smb_netlogon.update Update Type Unsigned 16-bit integer SMB NETLOGON Update Type
smb_netlogon.user_name User Name String SMB NETLOGON User Name
wkssvc.alternate_computer_name Alternate computer name String Alternate computer name
wkssvc.alternate_operations_account Account used for alternate name operations String Account used for alternate name operations
wkssvc.buf.files.deny.write Buffer Files Deny Write Signed 32-bit integer Buffer Files Deny Write
wkssvc.buf.files.read.only Buffer Files Read Only Signed 32-bit integer Buffer Files Read Only
wkssvc.buffer.named.pipes Buffer Named Pipes Signed 32-bit integer Buffer Named Pipes
wkssvc.cache.file.timeout Cache File Timeout Signed 32-bit integer Cache File Timeout
wkssvc.char.wait Char Wait Signed 32-bit integer Char Wait
wkssvc.collection.time Collection Time Signed 32-bit integer Collection Time
wkssvc.crypt_password Encrypted password Byte array Encrypted Password
wkssvc.dormant.file.limit Dormant File Limit Signed 32-bit integer Dormant File Limit
wkssvc.entries.read Entries Read Signed 32-bit integer Entries Read
wkssvc.enum_hnd Enumeration handle Byte array Enumeration Handle
wkssvc.errlog.sz Error Log Size Signed 32-bit integer Error Log Size
wkssvc.force.core.create.mode Force Core Create Mode Signed 32-bit integer Force Core Create Mode
wkssvc.illegal.datagram.reset.frequency Illegal Datagram Event Reset Frequency Signed 32-bit integer Illegal Datagram Event Reset Frequency
wkssvc.info.platform_id Platform ID Unsigned 32-bit integer Platform ID
wkssvc.info_level Info Level Unsigned 32-bit integer Info Level
wkssvc.join.account_used Account used for join operations String Account used for join operations
wkssvc.join.computer_account_ou Organizational Unit (OU) for computer account String Organizational Unit (OU) for computer account
wkssvc.join.domain Domain or Workgroup to join String Domain or Workgroup to join
wkssvc.join.flags Domain join flags Unsigned 32-bit integer Domain join flags
wkssvc.join.options.account_create Computer account creation Boolean Computer account creation
wkssvc.join.options.defer_spn_set Defer SPN set Boolean Defer SPN set
wkssvc.join.options.domain_join_if_joined New domain join if already joined Boolean New domain join if already joined
wkssvc.join.options.insecure_join Unsecure join Boolean Unsecure join
wkssvc.join.options.join_type Join type Boolean Join type
wkssvc.join.options.machine_pwd_passed Machine pwd passed Boolean Machine pwd passed
wkssvc.join.options.win9x_upgrade Win9x upgrade Boolean Win9x upgrade
wkssvc.junk Junk Unsigned 32-bit integer Junk
wkssvc.keep.connection Keep Connection Signed 32-bit integer Keep Connection
wkssvc.lan.root Lan Root String Lan Root
wkssvc.lock.increment Lock Increment Signed 32-bit integer Lock Increment
wkssvc.lock.maximum Lock Maximum Signed 32-bit integer Lock Maximum
wkssvc.lock.quota Lock Quota Signed 32-bit integer Lock Quota
wkssvc.log.election.packets Log Election Packets Signed 32-bit integer Log Election Packets
wkssvc.logged.on.users Logged On Users Unsigned 32-bit integer Logged On Users
wkssvc.logon.domain Logon Domain String Logon Domain
wkssvc.logon.server Logon Server String Logon Server
wkssvc.max.illegal.datagram.events Max Illegal Datagram Events Signed 32-bit integer Max Illegal Datagram Events
wkssvc.maximum.collection.count Maximum Collection Count Signed 32-bit integer Maximum Collection Count
wkssvc.maximum.commands Maximum Commands Signed 32-bit integer Maximum Commands
wkssvc.maximum.threads Maximum Threads Signed 32-bit integer Maximum Threads
wkssvc.netgrp Net Group String Net Group
wkssvc.num.entries Num Entries Signed 32-bit integer Num Entries
wkssvc.num.mailslot.buffers Num Mailslot Buffers Signed 32-bit integer Num Mailslot Buffers
wkssvc.num.srv.announce.buffers Num Srv Announce Buffers Signed 32-bit integer Num Srv Announce Buffers
wkssvc.number.of.vcs Number Of VCs Signed 32-bit integer Number of VSs
wkssvc.opnum Operation Unsigned 16-bit integer
wkssvc.other.domains Other Domains String Other Domains
wkssvc.parm.err Parameter Error Offset Signed 32-bit integer Parameter Error Offset
wkssvc.pipe.increment Pipe Increment Signed 32-bit integer Pipe Increment
wkssvc.pipe.maximum Pipe Maximum Signed 32-bit integer Pipe Maximum
wkssvc.pref.max.len Preferred Max Len Signed 32-bit integer Preferred Max Len
wkssvc.print.buf.time Print Buf Time Signed 32-bit integer Print Buff Time
wkssvc.qos Quality Of Service Signed 32-bit integer Quality Of Service
wkssvc.rc Return code Unsigned 32-bit integer Return Code
wkssvc.read.ahead.throughput Read Ahead Throughput Signed 32-bit integer Read Ahead Throughput
wkssvc.rename.flags Machine rename flags Unsigned 32-bit integer Machine rename flags
wkssvc.reserved Reserved field Signed 32-bit integer Reserved field
wkssvc.server Server String Server Name
wkssvc.session.timeout Session Timeout Signed 32-bit integer Session Timeout
wkssvc.size.char.buff Character Buffer Size Signed 32-bit integer Character Buffer Size
wkssvc.total.entries Total Entries Signed 32-bit integer Total Entries
wkssvc.transport.address Transport Address String Transport Address
wkssvc.transport.name Transport Name String Transport Name
wkssvc.unjoin.account_used Account used for unjoin operations String Account used for unjoin operations
wkssvc.unjoin.flags Domain unjoin flags Unsigned 32-bit integer Domain unjoin flags
wkssvc.unjoin.options.account_delete Computer account deletion Boolean Computer account deletion
wkssvc.use.512.byte.max.transfer Use 512 Byte Max Transfer Signed 32-bit integer Use 512 Byte Maximum Transfer
wkssvc.use.close.behind Use Close Behind Signed 32-bit integer Use Close Behind
wkssvc.use.encryption Use Encryption Signed 32-bit integer Use Encryption
wkssvc.use.lock.behind Use Lock Behind Signed 32-bit integer Use Lock Behind
wkssvc.use.lock.read.unlock Use Lock Read Unlock Signed 32-bit integer Use Lock Read Unlock
wkssvc.use.oplocks Use Opportunistic Locking Signed 32-bit integer Use OpLocks
wkssvc.use.raw.read Use Raw Read Signed 32-bit integer Use Raw Read
wkssvc.use.raw.write Use Raw Write Signed 32-bit integer Use Raw Write
wkssvc.use.write.raw.data Use Write Raw Data Signed 32-bit integer Use Write Raw Data
wkssvc.user.name User Name String User Name
wkssvc.utilize.nt.caching Utilize NT Caching Signed 32-bit integer Utilize NT Caching
wkssvc.version.major Major Version Unsigned 32-bit integer Major Version
wkssvc.version.minor Minor Version Unsigned 32-bit integer Minor Version
wkssvc.wan.ish WAN ish Signed 32-bit integer WAN ish
wkssvc.wrk.heuristics Wrk Heuristics Signed 32-bit integer Wrk Heuristics
mip.auth.auth Authenticator Byte array Authenticator.
mip.auth.spi SPI Unsigned 32-bit integer Authentication Header Security Parameter Index.
mip.b Broadcast Datagrams Boolean Broadcast Datagrams requested
mip.coa Care of Address IPv4 address Care of Address.
mip.code Reply Code Unsigned 8-bit integer Mobile IP Reply code.
mip.d Co-located Care-of Address Boolean MN using Co-located Care-of address
mip.ext.auth.subtype Gen Auth Ext SubType Unsigned 8-bit integer Mobile IP Auth Extension Sub Type.
mip.ext.len Extension Length Unsigned 16-bit integer Mobile IP Extension Length.
mip.ext.type Extension Type Unsigned 8-bit integer Mobile IP Extension Type.
mip.extension Extension Byte array Extension
mip.flags Flags Unsigned 8-bit integer
mip.g GRE Boolean MN wants GRE encapsulation
mip.haaddr Home Agent IPv4 address Home agent IP Address.
mip.homeaddr Home Address IPv4 address Mobile Node's home address.
mip.ident Identification Byte array MN Identification.
mip.life Lifetime Unsigned 16-bit integer Mobile IP Lifetime.
mip.m Minimal Encapsulation Boolean MN wants Minimal encapsulation
mip.nai NAI String NAI
mip.s Simultaneous Bindings Boolean Simultaneous Bindings Allowed
mip.t Reverse Tunneling Boolean Reverse tunneling requested
mip.type Message Type Unsigned 8-bit integer Mobile IP Message type.
mip.v Van Jacobson Boolean Van Jacobson
fmip6.fback.k_flag Key Management Compatibility (K) flag Boolean Key Management Compatibility (K) flag
fmip6.fback.lifetime Lifetime Unsigned 16-bit integer Lifetime
fmip6.fback.seqnr Sequence number Unsigned 16-bit integer Sequence number
fmip6.fback.status Status Unsigned 8-bit integer Fast Binding Acknowledgement status
fmip6.fbu.a_flag Acknowledge (A) flag Boolean Acknowledge (A) flag
fmip6.fbu.h_flag Home Registration (H) flag Boolean Home Registration (H) flag
fmip6.fbu.k_flag Key Management Compatibility (K) flag Boolean Key Management Compatibility (K) flag
fmip6.fbu.l_flag Link-Local Compatibility (L) flag Boolean Home Registration (H) flag
fmip6.fbu.lifetime Lifetime Unsigned 16-bit integer Lifetime
fmip6.fbu.seqnr Sequence number Unsigned 16-bit integer Sequence number
mip6.acoa.acoa Alternate care-of address IPv6 address Alternate Care-of address
mip6.ba.k_flag Key Management Compatibility (K) flag Boolean Key Management Compatibility (K) flag
mip6.ba.lifetime Lifetime Unsigned 16-bit integer Lifetime
mip6.ba.seqnr Sequence number Unsigned 16-bit integer Sequence number
mip6.ba.status Status Unsigned 8-bit integer Binding Acknowledgement status
mip6.bad.auth Authenticator Byte array Authenticator
mip6.be.haddr Home Address IPv6 address Home Address
mip6.be.status Status Unsigned 8-bit integer Binding Error status
mip6.bra.interval Refresh interval Unsigned 16-bit integer Refresh interval
mip6.bu.a_flag Acknowledge (A) flag Boolean Acknowledge (A) flag
mip6.bu.h_flag Home Registration (H) flag Boolean Home Registration (H) flag
mip6.bu.k_flag Key Management Compatibility (K) flag Boolean Key Management Compatibility (K) flag
mip6.bu.l_flag Link-Local Compatibility (L) flag Boolean Home Registration (H) flag
mip6.bu.lifetime Lifetime Unsigned 16-bit integer Lifetime
mip6.bu.m_flag Multiple Care of Address (M) flag Boolean Multiple Care of Address (M) flag
mip6.bu.seqnr Sequence number Unsigned 16-bit integer Sequence number
mip6.cot.cookie Care-of Init Cookie Unsigned 64-bit integer Care-of Init Cookie
mip6.cot.nindex Care-of Nonce Index Unsigned 16-bit integer Care-of Nonce Index
mip6.cot.token Care-of Keygen Token Unsigned 64-bit integer Care-of Keygen Token
mip6.coti.cookie Care-of Init Cookie Unsigned 64-bit integer Care-of Init Cookie
mip6.csum Checksum Unsigned 16-bit integer Header Checksum
mip6.hlen Header length Unsigned 8-bit integer Header length
mip6.hot.cookie Home Init Cookie Unsigned 64-bit integer Home Init Cookie
mip6.hot.nindex Home Nonce Index Unsigned 16-bit integer Home Nonce Index
mip6.hot.token Home Keygen Token Unsigned 64-bit integer Home Keygen Token
mip6.hoti.cookie Home Init Cookie Unsigned 64-bit integer Home Init Cookie
mip6.lla.optcode Option-Code Unsigned 8-bit integer Option-Code
mip6.mhtype Mobility Header Type Unsigned 8-bit integer Mobility Header Type
mip6.ni.cni Care-of nonce index Unsigned 16-bit integer Care-of nonce index
mip6.ni.hni Home nonce index Unsigned 16-bit integer Home nonce index
mip6.proto Payload protocol Unsigned 8-bit integer Payload protocol
mip6.reserved Reserved Unsigned 8-bit integer Reserved
nemo.ba.r_flag Mobile Router (R) flag Boolean Mobile Router (R) flag
nemo.bu.r_flag Mobile Router (R) flag Boolean Mobile Router (r) flag
nemo.mnp.mnp Mobile Network Prefix IPv6 address Mobile Network Prefix
nemo.mnp.pfl Mobile Network Prefix Length Unsigned 8-bit integer Mobile Network Prefix Length
modbus_tcp.and_mask AND mask Unsigned 16-bit integer
modbus_tcp.bit_cnt bit count Unsigned 16-bit integer
modbus_tcp.byte_cnt byte count Unsigned 8-bit integer
modbus_tcp.byte_cnt_16 byte count (16-bit) Unsigned 8-bit integer
modbus_tcp.exception_code exception code Unsigned 8-bit integer
modbus_tcp.func_code function code Unsigned 8-bit integer
modbus_tcp.len length Unsigned 16-bit integer
modbus_tcp.or_mask OR mask Unsigned 16-bit integer
modbus_tcp.prot_id protocol identifier Unsigned 16-bit integer
modbus_tcp.read_reference_num read reference number Unsigned 16-bit integer
modbus_tcp.read_word_cnt read word count Unsigned 16-bit integer
modbus_tcp.reference_num reference number Unsigned 16-bit integer
modbus_tcp.reference_num_32 reference number (32 bit) Unsigned 32-bit integer
modbus_tcp.reference_type reference type Unsigned 8-bit integer
modbus_tcp.trans_id transaction identifier Unsigned 16-bit integer
modbus_tcp.unit_id unit identifier Unsigned 8-bit integer
modbus_tcp.word_cnt word count Unsigned 16-bit integer
modbus_tcp.write_reference_num write reference number Unsigned 16-bit integer
modbus_tcp.write_word_cnt write word count Unsigned 16-bit integer
netsync.checksum Checksum Unsigned 32-bit integer Checksum
netsync.cmd.anonymous.collection Collection String Collection
netsync.cmd.anonymous.role Role Unsigned 8-bit integer Role
netsync.cmd.auth.collection Collection String Collection
netsync.cmd.auth.id ID Byte array ID
netsync.cmd.auth.nonce1 Nonce 1 Byte array Nonce 1
netsync.cmd.auth.nonce2 Nonce 2 Byte array Nonce 2
netsync.cmd.auth.role Role Unsigned 8-bit integer Role
netsync.cmd.auth.sig Signature Byte array Signature
netsync.cmd.confirm.signature Signature Byte array Signature
netsync.cmd.data.compressed Compressed Unsigned 8-bit integer Compressed
netsync.cmd.data.id ID Byte array ID
netsync.cmd.data.payload Payload Byte array Payload
netsync.cmd.data.type Type Unsigned 8-bit integer Type
netsync.cmd.delta.base_id Base ID Byte array Base ID
netsync.cmd.delta.compressed Compressed Unsigned 8-bit integer Compressed
netsync.cmd.delta.ident_id Ident ID Byte array Ident ID
netsync.cmd.delta.payload Payload Byte array Payload
netsync.cmd.delta.type Type Unsigned 8-bit integer Type
netsync.cmd.done.level Level Unsigned 32-bit integer Level
netsync.cmd.done.type Type Unsigned 8-bit integer Type
netsync.cmd.error.msg Message String Message
netsync.cmd.hello.key Key Byte array Key
netsync.cmd.hello.keyname Key Name String Key Name
netsync.cmd.nonce Nonce Byte array Nonce
netsync.cmd.nonexistant.id ID Byte array ID
netsync.cmd.nonexistant.type Type Unsigned 8-bit integer Type
netsync.cmd.refine.tree_node Tree Node Byte array Tree Node
netsync.cmd.send_data.id ID Byte array ID
netsync.cmd.send_data.type Type Unsigned 8-bit integer Type
netsync.cmd.send_delta.base_id Base ID Byte array Base ID
netsync.cmd.send_delta.ident_id Ident ID Byte array Ident ID
netsync.cmd.send_delta.type Type Unsigned 8-bit integer Type
netsync.command Command Unsigned 8-bit integer Command
netsync.data Data Byte array Data
netsync.size Size Unsigned 32-bit integer Size
netsync.version Version Unsigned 8-bit integer Version
mount.dump.directory Directory String Directory
mount.dump.entry Mount List Entry No value Mount List Entry
mount.dump.hostname Hostname String Hostname
mount.export.directory Directory String Directory
mount.export.entry Export List Entry No value Export List Entry
mount.export.group Group String Group
mount.export.groups Groups No value Groups
mount.export.has_options Has options Unsigned 32-bit integer Has options
mount.export.options Options String Options
mount.flavor Flavor Unsigned 32-bit integer Flavor
mount.flavors Flavors Unsigned 32-bit integer Flavors
mount.path Path String Path
mount.pathconf.link_max Maximum number of links to a file Unsigned 32-bit integer Maximum number of links allowed to a file
mount.pathconf.mask Reply error/status bits Unsigned 16-bit integer Bit mask with error and status bits
mount.pathconf.mask.chown_restricted CHOWN_RESTRICTED Boolean
mount.pathconf.mask.error_all ERROR_ALL Boolean
mount.pathconf.mask.error_link_max ERROR_LINK_MAX Boolean
mount.pathconf.mask.error_max_canon ERROR_MAX_CANON Boolean
mount.pathconf.mask.error_max_input ERROR_MAX_INPUT Boolean
mount.pathconf.mask.error_name_max ERROR_NAME_MAX Boolean
mount.pathconf.mask.error_path_max ERROR_PATH_MAX Boolean
mount.pathconf.mask.error_pipe_buf ERROR_PIPE_BUF Boolean
mount.pathconf.mask.error_vdisable ERROR_VDISABLE Boolean
mount.pathconf.mask.no_trunc NO_TRUNC Boolean
mount.pathconf.max_canon Maximum terminal input line length Unsigned 16-bit integer Max tty input line length
mount.pathconf.max_input Terminal input buffer size Unsigned 16-bit integer Terminal input buffer size
mount.pathconf.name_max Maximum file name length Unsigned 16-bit integer Maximum file name length
mount.pathconf.path_max Maximum path name length Unsigned 16-bit integer Maximum path name length
mount.pathconf.pipe_buf Pipe buffer size Unsigned 16-bit integer Maximum amount of data that can be written atomically to a pipe
mount.pathconf.vdisable_char VDISABLE character Unsigned 8-bit integer Character value to disable a terminal special character
mount.procedure_sgi_v1 SGI V1 procedure Unsigned 32-bit integer SGI V1 Procedure
mount.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
mount.procedure_v2 V2 Procedure Unsigned 32-bit integer V2 Procedure
mount.procedure_v3 V3 Procedure Unsigned 32-bit integer V3 Procedure
mount.status Status Unsigned 32-bit integer Status
mount.statvfs.f_basetype Type String File system type
mount.statvfs.f_bavail Blocks Available Unsigned 32-bit integer Available fragment sized blocks
mount.statvfs.f_bfree Blocks Free Unsigned 32-bit integer Free fragment sized blocks
mount.statvfs.f_blocks Blocks Unsigned 32-bit integer Total fragment sized blocks
mount.statvfs.f_bsize Block size Unsigned 32-bit integer File system block size
mount.statvfs.f_favail Files Available Unsigned 32-bit integer Available files/inodes
mount.statvfs.f_ffree Files Free Unsigned 32-bit integer Free files/inodes
mount.statvfs.f_files Files Unsigned 32-bit integer Total files/inodes
mount.statvfs.f_flag Flags Unsigned 32-bit integer Flags bit-mask
mount.statvfs.f_flag.st_grpid ST_GRPID Boolean
mount.statvfs.f_flag.st_local ST_LOCAL Boolean
mount.statvfs.f_flag.st_nodev ST_NODEV Boolean
mount.statvfs.f_flag.st_nosuid ST_NOSUID Boolean
mount.statvfs.f_flag.st_notrunc ST_NOTRUNC Boolean
mount.statvfs.f_flag.st_rdonly ST_RDONLY Boolean
mount.statvfs.f_frsize Fragment size Unsigned 32-bit integer File system fragment size
mount.statvfs.f_fsid File system ID Unsigned 32-bit integer File system identifier
mount.statvfs.f_fstr File system specific string Byte array File system specific string
mount.statvfs.f_namemax Maximum file name length Unsigned 32-bit integer Maximum file name length
mpls.bottom MPLS Bottom Of Label Stack Unsigned 8-bit integer
mpls.cw.control MPLS Control Channel Unsigned 8-bit integer First nibble
mpls.cw.res Reserved Unsigned 16-bit integer Reserved
mpls.exp MPLS Experimental Bits Unsigned 8-bit integer
mpls.label MPLS Label Unsigned 32-bit integer
mpls.oam.bip16 BIP16 Unsigned 16-bit integer BIP16
mpls.oam.defect_location Defect Location (AS) Unsigned 32-bit integer Defect Location
mpls.oam.defect_type Defect Type Unsigned 16-bit integer Defect Type
mpls.oam.frequency Frequency Unsigned 8-bit integer Frequency of probe injection
mpls.oam.function_type Function Type Unsigned 8-bit integer Function Type codepoint
mpls.oam.ttsi Trail Termination Source Identifier Unsigned 32-bit integer Trail Termination Source Identifier
mpls.ttl MPLS TTL Unsigned 8-bit integer
mrdisc.adv_int Advertising Interval Unsigned 8-bit integer MRDISC Advertising Interval in seconds
mrdisc.checksum Checksum Unsigned 16-bit integer MRDISC Checksum
mrdisc.checksum_bad Bad Checksum Boolean Bad MRDISC Checksum
mrdisc.num_opts Number Of Options Unsigned 16-bit integer MRDISC Number Of Options
mrdisc.opt_len Length Unsigned 8-bit integer MRDISC Option Length
mrdisc.option Option Unsigned 8-bit integer MRDISC Option Type
mrdisc.option_data Data Byte array MRDISC Unknown Option Data
mrdisc.options Options No value MRDISC Options
mrdisc.query_int Query Interval Unsigned 16-bit integer MRDISC Query Interval
mrdisc.rob_var Robustness Variable Unsigned 16-bit integer MRDISC Robustness Variable
mrdisc.type Type Unsigned 8-bit integer MRDISC Packet Type
msdp.length Length Unsigned 16-bit integer MSDP TLV Length
msdp.not.entry_count Entry Count Unsigned 24-bit integer Entry Count in Notification messages
msdp.not.error Error Code Unsigned 8-bit integer Indicates the type of Notification
msdp.not.error_sub Error subode Unsigned 8-bit integer Error subcode
msdp.not.ipv4 IPv4 address IPv4 address Group/RP/Source address in Notification messages
msdp.not.o Open-bit Unsigned 8-bit integer If clear, the connection will be closed
msdp.not.res Reserved Unsigned 24-bit integer Reserved field in Notification messages
msdp.not.sprefix_len Sprefix len Unsigned 8-bit integer Source prefix length in Notification messages
msdp.sa.entry_count Entry Count Unsigned 8-bit integer MSDP SA Entry Count
msdp.sa.group_addr Group Address IPv4 address The group address the active source has sent data to
msdp.sa.reserved Reserved Unsigned 24-bit integer Transmitted as zeros and ignored by a receiver
msdp.sa.rp_addr RP Address IPv4 address Active source's RP address
msdp.sa.sprefix_len Sprefix len Unsigned 8-bit integer The route prefix length associated with source address
msdp.sa.src_addr Source Address IPv4 address The IP address of the active source
msdp.sa_req.group_addr Group Address IPv4 address The group address the MSDP peer is requesting
msdp.sa_req.res Reserved Unsigned 8-bit integer Transmitted as zeros and ignored by a receiver
msdp.type Type Unsigned 8-bit integer MSDP TLV type
mpls_echo.flag_sbz Reserved Unsigned 16-bit integer MPLS ECHO Reserved Flags
mpls_echo.flag_v Validate FEC Stack Boolean MPLS ECHO Validate FEC Stack Flag
mpls_echo.flags Global Flags Unsigned 16-bit integer MPLS ECHO Global Flags
mpls_echo.mbz MBZ Unsigned 16-bit integer MPLS ECHO Must be Zero
mpls_echo.msg_type Message Type Unsigned 8-bit integer MPLS ECHO Message Type
mpls_echo.reply_mode Reply Mode Unsigned 8-bit integer MPLS ECHO Reply Mode
mpls_echo.return_code Return Code Unsigned 8-bit integer MPLS ECHO Return Code
mpls_echo.return_subcode Return Subcode Unsigned 8-bit integer MPLS ECHO Return Subcode
mpls_echo.sender_handle Sender's Handle Unsigned 32-bit integer MPLS ECHO Sender's Handle
mpls_echo.sequence Sequence Number Unsigned 32-bit integer MPLS ECHO Sequence Number
mpls_echo.timestamp_rec Timestamp Received Byte array MPLS ECHO Timestamp Received
mpls_echo.timestamp_sent Timestamp Sent Byte array MPLS ECHO Timestamp Sent
mpls_echo.tlv.ds_map.addr_type Address Type Unsigned 8-bit integer MPLS ECHO TLV Downstream Map Address Type
mpls_echo.tlv.ds_map.depth Depth Limit Unsigned 8-bit integer MPLS ECHO TLV Downstream Map Depth Limit
mpls_echo.tlv.ds_map.ds_ip Downstream IP Address IPv4 address MPLS ECHO TLV Downstream Map IP Address
mpls_echo.tlv.ds_map.ds_ipv6 Downstream IPv6 Address IPv6 address MPLS ECHO TLV Downstream Map IPv6 Address
mpls_echo.tlv.ds_map.flag_i Interface and Label Stack Request Boolean MPLS ECHO TLV Downstream Map I-Flag
mpls_echo.tlv.ds_map.flag_n Treat as Non-IP Packet Boolean MPLS ECHO TLV Downstream Map N-Flag
mpls_echo.tlv.ds_map.flag_res MBZ Unsigned 8-bit integer MPLS ECHO TLV Downstream Map Reserved Flags
mpls_echo.tlv.ds_map.hash_type Multipath Type Unsigned 8-bit integer MPLS ECHO TLV Downstream Map Multipath Type
mpls_echo.tlv.ds_map.if_index Upstream Interface Index Unsigned 32-bit integer MPLS ECHO TLV Downstream Map Interface Index
mpls_echo.tlv.ds_map.int_ip Downstream Interface Address IPv4 address MPLS ECHO TLV Downstream Map Interface Address
mpls_echo.tlv.ds_map.int_ipv6 Downstream Interface IPv6 Address IPv6 address MPLS ECHO TLV Downstream Map Interface IPv6 Address
mpls_echo.tlv.ds_map.mp_bos Downstream BOS Unsigned 8-bit integer MPLS ECHO TLV Downstream Map Downstream BOS
mpls_echo.tlv.ds_map.mp_exp Downstream Experimental Unsigned 8-bit integer MPLS ECHO TLV Downstream Map Downstream Experimental
mpls_echo.tlv.ds_map.mp_label Downstream Label Unsigned 24-bit integer MPLS ECHO TLV Downstream Map Downstream Label
mpls_echo.tlv.ds_map.mp_proto Downstream Protocol Unsigned 8-bit integer MPLS ECHO TLV Downstream Map Downstream Protocol
mpls_echo.tlv.ds_map.mtu MTU Unsigned 16-bit integer MPLS ECHO TLV Downstream Map MTU
mpls_echo.tlv.ds_map.multi_len Multipath Length Unsigned 16-bit integer MPLS ECHO TLV Downstream Map Multipath Length
mpls_echo.tlv.ds_map.res DS Flags Unsigned 8-bit integer MPLS ECHO TLV Downstream Map DS Flags
mpls_echo.tlv.ds_map_mp.ip IP Address IPv4 address MPLS ECHO TLV Downstream Map Multipath IP Address
mpls_echo.tlv.ds_map_mp.ip_high IP Address High IPv4 address MPLS ECHO TLV Downstream Map Multipath High IP Address
mpls_echo.tlv.ds_map_mp.ip_low IP Address Low IPv4 address MPLS ECHO TLV Downstream Map Multipath Low IP Address
mpls_echo.tlv.ds_map_mp.mask Mask Byte array MPLS ECHO TLV Downstream Map Multipath Mask
mpls_echo.tlv.ds_map_mp.value Multipath Value Byte array MPLS ECHO TLV Multipath Value
mpls_echo.tlv.errored.type Errored TLV Type Unsigned 16-bit integer MPLS ECHO TLV Errored TLV Type
mpls_echo.tlv.fec.bgp_ipv4 IPv4 Prefix IPv4 address MPLS ECHO TLV FEC Stack BGP IPv4
mpls_echo.tlv.fec.bgp_len Prefix Length Unsigned 8-bit integer MPLS ECHO TLV FEC Stack BGP Prefix Length
mpls_echo.tlv.fec.bgp_nh BGP Next Hop IPv4 address MPLS ECHO TLV FEC Stack BGP Next Hop
mpls_echo.tlv.fec.gen_ipv4 IPv4 Prefix IPv4 address MPLS ECHO TLV FEC Stack Generic IPv4
mpls_echo.tlv.fec.gen_ipv4_mask Prefix Length Unsigned 8-bit integer MPLS ECHO TLV FEC Stack Generic IPv4 Prefix Length
mpls_echo.tlv.fec.gen_ipv6 IPv6 Prefix IPv6 address MPLS ECHO TLV FEC Stack Generic IPv6
mpls_echo.tlv.fec.gen_ipv6_mask Prefix Length Unsigned 8-bit integer MPLS ECHO TLV FEC Stack Generic IPv6 Prefix Length
mpls_echo.tlv.fec.l2cid_encap Encapsulation Unsigned 16-bit integer MPLS ECHO TLV FEC Stack L2CID Encapsulation
mpls_echo.tlv.fec.l2cid_mbz MBZ Unsigned 16-bit integer MPLS ECHO TLV FEC Stack L2CID MBZ
mpls_echo.tlv.fec.l2cid_remote Remote PE Address IPv4 address MPLS ECHO TLV FEC Stack L2CID Remote
mpls_echo.tlv.fec.l2cid_sender Sender's PE Address IPv4 address MPLS ECHO TLV FEC Stack L2CID Sender
mpls_echo.tlv.fec.l2cid_vcid VC ID Unsigned 32-bit integer MPLS ECHO TLV FEC Stack L2CID VCID
mpls_echo.tlv.fec.ldp_ipv4 IPv4 Prefix IPv4 address MPLS ECHO TLV FEC Stack LDP IPv4
mpls_echo.tlv.fec.ldp_ipv4_mask Prefix Length Unsigned 8-bit integer MPLS ECHO TLV FEC Stack LDP IPv4 Prefix Length
mpls_echo.tlv.fec.ldp_ipv6 IPv6 Prefix IPv6 address MPLS ECHO TLV FEC Stack LDP IPv6
mpls_echo.tlv.fec.ldp_ipv6_mask Prefix Length Unsigned 8-bit integer MPLS ECHO TLV FEC Stack LDP IPv6 Prefix Length
mpls_echo.tlv.fec.len Length Unsigned 16-bit integer MPLS ECHO TLV FEC Stack Length
mpls_echo.tlv.fec.nil_label Label Unsigned 24-bit integer MPLS ECHO TLV FEC Stack NIL Label
mpls_echo.tlv.fec.rsvp_ip_lsp_id LSP ID Unsigned 16-bit integer MPLS ECHO TLV FEC Stack RSVP LSP ID
mpls_echo.tlv.fec.rsvp_ip_mbz1 Must Be Zero Unsigned 16-bit integer MPLS ECHO TLV FEC Stack RSVP MBZ
mpls_echo.tlv.fec.rsvp_ip_mbz2 Must Be Zero Unsigned 16-bit integer MPLS ECHO TLV FEC Stack RSVP MBZ
mpls_echo.tlv.fec.rsvp_ip_tun_id Tunnel ID Unsigned 16-bit integer MPLS ECHO TLV FEC Stack RSVP Tunnel ID
mpls_echo.tlv.fec.rsvp_ipv4_ep IPv4 Tunnel endpoint address IPv4 address MPLS ECHO TLV FEC Stack RSVP IPv4 Tunnel Endpoint Address
mpls_echo.tlv.fec.rsvp_ipv4_ext_tun_id Extended Tunnel ID Unsigned 32-bit integer MPLS ECHO TLV FEC Stack RSVP IPv4 Extended Tunnel ID
mpls_echo.tlv.fec.rsvp_ipv4_sender IPv4 Tunnel sender address IPv4 address MPLS ECHO TLV FEC Stack RSVP IPv4 Sender
mpls_echo.tlv.fec.rsvp_ipv6_ep IPv6 Tunnel endpoint address IPv6 address MPLS ECHO TLV FEC Stack RSVP IPv6 Tunnel Endpoint Address
mpls_echo.tlv.fec.rsvp_ipv6_ext_tun_id Extended Tunnel ID Byte array MPLS ECHO TLV FEC Stack RSVP IPv6 Extended Tunnel ID
mpls_echo.tlv.fec.rsvp_ipv6_sender IPv6 Tunnel sender address IPv6 address MPLS ECHO TLV FEC Stack RSVP IPv4 Sender
mpls_echo.tlv.fec.type Type Unsigned 16-bit integer MPLS ECHO TLV FEC Stack Type
mpls_echo.tlv.fec.value Value Byte array MPLS ECHO TLV FEC Stack Value
mpls_echo.tlv.ilso_ipv4.addr Downstream IPv4 Address IPv4 address MPLS ECHO TLV Interface and Label Stack Address
mpls_echo.tlv.ilso_ipv4.bos BOS Unsigned 8-bit integer MPLS ECHO TLV Interface and Label Stack BOS
mpls_echo.tlv.ilso_ipv4.exp Exp Unsigned 8-bit integer MPLS ECHO TLV Interface and Label Stack Exp
mpls_echo.tlv.ilso_ipv4.int_addr Downstream Interface Address IPv4 address MPLS ECHO TLV Interface and Label Stack Address
mpls_echo.tlv.ilso_ipv4.label Label Unsigned 24-bit integer MPLS ECHO TLV Interface and Label Stack Label
mpls_echo.tlv.ilso_ipv4.ttl TTL Unsigned 8-bit integer MPLS ECHO TLV Interface and Label Stack TTL
mpls_echo.tlv.ilso_ipv6.addr Downstream IPv6 Address IPv6 address MPLS ECHO TLV Interface and Label Stack Address
mpls_echo.tlv.ilso_ipv6.int_addr Downstream Interface Address IPv6 address MPLS ECHO TLV Interface and Label Stack Address
mpls_echo.tlv.len Length Unsigned 16-bit integer MPLS ECHO TLV Length
mpls_echo.tlv.pad_action Pad Action Unsigned 8-bit integer MPLS ECHO Pad TLV Action
mpls_echo.tlv.pad_padding Padding Byte array MPLS ECHO Pad TLV Padding
mpls_echo.tlv.reply.tos Reply-TOS Byte Unsigned 8-bit integer MPLS ECHO TLV Reply-TOS Byte
mpls_echo.tlv.reply.tos.mbz MBZ Unsigned 24-bit integer MPLS ECHO TLV Reply-TOS MBZ
mpls_echo.tlv.rto.ipv4 Reply-to IPv4 Address IPv4 address MPLS ECHO TLV IPv4 Reply-To Object
mpls_echo.tlv.rto.ipv6 Reply-to IPv6 Address IPv6 address MPLS ECHO TLV IPv6 Reply-To Object
mpls_echo.tlv.type Type Unsigned 16-bit integer MPLS ECHO TLV Type
mpls_echo.tlv.value Value Byte array MPLS ECHO TLV Value
mpls_echo.tlv.vendor_id Vendor Id Unsigned 32-bit integer MPLS ECHO Vendor Id
mpls_echo.version Version Unsigned 16-bit integer MPLS ECHO Version Number
mysql.affected_rows Affected Rows Unsigned 64-bit integer Affected Rows
mysql.caps Caps Unsigned 16-bit integer MySQL Capabilities
mysql.caps.cd Connect With Database Boolean
mysql.caps.cp Can use compression protocol Boolean
mysql.caps.cu Speaks 4.1 protocol (new flag) Boolean
mysql.caps.fr Found Rows Boolean
mysql.caps.ia Interactive Client Boolean
mysql.caps.ii Ignore sigpipes Boolean
mysql.caps.is Ignore Spaces before '(' Boolean
mysql.caps.lf Long Column Flags Boolean
mysql.caps.li Can Use LOAD DATA LOCAL Boolean
mysql.caps.lp Long Password Boolean
mysql.caps.mr Supports multiple results Boolean
mysql.caps.ms Supports multiple statements Boolean
mysql.caps.ns Dont Allow database.table.column Boolean
mysql.caps.ob ODBC Client Boolean
mysql.caps.rs Speaks 4.1 protocol (old flag) Boolean
mysql.caps.sc Can do 4.1 authentication Boolean
mysql.caps.sl Switch to SSL after handshake Boolean
mysql.caps.ta Knows about transactions Boolean
mysql.charset Charset Unsigned 8-bit integer MySQL Charset
mysql.eof EOF Unsigned 8-bit integer EOF
mysql.error.message Error message String Error string in case of MySQL error message
mysql.error_code Error Code Unsigned 16-bit integer Error Code
mysql.exec_flags Flags (unused) Unsigned 8-bit integer Flags (unused)
mysql.exec_iter Iterations (unused) Unsigned 32-bit integer Iterations (unused)
mysql.extcaps Ext. Caps Unsigned 16-bit integer MySQL Extended Capabilities
mysql.extra Extra data Unsigned 64-bit integer Extra data
mysql.insert_id Last INSERT ID Unsigned 64-bit integer Last INSERT ID
mysql.max_packet MAX Packet Unsigned 24-bit integer MySQL Max packet
mysql.message Message String Message
mysql.num_fields Number of fields Unsigned 64-bit integer Number of fields
mysql.num_rows Rows to fetch Unsigned 32-bit integer Rows to fetch
mysql.opcode Command Unsigned 8-bit integer Command
mysql.option Option Unsigned 16-bit integer Option
mysql.packet_length Packet Length Unsigned 24-bit integer Packet Length
mysql.packet_number Packet Number Unsigned 8-bit integer Packet Number
mysql.param Parameter Unsigned 16-bit integer Parameter
mysql.parameter Parameter String Parameter
mysql.passwd Password String Password
mysql.payload Payload String Additional Payload
mysql.protocol Protocol Unsigned 8-bit integer Protocol Version
mysql.query Statement String Statement
mysql.refresh Refresh Option Unsigned 8-bit integer Refresh Option
mysql.response_code Response Code Unsigned 8-bit integer Response Code
mysql.rfsh.grants reload permissions Boolean
mysql.rfsh.hosts flush hosts Boolean
mysql.rfsh.log flush logfiles Boolean
mysql.rfsh.master flush master status Boolean
mysql.rfsh.slave flush slave status Boolean
mysql.rfsh.status reset statistics Boolean
mysql.rfsh.tables flush tables Boolean
mysql.rfsh.threads empty thread cache Boolean
mysql.salt Salt String Salt
mysql.salt2 Salt String Salt
mysql.schema Schema String Login Schema
mysql.sqlstate SQL state String
mysql.stat.ac AUTO_COMMIT Boolean
mysql.stat.bi Bad index used Boolean
mysql.stat.bs No backslash escapes Boolean
mysql.stat.cr Cursor exists Boolean
mysql.stat.dr database dropped Boolean
mysql.stat.it In transaction Boolean
mysql.stat.lr Last row sebd Boolean
mysql.stat.mr More results Boolean
mysql.stat.mu Multi query - more resultsets Boolean
mysql.stat.ni No index used Boolean
mysql.status Status Unsigned 16-bit integer MySQL Status
mysql.stmt_id Statement ID Unsigned 32-bit integer Statement ID
mysql.thd_id Thread ID Unsigned 32-bit integer Thread ID
mysql.thread_id Thread ID Unsigned 32-bit integer MySQL Thread ID
mysql.unused Unused String Unused
mysql.user Username String Login Username
mysql.version Version String MySQL Version
mysql.warnings Warnings Unsigned 16-bit integer Warnings
nhrp.cli.addr.tl Client Address Type/Len Unsigned 8-bit integer
nhrp.cli.saddr.tl Client Sub Address Type/Len Unsigned 8-bit integer
nhrp.client.nbma.addr Client NBMA Address IPv4 address
nhrp.client.nbma.saddr Client NBMA Sub Address
nhrp.client.prot.addr Client Protocol Address IPv4 address
nhrp.code Code Unsigned 8-bit integer
nhrp.dst.prot.addr Destination Protocol Address IPv4 address
nhrp.dst.prot.len Destination Protocol Len Unsigned 16-bit integer
nhrp.err.offset Error Offset Unsigned 16-bit integer
nhrp.err.pkt Errored Packet
nhrp.ext.c Compulsary Flag Boolean
nhrp.ext.len Extension length Unsigned 16-bit integer
nhrp.ext.type Extension Type Unsigned 16-bit integer
nhrp.ext.val Extension Value
nhrp.flag.a Authoritative Boolean A bit
nhrp.flag.d Stable Association Boolean D bit
nhrp.flag.n Expected Purge Reply Boolean
nhrp.flag.q Is Router Boolean
nhrp.flag.s Stable Binding Boolean S bit
nhrp.flag.u1 Uniqueness Bit Boolean U bit
nhrp.flags Flags Unsigned 16-bit integer
nhrp.hdr.afn Address Family Number Unsigned 16-bit integer
nhrp.hdr.chksum Packet Checksum Unsigned 16-bit integer
nhrp.hdr.extoff Extension Offset Unsigned 16-bit integer
nhrp.hdr.hopcnt Hop Count Unsigned 8-bit integer
nhrp.hdr.op.type NHRP Packet Type Unsigned 8-bit integer
nhrp.hdr.pktsz Packet Length Unsigned 16-bit integer
nhrp.hdr.pro.snap Protocol Type (long form)
nhrp.hdr.pro.type Protocol Type (short form) Unsigned 16-bit integer
nhrp.hdr.shtl Source Address Type/Len Unsigned 8-bit integer
nhrp.hdr.sstl Source SubAddress Type/Len Unsigned 8-bit integer
nhrp.hdr.version Version Unsigned 8-bit integer
nhrp.htime Holding Time (s) Unsigned 16-bit integer
nhrp.mtu Max Transmission Unit Unsigned 16-bit integer
nhrp.pref CIE Preference Value Unsigned 8-bit integer
nhrp.prefix Prefix Length Unsigned 8-bit integer
nhrp.prot.len Client Protocol Length Unsigned 8-bit integer
nhrp.reqid Request ID Unsigned 32-bit integer
nhrp.src.nbma.addr Source NBMA Address IPv4 address
nhrp.src.nbma.saddr Source NBMA Sub Address
nhrp.src.prot.addr Source Protocol Address IPv4 address
nhrp.src.prot.len Source Protocol Len Unsigned 16-bit integer
nhrp.unused Unused Unsigned 16-bit integer
nfsacl.acl ACL No value ACL
nfsacl.aclcnt ACL count Unsigned 32-bit integer ACL count
nfsacl.aclent ACL Entry No value ACL
nfsacl.aclent.perm Permissions Unsigned 32-bit integer Permissions
nfsacl.aclent.type Type Unsigned 32-bit integer Type
nfsacl.aclent.uid UID Unsigned 32-bit integer UID
nfsacl.create create Boolean Create?
nfsacl.dfaclcnt Default ACL count Unsigned 32-bit integer Default ACL count
nfsacl.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
nfsacl.procedure_v2 V2 Procedure Unsigned 32-bit integer V2 Procedure
nfsacl.procedure_v3 V3 Procedure Unsigned 32-bit integer V3 Procedure
nfsacl.status2 Status Unsigned 32-bit integer Status
nfsacl.status3 Status Unsigned 32-bit integer Status
nfsauth.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
.nisplus.dummy Byte array
nisplus.access.mask access mask No value NIS Access Mask
nisplus.aticks aticks Unsigned 32-bit integer
nisplus.attr Attribute No value Attribute
nisplus.attr.name name String Attribute Name
nisplus.attr.val val Byte array Attribute Value
nisplus.attributes Attributes No value List Of Attributes
nisplus.callback.status status Boolean Status Of Callback Thread
nisplus.checkpoint.dticks dticks Unsigned 32-bit integer Database Ticks
nisplus.checkpoint.status status Unsigned 32-bit integer Checkpoint Status
nisplus.checkpoint.zticks zticks Unsigned 32-bit integer Service Ticks
nisplus.cookie cookie Byte array Cookie
nisplus.cticks cticks Unsigned 32-bit integer
nisplus.ctime ctime Date/Time stamp Time Of Creation
nisplus.directory directory No value NIS Directory Object
nisplus.directory.mask mask No value NIS Directory Create/Destroy Rights
nisplus.directory.mask.group_create GROUP CREATE Boolean Group Create Flag
nisplus.directory.mask.group_destroy GROUP DESTROY Boolean Group Destroy Flag
nisplus.directory.mask.group_modify GROUP MODIFY Boolean Group Modify Flag
nisplus.directory.mask.group_read GROUP READ Boolean Group Read Flag
nisplus.directory.mask.nobody_create NOBODY CREATE Boolean Nobody Create Flag
nisplus.directory.mask.nobody_destroy NOBODY DESTROY Boolean Nobody Destroy Flag
nisplus.directory.mask.nobody_modify NOBODY MODIFY Boolean Nobody Modify Flag
nisplus.directory.mask.nobody_read NOBODY READ Boolean Nobody Read Flag
nisplus.directory.mask.owner_create OWNER CREATE Boolean Owner Create Flag
nisplus.directory.mask.owner_destroy OWNER DESTROY Boolean Owner Destroy Flag
nisplus.directory.mask.owner_modify OWNER MODIFY Boolean Owner Modify Flag
nisplus.directory.mask.owner_read OWNER READ Boolean Owner Read Flag
nisplus.directory.mask.world_create WORLD CREATE Boolean World Create Flag
nisplus.directory.mask.world_destroy WORLD DESTROY Boolean World Destroy Flag
nisplus.directory.mask.world_modify WORLD MODIFY Boolean World Modify Flag
nisplus.directory.mask.world_read WORLD READ Boolean World Read Flag
nisplus.directory.mask_list mask list No value List Of Directory Create/Destroy Rights
nisplus.directory.name directory name String Name Of Directory Being Served
nisplus.directory.ttl ttl Unsigned 32-bit integer Time To Live
nisplus.directory.type type Unsigned 32-bit integer NIS Type Of Name Service
nisplus.dticks dticks Unsigned 32-bit integer
nisplus.dump.dir directory String Directory To Dump
nisplus.dump.time time Date/Time stamp From This Timestamp
nisplus.endpoint endpoint No value Endpoint For This NIS Server
nisplus.endpoint.family family String Transport Family
nisplus.endpoint.proto proto String Protocol
nisplus.endpoint.uaddr addr String Address
nisplus.endpoints nis endpoints No value Endpoints For This NIS Server
nisplus.entry entry No value Entry Object
nisplus.entry.col column No value Entry Column
nisplus.entry.cols columns No value Entry Columns
nisplus.entry.flags flags Unsigned 32-bit integer Entry Col Flags
nisplus.entry.flags.asn ASN.1 Boolean Is This Entry ASN.1 Encoded Flag
nisplus.entry.flags.binary BINARY Boolean Is This Entry BINARY Flag
nisplus.entry.flags.encrypted ENCRYPTED Boolean Is This Entry ENCRYPTED Flag
nisplus.entry.flags.modified MODIFIED Boolean Is This Entry MODIFIED Flag
nisplus.entry.flags.xdr XDR Boolean Is This Entry XDR Encoded Flag
nisplus.entry.type type String Entry Type
nisplus.entry.val val String Entry Value
nisplus.fd.dir.data data Byte array Directory Data In XDR Format
nisplus.fd.dirname dirname String Directory Name
nisplus.fd.requester requester String Host Principal Name For Signature
nisplus.fd.sig signature Byte array Signature Of The Source
nisplus.group Group No value Group Object
nisplus.group.flags flags Unsigned 32-bit integer Group Object Flags
nisplus.group.name group name String Name Of Group Member
nisplus.grps Groups No value List Of Groups
nisplus.ib.bufsize bufsize Unsigned 32-bit integer Optional First/NextBufSize
nisplus.ib.flags flags Unsigned 32-bit integer Information Base Flags
nisplus.key.data key data Byte array Encryption Key
nisplus.key.type type Unsigned 32-bit integer Type Of Key
nisplus.link link No value NIS Link Object
nisplus.log.entries log entries No value Log Entries
nisplus.log.entry log entry No value Log Entry
nisplus.log.entry.type type Unsigned 32-bit integer Type Of Entry In Transaction Log
nisplus.log.principal principal String Principal Making The Change
nisplus.log.time time Date/Time stamp Time Of Log Entry
nisplus.mtime mtime Date/Time stamp Time Last Modified
nisplus.object NIS Object No value NIS Object
nisplus.object.domain domain String NIS Administrator For This Object
nisplus.object.group group String NIS Name Of Access Group
nisplus.object.name name String NIS Name For This Object
nisplus.object.oid Object Identity Verifier No value NIS Object Identity Verifier
nisplus.object.owner owner String NIS Name Of Object Owner
nisplus.object.private private Byte array NIS Private Object
nisplus.object.ttl ttl Unsigned 32-bit integer NIS Time To Live For This Object
nisplus.object.type type Unsigned 32-bit integer NIS Type Of Object
nisplus.ping.dir directory String Directory That Had The Change
nisplus.ping.time time Date/Time stamp Timestamp Of The Transaction
nisplus.procedure_v3 V3 Procedure Unsigned 32-bit integer V3 Procedure
nisplus.server server No value NIS Server For This Directory
nisplus.server.name name String Name Of NIS Server
nisplus.servers nis servers No value NIS Servers For This Directory
nisplus.status status Unsigned 32-bit integer NIS Status Code
nisplus.table table No value Table Object
nisplus.table.col column No value Table Column
nisplus.table.col.flags flags No value Flags For This Column
nisplus.table.col.name column name String Column Name
nisplus.table.cols columns No value Table Columns
nisplus.table.flags.asn asn Boolean Is This Column ASN.1 Encoded
nisplus.table.flags.binary binary Boolean Is This Column BINARY
nisplus.table.flags.casesensitive casesensitive Boolean Is This Column CASESENSITIVE
nisplus.table.flags.encrypted encrypted Boolean Is This Column ENCRYPTED
nisplus.table.flags.modified modified Boolean Is This Column MODIFIED
nisplus.table.flags.searchable searchable Boolean Is This Column SEARCHABLE
nisplus.table.flags.xdr xdr Boolean Is This Column XDR Encoded
nisplus.table.maxcol max columns Unsigned 16-bit integer Maximum Number Of Columns For Table
nisplus.table.path path String Table Path
nisplus.table.separator separator Unsigned 8-bit integer Separator Character
nisplus.table.type type String Table Type
nisplus.tag tag No value Tag
nisplus.tag.type type Unsigned 32-bit integer Type Of Statistics Tag
nisplus.tag.value value String Value Of Statistics Tag
nisplus.taglist taglist No value List Of Tags
nisplus.zticks zticks Unsigned 32-bit integer
nispluscb.entries entries No value NIS Callback Entries
nispluscb.entry entry No value NIS Callback Entry
nispluscb.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
nspi.opnum Operation Unsigned 16-bit integer Operation
ntlmssp.auth.domain Domain name String
ntlmssp.auth.hostname Host name String
ntlmssp.auth.lmresponse Lan Manager Response Byte array
ntlmssp.auth.ntresponse NTLM Response Byte array
ntlmssp.auth.sesskey Session Key Byte array
ntlmssp.auth.username User name String
ntlmssp.blob.length Length Unsigned 16-bit integer
ntlmssp.blob.maxlen Maxlen Unsigned 16-bit integer
ntlmssp.blob.offset Offset Unsigned 32-bit integer
ntlmssp.challenge.addresslist Address List No value
ntlmssp.challenge.addresslist.domaindns Domain DNS Name String
ntlmssp.challenge.addresslist.domainnb Domain NetBIOS Name String
ntlmssp.challenge.addresslist.item.content Target item Content String
ntlmssp.challenge.addresslist.item.length Target item Length Unsigned 16-bit integer
ntlmssp.challenge.addresslist.length Length Unsigned 16-bit integer
ntlmssp.challenge.addresslist.maxlen Maxlen Unsigned 16-bit integer
ntlmssp.challenge.addresslist.offset Offset Unsigned 32-bit integer
ntlmssp.challenge.addresslist.serverdns Server DNS Name String
ntlmssp.challenge.addresslist.servernb Server NetBIOS Name String
ntlmssp.challenge.addresslist.terminator List Terminator No value
ntlmssp.challenge.domain Domain String
ntlmssp.decrypted_payload NTLM Decrypted Payload Byte array
ntlmssp.identifier NTLMSSP identifier String NTLMSSP Identifier
ntlmssp.messagetype NTLM Message Type Unsigned 32-bit integer
ntlmssp.negotiate.callingworkstation Calling workstation name String
ntlmssp.negotiate.callingworkstation.buffer Calling workstation name buffer Unsigned 32-bit integer
ntlmssp.negotiate.callingworkstation.maxlen Calling workstation name max length Unsigned 16-bit integer
ntlmssp.negotiate.callingworkstation.strlen Calling workstation name length Unsigned 16-bit integer
ntlmssp.negotiate.domain Calling workstation domain String
ntlmssp.negotiate.domain.buffer Calling workstation domain buffer Unsigned 32-bit integer
ntlmssp.negotiate.domain.maxlen Calling workstation domain max length Unsigned 16-bit integer
ntlmssp.negotiate.domain.strlen Calling workstation domain length Unsigned 16-bit integer
ntlmssp.negotiate00000008 Request 0x00000008 Boolean
ntlmssp.negotiate00000400 Negotiate 0x00000400 Boolean
ntlmssp.negotiate00000800 Negotiate 0x00000800 Boolean
ntlmssp.negotiate128 Negotiate 128 Boolean 128-bit encryption is supported
ntlmssp.negotiate56 Negotiate 56 Boolean 56-bit encryption is supported
ntlmssp.negotiatealwayssign Negotiate Always Sign Boolean
ntlmssp.negotiatechallengeacceptresponse Negotiate Challenge Accept Response Boolean
ntlmssp.negotiatechallengeinitresponse Negotiate Challenge Init Response Boolean
ntlmssp.negotiatechallengenonntsessionkey Negotiate Challenge Non NT Session Key Boolean
ntlmssp.negotiatedatagramstyle Negotiate Datagram Style Boolean
ntlmssp.negotiatedomainsupplied Negotiate Domain Supplied Boolean
ntlmssp.negotiateflags Flags Unsigned 32-bit integer
ntlmssp.negotiatekeyexch Negotiate Key Exchange Boolean
ntlmssp.negotiatelmkey Negotiate Lan Manager Key Boolean
ntlmssp.negotiatenetware Negotiate Netware Boolean
ntlmssp.negotiatent00100000 Negotiate 0x00100000 Boolean
ntlmssp.negotiatent00200000 Negotiate 0x00200000 Boolean
ntlmssp.negotiatent00400000 Negotiate 0x00400000 Boolean
ntlmssp.negotiatent01000000 Negotiate 0x01000000 Boolean
ntlmssp.negotiatent02000000 Negotiate 0x02000000 Boolean
ntlmssp.negotiatent04000000 Negotiate 0x04000000 Boolean
ntlmssp.negotiatent08000000 Negotiate 0x08000000 Boolean
ntlmssp.negotiatent10000000 Negotiate 0x10000000 Boolean
ntlmssp.negotiatentlm Negotiate NTLM key Boolean
ntlmssp.negotiatentlm2 Negotiate NTLM2 key Boolean
ntlmssp.negotiateoem Negotiate OEM Boolean
ntlmssp.negotiateseal Negotiate Seal Boolean
ntlmssp.negotiatesign Negotiate Sign Boolean
ntlmssp.negotiatetargetinfo Negotiate Target Info Boolean
ntlmssp.negotiatethisislocalcall Negotiate This is Local Call Boolean
ntlmssp.negotiateunicode Negotiate UNICODE Boolean
ntlmssp.negotiateworkstationsupplied Negotiate Workstation Supplied Boolean
ntlmssp.ntlmchallenge NTLM Challenge Byte array
ntlmssp.ntlmv2response NTLMv2 Response Byte array
ntlmssp.ntlmv2response.chal Client challenge Byte array
ntlmssp.ntlmv2response.client_time Client Time Date/Time stamp
ntlmssp.ntlmv2response.header Header Unsigned 32-bit integer
ntlmssp.ntlmv2response.hmac HMAC Byte array
ntlmssp.ntlmv2response.name Name String
ntlmssp.ntlmv2response.name.len Name len Unsigned 32-bit integer
ntlmssp.ntlmv2response.name.type Name type Unsigned 32-bit integer
ntlmssp.ntlmv2response.reserved Reserved Unsigned 32-bit integer
ntlmssp.ntlmv2response.time Time Date/Time stamp
ntlmssp.ntlmv2response.unknown Unknown Unsigned 32-bit integer
ntlmssp.requesttarget Request Target Boolean
ntlmssp.reserved Reserved Byte array
ntlmssp.string.length Length Unsigned 16-bit integer
ntlmssp.string.maxlen Maxlen Unsigned 16-bit integer
ntlmssp.string.offset Offset Unsigned 32-bit integer
ntlmssp.targetitemtype Target item type Unsigned 16-bit integer
ntlmssp.verf NTLMSSP Verifier No value NTLMSSP Verifier
ntlmssp.verf.body Verifier Body Byte array
ntlmssp.verf.crc32 Verifier CRC32 Unsigned 32-bit integer
ntlmssp.verf.sequence Verifier Sequence Number Unsigned 32-bit integer
ntlmssp.verf.unknown1 Unknown 1 Unsigned 32-bit integer
ntlmssp.verf.vers Version Number Unsigned 32-bit integer
nbp.count Count Unsigned 8-bit integer Count
nbp.enum Enumerator Unsigned 8-bit integer Enumerator
nbp.info Info Unsigned 8-bit integer Info
nbp.net Network Unsigned 16-bit integer Network
nbp.node Node Unsigned 8-bit integer Node
nbp.object Object String Object
nbp.op Operation Unsigned 8-bit integer Operation
nbp.port Port Unsigned 8-bit integer Port
nbp.tid Transaction ID Unsigned 8-bit integer Transaction ID
nbp.type Type String Type
nbp.zone Zone String Zone
NORM.fec Forward Error Correction (FEC) header No value
NORM.fec.encoding_id FEC Encoding ID Unsigned 8-bit integer
NORM.fec.esi Encoding Symbol ID Unsigned 32-bit integer
NORM.fec.fti FEC Object Transmission Information No value
NORM.fec.fti.encoding_symbol_length Encoding Symbol Length Unsigned 32-bit integer
NORM.fec.fti.max_number_encoding_symbols Maximum Number of Encoding Symbols Unsigned 32-bit integer
NORM.fec.fti.max_source_block_length Maximum Source Block Length Unsigned 32-bit integer
NORM.fec.fti.transfer_length Transfer Length Unsigned 64-bit integer
NORM.fec.instance_id FEC Instance ID Unsigned 8-bit integer
NORM.fec.sbl Source Block Length Unsigned 32-bit integer
NORM.fec.sbn Source Block Number Unsigned 32-bit integer
norm.ack.grtt_sec Ack GRTT Sec Unsigned 32-bit integer
norm.ack.grtt_usec Ack GRTT usec Unsigned 32-bit integer
norm.ack.id Ack ID Unsigned 8-bit integer
norm.ack.source Ack Source IPv4 address
norm.ack.type Ack Type Unsigned 8-bit integer
norm.backoff Backoff Unsigned 8-bit integer
norm.cc_flags CC Flags Unsigned 8-bit integer
norm.cc_flags.clr CLR Boolean
norm.cc_flags.leave Leave Boolean
norm.cc_flags.plr PLR Boolean
norm.cc_flags.rtt RTT Boolean
norm.cc_flags.start Start Boolean
norm.cc_node_id CC Node ID IPv4 address
norm.cc_rate CC Rate Double-precision floating point
norm.cc_rtt CC RTT Double-precision floating point
norm.cc_sts Send Time secs Unsigned 32-bit integer
norm.cc_stus Send Time usecs Unsigned 32-bit integer
norm.cc_transport_id CC Transport ID Unsigned 16-bit integer
norm.ccsequence CC Sequence Unsigned 16-bit integer
norm.flag.explicit Explicit Flag Boolean
norm.flag.file File Flag Boolean
norm.flag.info Info Flag Boolean
norm.flag.msgstart Msg Start Flag Boolean
norm.flag.repair Repair Flag Boolean
norm.flag.stream Stream Flag Boolean
norm.flag.unreliable Unreliable Flag Boolean
norm.flags Flags Unsigned 8-bit integer
norm.flavor Flavor Unsigned 8-bit integer
norm.grtt grtt Double-precision floating point
norm.gsize Group Size Double-precision floating point
norm.hexext Hdr Extension Unsigned 16-bit integer
norm.hlen Header length Unsigned 8-bit integer
norm.instance_id Instance Unsigned 16-bit integer
norm.nack.flags NAck Flags Unsigned 8-bit integer
norm.nack.flags.block Block Boolean
norm.nack.flags.info Info Boolean
norm.nack.flags.object Object Boolean
norm.nack.flags.segment Segment Boolean
norm.nack.form NAck FORM Unsigned 8-bit integer
norm.nack.grtt_sec NAck GRTT Sec Unsigned 32-bit integer
norm.nack.grtt_usec NAck GRTT usec Unsigned 32-bit integer
norm.nack.length NAck Length Unsigned 16-bit integer
norm.nack.server NAck Server IPv4 address
norm.object_transport_id Object Transport ID Unsigned 16-bit integer
norm.payload Payload No value
norm.payload.len Payload Len Unsigned 16-bit integer
norm.payload.offset Payload Offset Unsigned 32-bit integer
norm.reserved Reserved No value
norm.sequence Sequence Unsigned 16-bit integer
norm.source_id Source ID IPv4 address
norm.type Message Type Unsigned 8-bit integer
norm.version Version Unsigned 8-bit integer
netbios.ack Acknowledge Boolean
netbios.ack_expected Acknowledge expected Boolean
netbios.ack_with_data Acknowledge with data Boolean
netbios.call_name_type Caller's Name Type Unsigned 8-bit integer
netbios.command Command Unsigned 8-bit integer
netbios.data1 DATA1 value Unsigned 8-bit integer
netbios.data2 DATA2 value Unsigned 16-bit integer
netbios.fragment NetBIOS Fragment Frame number NetBIOS Fragment
netbios.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
netbios.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
netbios.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
netbios.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
netbios.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
netbios.fragments NetBIOS Fragments No value NetBIOS Fragments
netbios.hdr_len Header Length Unsigned 16-bit integer
netbios.largest_frame Largest Frame Unsigned 8-bit integer
netbios.local_session Local Session No. Unsigned 8-bit integer
netbios.max_data_recv_size Maximum data receive size Unsigned 16-bit integer
netbios.name_type Name type Unsigned 16-bit integer
netbios.nb_name NetBIOS Name String
netbios.nb_name_type NetBIOS Name Type Unsigned 8-bit integer
netbios.num_data_bytes_accepted Number of data bytes accepted Unsigned 16-bit integer
netbios.recv_cont_req RECEIVE_CONTINUE requested Boolean
netbios.remote_session Remote Session No. Unsigned 8-bit integer
netbios.resp_corrl Response Correlator Unsigned 16-bit integer
netbios.send_no_ack Handle SEND.NO.ACK Boolean
netbios.status Status Unsigned 8-bit integer
netbios.status_buffer_len Length of status buffer Unsigned 16-bit integer
netbios.termination_indicator Termination indicator Unsigned 16-bit integer
netbios.version NetBIOS Version Boolean
netbios.xmit_corrl Transmit Correlator Unsigned 16-bit integer
nbdgm.dgram_id Datagram ID Unsigned 16-bit integer Datagram identifier
nbdgm.first This is first fragment Boolean TRUE if first fragment
nbdgm.next More fragments follow Boolean TRUE if more fragments follow
nbdgm.node_type Node Type Unsigned 8-bit integer Node type
nbdgm.src.ip Source IP IPv4 address Source IPv4 address
nbdgm.src.port Source Port Unsigned 16-bit integer Source port
nbdgm.type Message Type Unsigned 8-bit integer NBDGM message type
nbns.count.add_rr Additional RRs Unsigned 16-bit integer Number of additional records in packet
nbns.count.answers Answer RRs Unsigned 16-bit integer Number of answers in packet
nbns.count.auth_rr Authority RRs Unsigned 16-bit integer Number of authoritative records in packet
nbns.count.queries Questions Unsigned 16-bit integer Number of queries in packet
nbns.flags Flags Unsigned 16-bit integer
nbns.flags.authoritative Authoritative Boolean Is the server is an authority for the domain?
nbns.flags.broadcast Broadcast Boolean Is this a broadcast packet?
nbns.flags.opcode Opcode Unsigned 16-bit integer Operation code
nbns.flags.rcode Reply code Unsigned 16-bit integer Reply code
nbns.flags.recavail Recursion available Boolean Can the server do recursive queries?
nbns.flags.recdesired Recursion desired Boolean Do query recursively?
nbns.flags.response Response Boolean Is the message a response?
nbns.flags.truncated Truncated Boolean Is the message truncated?
nbns.id Transaction ID Unsigned 16-bit integer Identification of transaction
nbss.flags Flags Unsigned 8-bit integer NBSS message flags
nbss.type Message Type Unsigned 8-bit integer NBSS message type
ns_cert_exts.BaseUrl BaseUrl String ns_cert_exts.BaseUrl
ns_cert_exts.CaPolicyUrl CaPolicyUrl String ns_cert_exts.CaPolicyUrl
ns_cert_exts.CaRevocationUrl CaRevocationUrl String ns_cert_exts.CaRevocationUrl
ns_cert_exts.CertRenewalUrl CertRenewalUrl String ns_cert_exts.CertRenewalUrl
ns_cert_exts.CertType CertType Byte array ns_cert_exts.CertType
ns_cert_exts.Comment Comment String ns_cert_exts.Comment
ns_cert_exts.RevocationUrl RevocationUrl String ns_cert_exts.RevocationUrl
ns_cert_exts.SslServerName SslServerName String ns_cert_exts.SslServerName
ns_cert_exts.ca ca Boolean
ns_cert_exts.client client Boolean
ns_cert_exts.server server Boolean
ncp.64_bit_flag 64 Bit Support Unsigned 8-bit integer
ncp.Service_type Service Type Unsigned 16-bit integer
ncp.abort_q_flag Abort Queue Flag Unsigned 8-bit integer
ncp.abs_min_time_since_file_delete Absolute Minimum Time Since File Delete Unsigned 32-bit integer
ncp.acc_mode_comp Compatibility Mode Boolean
ncp.acc_mode_deny_read Deny Read Access Boolean
ncp.acc_mode_deny_write Deny Write Access Boolean
ncp.acc_mode_read Read Access Boolean
ncp.acc_mode_write Write Access Boolean
ncp.acc_priv_create Create Privileges (files only) Boolean
ncp.acc_priv_delete Delete Privileges (files only) Boolean
ncp.acc_priv_modify Modify File Status Flags Privileges (files and directories) Boolean
ncp.acc_priv_open Open Privileges (files only) Boolean
ncp.acc_priv_parent Parental Privileges (directories only for creating, deleting, and renaming) Boolean
ncp.acc_priv_read Read Privileges (files only) Boolean
ncp.acc_priv_search Search Privileges (directories only) Boolean
ncp.acc_priv_write Write Privileges (files only) Boolean
ncp.acc_rights1_create Create Rights Boolean
ncp.acc_rights1_delete Delete Rights Boolean
ncp.acc_rights1_modify Modify Rights Boolean
ncp.acc_rights1_open Open Rights Boolean
ncp.acc_rights1_parent Parental Rights Boolean
ncp.acc_rights1_read Read Rights Boolean
ncp.acc_rights1_search Search Rights Boolean
ncp.acc_rights1_supervisor Supervisor Access Rights Boolean
ncp.acc_rights1_write Write Rights Boolean
ncp.acc_rights_create Create Rights Boolean
ncp.acc_rights_delete Delete Rights Boolean
ncp.acc_rights_modify Modify Rights Boolean
ncp.acc_rights_open Open Rights Boolean
ncp.acc_rights_parent Parental Rights Boolean
ncp.acc_rights_read Read Rights Boolean
ncp.acc_rights_search Search Rights Boolean
ncp.acc_rights_write Write Rights Boolean
ncp.accel_cache_node_write Accelerate Cache Node Write Count Unsigned 32-bit integer
ncp.accepted_max_size Accepted Max Size Unsigned 16-bit integer
ncp.access_control Access Control Unsigned 8-bit integer
ncp.access_date Access Date Unsigned 16-bit integer
ncp.access_mode Access Mode Unsigned 8-bit integer
ncp.access_privileges Access Privileges Unsigned 8-bit integer
ncp.access_rights_mask Access Rights Unsigned 8-bit integer
ncp.access_rights_mask_word Access Rights Unsigned 16-bit integer
ncp.account_balance Account Balance Unsigned 32-bit integer
ncp.acct_version Acct Version Unsigned 8-bit integer
ncp.ack_seqno ACK Sequence Number Unsigned 16-bit integer Next expected burst sequence number
ncp.act_flag_create Create Boolean
ncp.act_flag_open Open Boolean
ncp.act_flag_replace Replace Boolean
ncp.action_flag Action Flag Unsigned 8-bit integer
ncp.active_conn_bit_list Active Connection List String
ncp.active_indexed_files Active Indexed Files Unsigned 16-bit integer
ncp.actual_max_bindery_objects Actual Max Bindery Objects Unsigned 16-bit integer
ncp.actual_max_indexed_files Actual Max Indexed Files Unsigned 16-bit integer
ncp.actual_max_open_files Actual Max Open Files Unsigned 16-bit integer
ncp.actual_max_sim_trans Actual Max Simultaneous Transactions Unsigned 16-bit integer
ncp.actual_max_used_directory_entries Actual Max Used Directory Entries Unsigned 16-bit integer
ncp.actual_max_used_routing_buffers Actual Max Used Routing Buffers Unsigned 16-bit integer
ncp.actual_response_count Actual Response Count Unsigned 16-bit integer
ncp.add_nm_spc_and_vol Add Name Space and Volume String
ncp.address Address
ncp.aes_event_count AES Event Count Unsigned 32-bit integer
ncp.afp_entry_id AFP Entry ID Unsigned 32-bit integer
ncp.alloc_avail_byte Bytes Available for Allocation Unsigned 32-bit integer
ncp.alloc_blck Allocate Block Count Unsigned 32-bit integer
ncp.alloc_blck_already_wait Allocate Block Already Waiting Unsigned 32-bit integer
ncp.alloc_blck_frm_avail Allocate Block From Available Count Unsigned 32-bit integer
ncp.alloc_blck_frm_lru Allocate Block From LRU Count Unsigned 32-bit integer
ncp.alloc_blck_i_had_to_wait Allocate Block I Had To Wait Count Unsigned 32-bit integer
ncp.alloc_blck_i_had_to_wait_for Allocate Block I Had To Wait For Someone Count Unsigned 32-bit integer
ncp.alloc_dir_hdl Dir Handle Type Unsigned 16-bit integer
ncp.alloc_dst_name_spc Destination Name Space Input Parameter Boolean
ncp.alloc_free_count Reclaimable Free Bytes Unsigned 32-bit integer
ncp.alloc_mode Allocate Mode Unsigned 16-bit integer
ncp.alloc_reply_lvl2 Reply Level 2 Boolean
ncp.alloc_spec_temp_dir_hdl Special Temporary Directory Handle Boolean
ncp.alloc_waiting Allocate Waiting Count Unsigned 32-bit integer
ncp.allocation_block_size Allocation Block Size Unsigned 32-bit integer
ncp.allow_hidden Allow Hidden Files and Folders Boolean
ncp.allow_system Allow System Files and Folders Boolean
ncp.already_doing_realloc Already Doing Re-Allocate Count Unsigned 32-bit integer
ncp.application_number Application Number Unsigned 16-bit integer
ncp.archived_date Archived Date Unsigned 16-bit integer
ncp.archived_time Archived Time Unsigned 16-bit integer
ncp.archiver_id Archiver ID Unsigned 32-bit integer
ncp.associated_name_space Associated Name Space Unsigned 8-bit integer
ncp.async_internl_dsk_get Async Internal Disk Get Count Unsigned 32-bit integer
ncp.async_internl_dsk_get_need_to_alloc Async Internal Disk Get Need To Alloc Unsigned 32-bit integer
ncp.async_internl_dsk_get_someone_beat Async Internal Disk Get Someone Beat Me Unsigned 32-bit integer
ncp.async_read_error Async Read Error Count Unsigned 32-bit integer
ncp.att_def16_archive Archive Boolean
ncp.att_def16_execute Execute Boolean
ncp.att_def16_hidden Hidden Boolean
ncp.att_def16_read_audit Read Audit Boolean
ncp.att_def16_ro Read Only Boolean
ncp.att_def16_shareable Shareable Boolean
ncp.att_def16_sub_only Subdirectory Boolean
ncp.att_def16_system System Boolean
ncp.att_def16_transaction Transactional Boolean
ncp.att_def16_write_audit Write Audit Boolean
ncp.att_def32_archive Archive Boolean
ncp.att_def32_attr_archive Archive Attributes Boolean
ncp.att_def32_cant_compress Can't Compress Boolean
ncp.att_def32_comp Compressed Boolean
ncp.att_def32_comp_inhibit Inhibit Compression Boolean
ncp.att_def32_cpyinhibit Copy Inhibit Boolean
ncp.att_def32_data_migrate Data Migrated Boolean
ncp.att_def32_delinhibit Delete Inhibit Boolean
ncp.att_def32_dm_save_key Data Migration Save Key Boolean
ncp.att_def32_execute Execute Boolean
ncp.att_def32_execute_confirm Execute Confirm Boolean
ncp.att_def32_file_audit File Audit Boolean
ncp.att_def32_hidden Hidden Boolean
ncp.att_def32_im_comp Immediate Compress Boolean
ncp.att_def32_inhibit_dm Inhibit Data Migration Boolean
ncp.att_def32_no_suballoc No Suballoc Boolean
ncp.att_def32_purge Immediate Purge Boolean
ncp.att_def32_read_audit Read Audit Boolean
ncp.att_def32_reninhibit Rename Inhibit Boolean
ncp.att_def32_reserved Reserved Boolean
ncp.att_def32_reserved2 Reserved Boolean
ncp.att_def32_reserved3 Reserved Boolean
ncp.att_def32_ro Read Only Boolean
ncp.att_def32_search Search Mode Unsigned 32-bit integer
ncp.att_def32_shareable Shareable Boolean
ncp.att_def32_sub_only Subdirectory Boolean
ncp.att_def32_system System Boolean
ncp.att_def32_transaction Transactional Boolean
ncp.att_def32_write_audit Write Audit Boolean
ncp.att_def_archive Archive Boolean
ncp.att_def_execute Execute Boolean
ncp.att_def_hidden Hidden Boolean
ncp.att_def_ro Read Only Boolean
ncp.att_def_shareable Shareable Boolean
ncp.att_def_sub_only Subdirectory Boolean
ncp.att_def_system System Boolean
ncp.attach_during_processing Attach During Processing Unsigned 16-bit integer
ncp.attach_while_processing_attach Attach While Processing Attach Unsigned 16-bit integer
ncp.attached_indexed_files Attached Indexed Files Unsigned 8-bit integer
ncp.attr_def Attributes Unsigned 8-bit integer
ncp.attr_def_16 Attributes Unsigned 16-bit integer
ncp.attr_def_32 Attributes Unsigned 32-bit integer
ncp.attribute_valid_flag Attribute Valid Flag Unsigned 32-bit integer
ncp.attributes Attributes Unsigned 32-bit integer
ncp.audit_enable_flag Auditing Enabled Flag Unsigned 16-bit integer
ncp.audit_file_max_size Audit File Maximum Size Unsigned 32-bit integer
ncp.audit_file_size Audit File Size Unsigned 32-bit integer
ncp.audit_file_size_threshold Audit File Size Threshold Unsigned 32-bit integer
ncp.audit_file_ver_date Audit File Version Date Unsigned 16-bit integer
ncp.audit_flag Audit Flag Unsigned 8-bit integer
ncp.audit_handle Audit File Handle Unsigned 32-bit integer
ncp.audit_id Audit ID Unsigned 32-bit integer
ncp.audit_id_type Audit ID Type Unsigned 16-bit integer
ncp.audit_record_count Audit Record Count Unsigned 32-bit integer
ncp.audit_ver_date Auditing Version Date Unsigned 16-bit integer
ncp.auditing_flags Auditing Flags Unsigned 32-bit integer
ncp.avail_space Available Space Unsigned 32-bit integer
ncp.available_blocks Available Blocks Unsigned 32-bit integer
ncp.available_clusters Available Clusters Unsigned 16-bit integer
ncp.available_dir_entries Available Directory Entries Unsigned 32-bit integer
ncp.available_directory_slots Available Directory Slots Unsigned 16-bit integer
ncp.available_indexed_files Available Indexed Files Unsigned 16-bit integer
ncp.background_aged_writes Background Aged Writes Unsigned 32-bit integer
ncp.background_dirty_writes Background Dirty Writes Unsigned 32-bit integer
ncp.bad_logical_connection_count Bad Logical Connection Count Unsigned 16-bit integer
ncp.banner_name Banner Name String
ncp.base_directory_id Base Directory ID Unsigned 32-bit integer
ncp.being_aborted Being Aborted Count Unsigned 32-bit integer
ncp.being_processed Being Processed Count Unsigned 32-bit integer
ncp.big_forged_packet Big Forged Packet Count Unsigned 32-bit integer
ncp.big_invalid_packet Big Invalid Packet Count Unsigned 32-bit integer
ncp.big_invalid_slot Big Invalid Slot Count Unsigned 32-bit integer
ncp.big_read_being_torn_down Big Read Being Torn Down Count Unsigned 32-bit integer
ncp.big_read_do_it_over Big Read Do It Over Count Unsigned 32-bit integer
ncp.big_read_invalid_mess Big Read Invalid Message Number Count Unsigned 32-bit integer
ncp.big_read_no_data_avail Big Read No Data Available Count Unsigned 32-bit integer
ncp.big_read_phy_read_err Big Read Physical Read Error Count Unsigned 32-bit integer
ncp.big_read_trying_to_read Big Read Trying To Read Too Much Count Unsigned 32-bit integer
ncp.big_repeat_the_file_read Big Repeat the File Read Count Unsigned 32-bit integer
ncp.big_return_abort_mess Big Return Abort Message Count Unsigned 32-bit integer
ncp.big_send_extra_cc_count Big Send Extra CC Count Unsigned 32-bit integer
ncp.big_still_transmitting Big Still Transmitting Count Unsigned 32-bit integer
ncp.big_write_being_abort Big Write Being Aborted Count Unsigned 32-bit integer
ncp.big_write_being_torn_down Big Write Being Torn Down Count Unsigned 32-bit integer
ncp.big_write_inv_message_num Big Write Invalid Message Number Count Unsigned 32-bit integer
ncp.bindery_context Bindery Context String
ncp.bit10acflags Write Managed Boolean
ncp.bit10cflags Not Defined Boolean
ncp.bit10eflags Temporary Reference Boolean
ncp.bit10infoflagsh Not Defined Boolean
ncp.bit10infoflagsl Revision Count Boolean
ncp.bit10l1flagsh Not Defined Boolean
ncp.bit10l1flagsl Not Defined Boolean
ncp.bit10lflags Not Defined Boolean
ncp.bit10nflags Not Defined Boolean
ncp.bit10outflags Not Defined Boolean
ncp.bit10pingflags1 Not Defined Boolean
ncp.bit10pingflags2 Not Defined Boolean
ncp.bit10pingpflags1 Not Defined Boolean
ncp.bit10pingvflags1 Not Defined Boolean
ncp.bit10rflags Not Defined Boolean
ncp.bit10siflags Not Defined Boolean
ncp.bit10vflags Not Defined Boolean
ncp.bit11acflags Per Replica Boolean
ncp.bit11cflags Not Defined Boolean
ncp.bit11eflags Audited Boolean
ncp.bit11infoflagsh Not Defined Boolean
ncp.bit11infoflagsl Replica Type Boolean
ncp.bit11l1flagsh Not Defined Boolean
ncp.bit11l1flagsl Not Defined Boolean
ncp.bit11lflags Not Defined Boolean
ncp.bit11nflags Not Defined Boolean
ncp.bit11outflags Not Defined Boolean
ncp.bit11pingflags1 Not Defined Boolean
ncp.bit11pingflags2 Not Defined Boolean
ncp.bit11pingpflags1 Not Defined Boolean
ncp.bit11pingvflags1 Not Defined Boolean
ncp.bit11rflags Not Defined Boolean
ncp.bit11siflags Not Defined Boolean
ncp.bit11vflags Not Defined Boolean
ncp.bit12acflags Never Schedule Synchronization Boolean
ncp.bit12cflags Not Defined Boolean
ncp.bit12eflags Entry Not Present Boolean
ncp.bit12infoflagshs Not Defined Boolean
ncp.bit12infoflagsl Base Class Boolean
ncp.bit12l1flagsh Not Defined Boolean
ncp.bit12l1flagsl Not Defined Boolean
ncp.bit12lflags Not Defined Boolean
ncp.bit12nflags Not Defined Boolean
ncp.bit12outflags Not Defined Boolean
ncp.bit12pingflags1 Not Defined Boolean
ncp.bit12pingflags2 Not Defined Boolean
ncp.bit12pingpflags1 Not Defined Boolean
ncp.bit12pingvflags1 Not Defined Boolean
ncp.bit12rflags Not Defined Boolean
ncp.bit12siflags Not Defined Boolean
ncp.bit12vflags Not Defined Boolean
ncp.bit13acflags Operational Boolean
ncp.bit13cflags Not Defined Boolean
ncp.bit13eflags Entry Verify CTS Boolean
ncp.bit13infoflagsh Not Defined Boolean
ncp.bit13infoflagsl Relative Distinguished Name Boolean
ncp.bit13l1flagsh Not Defined Boolean
ncp.bit13l1flagsl Not Defined Boolean
ncp.bit13lflags Not Defined Boolean
ncp.bit13nflags Not Defined Boolean
ncp.bit13outflags Not Defined Boolean
ncp.bit13pingflags1 Not Defined Boolean
ncp.bit13pingflags2 Not Defined Boolean
ncp.bit13pingpflags1 Not Defined Boolean
ncp.bit13pingvflags1 Not Defined Boolean
ncp.bit13rflags Not Defined Boolean
ncp.bit13siflags Not Defined Boolean
ncp.bit13vflags Not Defined Boolean
ncp.bit14acflags Not Defined Boolean
ncp.bit14cflags Not Defined Boolean
ncp.bit14eflags Entry Damaged Boolean
ncp.bit14infoflagsh Not Defined Boolean
ncp.bit14infoflagsl Distinguished Name Boolean
ncp.bit14l1flagsh Not Defined Boolean
ncp.bit14l1flagsl Not Defined Boolean
ncp.bit14lflags Not Defined Boolean
ncp.bit14nflags Prefer Referrals Boolean
ncp.bit14outflags Not Defined Boolean
ncp.bit14pingflags1 Not Defined Boolean
ncp.bit14pingflags2 Not Defined Boolean
ncp.bit14pingpflags1 Not Defined Boolean
ncp.bit14pingvflags1 Not Defined Boolean
ncp.bit14rflags Not Defined Boolean
ncp.bit14siflags Not Defined Boolean
ncp.bit14vflags Not Defined Boolean
ncp.bit15acflags Not Defined Boolean
ncp.bit15cflags Not Defined Boolean
ncp.bit15infoflagsh Not Defined Boolean
ncp.bit15infoflagsl Root Distinguished Name Boolean
ncp.bit15l1flagsh Not Defined Boolean
ncp.bit15l1flagsl Not Defined Boolean
ncp.bit15lflags Not Defined Boolean
ncp.bit15nflags Prefer Only Referrals Boolean
ncp.bit15outflags Not Defined Boolean
ncp.bit15pingflags1 Not Defined Boolean
ncp.bit15pingflags2 Not Defined Boolean
ncp.bit15pingpflags1 Not Defined Boolean
ncp.bit15pingvflags1 Not Defined Boolean
ncp.bit15rflags Not Defined Boolean
ncp.bit15siflags Not Defined Boolean
ncp.bit15vflags Not Defined Boolean
ncp.bit16acflags Not Defined Boolean
ncp.bit16cflags Not Defined Boolean
ncp.bit16infoflagsh Not Defined Boolean
ncp.bit16infoflagsl Parent Distinguished Name Boolean
ncp.bit16l1flagsh Not Defined Boolean
ncp.bit16l1flagsl Not Defined Boolean
ncp.bit16lflags Not Defined Boolean
ncp.bit16nflags Not Defined Boolean
ncp.bit16outflags Not Defined Boolean
ncp.bit16pingflags1 Not Defined Boolean
ncp.bit16pingflags2 Not Defined Boolean
ncp.bit16pingpflags1 Not Defined Boolean
ncp.bit16pingvflags1 Not Defined Boolean
ncp.bit16rflags Not Defined Boolean
ncp.bit16siflags Not Defined Boolean
ncp.bit16vflags Not Defined Boolean
ncp.bit1acflags Single Valued Boolean
ncp.bit1cflags Ambiguous Containment Boolean
ncp.bit1eflags Alias Entry Boolean
ncp.bit1infoflagsh Purge Time Boolean
ncp.bit1infoflagsl Output Flags Boolean
ncp.bit1l1flagsh Not Defined Boolean
ncp.bit1l1flagsl Output Flags Boolean
ncp.bit1lflags List Typeless Boolean
ncp.bit1nflags Entry ID Boolean
ncp.bit1outflags Output Flags Boolean
ncp.bit1pingflags1 Supported Fields Boolean
ncp.bit1pingflags2 Sap Name Boolean
ncp.bit1pingpflags1 Root Most Master Replica Boolean
ncp.bit1pingvflags1 Checksum Boolean
ncp.bit1rflags Typeless Boolean
ncp.bit1siflags Names Boolean
ncp.bit1vflags Naming Boolean
ncp.bit2acflags Sized Boolean
ncp.bit2cflags Ambiguous Naming Boolean
ncp.bit2eflags Partition Root Boolean
ncp.bit2infoflagsh Dereference Base Class Boolean
ncp.bit2infoflagsl Entry ID Boolean
ncp.bit2l1flagsh Not Defined Boolean
ncp.bit2l1flagsl Entry ID Boolean
ncp.bit2lflags List Containers Boolean
ncp.bit2nflags Readable Boolean
ncp.bit2outflags Entry ID Boolean
ncp.bit2pingflags1 Depth Boolean
ncp.bit2pingflags2 Tree Name Boolean
ncp.bit2pingpflags1 Time Synchronized Boolean
ncp.bit2pingvflags1 CRC32 Boolean
ncp.bit2rflags Slashed Boolean
ncp.bit2siflags Names and Values Boolean
ncp.bit2vflags Base Class Boolean
ncp.bit3acflags Non-Removable Boolean
ncp.bit3cflags Class Definition Cannot be Removed Boolean
ncp.bit3eflags Container Entry Boolean
ncp.bit3infoflagsh Not Defined Boolean
ncp.bit3infoflagsl Entry Flags Boolean
ncp.bit3l1flagsh Not Defined Boolean
ncp.bit3l1flagsl Replica State Boolean
ncp.bit3lflags List Slashed Boolean
ncp.bit3nflags Writeable Boolean
ncp.bit3outflags Replica State Boolean
ncp.bit3pingflags1 Revision Boolean
ncp.bit3pingflags2 OS Name Boolean
ncp.bit3pingpflags1 Not Defined Boolean
ncp.bit3pingvflags1 Not Defined Boolean
ncp.bit3rflags Dotted Boolean
ncp.bit3siflags Effective Privileges Boolean
ncp.bit3vflags Present Boolean
ncp.bit4acflags Read Only Boolean
ncp.bit4cflags Effective Class Boolean
ncp.bit4eflags Container Alias Boolean
ncp.bit4infoflagsh Not Defined Boolean
ncp.bit4infoflagsl Subordinate Count Boolean
ncp.bit4l1flagsh Not Defined Boolean
ncp.bit4l1flagsl Modification Timestamp Boolean
ncp.bit4lflags List Dotted Boolean
ncp.bit4nflags Master Boolean
ncp.bit4outflags Modification Timestamp Boolean
ncp.bit4pingflags1 Flags Boolean
ncp.bit4pingflags2 Hardware Name Boolean
ncp.bit4pingpflags1 Not Defined Boolean
ncp.bit4pingvflags1 Not Defined Boolean
ncp.bit4rflags Tuned Boolean
ncp.bit4siflags Value Info Boolean
ncp.bit4vflags Value Damaged Boolean
ncp.bit5acflags Hidden Boolean
ncp.bit5cflags Container Class Boolean
ncp.bit5eflags Matches List Filter Boolean
ncp.bit5infoflagsh Not Defined Boolean
ncp.bit5infoflagsl Modification Time Boolean
ncp.bit5l1flagsh Not Defined Boolean
ncp.bit5l1flagsl Purge Time Boolean
ncp.bit5lflags Dereference Alias Boolean
ncp.bit5nflags Create ID Boolean
ncp.bit5outflags Purge Time Boolean
ncp.bit5pingflags1 Verification Flags Boolean
ncp.bit5pingflags2 Vendor Name Boolean
ncp.bit5pingpflags1 Not Defined Boolean
ncp.bit5pingvflags1 Not Defined Boolean
ncp.bit5rflags Not Defined Boolean
ncp.bit5siflags Abbreviated Value Boolean
ncp.bit5vflags Not Defined Boolean
ncp.bit6acflags String Boolean
ncp.bit6cflags Not Defined Boolean
ncp.bit6eflags Reference Entry Boolean
ncp.bit6infoflagsh Not Defined Boolean
ncp.bit6infoflagsl Modification Timestamp Boolean
ncp.bit6l1flagsh Not Defined Boolean
ncp.bit6l1flagsl Local Partition ID Boolean
ncp.bit6lflags List All Containers Boolean
ncp.bit6nflags Walk Tree Boolean
ncp.bit6outflags Local Partition ID Boolean
ncp.bit6pingflags1 Letter Version Boolean
ncp.bit6pingflags2 Not Defined Boolean
ncp.bit6pingpflags1 Not Defined Boolean
ncp.bit6pingvflags1 Not Defined Boolean
ncp.bit6rflags Not Defined Boolean
ncp.bit6siflags Not Defined Boolean
ncp.bit6vflags Not Defined Boolean
ncp.bit7acflags Synchronize Immediate Boolean
ncp.bit7cflags Not Defined Boolean
ncp.bit7eflags 40x Reference Entry Boolean
ncp.bit7infoflagsh Not Defined Boolean
ncp.bit7infoflagsl Creation Timestamp Boolean
ncp.bit7l1flagsh Not Defined Boolean
ncp.bit7l1flagsl Distinguished Name Boolean
ncp.bit7lflags List Obsolete Boolean
ncp.bit7nflags Dereference Alias Boolean
ncp.bit7outflags Distinguished Name Boolean
ncp.bit7pingflags1 OS Version Boolean
ncp.bit7pingflags2 Not Defined Boolean
ncp.bit7pingpflags1 Not Defined Boolean
ncp.bit7pingvflags1 Not Defined Boolean
ncp.bit7rflags Not Defined Boolean
ncp.bit7siflags Not Defined Boolean
ncp.bit7vflags Not Defined Boolean
ncp.bit8acflags Public Read Boolean
ncp.bit8cflags Not Defined Boolean
ncp.bit8eflags Back Linked Boolean
ncp.bit8infoflagsh Not Defined Boolean
ncp.bit8infoflagsl Partition Root ID Boolean
ncp.bit8l1flagsh Not Defined Boolean
ncp.bit8l1flagsl Replica Type Boolean
ncp.bit8lflags List Tuned Output Boolean
ncp.bit8nflags Not Defined Boolean
ncp.bit8outflags Replica Type Boolean
ncp.bit8pingflags1 License Flags Boolean
ncp.bit8pingflags2 Not Defined Boolean
ncp.bit8pingpflags1 Not Defined Boolean
ncp.bit8pingvflags1 Not Defined Boolean
ncp.bit8rflags Not Defined Boolean
ncp.bit8siflags Not Defined Boolean
ncp.bit8vflags Not Defined Boolean
ncp.bit9acflags Server Read Boolean
ncp.bit9cflags Not Defined Boolean
ncp.bit9eflags New Entry Boolean
ncp.bit9infoflagsh Not Defined Boolean
ncp.bit9infoflagsl Parent ID Boolean
ncp.bit9l1flagsh Not Defined Boolean
ncp.bit9l1flagsl Partition Busy Boolean
ncp.bit9lflags List External Reference Boolean
ncp.bit9nflags Not Defined Boolean
ncp.bit9outflags Partition Busy Boolean
ncp.bit9pingflags1 DS Time Boolean
ncp.bit9pingflags2 Not Defined Boolean
ncp.bit9pingpflags1 Not Defined Boolean
ncp.bit9pingvflags1 Not Defined Boolean
ncp.bit9rflags Not Defined Boolean
ncp.bit9siflags Expanded Class Boolean
ncp.bit9vflags Not Defined Boolean
ncp.bit_map Bit Map Byte array
ncp.block_number Block Number Unsigned 32-bit integer
ncp.block_size Block Size Unsigned 16-bit integer
ncp.block_size_in_sectors Block Size in Sectors Unsigned 32-bit integer
ncp.board_installed Board Installed Unsigned 8-bit integer
ncp.board_number Board Number Unsigned 32-bit integer
ncp.board_numbers Board Numbers Unsigned 32-bit integer
ncp.buffer_size Buffer Size Unsigned 16-bit integer
ncp.bumped_out_of_order Bumped Out Of Order Write Count Unsigned 32-bit integer
ncp.burst_command Burst Command Unsigned 32-bit integer Packet Burst Command
ncp.burst_len Burst Length Unsigned 32-bit integer Total length of data in this burst
ncp.burst_offset Burst Offset Unsigned 32-bit integer Offset of data in the burst
ncp.burst_reserved Reserved Byte array
ncp.burst_seqno Burst Sequence Number Unsigned 16-bit integer Sequence number of this packet in the burst
ncp.bus_string Bus String String
ncp.bus_type Bus Type Unsigned 8-bit integer
ncp.bytes_actually_transferred Bytes Actually Transferred Unsigned 32-bit integer
ncp.bytes_read Bytes Read String
ncp.bytes_to_copy Bytes to Copy Unsigned 32-bit integer
ncp.bytes_written Bytes Written String
ncp.cache_allocations Cache Allocations Unsigned 32-bit integer
ncp.cache_block_scrapped Cache Block Scrapped Unsigned 16-bit integer
ncp.cache_buffer_count Cache Buffer Count Unsigned 16-bit integer
ncp.cache_buffer_size Cache Buffer Size Unsigned 16-bit integer
ncp.cache_byte_to_block Cache Byte To Block Shift Factor Unsigned 32-bit integer
ncp.cache_dirty_block_thresh Cache Dirty Block Threshold Unsigned 32-bit integer
ncp.cache_dirty_wait_time Cache Dirty Wait Time Unsigned 32-bit integer
ncp.cache_full_write_requests Cache Full Write Requests Unsigned 32-bit integer
ncp.cache_get_requests Cache Get Requests Unsigned 32-bit integer
ncp.cache_hit_on_unavailable_block Cache Hit On Unavailable Block Unsigned 16-bit integer
ncp.cache_hits Cache Hits Unsigned 32-bit integer
ncp.cache_max_concur_writes Cache Maximum Concurrent Writes Unsigned 32-bit integer
ncp.cache_misses Cache Misses Unsigned 32-bit integer
ncp.cache_partial_write_requests Cache Partial Write Requests Unsigned 32-bit integer
ncp.cache_read_requests Cache Read Requests Unsigned 32-bit integer
ncp.cache_used_while_check Cache Used While Checking Unsigned 32-bit integer
ncp.cache_write_requests Cache Write Requests Unsigned 32-bit integer
ncp.category_name Category Name String
ncp.cc_file_handle File Handle Unsigned 32-bit integer
ncp.cc_function OP-Lock Flag Unsigned 8-bit integer
ncp.cfg_max_simultaneous_transactions Configured Max Simultaneous Transactions Unsigned 16-bit integer
ncp.change_bits Change Bits Unsigned 16-bit integer
ncp.change_bits_acc_date Access Date Boolean
ncp.change_bits_adate Archive Date Boolean
ncp.change_bits_aid Archiver ID Boolean
ncp.change_bits_atime Archive Time Boolean
ncp.change_bits_cdate Creation Date Boolean
ncp.change_bits_ctime Creation Time Boolean
ncp.change_bits_fatt File Attributes Boolean
ncp.change_bits_max_acc_mask Maximum Access Mask Boolean
ncp.change_bits_max_space Maximum Space Boolean
ncp.change_bits_modify Modify Name Boolean
ncp.change_bits_owner Owner ID Boolean
ncp.change_bits_udate Update Date Boolean
ncp.change_bits_uid Update ID Boolean
ncp.change_bits_utime Update Time Boolean
ncp.channel_state Channel State Unsigned 8-bit integer
ncp.channel_synchronization_state Channel Synchronization State Unsigned 8-bit integer
ncp.charge_amount Charge Amount Unsigned 32-bit integer
ncp.charge_information Charge Information Unsigned 32-bit integer
ncp.checksum_error_count Checksum Error Count Unsigned 32-bit integer
ncp.checksuming Checksumming Boolean
ncp.client_comp_flag Completion Flag Unsigned 16-bit integer
ncp.client_id_number Client ID Number Unsigned 32-bit integer
ncp.client_list Client List Unsigned 32-bit integer
ncp.client_list_cnt Client List Count Unsigned 16-bit integer
ncp.client_list_len Client List Length Unsigned 8-bit integer
ncp.client_name Client Name String
ncp.client_record_area Client Record Area String
ncp.client_station Client Station Unsigned 8-bit integer
ncp.client_station_long Client Station Unsigned 32-bit integer
ncp.client_task_number Client Task Number Unsigned 8-bit integer
ncp.client_task_number_long Client Task Number Unsigned 32-bit integer
ncp.cluster_count Cluster Count Unsigned 16-bit integer
ncp.clusters_used_by_directories Clusters Used by Directories Unsigned 32-bit integer
ncp.clusters_used_by_extended_dirs Clusters Used by Extended Directories Unsigned 32-bit integer
ncp.clusters_used_by_fat Clusters Used by FAT Unsigned 32-bit integer
ncp.cmd_flags_advanced Advanced Boolean
ncp.cmd_flags_hidden Hidden Boolean
ncp.cmd_flags_later Restart Server Required to Take Effect Boolean
ncp.cmd_flags_secure Console Secured Boolean
ncp.cmd_flags_startup_only Startup.ncf Only Boolean
ncp.cmpbyteincount Compress Byte In Count Unsigned 32-bit integer
ncp.cmpbyteoutcnt Compress Byte Out Count Unsigned 32-bit integer
ncp.cmphibyteincnt Compress High Byte In Count Unsigned 32-bit integer
ncp.cmphibyteoutcnt Compress High Byte Out Count Unsigned 32-bit integer
ncp.cmphitickcnt Compress High Tick Count Unsigned 32-bit integer
ncp.cmphitickhigh Compress High Tick Unsigned 32-bit integer
ncp.co_proc_string CoProcessor String String
ncp.co_processor_flag CoProcessor Present Flag Unsigned 32-bit integer
ncp.code_page Code Page Unsigned 32-bit integer
ncp.com_cnts Communication Counters Unsigned 16-bit integer
ncp.comment Comment String
ncp.comment_type Comment Type Unsigned 16-bit integer
ncp.complete_signatures Complete Signatures Boolean
ncp.completion_code Completion Code Unsigned 8-bit integer
ncp.compress_volume Volume Compression Unsigned 32-bit integer
ncp.compressed_data_streams_count Compressed Data Streams Count Unsigned 32-bit integer
ncp.compressed_limbo_data_streams_count Compressed Limbo Data Streams Count Unsigned 32-bit integer
ncp.compressed_sectors Compressed Sectors Unsigned 32-bit integer
ncp.compression_ios_limit Compression IOs Limit Unsigned 32-bit integer
ncp.compression_lower_limit Compression Lower Limit Unsigned 32-bit integer
ncp.compression_stage Compression Stage Unsigned 32-bit integer
ncp.config_major_vn Configuration Major Version Number Unsigned 8-bit integer
ncp.config_minor_vn Configuration Minor Version Number Unsigned 8-bit integer
ncp.configuration_description Configuration Description String
ncp.configuration_text Configuration Text String
ncp.configured_max_bindery_objects Configured Max Bindery Objects Unsigned 16-bit integer
ncp.configured_max_open_files Configured Max Open Files Unsigned 16-bit integer
ncp.configured_max_routing_buffers Configured Max Routing Buffers Unsigned 16-bit integer
ncp.conn_being_aborted Connection Being Aborted Count Unsigned 32-bit integer
ncp.conn_ctrl_bits Connection Control Unsigned 8-bit integer
ncp.conn_list Connection List Unsigned 32-bit integer
ncp.conn_list_count Connection List Count Unsigned 32-bit integer
ncp.conn_list_len Connection List Length Unsigned 8-bit integer
ncp.conn_number_byte Connection Number Unsigned 8-bit integer
ncp.conn_number_word Connection Number Unsigned 16-bit integer
ncp.connected_lan LAN Adapter Unsigned 32-bit integer
ncp.connection Connection Number Unsigned 16-bit integer
ncp.connection_code_page Connection Code Page Boolean
ncp.connection_list Connection List Unsigned 32-bit integer
ncp.connection_number Connection Number Unsigned 32-bit integer
ncp.connection_number_list Connection Number List String
ncp.connection_service_type Connection Service Type Unsigned 8-bit integer
ncp.connection_status Connection Status Unsigned 8-bit integer
ncp.connection_type Connection Type Unsigned 8-bit integer
ncp.connections_in_use Connections In Use Unsigned 16-bit integer
ncp.connections_max_used Connections Max Used Unsigned 16-bit integer
ncp.connections_supported_max Connections Supported Max Unsigned 16-bit integer
ncp.control_being_torn_down Control Being Torn Down Count Unsigned 32-bit integer
ncp.control_code Control Code Unsigned 8-bit integer
ncp.control_flags Control Flags Unsigned 8-bit integer
ncp.control_invalid_message_number Control Invalid Message Number Count Unsigned 32-bit integer
ncp.controller_drive_number Controller Drive Number Unsigned 8-bit integer
ncp.controller_number Controller Number Unsigned 8-bit integer
ncp.controller_type Controller Type Unsigned 8-bit integer
ncp.cookie_1 Cookie 1 Unsigned 32-bit integer
ncp.cookie_2 Cookie 2 Unsigned 32-bit integer
ncp.copies Copies Unsigned 8-bit integer
ncp.copyright Copyright String
ncp.counter_mask Counter Mask Unsigned 8-bit integer
ncp.cpu_number CPU Number Unsigned 32-bit integer
ncp.cpu_string CPU String String
ncp.cpu_type CPU Type Unsigned 8-bit integer
ncp.creation_date Creation Date Unsigned 16-bit integer
ncp.creation_time Creation Time Unsigned 16-bit integer
ncp.creator_id Creator ID Unsigned 32-bit integer
ncp.creator_name_space_number Creator Name Space Number Unsigned 8-bit integer
ncp.credit_limit Credit Limit Unsigned 32-bit integer
ncp.ctl_bad_ack_frag_list Control Bad ACK Fragment List Count Unsigned 32-bit integer
ncp.ctl_no_data_read Control No Data Read Count Unsigned 32-bit integer
ncp.ctrl_flags Control Flags Unsigned 16-bit integer
ncp.cur_blk_being_dcompress Current Block Being Decompressed Unsigned 32-bit integer
ncp.cur_comp_blks Current Compression Blocks Unsigned 32-bit integer
ncp.cur_initial_blks Current Initial Blocks Unsigned 32-bit integer
ncp.cur_inter_blks Current Intermediate Blocks Unsigned 32-bit integer
ncp.cur_num_of_r_tags Current Number of Resource Tags Unsigned 32-bit integer
ncp.curr_num_cache_buff Current Number Of Cache Buffers Unsigned 32-bit integer
ncp.curr_ref_id Current Reference ID Unsigned 16-bit integer
ncp.current_changed_fats Current Changed FAT Entries Unsigned 16-bit integer
ncp.current_entries Current Entries Unsigned 32-bit integer
ncp.current_form_type Current Form Type Unsigned 8-bit integer
ncp.current_lfs_counters Current LFS Counters Unsigned 32-bit integer
ncp.current_open_files Current Open Files Unsigned 16-bit integer
ncp.current_server_time Time Elapsed Since Server Was Brought Up Unsigned 32-bit integer
ncp.current_servers Current Servers Unsigned 32-bit integer
ncp.current_space Current Space Unsigned 32-bit integer
ncp.current_trans_count Current Transaction Count Unsigned 32-bit integer
ncp.current_used_bindery_objects Current Used Bindery Objects Unsigned 16-bit integer
ncp.currently_used_routing_buffers Currently Used Routing Buffers Unsigned 16-bit integer
ncp.custom_cnts Custom Counters Unsigned 32-bit integer
ncp.custom_count Custom Count Unsigned 32-bit integer
ncp.custom_counters Custom Counters Unsigned 32-bit integer
ncp.custom_string Custom String String
ncp.custom_var_value Custom Variable Value Unsigned 32-bit integer
ncp.data Data String
ncp.data_bytes Data Bytes Unsigned 16-bit integer Number of data bytes in this packet
ncp.data_fork_first_fat Data Fork First FAT Entry Unsigned 32-bit integer
ncp.data_fork_len Data Fork Len Unsigned 32-bit integer
ncp.data_fork_size Data Fork Size Unsigned 32-bit integer
ncp.data_offset Data Offset Unsigned 32-bit integer Offset of this packet
ncp.data_size Data Size Unsigned 32-bit integer
ncp.data_stream Data Stream Unsigned 8-bit integer
ncp.data_stream_fat_blks Data Stream FAT Blocks Unsigned 32-bit integer
ncp.data_stream_name Data Stream Name String
ncp.data_stream_num_long Data Stream Number Unsigned 32-bit integer
ncp.data_stream_number Data Stream Number Unsigned 8-bit integer
ncp.data_stream_size Size Unsigned 32-bit integer
ncp.data_stream_space_alloc Space Allocated for Data Stream Unsigned 32-bit integer
ncp.data_streams_count Data Streams Count Unsigned 32-bit integer
ncp.data_type_flag Data Type Flag Unsigned 8-bit integer
ncp.dc_dirty_wait_time DC Dirty Wait Time Unsigned 32-bit integer
ncp.dc_double_read_flag DC Double Read Flag Unsigned 32-bit integer
ncp.dc_max_concurrent_writes DC Maximum Concurrent Writes Unsigned 32-bit integer
ncp.dc_min_non_ref_time DC Minimum Non-Referenced Time Unsigned 32-bit integer
ncp.dc_wait_time_before_new_buff DC Wait Time Before New Buffer Unsigned 32-bit integer
ncp.dead_mirror_table Dead Mirror Table Byte array
ncp.dealloc_being_proc De-Allocate Being Processed Count Unsigned 32-bit integer
ncp.dealloc_forged_packet De-Allocate Forged Packet Count Unsigned 32-bit integer
ncp.dealloc_invalid_slot De-Allocate Invalid Slot Count Unsigned 32-bit integer
ncp.dealloc_still_transmit De-Allocate Still Transmitting Count Unsigned 32-bit integer
ncp.decpbyteincount DeCompress Byte In Count Unsigned 32-bit integer
ncp.decpbyteoutcnt DeCompress Byte Out Count Unsigned 32-bit integer
ncp.decphibyteincnt DeCompress High Byte In Count Unsigned 32-bit integer
ncp.decphibyteoutcnt DeCompress High Byte Out Count Unsigned 32-bit integer
ncp.decphitickcnt DeCompress High Tick Count Unsigned 32-bit integer
ncp.decphitickhigh DeCompress High Tick Unsigned 32-bit integer
ncp.defined_data_streams Defined Data Streams Unsigned 8-bit integer
ncp.defined_name_spaces Defined Name Spaces Unsigned 8-bit integer
ncp.delay_time Delay Time Unsigned 32-bit integer Delay time between consecutive packet sends (100 us increments)
ncp.delete_existing_file_flag Delete Existing File Flag Unsigned 8-bit integer
ncp.delete_id Deleted ID Unsigned 32-bit integer
ncp.deleted_date Deleted Date Unsigned 16-bit integer
ncp.deleted_file_time Deleted File Time Unsigned 32-bit integer
ncp.deleted_time Deleted Time Unsigned 16-bit integer
ncp.deny_read_count Deny Read Count Unsigned 16-bit integer
ncp.deny_write_count Deny Write Count Unsigned 16-bit integer
ncp.description_string Description String
ncp.desired_access_rights Desired Access Rights Unsigned 16-bit integer
ncp.desired_response_count Desired Response Count Unsigned 16-bit integer
ncp.dest_component_count Destination Path Component Count Unsigned 8-bit integer
ncp.dest_dir_handle Destination Directory Handle Unsigned 8-bit integer
ncp.dest_name_space Destination Name Space Unsigned 8-bit integer
ncp.dest_path Destination Path String
ncp.detach_during_processing Detach During Processing Unsigned 16-bit integer
ncp.detach_for_bad_connection_number Detach For Bad Connection Number Unsigned 16-bit integer
ncp.dir_base Directory Base Unsigned 32-bit integer
ncp.dir_count Directory Count Unsigned 16-bit integer
ncp.dir_handle Directory Handle Unsigned 8-bit integer
ncp.dir_handle_long Directory Handle Unsigned 32-bit integer
ncp.dir_handle_name Handle Name Unsigned 8-bit integer
ncp.directory_access_rights Directory Access Rights Unsigned 8-bit integer
ncp.directory_attributes Directory Attributes Unsigned 8-bit integer
ncp.directory_entry_number Directory Entry Number Unsigned 32-bit integer
ncp.directory_entry_number_word Directory Entry Number Unsigned 16-bit integer
ncp.directory_id Directory ID Unsigned 16-bit integer
ncp.directory_name Directory Name String
ncp.directory_name_14 Directory Name String
ncp.directory_name_len Directory Name Length Unsigned 8-bit integer
ncp.directory_number Directory Number Unsigned 32-bit integer
ncp.directory_path Directory Path String
ncp.directory_services_object_id Directory Services Object ID Unsigned 32-bit integer
ncp.directory_stamp Directory Stamp (0xD1D1) Unsigned 16-bit integer
ncp.dirty_cache_buffers Dirty Cache Buffers Unsigned 16-bit integer
ncp.disable_brdcasts Disable Broadcasts Boolean
ncp.disable_personal_brdcasts Disable Personal Broadcasts Boolean
ncp.disable_wdog_messages Disable Watchdog Message Boolean
ncp.disk_channel_number Disk Channel Number Unsigned 8-bit integer
ncp.disk_channel_table Disk Channel Table Unsigned 8-bit integer
ncp.disk_space_limit Disk Space Limit Unsigned 32-bit integer
ncp.dm_flags DM Flags Unsigned 8-bit integer
ncp.dm_info_entries DM Info Entries Unsigned 32-bit integer
ncp.dm_info_level DM Info Level Unsigned 8-bit integer
ncp.dm_major_version DM Major Version Unsigned 32-bit integer
ncp.dm_minor_version DM Minor Version Unsigned 32-bit integer
ncp.dm_present_flag Data Migration Present Flag Unsigned 8-bit integer
ncp.dma_channels_used DMA Channels Used Unsigned 32-bit integer
ncp.dos_directory_base DOS Directory Base Unsigned 32-bit integer
ncp.dos_directory_entry DOS Directory Entry Unsigned 32-bit integer
ncp.dos_directory_entry_number DOS Directory Entry Number Unsigned 32-bit integer
ncp.dos_file_attributes DOS File Attributes Unsigned 8-bit integer
ncp.dos_parent_directory_entry DOS Parent Directory Entry Unsigned 32-bit integer
ncp.dos_sequence DOS Sequence Unsigned 32-bit integer
ncp.drive_cylinders Drive Cylinders Unsigned 16-bit integer
ncp.drive_definition_string Drive Definition String
ncp.drive_heads Drive Heads Unsigned 8-bit integer
ncp.drive_mapping_table Drive Mapping Table Byte array
ncp.drive_mirror_table Drive Mirror Table Byte array
ncp.drive_removable_flag Drive Removable Flag Unsigned 8-bit integer
ncp.drive_size Drive Size Unsigned 32-bit integer
ncp.driver_board_name Driver Board Name String
ncp.driver_log_name Driver Logical Name String
ncp.driver_short_name Driver Short Name String
ncp.dsired_acc_rights_compat Compatibility Boolean
ncp.dsired_acc_rights_del_file_cls Delete File Close Boolean
ncp.dsired_acc_rights_deny_r Deny Read Boolean
ncp.dsired_acc_rights_deny_w Deny Write Boolean
ncp.dsired_acc_rights_read_o Read Only Boolean
ncp.dsired_acc_rights_w_thru File Write Through Boolean
ncp.dsired_acc_rights_write_o Write Only Boolean
ncp.dst_connection Destination Connection ID Unsigned 32-bit integer The server's connection identification number
ncp.dst_ea_flags Destination EA Flags Unsigned 16-bit integer
ncp.dst_ns_indicator Destination Name Space Indicator Unsigned 16-bit integer
ncp.dst_queue_id Destination Queue ID Unsigned 32-bit integer
ncp.dup_is_being_sent Duplicate Is Being Sent Already Count Unsigned 32-bit integer
ncp.duplicate_replies_sent Duplicate Replies Sent Unsigned 16-bit integer
ncp.dyn_mem_struct_cur Current Used Dynamic Space Unsigned 32-bit integer
ncp.dyn_mem_struct_max Max Used Dynamic Space Unsigned 32-bit integer
ncp.dyn_mem_struct_total Total Dynamic Space Unsigned 32-bit integer
ncp.ea_access_flag EA Access Flag Unsigned 16-bit integer
ncp.ea_bytes_written Bytes Written Unsigned 32-bit integer
ncp.ea_count Count Unsigned 32-bit integer
ncp.ea_data_size Data Size Unsigned 32-bit integer
ncp.ea_data_size_duplicated Data Size Duplicated Unsigned 32-bit integer
ncp.ea_deep_freeze Deep Freeze Boolean
ncp.ea_delete_privileges Delete Privileges Boolean
ncp.ea_duplicate_count Duplicate Count Unsigned 32-bit integer
ncp.ea_error_codes EA Error Codes Unsigned 16-bit integer
ncp.ea_flags EA Flags Unsigned 16-bit integer
ncp.ea_handle EA Handle Unsigned 32-bit integer
ncp.ea_handle_or_netware_handle_or_volume EAHandle or NetWare Handle or Volume (see EAFlags) Unsigned 32-bit integer
ncp.ea_header_being_enlarged Header Being Enlarged Boolean
ncp.ea_in_progress In Progress Boolean
ncp.ea_key EA Key String
ncp.ea_key_size Key Size Unsigned 32-bit integer
ncp.ea_key_size_duplicated Key Size Duplicated Unsigned 32-bit integer
ncp.ea_need_bit_flag EA Need Bit Flag Boolean
ncp.ea_new_tally_used New Tally Used Boolean
ncp.ea_permanent_memory Permanent Memory Boolean
ncp.ea_read_privileges Read Privileges Boolean
ncp.ea_score_card_present Score Card Present Boolean
ncp.ea_system_ea_only System EA Only Boolean
ncp.ea_tally_need_update Tally Need Update Boolean
ncp.ea_value EA Value String
ncp.ea_value_length Value Length Unsigned 16-bit integer
ncp.ea_value_rep EA Value String
ncp.ea_write_in_progress Write In Progress Boolean
ncp.ea_write_privileges Write Privileges Boolean
ncp.ecb_cxl_fails ECB Cancel Failures Unsigned 32-bit integer
ncp.echo_socket Echo Socket Unsigned 16-bit integer
ncp.effective_rights Effective Rights Unsigned 8-bit integer
ncp.effective_rights_create Create Rights Boolean
ncp.effective_rights_delete Delete Rights Boolean
ncp.effective_rights_modify Modify Rights Boolean
ncp.effective_rights_open Open Rights Boolean
ncp.effective_rights_parental Parental Rights Boolean
ncp.effective_rights_read Read Rights Boolean
ncp.effective_rights_search Search Rights Boolean
ncp.effective_rights_write Write Rights Boolean
ncp.enable_brdcasts Enable Broadcasts Boolean
ncp.enable_personal_brdcasts Enable Personal Broadcasts Boolean
ncp.enable_wdog_messages Enable Watchdog Message Boolean
ncp.encryption Encryption Boolean
ncp.enqueued_send_cnt Enqueued Send Count Unsigned 32-bit integer
ncp.enum_info_account Accounting Information Boolean
ncp.enum_info_auth Authentication Information Boolean
ncp.enum_info_lock Lock Information Boolean
ncp.enum_info_mask Return Information Mask Unsigned 8-bit integer
ncp.enum_info_name Name Information Boolean
ncp.enum_info_print Print Information Boolean
ncp.enum_info_stats Statistical Information Boolean
ncp.enum_info_time Time Information Boolean
ncp.enum_info_transport Transport Information Boolean
ncp.err_doing_async_read Error Doing Async Read Count Unsigned 32-bit integer
ncp.error_read_last_fat Error Reading Last FAT Count Unsigned 32-bit integer
ncp.event_offset Event Offset Byte array
ncp.event_time Event Time Unsigned 32-bit integer
ncp.exc_nds_ver Exclude NDS Version Unsigned 32-bit integer
ncp.expiration_time Expiration Time Unsigned 32-bit integer
ncp.ext_info Extended Return Information Unsigned 16-bit integer
ncp.ext_info_64_bit_fs 64 Bit File Sizes Boolean
ncp.ext_info_access Last Access Boolean
ncp.ext_info_dos_name DOS Name Boolean
ncp.ext_info_effective Effective Boolean
ncp.ext_info_flush Flush Time Boolean
ncp.ext_info_mac_date MAC Date Boolean
ncp.ext_info_mac_finder MAC Finder Boolean
ncp.ext_info_newstyle New Style Boolean
ncp.ext_info_parental Parental Boolean
ncp.ext_info_sibling Sibling Boolean
ncp.ext_info_update Last Update Boolean
ncp.ext_router_active_flag External Router Active Flag Boolean
ncp.extended_attribute_extants_used Extended Attribute Extants Used Unsigned 32-bit integer
ncp.extended_attributes_defined Extended Attributes Defined Unsigned 32-bit integer
ncp.extra_extra_use_count_node_count Errors allocating an additional use count node for TTS Unsigned 32-bit integer
ncp.extra_use_count_node_count Errors allocating a use count node for TTS Unsigned 32-bit integer
ncp.f_size_64bit 64bit File Size Unsigned 64-bit integer
ncp.failed_alloc_req Failed Alloc Request Count Unsigned 32-bit integer
ncp.fat_moved Number of times the OS has move the location of FAT Unsigned 32-bit integer
ncp.fat_scan_errors FAT Scan Errors Unsigned 16-bit integer
ncp.fat_write_err Number of write errors in both original and mirrored copies of FAT Unsigned 32-bit integer
ncp.fat_write_errors FAT Write Errors Unsigned 16-bit integer
ncp.fatal_fat_write_errors Fatal FAT Write Errors Unsigned 16-bit integer
ncp.fields_len_table Fields Len Table Byte array
ncp.file_count File Count Unsigned 16-bit integer
ncp.file_date File Date Unsigned 16-bit integer
ncp.file_dir_win File/Dir Window Unsigned 16-bit integer
ncp.file_execute_type File Execute Type Unsigned 8-bit integer
ncp.file_ext_attr File Extended Attributes Unsigned 8-bit integer
ncp.file_flags File Flags Unsigned 32-bit integer
ncp.file_handle Burst File Handle Unsigned 32-bit integer Packet Burst File Handle
ncp.file_limbo File Limbo Unsigned 32-bit integer
ncp.file_list_count File List Count Unsigned 32-bit integer
ncp.file_lock_count File Lock Count Unsigned 16-bit integer
ncp.file_mig_state File Migration State Unsigned 8-bit integer
ncp.file_mode File Mode Unsigned 8-bit integer
ncp.file_name Filename String
ncp.file_name_12 Filename String
ncp.file_name_14 Filename String
ncp.file_name_16 Filename String
ncp.file_name_len Filename Length Unsigned 8-bit integer
ncp.file_offset File Offset Unsigned 32-bit integer
ncp.file_path File Path String
ncp.file_size File Size Unsigned 32-bit integer
ncp.file_system_id File System ID Unsigned 8-bit integer
ncp.file_time File Time Unsigned 16-bit integer
ncp.file_use_count File Use Count Unsigned 16-bit integer
ncp.file_write_flags File Write Flags Unsigned 8-bit integer
ncp.file_write_state File Write State Unsigned 8-bit integer
ncp.filler Filler Unsigned 8-bit integer
ncp.finder_attr Finder Info Attributes Unsigned 16-bit integer
ncp.finder_attr_bundle Object Has Bundle Boolean
ncp.finder_attr_desktop Object on Desktop Boolean
ncp.finder_attr_invisible Object is Invisible Boolean
ncp.first_packet_isnt_a_write First Packet Isn't A Write Count Unsigned 32-bit integer
ncp.fixed_bit_mask Fixed Bit Mask Unsigned 32-bit integer
ncp.fixed_bits_defined Fixed Bits Defined Unsigned 16-bit integer
ncp.flag_bits Flag Bits Unsigned 8-bit integer
ncp.flags Flags Unsigned 8-bit integer
ncp.flags_def Flags Unsigned 16-bit integer
ncp.flush_time Flush Time Unsigned 32-bit integer
ncp.folder_flag Folder Flag Unsigned 8-bit integer
ncp.force_flag Force Server Down Flag Unsigned 8-bit integer
ncp.forged_detached_requests Forged Detached Requests Unsigned 16-bit integer
ncp.forged_packet Forged Packet Count Unsigned 32-bit integer
ncp.fork_count Fork Count Unsigned 8-bit integer
ncp.fork_indicator Fork Indicator Unsigned 8-bit integer
ncp.form_type Form Type Unsigned 16-bit integer
ncp.form_type_count Form Types Count Unsigned 32-bit integer
ncp.found_some_mem Found Some Memory Unsigned 32-bit integer
ncp.fractional_time Fractional Time in Seconds Unsigned 32-bit integer
ncp.fragger_handle Fragment Handle Unsigned 32-bit integer
ncp.fragger_hndl Fragment Handle Unsigned 16-bit integer
ncp.fragment_write_occurred Fragment Write Occurred Unsigned 16-bit integer
ncp.free_blocks Free Blocks Unsigned 32-bit integer
ncp.free_directory_entries Free Directory Entries Unsigned 16-bit integer
ncp.freeable_limbo_sectors Freeable Limbo Sectors Unsigned 32-bit integer
ncp.freed_clusters Freed Clusters Unsigned 32-bit integer
ncp.fs_engine_flag FS Engine Flag Boolean
ncp.full_name Full Name String
ncp.func Function Unsigned 8-bit integer
ncp.generic_block_size Block Size Unsigned 32-bit integer
ncp.generic_capacity Capacity Unsigned 32-bit integer
ncp.generic_cartridge_type Cartridge Type Unsigned 32-bit integer
ncp.generic_child_count Child Count Unsigned 32-bit integer
ncp.generic_ctl_mask Control Mask Unsigned 32-bit integer
ncp.generic_func_mask Function Mask Unsigned 32-bit integer
ncp.generic_ident_time Identification Time Unsigned 32-bit integer
ncp.generic_ident_type Identification Type Unsigned 32-bit integer
ncp.generic_label Label String
ncp.generic_media_slot Media Slot Unsigned 32-bit integer
ncp.generic_media_type Media Type Unsigned 32-bit integer
ncp.generic_name Name String
ncp.generic_object_uniq_id Unique Object ID Unsigned 32-bit integer
ncp.generic_parent_count Parent Count Unsigned 32-bit integer
ncp.generic_pref_unit_size Preferred Unit Size Unsigned 32-bit integer
ncp.generic_sib_count Sibling Count Unsigned 32-bit integer
ncp.generic_spec_info_sz Specific Information Size Unsigned 32-bit integer
ncp.generic_status Status Unsigned 32-bit integer
ncp.generic_type Type Unsigned 32-bit integer
ncp.generic_unit_size Unit Size Unsigned 32-bit integer
ncp.get_ecb_buf Get ECB Buffers Unsigned 32-bit integer
ncp.get_ecb_fails Get ECB Failures Unsigned 32-bit integer
ncp.get_set_flag Get Set Flag Unsigned 8-bit integer
ncp.group NCP Group Type Unsigned 8-bit integer
ncp.guid GUID Byte array
ncp.had_an_out_of_order Had An Out Of Order Write Count Unsigned 32-bit integer
ncp.handle_flag Handle Flag Unsigned 8-bit integer
ncp.handle_info_level Handle Info Level Unsigned 8-bit integer
ncp.hardware_rx_mismatch_count Hardware Receive Mismatch Count Unsigned 32-bit integer
ncp.held_bytes_read Held Bytes Read Byte array
ncp.held_bytes_write Held Bytes Written Byte array
ncp.held_conn_time Held Connect Time in Minutes Unsigned 32-bit integer
ncp.hold_amount Hold Amount Unsigned 32-bit integer
ncp.hold_cancel_amount Hold Cancel Amount Unsigned 32-bit integer
ncp.hold_time Hold Time Unsigned 32-bit integer
ncp.holder_id Holder ID Unsigned 32-bit integer
ncp.hops_to_net Hop Count Unsigned 16-bit integer
ncp.horiz_location Horizontal Location Unsigned 16-bit integer
ncp.host_address Host Address Byte array
ncp.hot_fix_blocks_available Hot Fix Blocks Available Unsigned 16-bit integer
ncp.hot_fix_disabled Hot Fix Disabled Unsigned 8-bit integer
ncp.hot_fix_table_size Hot Fix Table Size Unsigned 16-bit integer
ncp.hot_fix_table_start Hot Fix Table Start Unsigned 32-bit integer
ncp.huge_bit_mask Huge Bit Mask Unsigned 32-bit integer
ncp.huge_bits_defined Huge Bits Defined Unsigned 16-bit integer
ncp.huge_data Huge Data String
ncp.huge_data_used Huge Data Used Unsigned 32-bit integer
ncp.huge_state_info Huge State Info Byte array
ncp.i_ran_out_someone_else_did_it_0 I Ran Out Someone Else Did It Count 0 Unsigned 32-bit integer
ncp.i_ran_out_someone_else_did_it_1 I Ran Out Someone Else Did It Count 1 Unsigned 32-bit integer
ncp.i_ran_out_someone_else_did_it_2 I Ran Out Someone Else Did It Count 2 Unsigned 32-bit integer
ncp.id_get_no_read_no_wait ID Get No Read No Wait Count Unsigned 32-bit integer
ncp.id_get_no_read_no_wait_alloc ID Get No Read No Wait Allocate Count Unsigned 32-bit integer
ncp.id_get_no_read_no_wait_buffer ID Get No Read No Wait No Buffer Count Unsigned 32-bit integer
ncp.id_get_no_read_no_wait_no_alloc ID Get No Read No Wait No Alloc Count Unsigned 32-bit integer
ncp.id_get_no_read_no_wait_no_alloc_alloc ID Get No Read No Wait No Alloc Allocate Count Unsigned 32-bit integer
ncp.id_get_no_read_no_wait_no_alloc_sema ID Get No Read No Wait No Alloc Semaphored Count Unsigned 32-bit integer
ncp.id_get_no_read_no_wait_sema ID Get No Read No Wait Semaphored Count Unsigned 32-bit integer
ncp.identification_number Identification Number Unsigned 32-bit integer
ncp.ignored_rx_pkts Ignored Receive Packets Unsigned 32-bit integer
ncp.in_use Bytes in Use Unsigned 32-bit integer
ncp.inc_nds_ver Include NDS Version Unsigned 32-bit integer
ncp.incoming_packet_discarded_no_dgroup Incoming Packet Discarded No DGroup Unsigned 16-bit integer
ncp.index_number Index Number Unsigned 8-bit integer
ncp.info_count Info Count Unsigned 16-bit integer
ncp.info_flags Info Flags Unsigned 32-bit integer
ncp.info_flags_all_attr All Attributes Boolean
ncp.info_flags_all_dirbase_num All Directory Base Numbers Boolean
ncp.info_flags_dos_attr DOS Attributes Boolean
ncp.info_flags_dos_time DOS Time Boolean
ncp.info_flags_ds_sizes Data Stream Sizes Boolean
ncp.info_flags_ea_present EA Present Flag Boolean
ncp.info_flags_effect_rights Effective Rights Boolean
ncp.info_flags_flags Return Object Flags Boolean
ncp.info_flags_flush_time Flush Time Boolean
ncp.info_flags_ids ID's Boolean
ncp.info_flags_mac_finder Mac Finder Information Boolean
ncp.info_flags_mac_time Mac Time Boolean
ncp.info_flags_max_access_mask Maximum Access Mask Boolean
ncp.info_flags_name Return Object Name Boolean
ncp.info_flags_ns_attr Name Space Attributes Boolean
ncp.info_flags_prnt_base_id Parent Base ID Boolean
ncp.info_flags_ref_count Reference Count Boolean
ncp.info_flags_security Return Object Security Boolean
ncp.info_flags_sibling_cnt Sibling Count Boolean
ncp.info_flags_type Return Object Type Boolean
ncp.info_level_num Information Level Number Unsigned 8-bit integer
ncp.info_mask Information Mask Unsigned 32-bit integer
ncp.info_mask_c_name_space Creator Name Space & Name Boolean
ncp.info_mask_dosname DOS Name Boolean
ncp.info_mask_name Name Boolean
ncp.inh_revoke_create Create Rights Boolean
ncp.inh_revoke_delete Delete Rights Boolean
ncp.inh_revoke_modify Modify Rights Boolean
ncp.inh_revoke_open Open Rights Boolean
ncp.inh_revoke_parent Change Access Boolean
ncp.inh_revoke_read Read Rights Boolean
ncp.inh_revoke_search See Files Flag Boolean
ncp.inh_revoke_supervisor Supervisor Boolean
ncp.inh_revoke_write Write Rights Boolean
ncp.inh_rights_create Create Rights Boolean
ncp.inh_rights_delete Delete Rights Boolean
ncp.inh_rights_modify Modify Rights Boolean
ncp.inh_rights_open Open Rights Boolean
ncp.inh_rights_parent Change Access Boolean
ncp.inh_rights_read Read Rights Boolean
ncp.inh_rights_search See Files Flag Boolean
ncp.inh_rights_supervisor Supervisor Boolean
ncp.inh_rights_write Write Rights Boolean
ncp.inheritance_revoke_mask Revoke Rights Mask Unsigned 16-bit integer
ncp.inherited_rights_mask Inherited Rights Mask Unsigned 16-bit integer
ncp.initial_semaphore_value Initial Semaphore Value Unsigned 8-bit integer
ncp.inspect_size Inspect Size Unsigned 32-bit integer
ncp.internet_bridge_version Internet Bridge Version Unsigned 8-bit integer
ncp.internl_dsk_get Internal Disk Get Count Unsigned 32-bit integer
ncp.internl_dsk_get_need_to_alloc Internal Disk Get Need To Allocate Count Unsigned 32-bit integer
ncp.internl_dsk_get_no_read Internal Disk Get No Read Count Unsigned 32-bit integer
ncp.internl_dsk_get_no_read_alloc Internal Disk Get No Read Allocate Count Unsigned 32-bit integer
ncp.internl_dsk_get_no_read_someone_beat Internal Disk Get No Read Someone Beat Me Count Unsigned 32-bit integer
ncp.internl_dsk_get_no_wait Internal Disk Get No Wait Count Unsigned 32-bit integer
ncp.internl_dsk_get_no_wait_need Internal Disk Get No Wait Need To Allocate Count Unsigned 32-bit integer
ncp.internl_dsk_get_no_wait_no_blk Internal Disk Get No Wait No Block Count Unsigned 32-bit integer
ncp.internl_dsk_get_part_read Internal Disk Get Partial Read Count Unsigned 32-bit integer
ncp.internl_dsk_get_read_err Internal Disk Get Read Error Count Unsigned 32-bit integer
ncp.internl_dsk_get_someone_beat Internal Disk Get Someone Beat My Count Unsigned 32-bit integer
ncp.internl_dsk_write Internal Disk Write Count Unsigned 32-bit integer
ncp.internl_dsk_write_alloc Internal Disk Write Allocate Count Unsigned 32-bit integer
ncp.internl_dsk_write_someone_beat Internal Disk Write Someone Beat Me Count Unsigned 32-bit integer
ncp.interrupt_numbers_used Interrupt Numbers Used Unsigned 32-bit integer
ncp.invalid_control_req Invalid Control Request Count Unsigned 32-bit integer
ncp.invalid_req_type Invalid Request Type Count Unsigned 32-bit integer
ncp.invalid_sequence_number Invalid Sequence Number Count Unsigned 32-bit integer
ncp.invalid_slot Invalid Slot Count Unsigned 32-bit integer
ncp.io_addresses_used IO Addresses Used Byte array
ncp.io_engine_flag IO Engine Flag Boolean
ncp.io_error_count IO Error Count Unsigned 16-bit integer
ncp.io_flag IO Flag Unsigned 32-bit integer
ncp.ip.length NCP over IP length Unsigned 32-bit integer
ncp.ip.packetsig NCP over IP Packet Signature Byte array
ncp.ip.replybufsize NCP over IP Reply Buffer Size Unsigned 32-bit integer
ncp.ip.signature NCP over IP signature Unsigned 32-bit integer
ncp.ip.version NCP over IP Version Unsigned 32-bit integer
ncp.ipref Address Referral IPv4 address
ncp.ipx_aes_event IPX AES Event Count Unsigned 32-bit integer
ncp.ipx_ecb_cancel_fail IPX ECB Cancel Fail Count Unsigned 16-bit integer
ncp.ipx_get_ecb_fail IPX Get ECB Fail Count Unsigned 32-bit integer
ncp.ipx_get_ecb_req IPX Get ECB Request Count Unsigned 32-bit integer
ncp.ipx_get_lcl_targ_fail IPX Get Local Target Fail Count Unsigned 16-bit integer
ncp.ipx_listen_ecb IPX Listen ECB Count Unsigned 32-bit integer
ncp.ipx_malform_pkt IPX Malformed Packet Count Unsigned 16-bit integer
ncp.ipx_max_conf_sock IPX Max Configured Socket Count Unsigned 16-bit integer
ncp.ipx_max_open_sock IPX Max Open Socket Count Unsigned 16-bit integer
ncp.ipx_not_my_network IPX Not My Network Unsigned 16-bit integer
ncp.ipx_open_sock_fail IPX Open Socket Fail Count Unsigned 16-bit integer
ncp.ipx_postponed_aes IPX Postponed AES Count Unsigned 16-bit integer
ncp.ipx_send_pkt IPX Send Packet Count Unsigned 32-bit integer
ncp.items_changed Items Changed Unsigned 32-bit integer
ncp.items_checked Items Checked Unsigned 32-bit integer
ncp.items_count Items Count Unsigned 32-bit integer
ncp.items_in_list Items in List Unsigned 32-bit integer
ncp.items_in_packet Items in Packet Unsigned 32-bit integer
ncp.job_control1_file_open File Open Boolean
ncp.job_control1_job_recovery Job Recovery Boolean
ncp.job_control1_operator_hold Operator Hold Boolean
ncp.job_control1_reservice ReService Job Boolean
ncp.job_control1_user_hold User Hold Boolean
ncp.job_control_file_open File Open Boolean
ncp.job_control_flags Job Control Flags Unsigned 8-bit integer
ncp.job_control_flags_word Job Control Flags Unsigned 16-bit integer
ncp.job_control_job_recovery Job Recovery Boolean
ncp.job_control_operator_hold Operator Hold Boolean
ncp.job_control_reservice ReService Job Boolean
ncp.job_control_user_hold User Hold Boolean
ncp.job_count Job Count Unsigned 32-bit integer
ncp.job_file_handle Job File Handle Byte array
ncp.job_file_handle_long Job File Handle Unsigned 32-bit integer
ncp.job_file_name Job File Name String
ncp.job_number Job Number Unsigned 16-bit integer
ncp.job_number_long Job Number Unsigned 32-bit integer
ncp.job_position Job Position Unsigned 8-bit integer
ncp.job_position_word Job Position Unsigned 16-bit integer
ncp.job_type Job Type Unsigned 16-bit integer
ncp.lan_driver_number LAN Driver Number Unsigned 8-bit integer
ncp.lan_drv_bd_inst LAN Driver Board Instance Unsigned 16-bit integer
ncp.lan_drv_bd_num LAN Driver Board Number Unsigned 16-bit integer
ncp.lan_drv_card_id LAN Driver Card ID Unsigned 16-bit integer
ncp.lan_drv_card_name LAN Driver Card Name String
ncp.lan_drv_dma_usage1 Primary DMA Channel Unsigned 8-bit integer
ncp.lan_drv_dma_usage2 Secondary DMA Channel Unsigned 8-bit integer
ncp.lan_drv_flags LAN Driver Flags Unsigned 16-bit integer
ncp.lan_drv_interrupt1 Primary Interrupt Vector Unsigned 8-bit integer
ncp.lan_drv_interrupt2 Secondary Interrupt Vector Unsigned 8-bit integer
ncp.lan_drv_io_ports_and_ranges_1 Primary Base I/O Port Unsigned 16-bit integer
ncp.lan_drv_io_ports_and_ranges_2 Number of I/O Ports Unsigned 16-bit integer
ncp.lan_drv_io_ports_and_ranges_3 Secondary Base I/O Port Unsigned 16-bit integer
ncp.lan_drv_io_ports_and_ranges_4 Number of I/O Ports Unsigned 16-bit integer
ncp.lan_drv_io_reserved LAN Driver IO Reserved Byte array
ncp.lan_drv_line_speed LAN Driver Line Speed Unsigned 16-bit integer
ncp.lan_drv_link LAN Driver Link Unsigned 32-bit integer
ncp.lan_drv_log_name LAN Driver Logical Name Byte array
ncp.lan_drv_major_ver LAN Driver Major Version Unsigned 8-bit integer
ncp.lan_drv_max_rcv_size LAN Driver Maximum Receive Size Unsigned 32-bit integer
ncp.lan_drv_max_size LAN Driver Maximum Size Unsigned 32-bit integer
ncp.lan_drv_media_id LAN Driver Media ID Unsigned 16-bit integer
ncp.lan_drv_mem_decode_0 LAN Driver Memory Decode 0 Unsigned 32-bit integer
ncp.lan_drv_mem_decode_1 LAN Driver Memory Decode 1 Unsigned 32-bit integer
ncp.lan_drv_mem_length_0 LAN Driver Memory Length 0 Unsigned 16-bit integer
ncp.lan_drv_mem_length_1 LAN Driver Memory Length 1 Unsigned 16-bit integer
ncp.lan_drv_minor_ver LAN Driver Minor Version Unsigned 8-bit integer
ncp.lan_drv_rcv_size LAN Driver Receive Size Unsigned 32-bit integer
ncp.lan_drv_reserved LAN Driver Reserved Unsigned 16-bit integer
ncp.lan_drv_share LAN Driver Sharing Flags Unsigned 16-bit integer
ncp.lan_drv_slot LAN Driver Slot Unsigned 16-bit integer
ncp.lan_drv_snd_retries LAN Driver Send Retries Unsigned 16-bit integer
ncp.lan_drv_src_route LAN Driver Source Routing Unsigned 32-bit integer
ncp.lan_drv_trans_time LAN Driver Transport Time Unsigned 16-bit integer
ncp.lan_dvr_cfg_major_vrs LAN Driver Config - Major Version Unsigned 8-bit integer
ncp.lan_dvr_cfg_minor_vrs LAN Driver Config - Minor Version Unsigned 8-bit integer
ncp.lan_dvr_mode_flags LAN Driver Mode Flags Unsigned 8-bit integer
ncp.lan_dvr_node_addr LAN Driver Node Address Byte array
ncp.large_internet_packets Large Internet Packets (LIP) Disabled Boolean
ncp.last_access_date Last Accessed Date Unsigned 16-bit integer
ncp.last_access_time Last Accessed Time Unsigned 16-bit integer
ncp.last_garbage_collect Last Garbage Collection Unsigned 32-bit integer
ncp.last_instance Last Instance Unsigned 32-bit integer
ncp.last_record_seen Last Record Seen Unsigned 16-bit integer
ncp.last_search_index Search Index Unsigned 16-bit integer
ncp.last_seen Last Seen Unsigned 32-bit integer
ncp.last_sequence_number Sequence Number Unsigned 16-bit integer
ncp.last_time_rx_buff_was_alloc Last Time a Receive Buffer was Allocated Unsigned 32-bit integer
ncp.length Packet Length Unsigned 16-bit integer
ncp.length_64bit 64bit Length Byte array
ncp.level Level Unsigned 8-bit integer
ncp.lfs_counters LFS Counters Unsigned 32-bit integer
ncp.limb_count Limb Count Unsigned 32-bit integer
ncp.limb_flags Limb Flags Unsigned 32-bit integer
ncp.limb_scan_num Limb Scan Number Unsigned 32-bit integer
ncp.limbo_data_streams_count Limbo Data Streams Count Unsigned 32-bit integer
ncp.limbo_used Limbo Used Unsigned 32-bit integer
ncp.lip_echo Large Internet Packet Echo String
ncp.loaded_name_spaces Loaded Name Spaces Unsigned 8-bit integer
ncp.local_connection_id Local Connection ID Unsigned 32-bit integer
ncp.local_login_info_ccode Local Login Info C Code Unsigned 8-bit integer
ncp.local_max_packet_size Local Max Packet Size Unsigned 32-bit integer
ncp.local_max_recv_size Local Max Recv Size Unsigned 32-bit integer
ncp.local_max_send_size Local Max Send Size Unsigned 32-bit integer
ncp.local_target_socket Local Target Socket Unsigned 32-bit integer
ncp.lock_area_len Lock Area Length Unsigned 32-bit integer
ncp.lock_areas_start_offset Lock Areas Start Offset Unsigned 32-bit integer
ncp.lock_flag Lock Flag Unsigned 8-bit integer
ncp.lock_name Lock Name String
ncp.lock_status Lock Status Unsigned 8-bit integer
ncp.lock_timeout Lock Timeout Unsigned 16-bit integer
ncp.lock_type Lock Type Unsigned 8-bit integer
ncp.locked Locked Flag Unsigned 8-bit integer
ncp.log_file_flag_high Log File Flag (byte 2) Unsigned 8-bit integer
ncp.log_file_flag_low Log File Flag Unsigned 8-bit integer
ncp.log_flag_call_back Call Back Requested Boolean
ncp.log_flag_lock_file Lock File Immediately Boolean
ncp.log_ttl_rx_pkts Total Received Packets Unsigned 32-bit integer
ncp.log_ttl_tx_pkts Total Transmitted Packets Unsigned 32-bit integer
ncp.logged_count Logged Count Unsigned 16-bit integer
ncp.logged_object_id Logged in Object ID Unsigned 32-bit integer
ncp.logical_connection_number Logical Connection Number Unsigned 16-bit integer
ncp.logical_drive_count Logical Drive Count Unsigned 8-bit integer
ncp.logical_drive_number Logical Drive Number Unsigned 8-bit integer
ncp.logical_lock_threshold LogicalLockThreshold Unsigned 8-bit integer
ncp.logical_record_name Logical Record Name String
ncp.login_expiration_time Login Expiration Time Unsigned 32-bit integer
ncp.login_key Login Key Byte array
ncp.login_name Login Name String
ncp.long_name Long Name String
ncp.lru_block_was_dirty LRU Block Was Dirty Unsigned 16-bit integer
ncp.lru_sit_time LRU Sitting Time Unsigned 32-bit integer
ncp.mac_attr Attributes Unsigned 16-bit integer
ncp.mac_attr_archive Archive Boolean
ncp.mac_attr_execute_only Execute Only Boolean
ncp.mac_attr_hidden Hidden Boolean
ncp.mac_attr_index Index Boolean
ncp.mac_attr_r_audit Read Audit Boolean
ncp.mac_attr_r_only Read Only Boolean
ncp.mac_attr_share Shareable File Boolean
ncp.mac_attr_smode1 Search Mode Boolean
ncp.mac_attr_smode2 Search Mode Boolean
ncp.mac_attr_smode3 Search Mode Boolean
ncp.mac_attr_subdirectory Subdirectory Boolean
ncp.mac_attr_system System Boolean
ncp.mac_attr_transaction Transaction Boolean
ncp.mac_attr_w_audit Write Audit Boolean
ncp.mac_backup_date Mac Backup Date Unsigned 16-bit integer
ncp.mac_backup_time Mac Backup Time Unsigned 16-bit integer
ncp.mac_base_directory_id Mac Base Directory ID Unsigned 32-bit integer
ncp.mac_create_date Mac Create Date Unsigned 16-bit integer
ncp.mac_create_time Mac Create Time Unsigned 16-bit integer
ncp.mac_destination_base_id Mac Destination Base ID Unsigned 32-bit integer
ncp.mac_finder_info Mac Finder Information Byte array
ncp.mac_last_seen_id Mac Last Seen ID Unsigned 32-bit integer
ncp.mac_root_ids MAC Root IDs Unsigned 32-bit integer
ncp.mac_source_base_id Mac Source Base ID Unsigned 32-bit integer
ncp.major_version Major Version Unsigned 32-bit integer
ncp.map_hash_node_count Map Hash Node Count Unsigned 32-bit integer
ncp.max_byte_cnt Maximum Byte Count Unsigned 32-bit integer
ncp.max_bytes Maximum Number of Bytes Unsigned 16-bit integer
ncp.max_data_streams Maximum Data Streams Unsigned 32-bit integer
ncp.max_dir_depth Maximum Directory Depth Unsigned 32-bit integer
ncp.max_dirty_time Maximum Dirty Time Unsigned 32-bit integer
ncp.max_num_of_conn Maximum Number of Connections Unsigned 32-bit integer
ncp.max_num_of_dir_cache_buff Maximum Number Of Directory Cache Buffers Unsigned 32-bit integer
ncp.max_num_of_lans Maximum Number Of LAN's Unsigned 32-bit integer
ncp.max_num_of_media_types Maximum Number of Media Types Unsigned 32-bit integer
ncp.max_num_of_medias Maximum Number Of Media's Unsigned 32-bit integer
ncp.max_num_of_nme_sps Maximum Number Of Name Spaces Unsigned 32-bit integer
ncp.max_num_of_protocols Maximum Number of Protocols Unsigned 32-bit integer
ncp.max_num_of_spool_pr Maximum Number Of Spool Printers Unsigned 32-bit integer
ncp.max_num_of_stacks Maximum Number Of Stacks Unsigned 32-bit integer
ncp.max_num_of_users Maximum Number Of Users Unsigned 32-bit integer
ncp.max_num_of_vol Maximum Number of Volumes Unsigned 32-bit integer
ncp.max_phy_packet_size Maximum Physical Packet Size Unsigned 32-bit integer
ncp.max_read_data_reply_size Max Read Data Reply Size Unsigned 16-bit integer
ncp.max_reply_obj_id_count Max Reply Object ID Count Unsigned 8-bit integer
ncp.max_space Maximum Space Unsigned 16-bit integer
ncp.maxspace Maximum Space Unsigned 32-bit integer
ncp.may_had_out_of_order Maybe Had Out Of Order Writes Count Unsigned 32-bit integer
ncp.media_list Media List Unsigned 32-bit integer
ncp.media_list_count Media List Count Unsigned 32-bit integer
ncp.media_name Media Name String
ncp.media_number Media Number Unsigned 32-bit integer
ncp.media_object_type Object Type Unsigned 8-bit integer
ncp.member_name Member Name String
ncp.member_type Member Type Unsigned 16-bit integer
ncp.message_language NLM Language Unsigned 32-bit integer
ncp.migrated_files Migrated Files Unsigned 32-bit integer
ncp.migrated_sectors Migrated Sectors Unsigned 32-bit integer
ncp.min_cache_report_thresh Minimum Cache Report Threshold Unsigned 32-bit integer
ncp.min_nds_version Minimum NDS Version Unsigned 32-bit integer
ncp.min_num_of_cache_buff Minimum Number Of Cache Buffers Unsigned 32-bit integer
ncp.min_num_of_dir_cache_buff Minimum Number Of Directory Cache Buffers Unsigned 32-bit integer
ncp.min_time_since_file_delete Minimum Time Since File Delete Unsigned 32-bit integer
ncp.minor_version Minor Version Unsigned 32-bit integer
ncp.missing_data_count Missing Data Count Unsigned 16-bit integer Number of bytes of missing data
ncp.missing_data_offset Missing Data Offset Unsigned 32-bit integer Offset of beginning of missing data
ncp.missing_fraglist_count Missing Fragment List Count Unsigned 16-bit integer Number of missing fragments reported
ncp.mixed_mode_path_flag Mixed Mode Path Flag Unsigned 8-bit integer
ncp.modified_counter Modified Counter Unsigned 32-bit integer
ncp.modified_date Modified Date Unsigned 16-bit integer
ncp.modified_time Modified Time Unsigned 16-bit integer
ncp.modifier_id Modifier ID Unsigned 32-bit integer
ncp.modify_dos_create Creator ID Boolean
ncp.modify_dos_delete Archive Date Boolean
ncp.modify_dos_info_mask Modify DOS Info Mask Unsigned 16-bit integer
ncp.modify_dos_inheritance Inheritance Boolean
ncp.modify_dos_laccess Last Access Boolean
ncp.modify_dos_max_space Maximum Space Boolean
ncp.modify_dos_mdate Modify Date Boolean
ncp.modify_dos_mid Modifier ID Boolean
ncp.modify_dos_mtime Modify Time Boolean
ncp.modify_dos_open Creation Time Boolean
ncp.modify_dos_parent Archive Time Boolean
ncp.modify_dos_read Attributes Boolean
ncp.modify_dos_search Archiver ID Boolean
ncp.modify_dos_write Creation Date Boolean
ncp.more_flag More Flag Unsigned 8-bit integer
ncp.more_properties More Properties Unsigned 8-bit integer
ncp.move_cache_node Move Cache Node Count Unsigned 32-bit integer
ncp.move_cache_node_from_avai Move Cache Node From Avail Count Unsigned 32-bit integer
ncp.moved_the_ack_bit_dn Moved The ACK Bit Down Count Unsigned 32-bit integer
ncp.msg_flag Broadcast Message Flag Unsigned 8-bit integer
ncp.mv_string Attribute Name String
ncp.name Name String
ncp.name12 Name String
ncp.name_len Name Space Length Unsigned 8-bit integer
ncp.name_length Name Length Unsigned 8-bit integer
ncp.name_list Name List Unsigned 32-bit integer
ncp.name_space Name Space Unsigned 8-bit integer
ncp.name_space_name Name Space Name String
ncp.name_type nameType Unsigned 32-bit integer
ncp.ncompletion_code Completion Code Unsigned 32-bit integer
ncp.ncp_data_size NCP Data Size Unsigned 32-bit integer
ncp.ncp_encoded_strings NCP Encoded Strings Boolean
ncp.ncp_encoded_strings_bits NCP Encoded Strings Bits Unsigned 32-bit integer
ncp.ncp_extension_major_version NCP Extension Major Version Unsigned 8-bit integer
ncp.ncp_extension_minor_version NCP Extension Minor Version Unsigned 8-bit integer
ncp.ncp_extension_name NCP Extension Name String
ncp.ncp_extension_number NCP Extension Number Unsigned 32-bit integer
ncp.ncp_extension_numbers NCP Extension Numbers Unsigned 32-bit integer
ncp.ncp_extension_revision_number NCP Extension Revision Number Unsigned 8-bit integer
ncp.ncp_peak_sta_in_use Peak Number of Connections since Server was brought up Unsigned 32-bit integer
ncp.ncp_sta_in_use Number of Workstations Connected to Server Unsigned 32-bit integer
ncp.ndirty_blocks Number of Dirty Blocks Unsigned 32-bit integer
ncp.nds_acflags Attribute Constraint Flags Unsigned 32-bit integer
ncp.nds_acl_add Access Control Lists to Add Unsigned 32-bit integer
ncp.nds_acl_del Access Control Lists to Delete Unsigned 32-bit integer
ncp.nds_all_attr All Attributes Unsigned 32-bit integer Return all Attributes?
ncp.nds_asn1 ASN.1 ID Byte array
ncp.nds_att_add Attribute to Add Unsigned 32-bit integer
ncp.nds_att_del Attribute to Delete Unsigned 32-bit integer
ncp.nds_attribute_dn Attribute Name String
ncp.nds_attributes Attributes Unsigned 32-bit integer
ncp.nds_base Base Class String
ncp.nds_base_class Base Class String
ncp.nds_bit1 Typeless Boolean
ncp.nds_bit10 Not Defined Boolean
ncp.nds_bit11 Not Defined Boolean
ncp.nds_bit12 Not Defined Boolean
ncp.nds_bit13 Not Defined Boolean
ncp.nds_bit14 Not Defined Boolean
ncp.nds_bit15 Not Defined Boolean
ncp.nds_bit16 Not Defined Boolean
ncp.nds_bit2 All Containers Boolean
ncp.nds_bit3 Slashed Boolean
ncp.nds_bit4 Dotted Boolean
ncp.nds_bit5 Tuned Boolean
ncp.nds_bit6 Not Defined Boolean
ncp.nds_bit7 Not Defined Boolean
ncp.nds_bit8 Not Defined Boolean
ncp.nds_bit9 Not Defined Boolean
ncp.nds_cflags Class Flags Unsigned 32-bit integer
ncp.nds_child_part_id Child Partition Root ID Unsigned 32-bit integer
ncp.nds_class_def_type Class Definition Type String
ncp.nds_class_filter Class Filter String
ncp.nds_classes Classes Unsigned 32-bit integer
ncp.nds_comm_trans Communications Transport Unsigned 32-bit integer
ncp.nds_compare_results Compare Results String
ncp.nds_crc CRC Unsigned 32-bit integer
ncp.nds_delim Delimeter String
ncp.nds_depth Distance object is from Root Unsigned 32-bit integer
ncp.nds_deref_base Dereference Base Class String
ncp.nds_ds_time DS Time Unsigned 32-bit integer
ncp.nds_eflags Entry Flags Unsigned 32-bit integer
ncp.nds_eid NDS EID Unsigned 32-bit integer
ncp.nds_entry_info Entry Information Unsigned 32-bit integer
ncp.nds_es Input Entry Specifier Unsigned 32-bit integer
ncp.nds_es_rdn_count RDN Count Unsigned 32-bit integer
ncp.nds_es_seconds Seconds Unsigned 32-bit integer
ncp.nds_es_type Entry Specifier Type String
ncp.nds_es_value Entry Specifier Value Unsigned 32-bit integer
ncp.nds_event_num Event Number Unsigned 16-bit integer
ncp.nds_file_handle File Handle Unsigned 32-bit integer
ncp.nds_file_size File Size Unsigned 32-bit integer
ncp.nds_flags NDS Return Flags Unsigned 32-bit integer
ncp.nds_info_type Info Type String
ncp.nds_iteration Iteration Handle Unsigned 32-bit integer
ncp.nds_keep Delete Original RDN Boolean
ncp.nds_letter_ver Letter Version Unsigned 32-bit integer
ncp.nds_lic_flags License Flags Unsigned 32-bit integer
ncp.nds_local_partition Local Partition ID Unsigned 32-bit integer
ncp.nds_lower Lower Limit Value Unsigned 32-bit integer
ncp.nds_master_part_id Master Partition Root ID Unsigned 32-bit integer
ncp.nds_name Name String
ncp.nds_name_filter Name Filter String
ncp.nds_name_type Name Type String
ncp.nds_nested_out_es Nested Output Entry Specifier Type Unsigned 32-bit integer
ncp.nds_new_part_id New Partition Root ID Unsigned 32-bit integer
ncp.nds_new_rdn New Relative Distinguished Name String
ncp.nds_nflags Flags Unsigned 32-bit integer
ncp.nds_num_objects Number of Objects to Search Unsigned 32-bit integer
ncp.nds_number_of_changes Number of Attribute Changes Unsigned 32-bit integer
ncp.nds_os_ver OS Version Unsigned 32-bit integer
ncp.nds_out_delimiter Output Delimiter String
ncp.nds_out_es Output Entry Specifier Unsigned 32-bit integer
ncp.nds_out_es_type Output Entry Specifier Type Unsigned 32-bit integer
ncp.nds_parent Parent ID Unsigned 32-bit integer
ncp.nds_parent_dn Parent Distinguished Name String
ncp.nds_partition_busy Partition Busy Boolean
ncp.nds_partition_root_id Partition Root ID Unsigned 32-bit integer
ncp.nds_ping_version Ping Version Unsigned 32-bit integer
ncp.nds_privileges Privileges Unsigned 32-bit integer
ncp.nds_purge Purge Time Unsigned 32-bit integer
ncp.nds_rdn RDN String
ncp.nds_referrals Referrals Unsigned 32-bit integer
ncp.nds_relative_dn Relative Distinguished Name String
ncp.nds_replica_num Replica Number Unsigned 16-bit integer
ncp.nds_replicas Replicas Unsigned 32-bit integer
ncp.nds_reply_buf NDS Reply Buffer Size Unsigned 32-bit integer
ncp.nds_req_flags Request Flags Unsigned 32-bit integer
ncp.nds_request_flags NDS Request Flags Unsigned 16-bit integer
ncp.nds_request_flags_alias_ref Alias Referral Boolean
ncp.nds_request_flags_dn_ref Down Referral Boolean
ncp.nds_request_flags_local_entry Local Entry Boolean
ncp.nds_request_flags_no_such_entry No Such Entry Boolean
ncp.nds_request_flags_output Output Fields Boolean
ncp.nds_request_flags_reply_data_size Reply Data Size Boolean
ncp.nds_request_flags_req_cnt Request Count Boolean
ncp.nds_request_flags_req_data_size Request Data Size Boolean
ncp.nds_request_flags_trans_ref Transport Referral Boolean
ncp.nds_request_flags_trans_ref2 Transport Referral Boolean
ncp.nds_request_flags_type_ref Type Referral Boolean
ncp.nds_request_flags_up_ref Up Referral Boolean
ncp.nds_result_flags Result Flags Unsigned 32-bit integer
ncp.nds_return_all_classes All Classes String Return all Classes?
ncp.nds_rev_count Revision Count Unsigned 32-bit integer
ncp.nds_rflags Request Flags Unsigned 16-bit integer
ncp.nds_root_dn Root Distinguished Name String
ncp.nds_root_name Root Most Object Name String
ncp.nds_scope Scope Unsigned 32-bit integer
ncp.nds_search_scope Search Scope String
ncp.nds_status NDS Status Unsigned 32-bit integer
ncp.nds_stream_flags Streams Flags Unsigned 32-bit integer
ncp.nds_stream_name Stream Name String
ncp.nds_super Super Class String
ncp.nds_syntax Attribute Syntax String
ncp.nds_tags Tags String
ncp.nds_target_dn Target Server Name String
ncp.nds_time_delay Time Delay Unsigned 32-bit integer
ncp.nds_time_filter Time Filter Unsigned 32-bit integer
ncp.nds_tree_name Tree Name String
ncp.nds_tree_trans Tree Walker Transport Unsigned 32-bit integer
ncp.nds_trustee_dn Trustee Distinguished Name String
ncp.nds_upper Upper Limit Value Unsigned 32-bit integer
ncp.nds_ver NDS Version Unsigned 32-bit integer
ncp.nds_version NDS Version Unsigned 32-bit integer
ncp.nds_vflags Value Flags Unsigned 32-bit integer
ncp.nds_vlength Value Length Unsigned 32-bit integer
ncp.ndsdepth Distance from Root Unsigned 32-bit integer
ncp.ndsflag Flags Unsigned 32-bit integer
ncp.ndsflags Flags Unsigned 32-bit integer
ncp.ndsfrag NDS Fragment Handle Unsigned 32-bit integer
ncp.ndsfragsize NDS Fragment Size Unsigned 32-bit integer
ncp.ndsmessagesize Message Size Unsigned 32-bit integer
ncp.ndsnet Network IPX network or server name
ncp.ndsnode Node 6-byte Hardware (MAC) Address
ncp.ndsport Port Unsigned 16-bit integer
ncp.ndsreplyerror NDS Error Unsigned 32-bit integer
ncp.ndsrev NDS Revision Unsigned 32-bit integer
ncp.ndssocket Socket Unsigned 16-bit integer
ncp.ndsverb NDS Verb Unsigned 8-bit integer
ncp.net_id_number Net ID Number Unsigned 32-bit integer
ncp.net_status Network Status Unsigned 16-bit integer
ncp.netbios_broadcast_was_propogated NetBIOS Broadcast Was Propogated Unsigned 32-bit integer
ncp.netbios_progated NetBIOS Propagated Count Unsigned 32-bit integer
ncp.netware_access_handle NetWare Access Handle Byte array
ncp.network_address Network Address Unsigned 32-bit integer
ncp.network_node_address Network Node Address Byte array
ncp.network_number Network Number Unsigned 32-bit integer
ncp.network_socket Network Socket Unsigned 16-bit integer
ncp.new_access_rights_create Create Boolean
ncp.new_access_rights_delete Delete Boolean
ncp.new_access_rights_mask New Access Rights Unsigned 16-bit integer
ncp.new_access_rights_modify Modify Boolean
ncp.new_access_rights_open Open Boolean
ncp.new_access_rights_parental Parental Boolean
ncp.new_access_rights_read Read Boolean
ncp.new_access_rights_search Search Boolean
ncp.new_access_rights_supervisor Supervisor Boolean
ncp.new_access_rights_write Write Boolean
ncp.new_directory_id New Directory ID Unsigned 32-bit integer
ncp.new_ea_handle New EA Handle Unsigned 32-bit integer
ncp.new_file_name New File Name String
ncp.new_file_name_len New File Name String
ncp.new_file_size New File Size Unsigned 32-bit integer
ncp.new_object_name New Object Name String
ncp.new_password New Password String
ncp.new_path New Path String
ncp.new_position New Position Unsigned 8-bit integer
ncp.next_cnt_block Next Count Block Unsigned 32-bit integer
ncp.next_huge_state_info Next Huge State Info Byte array
ncp.next_limb_scan_num Next Limb Scan Number Unsigned 32-bit integer
ncp.next_object_id Next Object ID Unsigned 32-bit integer
ncp.next_record Next Record Unsigned 32-bit integer
ncp.next_request_record Next Request Record Unsigned 16-bit integer
ncp.next_search_index Next Search Index Unsigned 16-bit integer
ncp.next_search_number Next Search Number Unsigned 16-bit integer
ncp.next_starting_number Next Starting Number Unsigned 32-bit integer
ncp.next_trustee_entry Next Trustee Entry Unsigned 32-bit integer
ncp.next_volume_number Next Volume Number Unsigned 32-bit integer
ncp.nlm_count NLM Count Unsigned 32-bit integer
ncp.nlm_flags Flags Unsigned 8-bit integer
ncp.nlm_flags_multiple Can Load Multiple Times Boolean
ncp.nlm_flags_pseudo PseudoPreemption Boolean
ncp.nlm_flags_reentrant ReEntrant Boolean
ncp.nlm_flags_synchronize Synchronize Start Boolean
ncp.nlm_load_options NLM Load Options Unsigned 32-bit integer
ncp.nlm_name_stringz NLM Name String
ncp.nlm_number NLM Number Unsigned 32-bit integer
ncp.nlm_numbers NLM Numbers Unsigned 32-bit integer
ncp.nlm_start_num NLM Start Number Unsigned 32-bit integer
ncp.nlm_type NLM Type Unsigned 8-bit integer
ncp.nlms_in_list NLM's in List Unsigned 32-bit integer
ncp.no_avail_conns No Available Connections Count Unsigned 32-bit integer
ncp.no_ecb_available_count No ECB Available Count Unsigned 32-bit integer
ncp.no_mem_for_station No Memory For Station Control Count Unsigned 32-bit integer
ncp.no_more_mem_avail No More Memory Available Count Unsigned 32-bit integer
ncp.no_receive_buff No Receive Buffers Unsigned 16-bit integer
ncp.no_space_for_service No Space For Service Unsigned 16-bit integer
ncp.node Node Byte array
ncp.node_flags Node Flags Unsigned 32-bit integer
ncp.non_ded_flag Non Dedicated Flag Boolean
ncp.non_freeable_avail_sub_alloc_sectors Non Freeable Available Sub Alloc Sectors Unsigned 32-bit integer
ncp.non_freeable_limbo_sectors Non Freeable Limbo Sectors Unsigned 32-bit integer
ncp.not_my_network Not My Network Unsigned 16-bit integer
ncp.not_supported_mask Bit Counter Supported Boolean
ncp.not_usable_sub_alloc_sectors Not Usable Sub Alloc Sectors Unsigned 32-bit integer
ncp.not_yet_purgeable_blocks Not Yet Purgeable Blocks Unsigned 32-bit integer
ncp.ns_info_mask Names Space Info Mask Unsigned 16-bit integer
ncp.ns_info_mask_acc_date Access Date Boolean
ncp.ns_info_mask_adate Archive Date Boolean
ncp.ns_info_mask_aid Archiver ID Boolean
ncp.ns_info_mask_atime Archive Time Boolean
ncp.ns_info_mask_cdate Creation Date Boolean
ncp.ns_info_mask_ctime Creation Time Boolean
ncp.ns_info_mask_fatt File Attributes Boolean
ncp.ns_info_mask_max_acc_mask Inheritance Boolean
ncp.ns_info_mask_max_space Maximum Space Boolean
ncp.ns_info_mask_modify Modify Name Boolean
ncp.ns_info_mask_owner Owner ID Boolean
ncp.ns_info_mask_udate Update Date Boolean
ncp.ns_info_mask_uid Update ID Boolean
ncp.ns_info_mask_utime Update Time Boolean
ncp.ns_specific_info Name Space Specific Info String
ncp.num_bytes Number of Bytes Unsigned 16-bit integer
ncp.num_dir_cache_buff Number Of Directory Cache Buffers Unsigned 32-bit integer
ncp.num_of_allocs Number of Allocations Unsigned 32-bit integer
ncp.num_of_cache_check_no_wait Number Of Cache Check No Wait Unsigned 32-bit integer
ncp.num_of_cache_checks Number Of Cache Checks Unsigned 32-bit integer
ncp.num_of_cache_dirty_checks Number Of Cache Dirty Checks Unsigned 32-bit integer
ncp.num_of_cache_hits Number Of Cache Hits Unsigned 32-bit integer
ncp.num_of_cache_hits_no_wait Number Of Cache Hits No Wait Unsigned 32-bit integer
ncp.num_of_cc_in_pkt Number of Custom Counters in Packet Unsigned 32-bit integer
ncp.num_of_checks Number of Checks Unsigned 32-bit integer
ncp.num_of_dir_cache_buff Number Of Directory Cache Buffers Unsigned 32-bit integer
ncp.num_of_dirty_cache_checks Number Of Dirty Cache Checks Unsigned 32-bit integer
ncp.num_of_entries Number of Entries Unsigned 32-bit integer
ncp.num_of_files_migrated Number Of Files Migrated Unsigned 32-bit integer
ncp.num_of_garb_coll Number of Garbage Collections Unsigned 32-bit integer
ncp.num_of_ncp_reqs Number of NCP Requests since Server was brought up Unsigned 32-bit integer
ncp.num_of_ref_publics Number of Referenced Public Symbols Unsigned 32-bit integer
ncp.num_of_segments Number of Segments Unsigned 32-bit integer
ncp.number_of_attributes Number of Attributes Unsigned 32-bit integer
ncp.number_of_cpus Number of CPU's Unsigned 32-bit integer
ncp.number_of_data_streams Number of Data Streams Unsigned 16-bit integer
ncp.number_of_data_streams_long Number of Data Streams Unsigned 32-bit integer
ncp.number_of_dynamic_memory_areas Number Of Dynamic Memory Areas Unsigned 16-bit integer
ncp.number_of_entries Number of Entries Unsigned 8-bit integer
ncp.number_of_locks Number of Locks Unsigned 8-bit integer
ncp.number_of_minutes_to_delay Number of Minutes to Delay Unsigned 32-bit integer
ncp.number_of_ncp_extensions Number Of NCP Extensions Unsigned 32-bit integer
ncp.number_of_ns_loaded Number Of Name Spaces Loaded Unsigned 16-bit integer
ncp.number_of_protocols Number of Protocols Unsigned 8-bit integer
ncp.number_of_records Number of Records Unsigned 16-bit integer
ncp.number_of_semaphores Number Of Semaphores Unsigned 16-bit integer
ncp.number_of_service_processes Number Of Service Processes Unsigned 8-bit integer
ncp.number_of_set_categories Number Of Set Categories Unsigned 32-bit integer
ncp.number_of_sms Number Of Storage Medias Unsigned 32-bit integer
ncp.number_of_stations Number of Stations Unsigned 8-bit integer
ncp.nxt_search_num Next Search Number Unsigned 32-bit integer
ncp.o_c_ret_flags Open Create Return Flags Unsigned 8-bit integer
ncp.object_count Object Count Unsigned 32-bit integer
ncp.object_flags Object Flags Unsigned 8-bit integer
ncp.object_has_properites Object Has Properties Unsigned 8-bit integer
ncp.object_id Object ID Unsigned 32-bit integer
ncp.object_id_count Object ID Count Unsigned 16-bit integer
ncp.object_info_rtn_count Object Information Count Unsigned 32-bit integer
ncp.object_name Object Name String
ncp.object_name_len Object Name String
ncp.object_name_stringz Object Name String
ncp.object_number Object Number Unsigned 32-bit integer
ncp.object_security Object Security Unsigned 8-bit integer
ncp.object_type Object Type Unsigned 16-bit integer
ncp.old_file_name Old File Name Byte array
ncp.old_file_size Old File Size Unsigned 32-bit integer
ncp.oldest_deleted_file_age_in_ticks Oldest Deleted File Age in Ticks Unsigned 32-bit integer
ncp.open_count Open Count Unsigned 16-bit integer
ncp.open_create_action Open Create Action Unsigned 8-bit integer
ncp.open_create_action_compressed Compressed Boolean
ncp.open_create_action_created Created Boolean
ncp.open_create_action_opened Opened Boolean
ncp.open_create_action_read_only Read Only Boolean
ncp.open_create_action_replaced Replaced Boolean
ncp.open_create_mode Open Create Mode Unsigned 8-bit integer
ncp.open_create_mode_64bit Open 64-bit Access Boolean
ncp.open_create_mode_create Create new file or subdirectory (file or subdirectory cannot exist) Boolean
ncp.open_create_mode_open Open existing file (file must exist) Boolean
ncp.open_create_mode_oplock Open Callback (Op-Lock) Boolean
ncp.open_create_mode_replace Replace existing file Boolean
ncp.open_create_mode_ro Open with Read Only Access Boolean
ncp.open_for_read_count Open For Read Count Unsigned 16-bit integer
ncp.open_for_write_count Open For Write Count Unsigned 16-bit integer
ncp.open_rights Open Rights Unsigned 8-bit integer
ncp.open_rights_compat Compatibility Boolean
ncp.open_rights_deny_read Deny Read Boolean
ncp.open_rights_deny_write Deny Write Boolean
ncp.open_rights_read_only Read Only Boolean
ncp.open_rights_write_only Write Only Boolean
ncp.open_rights_write_thru File Write Through Boolean
ncp.oplock_handle File Handle Unsigned 16-bit integer
ncp.option_number Option Number Unsigned 8-bit integer
ncp.orig_num_cache_buff Original Number Of Cache Buffers Unsigned 32-bit integer
ncp.original_size Original Size Unsigned 32-bit integer
ncp.os_language_id OS Language ID Unsigned 8-bit integer
ncp.os_major_version OS Major Version Unsigned 8-bit integer
ncp.os_minor_version OS Minor Version Unsigned 8-bit integer
ncp.os_revision OS Revision Unsigned 8-bit integer
ncp.other_file_fork_fat Other File Fork FAT Entry Unsigned 32-bit integer
ncp.other_file_fork_size Other File Fork Size Unsigned 32-bit integer
ncp.outgoing_packet_discarded_no_turbo_buffer Outgoing Packet Discarded No Turbo Buffer Unsigned 16-bit integer
ncp.outstanding_compression_ios Outstanding Compression IOs Unsigned 32-bit integer
ncp.outstanding_ios Outstanding IOs Unsigned 32-bit integer
ncp.p1type NDS Parameter Type Unsigned 8-bit integer
ncp.packet_rs_too_small_count Receive Packet Too Small Count Unsigned 32-bit integer
ncp.packet_rx_misc_error_count Receive Packet Misc Error Count Unsigned 32-bit integer
ncp.packet_rx_overflow_count Receive Packet Overflow Count Unsigned 32-bit integer
ncp.packet_rx_too_big_count Receive Packet Too Big Count Unsigned 32-bit integer
ncp.packet_seqno Packet Sequence Number Unsigned 32-bit integer Sequence number of this packet in a burst
ncp.packet_tx_misc_error_count Transmit Packet Misc Error Count Unsigned 32-bit integer
ncp.packet_tx_too_big_count Transmit Packet Too Big Count Unsigned 32-bit integer
ncp.packet_tx_too_small_count Transmit Packet Too Small Count Unsigned 32-bit integer
ncp.packets_discarded_by_hop_count Packets Discarded By Hop Count Unsigned 16-bit integer
ncp.packets_discarded_unknown_net Packets Discarded Unknown Net Unsigned 16-bit integer
ncp.packets_from_invalid_connection Packets From Invalid Connection Unsigned 16-bit integer
ncp.packets_received_during_processing Packets Received During Processing Unsigned 16-bit integer
ncp.packets_with_bad_request_type Packets With Bad Request Type Unsigned 16-bit integer
ncp.packets_with_bad_sequence_number Packets With Bad Sequence Number Unsigned 16-bit integer
ncp.page_table_owner_flag Page Table Owner Unsigned 32-bit integer
ncp.parent_base_id Parent Base ID Unsigned 32-bit integer
ncp.parent_directory_base Parent Directory Base Unsigned 32-bit integer
ncp.parent_dos_directory_base Parent DOS Directory Base Unsigned 32-bit integer
ncp.parent_id Parent ID Unsigned 32-bit integer
ncp.parent_object_number Parent Object Number Unsigned 32-bit integer
ncp.password Password String
ncp.path Path String
ncp.path16 Path String
ncp.path_and_name Path and Name String
ncp.path_base Path Base Unsigned 8-bit integer
ncp.path_component_count Path Component Count Unsigned 16-bit integer
ncp.path_component_size Path Component Size Unsigned 16-bit integer
ncp.path_cookie_flags Path Cookie Flags Unsigned 16-bit integer
ncp.path_count Path Count Unsigned 8-bit integer
ncp.pending_io_commands Pending IO Commands Unsigned 16-bit integer
ncp.percent_of_vol_used_by_dirs Percent Of Volume Used By Directories Unsigned 32-bit integer
ncp.physical_disk_channel Physical Disk Channel Unsigned 8-bit integer
ncp.physical_disk_number Physical Disk Number Unsigned 8-bit integer
ncp.physical_drive_count Physical Drive Count Unsigned 8-bit integer
ncp.physical_drive_type Physical Drive Type Unsigned 8-bit integer
ncp.physical_lock_threshold Physical Lock Threshold Unsigned 8-bit integer
ncp.physical_read_errors Physical Read Errors Unsigned 16-bit integer
ncp.physical_read_requests Physical Read Requests Unsigned 32-bit integer
ncp.physical_write_errors Physical Write Errors Unsigned 16-bit integer
ncp.physical_write_requests Physical Write Requests Unsigned 32-bit integer
ncp.ping_version NDS Version Unsigned 16-bit integer
ncp.poll_abort_conn Poller Aborted The Connnection Count Unsigned 32-bit integer
ncp.poll_rem_old_out_of_order Poller Removed Old Out Of Order Count Unsigned 32-bit integer
ncp.pool_name Pool Name String
ncp.positive_acknowledges_sent Positive Acknowledges Sent Unsigned 16-bit integer
ncp.post_poned_events Postponed Events Unsigned 32-bit integer
ncp.pre_compressed_sectors Precompressed Sectors Unsigned 32-bit integer
ncp.previous_control_packet Previous Control Packet Count Unsigned 32-bit integer
ncp.previous_record Previous Record Unsigned 32-bit integer
ncp.primary_entry Primary Entry Unsigned 32-bit integer
ncp.print_flags Print Flags Unsigned 8-bit integer
ncp.print_flags_banner Print Banner Page Boolean
ncp.print_flags_cr Create Boolean
ncp.print_flags_del_spool Delete Spool File after Printing Boolean
ncp.print_flags_exp_tabs Expand Tabs in the File Boolean
ncp.print_flags_ff Suppress Form Feeds Boolean
ncp.print_server_version Print Server Version Unsigned 8-bit integer
ncp.print_to_file_flag Print to File Flag Boolean
ncp.printer_halted Printer Halted Unsigned 8-bit integer
ncp.printer_offline Printer Off-Line Unsigned 8-bit integer
ncp.priority Priority Unsigned 32-bit integer
ncp.privileges Login Privileges Unsigned 32-bit integer
ncp.pro_dos_info Pro DOS Info Byte array
ncp.processor_type Processor Type Unsigned 8-bit integer
ncp.product_major_version Product Major Version Unsigned 16-bit integer
ncp.product_minor_version Product Minor Version Unsigned 16-bit integer
ncp.product_revision_version Product Revision Version Unsigned 8-bit integer
ncp.projected_comp_size Projected Compression Size Unsigned 32-bit integer
ncp.property_data Property Data Byte array
ncp.property_has_more_segments Property Has More Segments Unsigned 8-bit integer
ncp.property_name Property Name String
ncp.property_name_16 Property Name String
ncp.property_segment Property Segment Unsigned 8-bit integer
ncp.property_type Property Type Unsigned 8-bit integer
ncp.property_value Property Value String
ncp.proposed_max_size Proposed Max Size Unsigned 16-bit integer
ncp.protocol_board_num Protocol Board Number Unsigned 32-bit integer
ncp.protocol_flags Protocol Flags Unsigned 32-bit integer
ncp.protocol_id Protocol ID Byte array
ncp.protocol_name Protocol Name String
ncp.protocol_number Protocol Number Unsigned 16-bit integer
ncp.purge_c_code Purge Completion Code Unsigned 32-bit integer
ncp.purge_count Purge Count Unsigned 32-bit integer
ncp.purge_flags Purge Flags Unsigned 16-bit integer
ncp.purge_list Purge List Unsigned 32-bit integer
ncp.purgeable_blocks Purgeable Blocks Unsigned 32-bit integer
ncp.qms_version QMS Version Unsigned 8-bit integer
ncp.queue_id Queue ID Unsigned 32-bit integer
ncp.queue_name Queue Name String
ncp.queue_start_position Queue Start Position Unsigned 32-bit integer
ncp.queue_status Queue Status Unsigned 8-bit integer
ncp.queue_status_new_jobs Operator does not want to add jobs to the queue Boolean
ncp.queue_status_pserver Operator does not want additional servers attaching Boolean
ncp.queue_status_svc_jobs Operator does not want servers to service jobs Boolean
ncp.queue_type Queue Type Unsigned 16-bit integer
ncp.r_tag_num Resource Tag Number Unsigned 32-bit integer
ncp.re_mirror_current_offset ReMirror Current Offset Unsigned 32-bit integer
ncp.re_mirror_drive_number ReMirror Drive Number Unsigned 8-bit integer
ncp.read_beyond_write Read Beyond Write Unsigned 16-bit integer
ncp.read_exist_blck Read Existing Block Count Unsigned 32-bit integer
ncp.read_exist_part_read Read Existing Partial Read Count Unsigned 32-bit integer
ncp.read_exist_read_err Read Existing Read Error Count Unsigned 32-bit integer
ncp.read_exist_write_wait Read Existing Write Wait Count Unsigned 32-bit integer
ncp.realloc_slot Re-Allocate Slot Count Unsigned 32-bit integer
ncp.realloc_slot_came_too_soon Re-Allocate Slot Came Too Soon Count Unsigned 32-bit integer
ncp.rec_lock_count Record Lock Count Unsigned 16-bit integer
ncp.record_end Record End Unsigned 32-bit integer
ncp.record_in_use Record in Use Unsigned 16-bit integer
ncp.record_start Record Start Unsigned 32-bit integer
ncp.redirected_printer Redirected Printer Unsigned 8-bit integer
ncp.reexecute_request Re-Execute Request Count Unsigned 32-bit integer
ncp.ref_addcount Address Count Unsigned 32-bit integer
ncp.ref_rec Referral Record Unsigned 32-bit integer
ncp.reference_count Reference Count Unsigned 32-bit integer
ncp.relations_count Relations Count Unsigned 16-bit integer
ncp.rem_cache_node Remove Cache Node Count Unsigned 32-bit integer
ncp.rem_cache_node_from_avail Remove Cache Node From Avail Count Unsigned 32-bit integer
ncp.remote_max_packet_size Remote Max Packet Size Unsigned 32-bit integer
ncp.remote_target_id Remote Target ID Unsigned 32-bit integer
ncp.removable_flag Removable Flag Unsigned 16-bit integer
ncp.remove_open_rights Remove Open Rights Unsigned 8-bit integer
ncp.remove_open_rights_comp Compatibility Boolean
ncp.remove_open_rights_dr Deny Read Boolean
ncp.remove_open_rights_dw Deny Write Boolean
ncp.remove_open_rights_ro Read Only Boolean
ncp.remove_open_rights_wo Write Only Boolean
ncp.remove_open_rights_write_thru Write Through Boolean
ncp.rename_flag Rename Flag Unsigned 8-bit integer
ncp.rename_flag_comp Compatability allows files that are marked read only to be opened with read/write access Boolean
ncp.rename_flag_no Name Only renames only the specified name space entry name Boolean
ncp.rename_flag_ren Rename to Myself allows file to be renamed to it's original name Boolean
ncp.replies_cancelled Replies Cancelled Unsigned 16-bit integer
ncp.reply_canceled Reply Canceled Count Unsigned 32-bit integer
ncp.reply_queue_job_numbers Reply Queue Job Numbers Unsigned 32-bit integer
ncp.req_frame_num Response to Request in Frame Number Frame number
ncp.request_bit_map Request Bit Map Unsigned 16-bit integer
ncp.request_bit_map_ratt Return Attributes Boolean
ncp.request_bit_map_ret_acc_date Access Date Boolean
ncp.request_bit_map_ret_acc_priv Access Privileges Boolean
ncp.request_bit_map_ret_afp_ent AFP Entry ID Boolean
ncp.request_bit_map_ret_afp_parent AFP Parent Entry ID Boolean
ncp.request_bit_map_ret_bak_date Backup Date&Time Boolean
ncp.request_bit_map_ret_cr_date Creation Date Boolean
ncp.request_bit_map_ret_data_fork Data Fork Length Boolean
ncp.request_bit_map_ret_finder Finder Info Boolean
ncp.request_bit_map_ret_long_nm Long Name Boolean
ncp.request_bit_map_ret_mod_date Modify Date&Time Boolean
ncp.request_bit_map_ret_num_off Number of Offspring Boolean
ncp.request_bit_map_ret_owner Owner ID Boolean
ncp.request_bit_map_ret_res_fork Resource Fork Length Boolean
ncp.request_bit_map_ret_short Short Name Boolean
ncp.request_code Request Code Unsigned 8-bit integer
ncp.requests_reprocessed Requests Reprocessed Unsigned 16-bit integer
ncp.reserved Reserved Unsigned 8-bit integer
ncp.reserved10 Reserved Byte array
ncp.reserved12 Reserved Byte array
ncp.reserved120 Reserved Byte array
ncp.reserved16 Reserved Byte array
ncp.reserved2 Reserved Byte array
ncp.reserved20 Reserved Byte array
ncp.reserved28 Reserved Byte array
ncp.reserved3 Reserved Byte array
ncp.reserved36 Reserved Byte array
ncp.reserved4 Reserved Byte array
ncp.reserved44 Reserved Byte array
ncp.reserved48 Reserved Byte array
ncp.reserved5 Reserved Byte array
ncp.reserved50 Reserved Byte array
ncp.reserved56 Reserved Byte array
ncp.reserved6 Reserved Byte array
ncp.reserved64 Reserved Byte array
ncp.reserved8 Reserved Byte array
ncp.reserved_or_directory_number Reserved or Directory Number (see EAFlags) Unsigned 32-bit integer
ncp.resource_count Resource Count Unsigned 32-bit integer
ncp.resource_fork_len Resource Fork Len Unsigned 32-bit integer
ncp.resource_fork_size Resource Fork Size Unsigned 32-bit integer
ncp.resource_name Resource Name String
ncp.resource_sig Resource Signature String
ncp.restore_time Restore Time Unsigned 32-bit integer
ncp.restriction Disk Space Restriction Unsigned 32-bit integer
ncp.restrictions_enforced Disk Restrictions Enforce Flag Unsigned 8-bit integer
ncp.ret_info_mask Return Information Unsigned 16-bit integer
ncp.ret_info_mask_actual Return Actual Information Boolean
ncp.ret_info_mask_alloc Return Allocation Space Information Boolean
ncp.ret_info_mask_arch Return Archive Information Boolean
ncp.ret_info_mask_attr Return Attribute Information Boolean
ncp.ret_info_mask_create Return Creation Information Boolean
ncp.ret_info_mask_dir Return Directory Information Boolean
ncp.ret_info_mask_eattr Return Extended Attributes Information Boolean
ncp.ret_info_mask_fname Return File Name Information Boolean
ncp.ret_info_mask_id Return ID Information Boolean
ncp.ret_info_mask_logical Return Logical Information Boolean
ncp.ret_info_mask_mod Return Modify Information Boolean
ncp.ret_info_mask_ns Return Name Space Information Boolean
ncp.ret_info_mask_ns_attr Return Name Space Attributes Information Boolean
ncp.ret_info_mask_rights Return Rights Information Boolean
ncp.ret_info_mask_size Return Size Information Boolean
ncp.ret_info_mask_tspace Return Total Space Information Boolean
ncp.retry_tx_count Transmit Retry Count Unsigned 32-bit integer
ncp.return_info_count Return Information Count Unsigned 32-bit integer
ncp.returned_list_count Returned List Count Unsigned 32-bit integer
ncp.rev_query_flag Revoke Rights Query Flag Unsigned 8-bit integer
ncp.revent Event Unsigned 16-bit integer
ncp.revision Revision Unsigned 32-bit integer
ncp.rights_grant_mask Grant Rights Unsigned 8-bit integer
ncp.rights_grant_mask_create Create Boolean
ncp.rights_grant_mask_del Delete Boolean
ncp.rights_grant_mask_mod Modify Boolean
ncp.rights_grant_mask_open Open Boolean
ncp.rights_grant_mask_parent Parental Boolean
ncp.rights_grant_mask_read Read Boolean
ncp.rights_grant_mask_search Search Boolean
ncp.rights_grant_mask_write Write Boolean
ncp.rights_revoke_mask Revoke Rights Unsigned 8-bit integer
ncp.rights_revoke_mask_create Create Boolean
ncp.rights_revoke_mask_del Delete Boolean
ncp.rights_revoke_mask_mod Modify Boolean
ncp.rights_revoke_mask_open Open Boolean
ncp.rights_revoke_mask_parent Parental Boolean
ncp.rights_revoke_mask_read Read Boolean
ncp.rights_revoke_mask_search Search Boolean
ncp.rights_revoke_mask_write Write Boolean
ncp.rip_socket_num RIP Socket Number Unsigned 16-bit integer
ncp.rnum Replica Number Unsigned 16-bit integer
ncp.route_hops Hop Count Unsigned 16-bit integer
ncp.route_time Route Time Unsigned 16-bit integer
ncp.router_dn_flag Router Down Flag Boolean
ncp.rpc_c_code RPC Completion Code Unsigned 16-bit integer
ncp.rpy_nearest_srv_flag Reply to Nearest Server Flag Boolean
ncp.rstate Replica State String
ncp.rtype Replica Type String
ncp.rx_buffer_size Receive Buffer Size Unsigned 32-bit integer
ncp.rx_buffers Receive Buffers Unsigned 32-bit integer
ncp.rx_buffers_75 Receive Buffers Warning Level Unsigned 32-bit integer
ncp.rx_buffers_checked_out Receive Buffers Checked Out Count Unsigned 32-bit integer
ncp.s_day Day Unsigned 8-bit integer
ncp.s_day_of_week Day of Week Unsigned 8-bit integer
ncp.s_hour Hour Unsigned 8-bit integer
ncp.s_m_info Storage Media Information Unsigned 8-bit integer
ncp.s_minute Minutes Unsigned 8-bit integer
ncp.s_module_name Storage Module Name String
ncp.s_month Month Unsigned 8-bit integer
ncp.s_offset_64bit 64bit Starting Offset Byte array
ncp.s_second Seconds Unsigned 8-bit integer
ncp.salvageable_file_entry_number Salvageable File Entry Number Unsigned 32-bit integer
ncp.sap_socket_number SAP Socket Number Unsigned 16-bit integer
ncp.sattr Search Attributes Unsigned 8-bit integer
ncp.sattr_archive Archive Boolean
ncp.sattr_execute_confirm Execute Confirm Boolean
ncp.sattr_exonly Execute-Only Files Allowed Boolean
ncp.sattr_hid Hidden Files Allowed Boolean
ncp.sattr_ronly Read-Only Files Allowed Boolean
ncp.sattr_shareable Shareable Boolean
ncp.sattr_sub Subdirectories Only Boolean
ncp.sattr_sys System Files Allowed Boolean
ncp.saved_an_out_of_order_packet Saved An Out Of Order Packet Count Unsigned 32-bit integer
ncp.scan_entire_folder Wild Search Boolean
ncp.scan_files_only Scan Files Only Boolean
ncp.scan_folders_only Scan Folders Only Boolean
ncp.scan_items Number of Items returned from Scan Unsigned 32-bit integer
ncp.search_att_archive Archive Boolean
ncp.search_att_execute_confirm Execute Confirm Boolean
ncp.search_att_execute_only Execute-Only Boolean
ncp.search_att_hidden Hidden Files Allowed Boolean
ncp.search_att_low Search Attributes Unsigned 16-bit integer
ncp.search_att_read_only Read-Only Boolean
ncp.search_att_shareable Shareable Boolean
ncp.search_att_sub Subdirectories Only Boolean
ncp.search_att_system System Boolean
ncp.search_attr_all_files All Files and Directories Boolean
ncp.search_bit_map Search Bit Map Unsigned 8-bit integer
ncp.search_bit_map_files Files Boolean
ncp.search_bit_map_hidden Hidden Boolean
ncp.search_bit_map_sub Subdirectory Boolean
ncp.search_bit_map_sys System Boolean
ncp.search_conn_number Search Connection Number Unsigned 32-bit integer
ncp.search_instance Search Instance Unsigned 32-bit integer
ncp.search_number Search Number Unsigned 32-bit integer
ncp.search_pattern Search Pattern String
ncp.search_pattern_16 Search Pattern String
ncp.search_sequence Search Sequence Byte array
ncp.search_sequence_word Search Sequence Unsigned 16-bit integer
ncp.sec_rel_to_y2k Seconds Relative to the Year 2000 Unsigned 32-bit integer
ncp.sector_size Sector Size Unsigned 32-bit integer
ncp.sectors_per_block Sectors Per Block Unsigned 8-bit integer
ncp.sectors_per_cluster Sectors Per Cluster Unsigned 16-bit integer
ncp.sectors_per_cluster_long Sectors Per Cluster Unsigned 32-bit integer
ncp.sectors_per_track Sectors Per Track Unsigned 8-bit integer
ncp.security_equiv_list Security Equivalent List String
ncp.security_flag Security Flag Unsigned 8-bit integer
ncp.security_restriction_version Security Restriction Version Unsigned 8-bit integer
ncp.semaphore_handle Semaphore Handle Unsigned 32-bit integer
ncp.semaphore_name Semaphore Name String
ncp.semaphore_open_count Semaphore Open Count Unsigned 8-bit integer
ncp.semaphore_share_count Semaphore Share Count Unsigned 8-bit integer
ncp.semaphore_time_out Semaphore Time Out Unsigned 16-bit integer
ncp.semaphore_value Semaphore Value Unsigned 16-bit integer
ncp.send_hold_off_message Send Hold Off Message Count Unsigned 32-bit integer
ncp.send_status Send Status Unsigned 8-bit integer
ncp.sent_a_dup_reply Sent A Duplicate Reply Count Unsigned 32-bit integer
ncp.sent_pos_ack Sent Positive Acknowledge Count Unsigned 32-bit integer
ncp.seq Sequence Number Unsigned 8-bit integer
ncp.sequence_byte Sequence Unsigned 8-bit integer
ncp.sequence_number Sequence Number Unsigned 32-bit integer
ncp.server_address Server Address Byte array
ncp.server_app_num Server App Number Unsigned 16-bit integer
ncp.server_id_number Server ID Unsigned 32-bit integer
ncp.server_info_flags Server Information Flags Unsigned 16-bit integer
ncp.server_list_flags Server List Flags Unsigned 32-bit integer
ncp.server_name Server Name String
ncp.server_name_len Server Name String
ncp.server_name_stringz Server Name String
ncp.server_network_address Server Network Address Byte array
ncp.server_node Server Node Byte array
ncp.server_serial_number Server Serial Number Unsigned 32-bit integer
ncp.server_station Server Station Unsigned 8-bit integer
ncp.server_station_list Server Station List Unsigned 8-bit integer
ncp.server_station_long Server Station Unsigned 32-bit integer
ncp.server_status_record Server Status Record String
ncp.server_task_number Server Task Number Unsigned 8-bit integer
ncp.server_task_number_long Server Task Number Unsigned 32-bit integer
ncp.server_type Server Type Unsigned 16-bit integer
ncp.server_utilization Server Utilization Unsigned 32-bit integer
ncp.server_utilization_percentage Server Utilization Percentage Unsigned 8-bit integer
ncp.set_cmd_category Set Command Category Unsigned 8-bit integer
ncp.set_cmd_flags Set Command Flags Unsigned 8-bit integer
ncp.set_cmd_name Set Command Name String
ncp.set_cmd_type Set Command Type Unsigned 8-bit integer
ncp.set_cmd_value_num Set Command Value Unsigned 32-bit integer
ncp.set_mask Set Mask Unsigned 32-bit integer
ncp.set_parm_name Set Parameter Name String
ncp.sft_error_table SFT Error Table Byte array
ncp.sft_support_level SFT Support Level Unsigned 8-bit integer
ncp.shareable_lock_count Shareable Lock Count Unsigned 16-bit integer
ncp.shared_memory_addresses Shared Memory Addresses Byte array
ncp.short_name Short Name String
ncp.short_stack_name Short Stack Name String
ncp.shouldnt_be_ack_here Shouldn't Be ACKing Here Count Unsigned 32-bit integer
ncp.sibling_count Sibling Count Unsigned 32-bit integer
ncp.signature Signature Boolean
ncp.slot Slot Unsigned 8-bit integer
ncp.sm_info_size Storage Module Information Size Unsigned 32-bit integer
ncp.smids Storage Media ID's Unsigned 32-bit integer
ncp.software_description Software Description String
ncp.software_driver_type Software Driver Type Unsigned 8-bit integer
ncp.software_major_version_number Software Major Version Number Unsigned 8-bit integer
ncp.software_minor_version_number Software Minor Version Number Unsigned 8-bit integer
ncp.someone_else_did_it_0 Someone Else Did It Count 0 Unsigned 32-bit integer
ncp.someone_else_did_it_1 Someone Else Did It Count 1 Unsigned 32-bit integer
ncp.someone_else_did_it_2 Someone Else Did It Count 2 Unsigned 32-bit integer
ncp.someone_else_using_this_file Someone Else Using This File Count Unsigned 32-bit integer
ncp.source_component_count Source Path Component Count Unsigned 8-bit integer
ncp.source_dir_handle Source Directory Handle Unsigned 8-bit integer
ncp.source_originate_time Source Originate Time Byte array
ncp.source_path Source Path String
ncp.source_return_time Source Return Time Byte array
ncp.space_migrated Space Migrated Unsigned 32-bit integer
ncp.space_restriction_node_count Space Restriction Node Count Unsigned 32-bit integer
ncp.space_used Space Used Unsigned 32-bit integer
ncp.spx_abort_conn SPX Aborted Connection Unsigned 16-bit integer
ncp.spx_bad_in_pkt SPX Bad In Packet Count Unsigned 16-bit integer
ncp.spx_bad_listen SPX Bad Listen Count Unsigned 16-bit integer
ncp.spx_bad_send SPX Bad Send Count Unsigned 16-bit integer
ncp.spx_est_conn_fail SPX Establish Connection Fail Unsigned 16-bit integer
ncp.spx_est_conn_req SPX Establish Connection Requests Unsigned 16-bit integer
ncp.spx_incoming_pkt SPX Incoming Packet Count Unsigned 32-bit integer
ncp.spx_listen_con_fail SPX Listen Connect Fail Unsigned 16-bit integer
ncp.spx_listen_con_req SPX Listen Connect Request Unsigned 16-bit integer
ncp.spx_listen_pkt SPX Listen Packet Count Unsigned 32-bit integer
ncp.spx_max_conn SPX Max Connections Count Unsigned 16-bit integer
ncp.spx_max_used_conn SPX Max Used Connections Unsigned 16-bit integer
ncp.spx_no_ses_listen SPX No Session Listen ECB Count Unsigned 16-bit integer
ncp.spx_send SPX Send Count Unsigned 32-bit integer
ncp.spx_send_fail SPX Send Fail Count Unsigned 16-bit integer
ncp.spx_supp_pkt SPX Suppressed Packet Count Unsigned 16-bit integer
ncp.spx_watch_dog SPX Watch Dog Destination Session Count Unsigned 16-bit integer
ncp.spx_window_choke SPX Window Choke Count Unsigned 32-bit integer
ncp.src_connection Source Connection ID Unsigned 32-bit integer The workstation's connection identification number
ncp.src_name_space Source Name Space Unsigned 8-bit integer
ncp.stack_count Stack Count Unsigned 32-bit integer
ncp.stack_full_name_str Stack Full Name String
ncp.stack_major_vn Stack Major Version Number Unsigned 8-bit integer
ncp.stack_minor_vn Stack Minor Version Number Unsigned 8-bit integer
ncp.stack_number Stack Number Unsigned 32-bit integer
ncp.stack_short_name Stack Short Name String
ncp.start_conn_num Starting Connection Number Unsigned 32-bit integer
ncp.start_number Start Number Unsigned 32-bit integer
ncp.start_number_flag Start Number Flag Unsigned 16-bit integer
ncp.start_search_number Start Search Number Unsigned 16-bit integer
ncp.start_station_error Start Station Error Count Unsigned 32-bit integer
ncp.start_volume_number Starting Volume Number Unsigned 32-bit integer
ncp.starting_block Starting Block Unsigned 16-bit integer
ncp.starting_number Starting Number Unsigned 32-bit integer
ncp.stat_major_version Statistics Table Major Version Unsigned 8-bit integer
ncp.stat_minor_version Statistics Table Minor Version Unsigned 8-bit integer
ncp.stat_table_major_version Statistics Table Major Version Unsigned 8-bit integer
ncp.stat_table_minor_version Statistics Table Minor Version Unsigned 8-bit integer
ncp.station_list Station List Unsigned 32-bit integer
ncp.station_number Station Number Byte array
ncp.status Status Unsigned 16-bit integer
ncp.status_flag_bits Status Flag Unsigned 32-bit integer
ncp.status_flag_bits_64bit 64Bit File Offsets Boolean
ncp.status_flag_bits_audit Audit Boolean
ncp.status_flag_bits_comp Compression Boolean
ncp.status_flag_bits_im_purge Immediate Purge Boolean
ncp.status_flag_bits_migrate Migration Boolean
ncp.status_flag_bits_nss NSS Volume Boolean
ncp.status_flag_bits_ro Read Only Boolean
ncp.status_flag_bits_suballoc Sub Allocation Boolean
ncp.status_flag_bits_utf8 UTF8 NCP Strings Boolean
ncp.still_doing_the_last_req Still Doing The Last Request Count Unsigned 32-bit integer
ncp.still_transmitting Still Transmitting Count Unsigned 32-bit integer
ncp.stream_type Stream Type Unsigned 8-bit integer Type of burst
ncp.sub_alloc_clusters Sub Alloc Clusters Unsigned 32-bit integer
ncp.sub_alloc_freeable_clusters Sub Alloc Freeable Clusters Unsigned 32-bit integer
ncp.sub_count Subordinate Count Unsigned 32-bit integer
ncp.sub_directory Subdirectory Unsigned 32-bit integer
ncp.subfunc SubFunction Unsigned 8-bit integer
ncp.suggested_file_size Suggested File Size Unsigned 32-bit integer
ncp.support_module_id Support Module ID Unsigned 32-bit integer
ncp.synch_name Synch Name String
ncp.system_flags System Flags Unsigned 8-bit integer
ncp.system_flags.abt ABT Boolean Is this an abort request?
ncp.system_flags.bsy BSY Boolean Is the server busy?
ncp.system_flags.eob EOB Boolean Is this the last packet of the burst?
ncp.system_flags.lst LST Boolean Return Fragment List?
ncp.system_flags.sys SYS Boolean Is this a system packet?
ncp.system_interval_marker System Interval Marker Unsigned 32-bit integer
ncp.tab_size Tab Size Unsigned 8-bit integer
ncp.target_client_list Target Client List Unsigned 8-bit integer
ncp.target_connection_number Target Connection Number Unsigned 16-bit integer
ncp.target_dir_handle Target Directory Handle Unsigned 8-bit integer
ncp.target_entry_id Target Entry ID Unsigned 32-bit integer
ncp.target_execution_time Target Execution Time Byte array
ncp.target_file_handle Target File Handle Byte array
ncp.target_file_offset Target File Offset Unsigned 32-bit integer
ncp.target_message Message String
ncp.target_ptr Target Printer Unsigned 8-bit integer
ncp.target_receive_time Target Receive Time Byte array
ncp.target_server_id_number Target Server ID Number Unsigned 32-bit integer
ncp.target_transmit_time Target Transmit Time Byte array
ncp.task Task Number Unsigned 8-bit integer
ncp.task_num_byte Task Number Unsigned 8-bit integer
ncp.task_number_word Task Number Unsigned 16-bit integer
ncp.tcpref Address Referral IPv4 address
ncp.text_job_description Text Job Description String
ncp.thrashing_count Thrashing Count Unsigned 16-bit integer
ncp.time Time from Request Time duration Time between request and response in seconds
ncp.time_to_net Time To Net Unsigned 16-bit integer
ncp.timeout_limit Timeout Limit Unsigned 16-bit integer
ncp.timesync_status_active Time Synchronization is Active Boolean
ncp.timesync_status_ext_sync External Clock Status Boolean
ncp.timesync_status_external External Time Synchronization Active Boolean
ncp.timesync_status_flags Timesync Status Unsigned 32-bit integer
ncp.timesync_status_net_sync Time is Synchronized to the Network Boolean
ncp.timesync_status_server_type Time Server Type Unsigned 32-bit integer
ncp.timesync_status_sync Time is Synchronized Boolean
ncp.too_many_ack_frag Too Many ACK Fragments Count Unsigned 32-bit integer
ncp.too_many_hops Too Many Hops Unsigned 16-bit integer
ncp.total_blks_to_dcompress Total Blocks To Decompress Unsigned 32-bit integer
ncp.total_blocks Total Blocks Unsigned 32-bit integer
ncp.total_cache_writes Total Cache Writes Unsigned 32-bit integer
ncp.total_changed_fats Total Changed FAT Entries Unsigned 32-bit integer
ncp.total_cnt_blocks Total Count Blocks Unsigned 32-bit integer
ncp.total_common_cnts Total Common Counts Unsigned 32-bit integer
ncp.total_dir_entries Total Directory Entries Unsigned 32-bit integer
ncp.total_directory_slots Total Directory Slots Unsigned 16-bit integer
ncp.total_extended_directory_extants Total Extended Directory Extants Unsigned 32-bit integer
ncp.total_file_service_packets Total File Service Packets Unsigned 32-bit integer
ncp.total_files_opened Total Files Opened Unsigned 32-bit integer
ncp.total_lfs_counters Total LFS Counters Unsigned 32-bit integer
ncp.total_offspring Total Offspring Unsigned 16-bit integer
ncp.total_other_packets Total Other Packets Unsigned 32-bit integer
ncp.total_queue_jobs Total Queue Jobs Unsigned 32-bit integer
ncp.total_read_requests Total Read Requests Unsigned 32-bit integer
ncp.total_request Total Requests Unsigned 32-bit integer
ncp.total_request_packets Total Request Packets Unsigned 32-bit integer
ncp.total_routed_packets Total Routed Packets Unsigned 32-bit integer
ncp.total_rx_packet_count Total Receive Packet Count Unsigned 32-bit integer
ncp.total_rx_packets Total Receive Packets Unsigned 32-bit integer
ncp.total_rx_pkts Total Receive Packets Unsigned 32-bit integer
ncp.total_server_memory Total Server Memory Unsigned 16-bit integer
ncp.total_stream_size_struct_space_alloc Total Data Stream Disk Space Alloc Unsigned 32-bit integer
ncp.total_trans_backed_out Total Transactions Backed Out Unsigned 32-bit integer
ncp.total_trans_performed Total Transactions Performed Unsigned 32-bit integer
ncp.total_tx_packet_count Total Transmit Packet Count Unsigned 32-bit integer
ncp.total_tx_packets Total Transmit Packets Unsigned 32-bit integer
ncp.total_tx_pkts Total Transmit Packets Unsigned 32-bit integer
ncp.total_unfilled_backout_requests Total Unfilled Backout Requests Unsigned 16-bit integer
ncp.total_volume_clusters Total Volume Clusters Unsigned 16-bit integer
ncp.total_write_requests Total Write Requests Unsigned 32-bit integer
ncp.total_write_trans_performed Total Write Transactions Performed Unsigned 32-bit integer
ncp.track_on_flag Track On Flag Boolean
ncp.transaction_disk_space Transaction Disk Space Unsigned 16-bit integer
ncp.transaction_fat_allocations Transaction FAT Allocations Unsigned 32-bit integer
ncp.transaction_file_size_changes Transaction File Size Changes Unsigned 32-bit integer
ncp.transaction_files_truncated Transaction Files Truncated Unsigned 32-bit integer
ncp.transaction_number Transaction Number Unsigned 32-bit integer
ncp.transaction_tracking_enabled Transaction Tracking Enabled Unsigned 8-bit integer
ncp.transaction_tracking_supported Transaction Tracking Supported Unsigned 8-bit integer
ncp.transaction_volume_number Transaction Volume Number Unsigned 16-bit integer
ncp.transport_addr Transport Address
ncp.transport_type Communications Type Unsigned 8-bit integer
ncp.trustee_acc_mask Trustee Access Mask Unsigned 8-bit integer
ncp.trustee_id_set Trustee ID Unsigned 32-bit integer
ncp.trustee_list_node_count Trustee List Node Count Unsigned 32-bit integer
ncp.trustee_rights_create Create Boolean
ncp.trustee_rights_del Delete Boolean
ncp.trustee_rights_low Trustee Rights Unsigned 16-bit integer
ncp.trustee_rights_modify Modify Boolean
ncp.trustee_rights_open Open Boolean
ncp.trustee_rights_parent Parental Boolean
ncp.trustee_rights_read Read Boolean
ncp.trustee_rights_search Search Boolean
ncp.trustee_rights_super Supervisor Boolean
ncp.trustee_rights_write Write Boolean
ncp.trustee_set_number Trustee Set Number Unsigned 8-bit integer
ncp.try_to_write_too_much Trying To Write Too Much Count Unsigned 32-bit integer
ncp.ttl_comp_blks Total Compression Blocks Unsigned 32-bit integer
ncp.ttl_ds_disk_space_alloc Total Streams Space Allocated Unsigned 32-bit integer
ncp.ttl_eas Total EA's Unsigned 32-bit integer
ncp.ttl_eas_data_size Total EA's Data Size Unsigned 32-bit integer
ncp.ttl_eas_key_size Total EA's Key Size Unsigned 32-bit integer
ncp.ttl_inter_blks Total Intermediate Blocks Unsigned 32-bit integer
ncp.ttl_migrated_size Total Migrated Size Unsigned 32-bit integer
ncp.ttl_num_of_r_tags Total Number of Resource Tags Unsigned 32-bit integer
ncp.ttl_num_of_set_cmds Total Number of Set Commands Unsigned 32-bit integer
ncp.ttl_pckts_routed Total Packets Routed Unsigned 32-bit integer
ncp.ttl_pckts_srvcd Total Packets Serviced Unsigned 32-bit integer
ncp.ttl_values_length Total Values Length Unsigned 32-bit integer
ncp.ttl_write_data_size Total Write Data Size Unsigned 32-bit integer
ncp.tts_flag Transaction Tracking Flag Unsigned 16-bit integer
ncp.tts_level TTS Level Unsigned 8-bit integer
ncp.turbo_fat_build_failed Turbo FAT Build Failed Count Unsigned 32-bit integer
ncp.turbo_used_for_file_service Turbo Used For File Service Unsigned 16-bit integer
ncp.type Type Unsigned 16-bit integer NCP message type
ncp.udpref Address Referral IPv4 address
ncp.uint32value NDS Value Unsigned 32-bit integer
ncp.un_claimed_packets Unclaimed Packets Unsigned 32-bit integer
ncp.un_compressable_data_streams_count Uncompressable Data Streams Count Unsigned 32-bit integer
ncp.un_used Unused Unsigned 8-bit integer
ncp.un_used_directory_entries Unused Directory Entries Unsigned 32-bit integer
ncp.un_used_extended_directory_extants Unused Extended Directory Extants Unsigned 32-bit integer
ncp.unclaimed_packets Unclaimed Packets Unsigned 32-bit integer
ncp.undefined_28 Undefined Byte array
ncp.undefined_8 Undefined Byte array
ncp.unique_id Unique ID Unsigned 8-bit integer
ncp.unknown_network Unknown Network Unsigned 16-bit integer
ncp.unused_disk_blocks Unused Disk Blocks Unsigned 32-bit integer
ncp.update_date Update Date Unsigned 16-bit integer
ncp.update_id Update ID Unsigned 32-bit integer
ncp.update_time Update Time Unsigned 16-bit integer
ncp.used_blocks Used Blocks Unsigned 32-bit integer
ncp.used_space Used Space Unsigned 32-bit integer
ncp.user_id User ID Unsigned 32-bit integer
ncp.user_info_audit_conn Audit Connection Recorded Boolean
ncp.user_info_audited Audited Boolean
ncp.user_info_being_abort Being Aborted Boolean
ncp.user_info_bindery Bindery Connection Boolean
ncp.user_info_dsaudit_conn DS Audit Connection Recorded Boolean
ncp.user_info_held_req Held Requests Unsigned 32-bit integer
ncp.user_info_int_login Internal Login Boolean
ncp.user_info_logged_in Logged In Boolean
ncp.user_info_logout Logout in Progress Boolean
ncp.user_info_mac_station MAC Station Boolean
ncp.user_info_need_sec Needs Security Change Boolean
ncp.user_info_temp_authen Temporary Authenticated Boolean
ncp.user_info_ttl_bytes_rd Total Bytes Read Byte array
ncp.user_info_ttl_bytes_wrt Total Bytes Written Byte array
ncp.user_info_use_count Use Count Unsigned 16-bit integer
ncp.user_login_allowed Login Status Unsigned 8-bit integer
ncp.user_name User Name String
ncp.user_name_16 User Name String
ncp.uts_time_in_seconds UTC Time in Seconds Unsigned 32-bit integer
ncp.valid_bfrs_reused Valid Buffers Reused Unsigned 32-bit integer
ncp.value_available Value Available Unsigned 8-bit integer
ncp.value_bytes Bytes Byte array
ncp.value_string Value String
ncp.vap_version VAP Version Unsigned 8-bit integer
ncp.variable_bit_mask Variable Bit Mask Unsigned 32-bit integer
ncp.variable_bits_defined Variable Bits Defined Unsigned 16-bit integer
ncp.vconsole_rev Console Revision Unsigned 8-bit integer
ncp.vconsole_ver Console Version Unsigned 8-bit integer
ncp.verb Verb Unsigned 32-bit integer
ncp.verb_data Verb Data Unsigned 8-bit integer
ncp.version Version Unsigned 32-bit integer
ncp.version_num_long Version Unsigned 32-bit integer
ncp.vert_location Vertical Location Unsigned 16-bit integer
ncp.virtual_console_version Virtual Console Version Unsigned 8-bit integer
ncp.vol_cap_archive NetWare Archive bit Supported Boolean
ncp.vol_cap_cluster Volume is a Cluster Resource Boolean
ncp.vol_cap_comp NetWare Compression Supported Boolean
ncp.vol_cap_dfs DFS is Active on Volume Boolean
ncp.vol_cap_dir_quota NetWare Directory Quotas Supported Boolean
ncp.vol_cap_ea OS2 style EA's Supported Boolean
ncp.vol_cap_file_attr Full NetWare file Attributes Supported Boolean
ncp.vol_cap_nss Volume is Mounted by NSS Boolean
ncp.vol_cap_nss_admin Volume is the NSS Admin Volume Boolean
ncp.vol_cap_sal_purge NetWare Salvage and Purge Operations Supported Boolean
ncp.vol_cap_user_space NetWare User Space Restrictions Supported Boolean
ncp.vol_info_reply_len Volume Information Reply Length Unsigned 16-bit integer
ncp.vol_name_stringz Volume Name String
ncp.volume_active_count Volume Active Count Unsigned 32-bit integer
ncp.volume_cached_flag Volume Cached Flag Unsigned 8-bit integer
ncp.volume_capabilities Volume Capabilities Unsigned 32-bit integer
ncp.volume_guid Volume GUID String
ncp.volume_hashed_flag Volume Hashed Flag Unsigned 8-bit integer
ncp.volume_id Volume ID Unsigned 32-bit integer
ncp.volume_last_modified_date Volume Last Modified Date Unsigned 16-bit integer
ncp.volume_last_modified_time Volume Last Modified Time Unsigned 16-bit integer
ncp.volume_mnt_point Volume Mount Point String
ncp.volume_mounted_flag Volume Mounted Flag Unsigned 8-bit integer
ncp.volume_name Volume Name String
ncp.volume_name_len Volume Name String
ncp.volume_number Volume Number Unsigned 8-bit integer
ncp.volume_number_long Volume Number Unsigned 32-bit integer
ncp.volume_reference_count Volume Reference Count Unsigned 32-bit integer
ncp.volume_removable_flag Volume Removable Flag Unsigned 8-bit integer
ncp.volume_request_flags Volume Request Flags Unsigned 16-bit integer
ncp.volume_segment_dev_num Volume Segment Device Number Unsigned 32-bit integer
ncp.volume_segment_offset Volume Segment Offset Unsigned 32-bit integer
ncp.volume_segment_size Volume Segment Size Unsigned 32-bit integer
ncp.volume_size_in_clusters Volume Size in Clusters Unsigned 32-bit integer
ncp.volume_type Volume Type Unsigned 16-bit integer
ncp.volume_use_count Volume Use Count Unsigned 32-bit integer
ncp.volumes_supported_max Volumes Supported Max Unsigned 16-bit integer
ncp.wait_node Wait Node Count Unsigned 32-bit integer
ncp.wait_node_alloc_fail Wait Node Alloc Failure Count Unsigned 32-bit integer
ncp.wait_on_sema Wait On Semaphore Count Unsigned 32-bit integer
ncp.wait_till_dirty_blcks_dec Wait Till Dirty Blocks Decrease Count Unsigned 32-bit integer
ncp.wait_time Wait Time Unsigned 32-bit integer
ncp.wasted_server_memory Wasted Server Memory Unsigned 16-bit integer
ncp.write_curr_trans Write Currently Transmitting Count Unsigned 32-bit integer
ncp.write_didnt_need_but_req_ack Write Didn't Need But Requested ACK Count Unsigned 32-bit integer
ncp.write_didnt_need_this_frag Write Didn't Need This Fragment Count Unsigned 32-bit integer
ncp.write_dup_req Write Duplicate Request Count Unsigned 32-bit integer
ncp.write_err Write Error Count Unsigned 32-bit integer
ncp.write_got_an_ack0 Write Got An ACK Count 0 Unsigned 32-bit integer
ncp.write_got_an_ack1 Write Got An ACK Count 1 Unsigned 32-bit integer
ncp.write_held_off Write Held Off Count Unsigned 32-bit integer
ncp.write_held_off_with_dup Write Held Off With Duplicate Request Unsigned 32-bit integer
ncp.write_incon_packet_len Write Inconsistent Packet Lengths Count Unsigned 32-bit integer
ncp.write_out_of_mem_for_ctl_nodes Write Out Of Memory For Control Nodes Count Unsigned 32-bit integer
ncp.write_timeout Write Time Out Count Unsigned 32-bit integer
ncp.write_too_many_buf_check Write Too Many Buffers Checked Out Count Unsigned 32-bit integer
ncp.write_trash_dup_req Write Trashed Duplicate Request Count Unsigned 32-bit integer
ncp.write_trash_packet Write Trashed Packet Count Unsigned 32-bit integer
ncp.wrt_blck_cnt Write Block Count Unsigned 32-bit integer
ncp.wrt_entire_blck Write Entire Block Count Unsigned 32-bit integer
ncp.year Year Unsigned 8-bit integer
ncp.zero_ack_frag Zero ACK Fragment Count Unsigned 32-bit integer
nds.fragment NDS Fragment Frame number NDPS Fragment
nds.fragments NDS Fragments No value NDPS Fragments
nds.segment.error Desegmentation error Frame number Desegmentation error due to illegal segments
nds.segment.multipletails Multiple tail segments found Boolean Several tails were found when desegmenting the packet
nds.segment.overlap Segment overlap Boolean Segment overlaps with other segments
nds.segment.overlap.conflict Conflicting data in segment overlap Boolean Overlapping segments contained conflicting data
nds.segment.toolongsegment Segment too long Boolean Segment contained data past end of packet
nlsp.header_length PDU Header Length Unsigned 8-bit integer
nlsp.hello.circuit_type Circuit Type Unsigned 8-bit integer
nlsp.hello.holding_timer Holding Timer Unsigned 8-bit integer
nlsp.hello.multicast Multicast Routing Boolean If set, this router supports multicast routing
nlsp.hello.priority Priority Unsigned 8-bit integer
nlsp.hello.state State Unsigned 8-bit integer
nlsp.irpd NetWare Link Services Protocol Discriminator Unsigned 8-bit integer
nlsp.lsp.attached_flag Attached Flag Unsigned 8-bit integer
nlsp.lsp.checksum Checksum Unsigned 16-bit integer
nlsp.lsp.lspdbol LSP Database Overloaded Boolean
nlsp.lsp.partition_repair Partition Repair Boolean If set, this router supports the optional Partition Repair function
nlsp.lsp.router_type Router Type Unsigned 8-bit integer
nlsp.major_version Major Version Unsigned 8-bit integer
nlsp.minor_version Minor Version Unsigned 8-bit integer
nlsp.nr Multi-homed Non-routing Server Boolean
nlsp.packet_length Packet Length Unsigned 16-bit integer
nlsp.sequence_number Sequence Number Unsigned 32-bit integer
nlsp.type Packet Type Unsigned 8-bit integer
ndmp.addr.ip IP Address IPv4 address IP Address
ndmp.addr.ipc IPC Byte array IPC identifier
ndmp.addr.loop_id Loop ID Unsigned 32-bit integer FCAL Loop ID
ndmp.addr.tcp_port TCP Port Unsigned 32-bit integer TCP Port
ndmp.addr_type Addr Type Unsigned 32-bit integer Address Type
ndmp.addr_types Addr Types No value List Of Address Types
ndmp.auth.challenge Challenge Byte array Authentication Challenge
ndmp.auth.digest Digest Byte array Authentication Digest
ndmp.auth.id ID String ID of client authenticating
ndmp.auth.password Password String Password of client authenticating
ndmp.auth.types Auth types No value Auth types
ndmp.auth_type Auth Type Unsigned 32-bit integer Authentication Type
ndmp.bu.destination_dir Destination Dir String Destination directory to restore backup to
ndmp.bu.new_name New Name String New Name
ndmp.bu.operation Operation Unsigned 32-bit integer BU Operation
ndmp.bu.original_path Original Path String Original path where backup was created
ndmp.bu.other_name Other Name String Other Name
ndmp.butype.default_env Default Env No value Default Env's for this Butype Info
ndmp.butype.env.name Name String Name for this env-variable
ndmp.butype.env.value Value String Value for this env-variable
ndmp.butype.info Butype Info No value Butype Info
ndmp.butype.name Butype Name String Name of Butype
ndmp.bytes_left_to_read Bytes left to read Signed 64-bit integer Number of bytes left to be read from the device
ndmp.connected Connected Unsigned 32-bit integer Status of connection
ndmp.connected.reason Reason String Textual description of the connection status
ndmp.count Count Unsigned 32-bit integer Number of bytes/objects/operations
ndmp.data Data Byte array Data written/read
ndmp.data.bytes_processed Bytes Processed Unsigned 64-bit integer Number of bytes processed
ndmp.data.est_bytes_remain Est Bytes Remain Unsigned 64-bit integer Estimated number of bytes remaining
ndmp.data.est_time_remain Est Time Remain Time duration Estimated time remaining
ndmp.data.halted Halted Reason Unsigned 32-bit integer Data halted reason
ndmp.data.state State Unsigned 32-bit integer Data state
ndmp.data.written Data Written Unsigned 64-bit integer Number of data bytes written
ndmp.dirs Dirs No value List of directories
ndmp.error Error Unsigned 32-bit integer Error code for this NDMP PDU
ndmp.execute_cdb.cdb_len CDB length Unsigned 32-bit integer Length of CDB
ndmp.execute_cdb.datain Data in Byte array Data transferred from the SCSI device
ndmp.execute_cdb.datain_len Data in length Unsigned 32-bit integer Expected length of data bytes to read
ndmp.execute_cdb.dataout Data out Byte array Data to be transferred to the SCSI device
ndmp.execute_cdb.dataout_len Data out length Unsigned 32-bit integer Number of bytes transferred to the device
ndmp.execute_cdb.flags.data_in DATA_IN Boolean DATA_IN
ndmp.execute_cdb.flags.data_out DATA_OUT Boolean DATA_OUT
ndmp.execute_cdb.sns_len Sense data length Unsigned 32-bit integer Length of sense data
ndmp.execute_cdb.status Status Unsigned 8-bit integer SCSI status
ndmp.execute_cdb.timeout Timeout Unsigned 32-bit integer Reselect timeout, in milliseconds
ndmp.file File String Name of File
ndmp.file.atime atime Date/Time stamp Timestamp for atime for this file
ndmp.file.ctime ctime Date/Time stamp Timestamp for ctime for this file
ndmp.file.fattr Fattr Unsigned 32-bit integer Mode for UNIX, fattr for NT
ndmp.file.fh_info FH Info Unsigned 64-bit integer FH Info used for direct access
ndmp.file.fs_type File FS Type Unsigned 32-bit integer Type of file permissions (UNIX or NT)
ndmp.file.group Group Unsigned 32-bit integer GID for UNIX, NA for NT
ndmp.file.links Links Unsigned 32-bit integer Number of links to this file
ndmp.file.mtime mtime Date/Time stamp Timestamp for mtime for this file
ndmp.file.names File Names No value List of file names
ndmp.file.node Node Unsigned 64-bit integer Node used for direct access
ndmp.file.owner Owner Unsigned 32-bit integer UID for UNIX, owner for NT
ndmp.file.parent Parent Unsigned 64-bit integer Parent node(directory) for this node
ndmp.file.size Size Unsigned 64-bit integer File Size
ndmp.file.stats File Stats No value List of file stats
ndmp.file.type File Type Unsigned 32-bit integer Type of file
ndmp.files Files No value List of files
ndmp.fraglen Fragment Length Unsigned 32-bit integer Fragment Length
ndmp.fs.avail_size Avail Size Unsigned 64-bit integer Total available size on FS
ndmp.fs.env Env variables No value Environment variables for FS
ndmp.fs.env.name Name String Name for this env-variable
ndmp.fs.env.value Value String Value for this env-variable
ndmp.fs.info FS Info No value FS Info
ndmp.fs.logical_device Logical Device String Name of logical device
ndmp.fs.physical_device Physical Device String Name of physical device
ndmp.fs.status Status String Status for this FS
ndmp.fs.total_inodes Total Inodes Unsigned 64-bit integer Total number of inodes on FS
ndmp.fs.total_size Total Size Unsigned 64-bit integer Total size of FS
ndmp.fs.type Type String Type of FS
ndmp.fs.used_inodes Used Inodes Unsigned 64-bit integer Number of used inodes on FS
ndmp.fs.used_size Used Size Unsigned 64-bit integer Total used size of FS
ndmp.halt Halt Unsigned 32-bit integer Reason why it halted
ndmp.halt.reason Reason String Textual reason for why it halted
ndmp.header NDMP Header No value NDMP Header
ndmp.hostid HostID String HostID
ndmp.hostname Hostname String Hostname
ndmp.lastfrag Last Fragment Boolean Last Fragment
ndmp.log.message Message String Log entry
ndmp.log.message.id Message ID Unsigned 32-bit integer ID of this log entry
ndmp.log.type Type Unsigned 32-bit integer Type of log entry
ndmp.mover.mode Mode Unsigned 32-bit integer Mover Mode
ndmp.mover.pause Pause Unsigned 32-bit integer Reason why the mover paused
ndmp.mover.state State Unsigned 32-bit integer State of the selected mover
ndmp.msg Message Unsigned 32-bit integer Type of NDMP PDU
ndmp.msg_type Type Unsigned 32-bit integer Is this a Request or Response?
ndmp.nlist Nlist No value List of names
ndmp.nodes Nodes No value List of nodes
ndmp.os.type OS Type String OS Type
ndmp.os.version OS Version String OS Version
ndmp.record.num Record Num Unsigned 32-bit integer Number of records
ndmp.record.size Record Size Unsigned 32-bit integer Record size in bytes
ndmp.reply_sequence Reply Sequence Unsigned 32-bit integer Reply Sequence number for NDMP PDU
ndmp.request_frame Request In Frame number The request to this NDMP command is in this frame
ndmp.resid_count Resid Count Unsigned 32-bit integer Number of remaining bytes/objects/operations
ndmp.response_frame Response In Frame number The response to this NDMP command is in this frame
ndmp.scsi.controller Controller Unsigned 32-bit integer Target Controller
ndmp.scsi.device Device String Name of SCSI Device
ndmp.scsi.id ID Unsigned 32-bit integer Target ID
ndmp.scsi.info SCSI Info No value SCSI Info
ndmp.scsi.lun LUN Unsigned 32-bit integer Target LUN
ndmp.scsi.model Model String Model of the SCSI device
ndmp.seek.position Seek Position Unsigned 64-bit integer Current seek position on device
ndmp.sequence Sequence Unsigned 32-bit integer Sequence number for NDMP PDU
ndmp.server.product Product String Name of product
ndmp.server.revision Revision String Revision of this product
ndmp.server.vendor Vendor String Name of vendor
ndmp.tape.cap.name Name String Name for this env-variable
ndmp.tape.cap.value Value String Value for this env-variable
ndmp.tape.capability Tape Capabilities No value Tape Capabilities
ndmp.tape.dev_cap Device Capability No value Tape Device Capability
ndmp.tape.device Device String Name of TAPE Device
ndmp.tape.info Tape Info No value Tape Info
ndmp.tape.model Model String Model of the TAPE drive
ndmp.tape.mtio.op Operation Unsigned 32-bit integer MTIO Operation
ndmp.tape.open_mode Mode Unsigned 32-bit integer Mode to open tape in
ndmp.tape.status.block_no block_no Unsigned 32-bit integer block_no
ndmp.tape.status.block_size block_size Unsigned 32-bit integer block_size
ndmp.tape.status.file_num file_num Unsigned 32-bit integer file_num
ndmp.tape.status.partition partition Unsigned 32-bit integer partition
ndmp.tape.status.soft_errors soft_errors Unsigned 32-bit integer soft_errors
ndmp.tape.status.space_remain space_remain Unsigned 64-bit integer space_remain
ndmp.tape.status.total_space total_space Unsigned 64-bit integer total_space
ndmp.tcp.default_env Default Env No value Default Env's for this Butype Info
ndmp.tcp.env.name Name String Name for this env-variable
ndmp.tcp.env.value Value String Value for this env-variable
ndmp.tcp.port_list TCP Ports No value List of TCP ports
ndmp.time Time from request Time duration Time since the request packet
ndmp.timestamp Time Date/Time stamp Timestamp for this NDMP PDU
ndmp.version Version Unsigned 32-bit integer Version of NDMP protocol
ndmp.window.length Window Length Unsigned 64-bit integer Size of window in bytes
ndmp.window.offset Window Offset Unsigned 64-bit integer Offset to window in bytes
nfs.ace ace String Access Control Entry
nfs.aceflag4 aceflag Unsigned 32-bit integer nfs.aceflag4
nfs.acemask4 acemask Unsigned 32-bit integer nfs.acemask4
nfs.acetype4 acetype Unsigned 32-bit integer nfs.acetype4
nfs.acl ACL No value Access Control List
nfs.atime atime Date/Time stamp Access Time
nfs.atime.nsec nano seconds Unsigned 32-bit integer Access Time, Nano-seconds
nfs.atime.sec seconds Unsigned 32-bit integer Access Time, Seconds
nfs.atime.usec micro seconds Unsigned 32-bit integer Access Time, Micro-seconds
nfs.attr mand_attr Unsigned 32-bit integer Mandatory Attribute
nfs.bytes_per_block bytes_per_block Unsigned 32-bit integer nfs.bytes_per_block
nfs.call.operation Opcode Unsigned 32-bit integer Opcode
nfs.callback.ident callback_ident Unsigned 32-bit integer Callback Identifier
nfs.cb_location cb_location Unsigned 32-bit integer nfs.cb_location
nfs.cb_program cb_program Unsigned 32-bit integer nfs.cb_program
nfs.change_info.atomic Atomic Boolean Atomic
nfs.changeid4 changeid Unsigned 64-bit integer nfs.changeid4
nfs.changeid4.after changeid (after) Unsigned 64-bit integer nfs.changeid4.after
nfs.changeid4.before changeid (before) Unsigned 64-bit integer nfs.changeid4.before
nfs.clientid clientid Unsigned 64-bit integer Client ID
nfs.cookie3 cookie Unsigned 64-bit integer nfs.cookie3
nfs.cookie4 cookie Unsigned 64-bit integer nfs.cookie4
nfs.cookieverf4 cookieverf Unsigned 64-bit integer nfs.cookieverf4
nfs.count3 count Unsigned 32-bit integer nfs.count3
nfs.count3_dircount dircount Unsigned 32-bit integer nfs.count3_dircount
nfs.count3_maxcount maxcount Unsigned 32-bit integer nfs.count3_maxcount
nfs.count4 count Unsigned 32-bit integer nfs.count4
nfs.createmode Create Mode Unsigned 32-bit integer Create Mode
nfs.ctime ctime Date/Time stamp Creation Time
nfs.ctime.nsec nano seconds Unsigned 32-bit integer Creation Time, Nano-seconds
nfs.ctime.sec seconds Unsigned 32-bit integer Creation Time, Seconds
nfs.ctime.usec micro seconds Unsigned 32-bit integer Creation Time, Micro-seconds
nfs.data Data Byte array Data
nfs.delegate_stateid delegate_stateid Unsigned 64-bit integer nfs.delegate_stateid
nfs.delegate_type delegate_type Unsigned 32-bit integer nfs.delegate_type
nfs.dircount dircount Unsigned 32-bit integer nfs.dircount
nfs.dirlist4.eof eof Boolean nfs.dirlist4.eof
nfs.dtime time delta Time duration Time Delta
nfs.dtime.nsec nano seconds Unsigned 32-bit integer Time Delta, Nano-seconds
nfs.dtime.sec seconds Unsigned 32-bit integer Time Delta, Seconds
nfs.eof eof Unsigned 32-bit integer nfs.eof
nfs.fattr.blocks blocks Unsigned 32-bit integer nfs.fattr.blocks
nfs.fattr.blocksize blocksize Unsigned 32-bit integer nfs.fattr.blocksize
nfs.fattr.fileid fileid Unsigned 32-bit integer nfs.fattr.fileid
nfs.fattr.fsid fsid Unsigned 32-bit integer nfs.fattr.fsid
nfs.fattr.gid gid Unsigned 32-bit integer nfs.fattr.gid
nfs.fattr.nlink nlink Unsigned 32-bit integer nfs.fattr.nlink
nfs.fattr.rdev rdev Unsigned 32-bit integer nfs.fattr.rdev
nfs.fattr.size size Unsigned 32-bit integer nfs.fattr.size
nfs.fattr.type type Unsigned 32-bit integer nfs.fattr.type
nfs.fattr.uid uid Unsigned 32-bit integer nfs.fattr.uid
nfs.fattr3.fileid fileid Unsigned 64-bit integer nfs.fattr3.fileid
nfs.fattr3.fsid fsid Unsigned 64-bit integer nfs.fattr3.fsid
nfs.fattr3.gid gid Unsigned 32-bit integer nfs.fattr3.gid
nfs.fattr3.nlink nlink Unsigned 32-bit integer nfs.fattr3.nlink
nfs.fattr3.rdev rdev Unsigned 32-bit integer nfs.fattr3.rdev
nfs.fattr3.size size Unsigned 64-bit integer nfs.fattr3.size
nfs.fattr3.type Type Unsigned 32-bit integer nfs.fattr3.type
nfs.fattr3.uid uid Unsigned 32-bit integer nfs.fattr3.uid
nfs.fattr3.used used Unsigned 64-bit integer nfs.fattr3.used
nfs.fattr4.aclsupport aclsupport Unsigned 32-bit integer nfs.fattr4.aclsupport
nfs.fattr4.attr_vals attr_vals Byte array attr_vals
nfs.fattr4.fileid fileid Unsigned 64-bit integer nfs.fattr4.fileid
nfs.fattr4.files_avail files_avail Unsigned 64-bit integer nfs.fattr4.files_avail
nfs.fattr4.files_free files_free Unsigned 64-bit integer nfs.fattr4.files_free
nfs.fattr4.files_total files_total Unsigned 64-bit integer nfs.fattr4.files_total
nfs.fattr4.lease_time lease_time Unsigned 32-bit integer nfs.fattr4.lease_time
nfs.fattr4.maxfilesize maxfilesize Unsigned 64-bit integer nfs.fattr4.maxfilesize
nfs.fattr4.maxlink maxlink Unsigned 32-bit integer nfs.fattr4.maxlink
nfs.fattr4.maxname maxname Unsigned 32-bit integer nfs.fattr4.maxname
nfs.fattr4.maxread maxread Unsigned 64-bit integer nfs.fattr4.maxread
nfs.fattr4.maxwrite maxwrite Unsigned 64-bit integer nfs.fattr4.maxwrite
nfs.fattr4.numlinks numlinks Unsigned 32-bit integer nfs.fattr4.numlinks
nfs.fattr4.quota_hard quota_hard Unsigned 64-bit integer nfs.fattr4.quota_hard
nfs.fattr4.quota_soft quota_soft Unsigned 64-bit integer nfs.fattr4.quota_soft
nfs.fattr4.quota_used quota_used Unsigned 64-bit integer nfs.fattr4.quota_used
nfs.fattr4.size size Unsigned 64-bit integer nfs.fattr4.size
nfs.fattr4.space_avail space_avail Unsigned 64-bit integer nfs.fattr4.space_avail
nfs.fattr4.space_free space_free Unsigned 64-bit integer nfs.fattr4.space_free
nfs.fattr4.space_total space_total Unsigned 64-bit integer nfs.fattr4.space_total
nfs.fattr4.space_used space_used Unsigned 64-bit integer nfs.fattr4.space_used
nfs.fattr4_archive fattr4_archive Boolean nfs.fattr4_archive
nfs.fattr4_cansettime fattr4_cansettime Boolean nfs.fattr4_cansettime
nfs.fattr4_case_insensitive fattr4_case_insensitive Boolean nfs.fattr4_case_insensitive
nfs.fattr4_case_preserving fattr4_case_preserving Boolean nfs.fattr4_case_preserving
nfs.fattr4_chown_restricted fattr4_chown_restricted Boolean nfs.fattr4_chown_restricted
nfs.fattr4_hidden fattr4_hidden Boolean nfs.fattr4_hidden
nfs.fattr4_homogeneous fattr4_homogeneous Boolean nfs.fattr4_homogeneous
nfs.fattr4_link_support fattr4_link_support Boolean nfs.fattr4_link_support
nfs.fattr4_mimetype fattr4_mimetype String nfs.fattr4_mimetype
nfs.fattr4_named_attr fattr4_named_attr Boolean nfs.fattr4_named_attr
nfs.fattr4_no_trunc fattr4_no_trunc Boolean nfs.fattr4_no_trunc
nfs.fattr4_owner fattr4_owner String nfs.fattr4_owner
nfs.fattr4_owner_group fattr4_owner_group String nfs.fattr4_owner_group
nfs.fattr4_symlink_support fattr4_symlink_support Boolean nfs.fattr4_symlink_support
nfs.fattr4_system fattr4_system Boolean nfs.fattr4_system
nfs.fattr4_unique_handles fattr4_unique_handles Boolean nfs.fattr4_unique_handles
nfs.fh.auth_type auth_type Unsigned 8-bit integer authentication type
nfs.fh.dentry dentry Unsigned 32-bit integer dentry (cookie)
nfs.fh.dev device Unsigned 32-bit integer device
nfs.fh.dirinode directory inode Unsigned 32-bit integer directory inode
nfs.fh.export.fileid fileid Unsigned 32-bit integer export point fileid
nfs.fh.export.generation generation Unsigned 32-bit integer export point generation
nfs.fh.export.snapid snapid Unsigned 8-bit integer export point snapid
nfs.fh.fileid fileid Unsigned 32-bit integer file ID
nfs.fh.fileid_type fileid_type Unsigned 8-bit integer file ID type
nfs.fh.flags flags Unsigned 16-bit integer file handle flags
nfs.fh.fn file number Unsigned 32-bit integer file number
nfs.fh.fn.generation generation Unsigned 32-bit integer file number generation
nfs.fh.fn.inode inode Unsigned 32-bit integer file number inode
nfs.fh.fn.len length Unsigned 32-bit integer file number length
nfs.fh.fsid fsid Unsigned 32-bit integer file system ID
nfs.fh.fsid.inode inode Unsigned 32-bit integer file system inode
nfs.fh.fsid.major major Unsigned 32-bit integer major file system ID
nfs.fh.fsid.minor minor Unsigned 32-bit integer minor file system ID
nfs.fh.fsid_type fsid_type Unsigned 8-bit integer file system ID type
nfs.fh.fstype file system type Unsigned 32-bit integer file system type
nfs.fh.generation generation Unsigned 32-bit integer inode generation
nfs.fh.hash hash Unsigned 32-bit integer file handle hash
nfs.fh.hp.len length Unsigned 32-bit integer hash path length
nfs.fh.length length Unsigned 32-bit integer file handle length
nfs.fh.mount.fileid fileid Unsigned 32-bit integer mount point fileid
nfs.fh.mount.generation generation Unsigned 32-bit integer mount point generation
nfs.fh.pinode pseudo inode Unsigned 32-bit integer pseudo inode
nfs.fh.snapid snapid Unsigned 8-bit integer snapshot ID
nfs.fh.unused unused Unsigned 8-bit integer unused
nfs.fh.version version Unsigned 8-bit integer file handle layout version
nfs.fh.xdev exported device Unsigned 32-bit integer exported device
nfs.fh.xfn exported file number Unsigned 32-bit integer exported file number
nfs.fh.xfn.generation generation Unsigned 32-bit integer exported file number generation
nfs.fh.xfn.inode exported inode Unsigned 32-bit integer exported file number inode
nfs.fh.xfn.len length Unsigned 32-bit integer exported file number length
nfs.fh.xfsid.major exported major Unsigned 32-bit integer exported major file system ID
nfs.fh.xfsid.minor exported minor Unsigned 32-bit integer exported minor file system ID
nfs.fhandle filehandle Byte array Opaque nfs filehandle
nfs.filesize filesize Unsigned 64-bit integer nfs.filesize
nfs.flavors.info Flavors Info No value Flavors Info
nfs.fsid4.major fsid4.major Unsigned 64-bit integer nfs.nfstime4.fsid4.major
nfs.fsid4.minor fsid4.minor Unsigned 64-bit integer nfs.fsid4.minor
nfs.fsinfo.dtpref dtpref Unsigned 32-bit integer Preferred READDIR request
nfs.fsinfo.maxfilesize maxfilesize Unsigned 64-bit integer Maximum file size
nfs.fsinfo.properties Properties Unsigned 32-bit integer File System Properties
nfs.fsinfo.rtmax rtmax Unsigned 32-bit integer maximum READ request
nfs.fsinfo.rtmult rtmult Unsigned 32-bit integer Suggested READ multiple
nfs.fsinfo.rtpref rtpref Unsigned 32-bit integer Preferred READ request size
nfs.fsinfo.wtmax wtmax Unsigned 32-bit integer Maximum WRITE request size
nfs.fsinfo.wtmult wtmult Unsigned 32-bit integer Suggested WRITE multiple
nfs.fsinfo.wtpref wtpref Unsigned 32-bit integer Preferred WRITE request size
nfs.fsstat.invarsec invarsec Unsigned 32-bit integer probable number of seconds of file system invariance
nfs.fsstat3_resok.abytes Available free bytes Unsigned 64-bit integer Available free bytes
nfs.fsstat3_resok.afiles Available free file slots Unsigned 64-bit integer Available free file slots
nfs.fsstat3_resok.fbytes Free bytes Unsigned 64-bit integer Free bytes
nfs.fsstat3_resok.ffiles Free file slots Unsigned 64-bit integer Free file slots
nfs.fsstat3_resok.tbytes Total bytes Unsigned 64-bit integer Total bytes
nfs.fsstat3_resok.tfiles Total file slots Unsigned 64-bit integer Total file slots
nfs.full_name Full Name String Full Name
nfs.gid3 gid Unsigned 32-bit integer nfs.gid3
nfs.length4 length Unsigned 64-bit integer nfs.length4
nfs.lock.locker.new_lock_owner new lock owner? Boolean nfs.lock.locker.new_lock_owner
nfs.lock.reclaim reclaim? Boolean nfs.lock.reclaim
nfs.lock_owner4 owner Byte array owner
nfs.lock_seqid lock_seqid Unsigned 32-bit integer Lock Sequence ID
nfs.locktype4 locktype Unsigned 32-bit integer nfs.locktype4
nfs.maxcount maxcount Unsigned 32-bit integer nfs.maxcount
nfs.minorversion minorversion Unsigned 32-bit integer nfs.minorversion
nfs.mtime mtime Date/Time stamp Modify Time
nfs.mtime.nsec nano seconds Unsigned 32-bit integer Modify Time, Nano-seconds
nfs.mtime.sec seconds Unsigned 32-bit integer Modify Seconds
nfs.mtime.usec micro seconds Unsigned 32-bit integer Modify Time, Micro-seconds
nfs.name Name String Name
nfs.nfs_client_id4.id id Byte array nfs.nfs_client_id4.id
nfs.nfs_ftype4 nfs_ftype4 Unsigned 32-bit integer nfs.nfs_ftype4
nfs.nfsstat3 Status Unsigned 32-bit integer Reply status
nfs.nfsstat4 Status Unsigned 32-bit integer Reply status
nfs.nfstime4.nseconds nseconds Unsigned 32-bit integer nfs.nfstime4.nseconds
nfs.nfstime4.seconds seconds Unsigned 64-bit integer nfs.nfstime4.seconds
nfs.num_blocks num_blocks Unsigned 32-bit integer nfs.num_blocks
nfs.offset3 offset Unsigned 64-bit integer nfs.offset3
nfs.offset4 offset Unsigned 64-bit integer nfs.offset4
nfs.open.claim_type Claim Type Unsigned 32-bit integer Claim Type
nfs.open.delegation_type Delegation Type Unsigned 32-bit integer Delegation Type
nfs.open.limit_by Space Limit Unsigned 32-bit integer Limit By
nfs.open.opentype Open Type Unsigned 32-bit integer Open Type
nfs.open4.share_access share_access Unsigned 32-bit integer Share Access
nfs.open4.share_deny share_deny Unsigned 32-bit integer Share Deny
nfs.open_owner4 owner Byte array owner
nfs.openattr4.createdir attribute dir create Boolean nfs.openattr4.createdir
nfs.pathconf.case_insensitive case_insensitive Boolean file names are treated case insensitive
nfs.pathconf.case_preserving case_preserving Boolean file name cases are preserved
nfs.pathconf.chown_restricted chown_restricted Boolean chown is restricted to root
nfs.pathconf.linkmax linkmax Unsigned 32-bit integer Maximum number of hard links
nfs.pathconf.name_max name_max Unsigned 32-bit integer Maximum file name length
nfs.pathconf.no_trunc no_trunc Boolean No long file name truncation
nfs.pathname.component Filename String Pathname component
nfs.procedure_v2 V2 Procedure Unsigned 32-bit integer V2 Procedure
nfs.procedure_v3 V3 Procedure Unsigned 32-bit integer V3 Procedure
nfs.procedure_v4 V4 Procedure Unsigned 32-bit integer V4 Procedure
nfs.r_addr r_addr Byte array r_addr
nfs.r_netid r_netid Byte array r_netid
nfs.read.count Count Unsigned 32-bit integer Read Count
nfs.read.eof EOF Boolean EOF
nfs.read.offset Offset Unsigned 32-bit integer Read Offset
nfs.read.totalcount Total Count Unsigned 32-bit integer Total Count (obsolete)
nfs.readdir.cookie Cookie Unsigned 32-bit integer Directory Cookie
nfs.readdir.count Count Unsigned 32-bit integer Directory Count
nfs.readdir.entry Entry No value Directory Entry
nfs.readdir.entry.cookie Cookie Unsigned 32-bit integer Directory Cookie
nfs.readdir.entry.fileid File ID Unsigned 32-bit integer File ID
nfs.readdir.entry.name Name String Name
nfs.readdir.entry3.cookie Cookie Unsigned 64-bit integer Directory Cookie
nfs.readdir.entry3.fileid File ID Unsigned 64-bit integer File ID
nfs.readdir.entry3.name Name String Name
nfs.readdir.eof EOF Unsigned 32-bit integer EOF
nfs.readdirplus.entry.cookie Cookie Unsigned 64-bit integer Directory Cookie
nfs.readdirplus.entry.fileid File ID Unsigned 64-bit integer Name
nfs.readdirplus.entry.name Name String Name
nfs.readlink.data Data String Symbolic Link Data
nfs.recall EOF Boolean Recall
nfs.recall4 recall Boolean nfs.recall4
nfs.reclaim4 reclaim Boolean Reclaim
nfs.reply.operation Opcode Unsigned 32-bit integer Opcode
nfs.secinfo.flavor flavor Unsigned 32-bit integer nfs.secinfo.flavor
nfs.secinfo.flavor_info.rpcsec_gss_info.oid oid Byte array oid
nfs.secinfo.flavor_info.rpcsec_gss_info.qop qop Unsigned 32-bit integer qop
nfs.secinfo.rpcsec_gss_info.service service Unsigned 32-bit integer service
nfs.seqid seqid Unsigned 32-bit integer Sequence ID
nfs.server server String nfs.server
nfs.set_it set_it Unsigned 32-bit integer How To Set Time
nfs.set_size3.size size Unsigned 64-bit integer nfs.set_size3.size
nfs.specdata1 specdata1 Unsigned 32-bit integer nfs.specdata1
nfs.specdata2 specdata2 Unsigned 32-bit integer nfs.specdata2
nfs.stable_how4 stable_how4 Unsigned 32-bit integer nfs.stable_how4
nfs.stat Status Unsigned 32-bit integer Reply status
nfs.stateid4 stateid Unsigned 64-bit integer nfs.stateid4
nfs.stateid4.other Data Byte array Data
nfs.statfs.bavail Available Blocks Unsigned 32-bit integer Available Blocks
nfs.statfs.bfree Free Blocks Unsigned 32-bit integer Free Blocks
nfs.statfs.blocks Total Blocks Unsigned 32-bit integer Total Blocks
nfs.statfs.bsize Block Size Unsigned 32-bit integer Block Size
nfs.statfs.tsize Transfer Size Unsigned 32-bit integer Transfer Size
nfs.status Status Unsigned 32-bit integer Reply status
nfs.symlink.linktext Name String Symbolic link contents
nfs.symlink.to To String Symbolic link destination name
nfs.tag Tag String Tag
nfs.type Type Unsigned 32-bit integer File Type
nfs.uid3 uid Unsigned 32-bit integer nfs.uid3
nfs.verifier4 verifier Unsigned 64-bit integer nfs.verifier4
nfs.wcc_attr.size size Unsigned 64-bit integer nfs.wcc_attr.size
nfs.who who String nfs.who
nfs.write.beginoffset Begin Offset Unsigned 32-bit integer Begin offset (obsolete)
nfs.write.committed Committed Unsigned 32-bit integer Committed
nfs.write.offset Offset Unsigned 32-bit integer Offset
nfs.write.stable Stable Unsigned 32-bit integer Stable
nfs.write.totalcount Total Count Unsigned 32-bit integer Total Count (obsolete)
nlm.block block Boolean block
nlm.cookie cookie Byte array cookie
nlm.exclusive exclusive Boolean exclusive
nlm.holder holder No value holder
nlm.lock lock No value lock
nlm.lock.caller_name caller_name String caller_name
nlm.lock.l_len l_len Unsigned 64-bit integer l_len
nlm.lock.l_offset l_offset Unsigned 64-bit integer l_offset
nlm.lock.owner owner Byte array owner
nlm.lock.svid svid Unsigned 32-bit integer svid
nlm.msg_in Request MSG in Unsigned 32-bit integer The RES packet is a response to the MSG in this packet
nlm.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
nlm.procedure_v2 V2 Procedure Unsigned 32-bit integer V2 Procedure
nlm.procedure_v3 V3 Procedure Unsigned 32-bit integer V3 Procedure
nlm.procedure_v4 V4 Procedure Unsigned 32-bit integer V4 Procedure
nlm.reclaim reclaim Boolean reclaim
nlm.res_in Reply RES in Unsigned 32-bit integer The response to this MSG packet is in this packet
nlm.sequence sequence Signed 32-bit integer sequence
nlm.share share No value share
nlm.share.access access Unsigned 32-bit integer access
nlm.share.mode mode Unsigned 32-bit integer mode
nlm.share.name name String name
nlm.stat stat Unsigned 32-bit integer stat
nlm.state state Unsigned 32-bit integer STATD state
nlm.test_stat test_stat No value test_stat
nlm.test_stat.stat stat Unsigned 32-bit integer stat
nlm.time Time from request Time duration Time between Request and Reply for async NLM calls
nntp.request Request Boolean TRUE if NNTP request
nntp.response Response Boolean TRUE if NNTP response
nsip.bvci BVCI Unsigned 16-bit integer BSSGP Virtual Connection Identifier
nsip.cause Cause Unsigned 8-bit integer
nsip.control_bits.c Confirm change flow Boolean
nsip.control_bits.r Request change flow Boolean
nsip.end_flag End flag Boolean
nsip.ip4_elements IP4 elements No value List of IP4 elements
nsip.ip6_elements IP6 elements No value List of IP6 elements
nsip.ip_address IP Address IPv4 address
nsip.ip_element.data_weight Data Weight Unsigned 8-bit integer
nsip.ip_element.ip_address IP Address IPv4 address
nsip.ip_element.signalling_weight Signalling Weight Unsigned 8-bit integer
nsip.ip_element.udp_port UDP Port Unsigned 16-bit integer
nsip.max_num_ns_vc Maximum number of NS-VCs Unsigned 16-bit integer
nsip.ns_vci NS-VCI Unsigned 16-bit integer Network Service Virtual Link Identifier
nsip.nsei NSEI Unsigned 16-bit integer Network Service Entity Identifier
nsip.num_ip4_endpoints Number of IP4 endpoints Unsigned 16-bit integer
nsip.num_ip6_endpoints Number of IP6 endpoints Unsigned 16-bit integer
nsip.pdu_type PDU type Unsigned 8-bit integer PDU type information element
nsip.reset_flag Reset flag Boolean
nsip.transaction_id Transaction ID Unsigned 8-bit integer
statnotify.name Name String Name of client that changed
statnotify.priv Priv Byte array Client supplied opaque data
statnotify.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
statnotify.state State Unsigned 32-bit integer New state of client that changed
stat.mon Monitor No value Monitor Host
stat.mon_id.name Monitor ID Name String Monitor ID Name
stat.my_id My ID No value My_ID structure
stat.my_id.hostname Hostname String My_ID Host to callback
stat.my_id.proc Procedure Unsigned 32-bit integer My_ID Procedure to callback
stat.my_id.prog Program Unsigned 32-bit integer My_ID Program to callback
stat.my_id.vers Version Unsigned 32-bit integer My_ID Version of callback
stat.name Name String Name
stat.priv Priv Byte array Private client supplied opaque data
stat.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
stat.stat_chge Status Change No value Status Change structure
stat.stat_res Status Result No value Status Result
stat.stat_res.res Result Unsigned 32-bit integer Result
stat.stat_res.state State Unsigned 32-bit integer State
stat.state State Unsigned 32-bit integer State of local NSM
ntp.ext Extension No value Extension
ntp.ext.associd Association ID Unsigned 32-bit integer Association ID
ntp.ext.flags Flags Unsigned 8-bit integer Flags (Response/Error/Version)
ntp.ext.flags.error Error bit Unsigned 8-bit integer Error bit
ntp.ext.flags.r Response bit Unsigned 8-bit integer Response bit
ntp.ext.flags.vn Version Unsigned 8-bit integer Version
ntp.ext.fstamp File Timestamp Unsigned 32-bit integer File Timestamp
ntp.ext.len Extension length Unsigned 16-bit integer Extension length
ntp.ext.op Opcode Unsigned 8-bit integer Opcode
ntp.ext.sig Signature Byte array Signature
ntp.ext.siglen Signature length Unsigned 32-bit integer Signature length
ntp.ext.tstamp Timestamp Unsigned 32-bit integer Timestamp
ntp.ext.val Value Byte array Value
ntp.ext.vallen Value length Unsigned 32-bit integer Value length
ntp.flags Flags Unsigned 8-bit integer Flags (Leap/Version/Mode)
ntp.flags.li Leap Indicator Unsigned 8-bit integer Leap Indicator
ntp.flags.mode Mode Unsigned 8-bit integer Mode
ntp.flags.vn Version number Unsigned 8-bit integer Version number
ntp.keyid Key ID Byte array Key ID
ntp.mac Message Authentication Code Byte array Message Authentication Code
ntp.org Originate Time Stamp Byte array Originate Time Stamp
ntp.ppoll Peer Polling Interval Unsigned 8-bit integer Peer Polling Interval
ntp.precision Peer Clock Precision Signed 8-bit integer Peer Clock Precision
ntp.rec Receive Time Stamp Byte array Receive Time Stamp
ntp.refid Reference Clock ID Byte array Reference Clock ID
ntp.reftime Reference Clock Update Time Byte array Reference Clock Update Time
ntp.rootdelay Root Delay Double-precision floating point Root Delay
ntp.rootdispersion Clock Dispersion Double-precision floating point Clock Dispersion
ntp.stratum Peer Clock Stratum Unsigned 8-bit integer Peer Clock Stratum
ntp.xmt Transmit Time Stamp Byte array Transmit Time Stamp
ntpctrl.flags2 Flags 2 Unsigned 8-bit integer Flags (Response/Error/More/Opcode)
ntpctrl.flags2.error Error bit Unsigned 8-bit integer Error bit
ntpctrl.flags2.more More bit Unsigned 8-bit integer More bit
ntpctrl.flags2.opcode Opcode Unsigned 8-bit integer Opcode
ntpctrl.flags2.r Response bit Unsigned 8-bit integer Response bit
ntppriv.auth Auth bit Unsigned 8-bit integer Auth bit
ntppriv.auth_seq Auth, sequence Unsigned 8-bit integer Auth bit, sequence number
ntppriv.flags.more More bit Unsigned 8-bit integer More bit
ntppriv.flags.r Response bit Unsigned 8-bit integer Response bit
ntppriv.impl Implementation Unsigned 8-bit integer Implementation
ntppriv.reqcode Request code Unsigned 8-bit integer Request code
ntppriv.seq Sequence number Unsigned 8-bit integer Sequence number
sonmp.backplane Backplane type Unsigned 8-bit integer Backplane type of the agent sending the topology message
sonmp.chassis Chassis type Unsigned 8-bit integer Chassis type of the agent sending the topology message
sonmp.ipaddress NMM IP address IPv4 address IP address of the agent (NMM)
sonmp.nmmstate NMM state Unsigned 8-bit integer Current state of this agent
sonmp.numberoflinks Number of links Unsigned 8-bit integer Number of interconnect ports
sonmp.segmentident Segment Identifier Unsigned 24-bit integer Segment id of the segment from which the agent is sending the topology message
ncs.incarnation Incarnation Unsigned 32-bit integer
ncs.pan_id Panning ID Unsigned 32-bit integer
ndps.add_bytes Address Bytes Byte array Address Bytes
ndps.addr_len Address Length Unsigned 32-bit integer Address Length
ndps.admin_submit_flag Admin Submit Flag? Boolean Admin Submit Flag?
ndps.answer_time Answer Time Unsigned 32-bit integer Answer Time
ndps.archive_size Archive File Size Unsigned 32-bit integer Archive File Size
ndps.archive_type Archive Type Unsigned 32-bit integer Archive Type
ndps.asn1_type ASN.1 Type Unsigned 16-bit integer ASN.1 Type
ndps.attribue_value Value Unsigned 32-bit integer Value
ndps.attribute_set Attribute Set Byte array Attribute Set
ndps.attribute_time Time Date/Time stamp Time
ndps.auth_null Auth Null Byte array Auth Null
ndps.banner_count Number of Banners Unsigned 32-bit integer Number of Banners
ndps.banner_name Banner Name String Banner Name
ndps.banner_type Banner Type Unsigned 32-bit integer Banner Type
ndps.broker_name Broker Name String Broker Name
ndps.certified Certified Byte array Certified
ndps.connection Connection Unsigned 16-bit integer Connection
ndps.context Context Byte array Context
ndps.context_len Context Length Unsigned 32-bit integer Context Length
ndps.cred_type Credential Type Unsigned 32-bit integer Credential Type
ndps.data [Data] No value [Data]
ndps.delivery_add_count Number of Delivery Addresses Unsigned 32-bit integer Number of Delivery Addresses
ndps.delivery_flag Delivery Address Data? Boolean Delivery Address Data?
ndps.delivery_method_count Number of Delivery Methods Unsigned 32-bit integer Number of Delivery Methods
ndps.delivery_method_type Delivery Method Type Unsigned 32-bit integer Delivery Method Type
ndps.doc_content Document Content Unsigned 32-bit integer Document Content
ndps.doc_name Document Name String Document Name
ndps.error_val Return Status Unsigned 32-bit integer Return Status
ndps.ext_err_string Extended Error String String Extended Error String
ndps.ext_error Extended Error Code Unsigned 32-bit integer Extended Error Code
ndps.file_name File Name String File Name
ndps.file_time_stamp File Time Stamp Unsigned 32-bit integer File Time Stamp
ndps.font_file_count Number of Font Files Unsigned 32-bit integer Number of Font Files
ndps.font_file_name Font File Name String Font File Name
ndps.font_name Font Name String Font Name
ndps.font_type Font Type Unsigned 32-bit integer Font Type
ndps.font_type_count Number of Font Types Unsigned 32-bit integer Number of Font Types
ndps.font_type_name Font Type Name String Font Type Name
ndps.fragment NDPS Fragment Frame number NDPS Fragment
ndps.fragments NDPS Fragments No value NDPS Fragments
ndps.get_status_flags Get Status Flag Unsigned 32-bit integer Get Status Flag
ndps.guid GUID Byte array GUID
ndps.inc_across_feed Increment Across Feed Byte array Increment Across Feed
ndps.included_doc Included Document Byte array Included Document
ndps.included_doc_len Included Document Length Unsigned 32-bit integer Included Document Length
ndps.inf_file_name INF File Name String INF File Name
ndps.info_boolean Boolean Value Boolean Boolean Value
ndps.info_bytes Byte Value Byte array Byte Value
ndps.info_int Integer Value Unsigned 8-bit integer Integer Value
ndps.info_int16 16 Bit Integer Value Unsigned 16-bit integer 16 Bit Integer Value
ndps.info_int32 32 Bit Integer Value Unsigned 32-bit integer 32 Bit Integer Value
ndps.info_string String Value String String Value
ndps.interrupt_job_type Interrupt Job Identifier Unsigned 32-bit integer Interrupt Job Identifier
ndps.interval Interval Unsigned 32-bit integer Interval
ndps.ip IP Address IPv4 address IP Address
ndps.item_bytes Item Ptr Byte array Item Ptr
ndps.item_ptr Item Pointer Byte array Item Pointer
ndps.language_flag Language Data? Boolean Language Data?
ndps.last_packet_flag Last Packet Flag Unsigned 32-bit integer Last Packet Flag
ndps.level Level Unsigned 32-bit integer Level
ndps.local_id Local ID Unsigned 32-bit integer Local ID
ndps.lower_range Lower Range Unsigned 32-bit integer Lower Range
ndps.lower_range_n64 Lower Range Byte array Lower Range
ndps.message Message String Message
ndps.method_flag Method Data? Boolean Method Data?
ndps.method_name Method Name String Method Name
ndps.method_ver Method Version String Method Version
ndps.n64 Value Byte array Value
ndps.ndps_abort Abort? Boolean Abort?
ndps.ndps_address Address Unsigned 32-bit integer Address
ndps.ndps_address_type Address Type Unsigned 32-bit integer Address Type
ndps.ndps_attrib_boolean Value? Boolean Value?
ndps.ndps_attrib_type Value Syntax Unsigned 32-bit integer Value Syntax
ndps.ndps_attrs_arg List Attribute Operation Unsigned 32-bit integer List Attribute Operation
ndps.ndps_bind_security Bind Security Options Unsigned 32-bit integer Bind Security Options
ndps.ndps_bind_security_count Number of Bind Security Options Unsigned 32-bit integer Number of Bind Security Options
ndps.ndps_car_name_or_oid Cardinal Name or OID Unsigned 32-bit integer Cardinal Name or OID
ndps.ndps_car_or_oid Cardinal or OID Unsigned 32-bit integer Cardinal or OID
ndps.ndps_card_enum_time Cardinal, Enum, or Time Unsigned 32-bit integer Cardinal, Enum, or Time
ndps.ndps_client_server_type Client/Server Type Unsigned 32-bit integer Client/Server Type
ndps.ndps_colorant_set Colorant Set Unsigned 32-bit integer Colorant Set
ndps.ndps_continuation_option Continuation Option Byte array Continuation Option
ndps.ndps_count_limit Count Limit Unsigned 32-bit integer Count Limit
ndps.ndps_criterion_type Criterion Type Unsigned 32-bit integer Criterion Type
ndps.ndps_data_item_type Item Type Unsigned 32-bit integer Item Type
ndps.ndps_delivery_add_type Delivery Address Type Unsigned 32-bit integer Delivery Address Type
ndps.ndps_dim_falg Dimension Flag Unsigned 32-bit integer Dimension Flag
ndps.ndps_dim_value Dimension Value Type Unsigned 32-bit integer Dimension Value Type
ndps.ndps_direction Direction Unsigned 32-bit integer Direction
ndps.ndps_doc_content Document Content Unsigned 32-bit integer Document Content
ndps.ndps_doc_num Document Number Unsigned 32-bit integer Document Number
ndps.ndps_ds_info_type DS Info Type Unsigned 32-bit integer DS Info Type
ndps.ndps_edge_value Edge Value Unsigned 32-bit integer Edge Value
ndps.ndps_event_object_identifier Event Object Type Unsigned 32-bit integer Event Object Type
ndps.ndps_event_type Event Type Unsigned 32-bit integer Event Type
ndps.ndps_filter Filter Type Unsigned 32-bit integer Filter Type
ndps.ndps_filter_item Filter Item Operation Unsigned 32-bit integer Filter Item Operation
ndps.ndps_force Force? Boolean Force?
ndps.ndps_get_resman_session_type Session Type Unsigned 32-bit integer Session Type
ndps.ndps_get_session_type Session Type Unsigned 32-bit integer Session Type
ndps.ndps_identifier_type Identifier Type Unsigned 32-bit integer Identifier Type
ndps.ndps_ignored_type Ignored Type Unsigned 32-bit integer Ignored Type
ndps.ndps_integer_or_oid Integer or OID Unsigned 32-bit integer Integer or OID
ndps.ndps_integer_type_flag Integer Type Flag Unsigned 32-bit integer Integer Type Flag
ndps.ndps_integer_type_value Integer Type Value Unsigned 32-bit integer Integer Type Value
ndps.ndps_item_count Number of Items Unsigned 32-bit integer Number of Items
ndps.ndps_lang_id Language ID Unsigned 32-bit integer Language ID
ndps.ndps_language_count Number of Languages Unsigned 32-bit integer Number of Languages
ndps.ndps_len Length Unsigned 16-bit integer Length
ndps.ndps_lib_error Library Error Unsigned 32-bit integer Library Error
ndps.ndps_limit_enc Limit Encountered Unsigned 32-bit integer Limit Encountered
ndps.ndps_list_local_server_type Server Type Unsigned 32-bit integer Server Type
ndps.ndps_list_profiles_choice_type List Profiles Choice Type Unsigned 32-bit integer List Profiles Choice Type
ndps.ndps_list_profiles_result_type List Profiles Result Type Unsigned 32-bit integer List Profiles Result Type
ndps.ndps_list_profiles_type List Profiles Type Unsigned 32-bit integer List Profiles Type
ndps.ndps_list_services_type Services Type Unsigned 32-bit integer Services Type
ndps.ndps_loc_object_name Local Object Name String Local Object Name
ndps.ndps_location_value Location Value Type Unsigned 32-bit integer Location Value Type
ndps.ndps_long_edge_feeds Long Edge Feeds? Boolean Long Edge Feeds?
ndps.ndps_max_items Maximum Items in List Unsigned 32-bit integer Maximum Items in List
ndps.ndps_media_type Media Type Unsigned 32-bit integer Media Type
ndps.ndps_medium_size Medium Size Unsigned 32-bit integer Medium Size
ndps.ndps_nameorid Name or ID Type Unsigned 32-bit integer Name or ID Type
ndps.ndps_num_resources Number of Resources Unsigned 32-bit integer Number of Resources
ndps.ndps_num_services Number of Services Unsigned 32-bit integer Number of Services
ndps.ndps_numbers_up Numbers Up Unsigned 32-bit integer Numbers Up
ndps.ndps_object_name Object Name String Object Name
ndps.ndps_object_op Operation Unsigned 32-bit integer Operation
ndps.ndps_operator Operator Type Unsigned 32-bit integer Operator Type
ndps.ndps_other_error Other Error Unsigned 32-bit integer Other Error
ndps.ndps_other_error_2 Other Error 2 Unsigned 32-bit integer Other Error 2
ndps.ndps_page_flag Page Flag Unsigned 32-bit integer Page Flag
ndps.ndps_page_order Page Order Unsigned 32-bit integer Page Order
ndps.ndps_page_orientation Page Orientation Unsigned 32-bit integer Page Orientation
ndps.ndps_page_size Page Size Unsigned 32-bit integer Page Size
ndps.ndps_persistence Persistence Unsigned 32-bit integer Persistence
ndps.ndps_printer_name Printer Name String Printer Name
ndps.ndps_profile_id Profile ID Unsigned 32-bit integer Profile ID
ndps.ndps_qual Qualifier Unsigned 32-bit integer Qualifier
ndps.ndps_qual_name_type Qualified Name Type Unsigned 32-bit integer Qualified Name Type
ndps.ndps_qual_name_type2 Qualified Name Type Unsigned 32-bit integer Qualified Name Type
ndps.ndps_realization Realization Type Unsigned 32-bit integer Realization Type
ndps.ndps_resource_type Resource Type Unsigned 32-bit integer Resource Type
ndps.ndps_ret_restrict Retrieve Restrictions Unsigned 32-bit integer Retrieve Restrictions
ndps.ndps_server_type NDPS Server Type Unsigned 32-bit integer NDPS Server Type
ndps.ndps_service_enabled Service Enabled? Boolean Service Enabled?
ndps.ndps_service_type NDPS Service Type Unsigned 32-bit integer NDPS Service Type
ndps.ndps_session Session Handle Unsigned 32-bit integer Session Handle
ndps.ndps_session_type Session Type Unsigned 32-bit integer Session Type
ndps.ndps_state_severity State Severity Unsigned 32-bit integer State Severity
ndps.ndps_status_flags Status Flag Unsigned 32-bit integer Status Flag
ndps.ndps_substring_match Substring Match Unsigned 32-bit integer Substring Match
ndps.ndps_time_limit Time Limit Unsigned 32-bit integer Time Limit
ndps.ndps_training Training Unsigned 32-bit integer Training
ndps.ndps_xdimension X Dimension Unsigned 32-bit integer X Dimension
ndps.ndps_xydim_value XY Dimension Value Type Unsigned 32-bit integer XY Dimension Value Type
ndps.ndps_ydimension Y Dimension Unsigned 32-bit integer Y Dimension
ndps.net IPX Network IPX network or server name Scope
ndps.node Node 6-byte Hardware (MAC) Address Node
ndps.notify_lease_exp_time Notify Lease Expiration Time Unsigned 32-bit integer Notify Lease Expiration Time
ndps.notify_printer_uri Notify Printer URI String Notify Printer URI
ndps.notify_seq_number Notify Sequence Number Unsigned 32-bit integer Notify Sequence Number
ndps.notify_time_interval Notify Time Interval Unsigned 32-bit integer Notify Time Interval
ndps.num_address_items Number of Address Items Unsigned 32-bit integer Number of Address Items
ndps.num_areas Number of Areas Unsigned 32-bit integer Number of Areas
ndps.num_argss Number of Arguments Unsigned 32-bit integer Number of Arguments
ndps.num_attributes Number of Attributes Unsigned 32-bit integer Number of Attributes
ndps.num_categories Number of Categories Unsigned 32-bit integer Number of Categories
ndps.num_colorants Number of Colorants Unsigned 32-bit integer Number of Colorants
ndps.num_destinations Number of Destinations Unsigned 32-bit integer Number of Destinations
ndps.num_doc_types Number of Document Types Unsigned 32-bit integer Number of Document Types
ndps.num_events Number of Events Unsigned 32-bit integer Number of Events
ndps.num_ignored_attributes Number of Ignored Attributes Unsigned 32-bit integer Number of Ignored Attributes
ndps.num_job_categories Number of Job Categories Unsigned 32-bit integer Number of Job Categories
ndps.num_jobs Number of Jobs Unsigned 32-bit integer Number of Jobs
ndps.num_locations Number of Locations Unsigned 32-bit integer Number of Locations
ndps.num_names Number of Names Unsigned 32-bit integer Number of Names
ndps.num_objects Number of Objects Unsigned 32-bit integer Number of Objects
ndps.num_options Number of Options Unsigned 32-bit integer Number of Options
ndps.num_page_informations Number of Page Information Items Unsigned 32-bit integer Number of Page Information Items
ndps.num_page_selects Number of Page Select Items Unsigned 32-bit integer Number of Page Select Items
ndps.num_passwords Number of Passwords Unsigned 32-bit integer Number of Passwords
ndps.num_results Number of Results Unsigned 32-bit integer Number of Results
ndps.num_servers Number of Servers Unsigned 32-bit integer Number of Servers
ndps.num_transfer_methods Number of Transfer Methods Unsigned 32-bit integer Number of Transfer Methods
ndps.num_values Number of Values Unsigned 32-bit integer Number of Values
ndps.num_win31_keys Number of Windows 3.1 Keys Unsigned 32-bit integer Number of Windows 3.1 Keys
ndps.num_win95_keys Number of Windows 95 Keys Unsigned 32-bit integer Number of Windows 95 Keys
ndps.num_windows_keys Number of Windows Keys Unsigned 32-bit integer Number of Windows Keys
ndps.object Object ID Unsigned 32-bit integer Object ID
ndps.objectid_def10 Object ID Definition No value Object ID Definition
ndps.objectid_def11 Object ID Definition No value Object ID Definition
ndps.objectid_def12 Object ID Definition No value Object ID Definition
ndps.objectid_def13 Object ID Definition No value Object ID Definition
ndps.objectid_def14 Object ID Definition No value Object ID Definition
ndps.objectid_def15 Object ID Definition No value Object ID Definition
ndps.objectid_def16 Object ID Definition No value Object ID Definition
ndps.objectid_def7 Object ID Definition No value Object ID Definition
ndps.objectid_def8 Object ID Definition No value Object ID Definition
ndps.objectid_def9 Object ID Definition No value Object ID Definition
ndps.octet_string Octet String Byte array Octet String
ndps.oid Object ID Byte array Object ID
ndps.os_count Number of OSes Unsigned 32-bit integer Number of OSes
ndps.os_type OS Type Unsigned 32-bit integer OS Type
ndps.pa_name Printer Name String Printer Name
ndps.packet_count Packet Count Unsigned 32-bit integer Packet Count
ndps.packet_type Packet Type Unsigned 32-bit integer Packet Type
ndps.password Password Byte array Password
ndps.pause_job_type Pause Job Identifier Unsigned 32-bit integer Pause Job Identifier
ndps.port IP Port Unsigned 16-bit integer IP Port
ndps.print_arg Print Type Unsigned 32-bit integer Print Type
ndps.print_def_name Printer Definition Name String Printer Definition Name
ndps.print_dir_name Printer Directory Name String Printer Directory Name
ndps.print_file_name Printer File Name String Printer File Name
ndps.print_security Printer Security Unsigned 32-bit integer Printer Security
ndps.printer_def_count Number of Printer Definitions Unsigned 32-bit integer Number of Printer Definitions
ndps.printer_id Printer ID Byte array Printer ID
ndps.printer_type_count Number of Printer Types Unsigned 32-bit integer Number of Printer Types
ndps.prn_manuf Printer Manufacturer String Printer Manufacturer
ndps.prn_type Printer Type String Printer Type
ndps.rbuffer Connection Unsigned 32-bit integer Connection
ndps.record_length Record Length Unsigned 16-bit integer Record Length
ndps.record_mark Record Mark Unsigned 16-bit integer Record Mark
ndps.ref_doc_name Referenced Document Name String Referenced Document Name
ndps.registry_name Registry Name String Registry Name
ndps.reqframe Request Frame Frame number Request Frame
ndps.res_type Resource Type Unsigned 32-bit integer Resource Type
ndps.resubmit_op_type Resubmit Operation Type Unsigned 32-bit integer Resubmit Operation Type
ndps.ret_code Return Code Unsigned 32-bit integer Return Code
ndps.rpc_acc RPC Accept or Deny Unsigned 32-bit integer RPC Accept or Deny
ndps.rpc_acc_prob Access Problem Unsigned 32-bit integer Access Problem
ndps.rpc_acc_res RPC Accept Results Unsigned 32-bit integer RPC Accept Results
ndps.rpc_acc_stat RPC Accept Status Unsigned 32-bit integer RPC Accept Status
ndps.rpc_attr_prob Attribute Problem Unsigned 32-bit integer Attribute Problem
ndps.rpc_doc_acc_prob Document Access Problem Unsigned 32-bit integer Document Access Problem
ndps.rpc_obj_id_type Object ID Type Unsigned 32-bit integer Object ID Type
ndps.rpc_oid_struct_size OID Struct Size Unsigned 16-bit integer OID Struct Size
ndps.rpc_print_prob Printer Problem Unsigned 32-bit integer Printer Problem
ndps.rpc_prob_type Problem Type Unsigned 32-bit integer Problem Type
ndps.rpc_rej_stat RPC Reject Status Unsigned 32-bit integer RPC Reject Status
ndps.rpc_sec_prob Security Problem Unsigned 32-bit integer Security Problem
ndps.rpc_sel_prob Selection Problem Unsigned 32-bit integer Selection Problem
ndps.rpc_serv_prob Service Problem Unsigned 32-bit integer Service Problem
ndps.rpc_update_prob Update Problem Unsigned 32-bit integer Update Problem
ndps.rpc_version RPC Version Unsigned 32-bit integer RPC Version
ndps.sbuffer Server Unsigned 32-bit integer Server
ndps.scope Scope Unsigned 32-bit integer Scope
ndps.segment.error Desegmentation error Frame number Desegmentation error due to illegal segments
ndps.segment.multipletails Multiple tail segments found Boolean Several tails were found when desegmenting the packet
ndps.segment.overlap Segment overlap Boolean Segment overlaps with other segments
ndps.segment.overlap.conflict Conflicting data in segment overlap Boolean Overlapping segments contained conflicting data
ndps.segment.toolongsegment Segment too long Boolean Segment contained data past end of packet
ndps.server_name Server Name String Server Name
ndps.shutdown_type Shutdown Type Unsigned 32-bit integer Shutdown Type
ndps.size_inc_in_feed Size Increment in Feed Byte array Size Increment in Feed
ndps.socket IPX Socket Unsigned 16-bit integer IPX Socket
ndps.sub_complete Submission Complete? Boolean Submission Complete?
ndps.supplier_flag Supplier Data? Boolean Supplier Data?
ndps.supplier_name Supplier Name String Supplier Name
ndps.time Time Unsigned 32-bit integer Time
ndps.tree Tree String Tree
ndps.upper_range Upper Range Unsigned 32-bit integer Upper Range
ndps.upper_range_n64 Upper Range Byte array Upper Range
ndps.user_name Trustee Name String Trustee Name
ndps.vendor_dir Vendor Directory String Vendor Directory
ndps.windows_key Windows Key String Windows Key
ndps.xdimension_n64 X Dimension Byte array X Dimension
ndps.xid Exchange ID Unsigned 32-bit integer Exchange ID
ndps.xmax_n64 Maximum X Dimension Byte array Maximum X Dimension
ndps.xmin_n64 Minimum X Dimension Byte array Minimum X Dimension
ndps.ymax_n64 Maximum Y Dimension Byte array Maximum Y Dimension
ndps.ymin_n64 Minimum Y Dimension Byte array Minimum Y Dimension
spx.ndps_error NDPS Error Unsigned 32-bit integer NDPS Error
spx.ndps_func_broker Broker Program Unsigned 32-bit integer Broker Program
spx.ndps_func_delivery Delivery Program Unsigned 32-bit integer Delivery Program
spx.ndps_func_notify Notify Program Unsigned 32-bit integer Notify Program
spx.ndps_func_print Print Program Unsigned 32-bit integer Print Program
spx.ndps_func_registry Registry Program Unsigned 32-bit integer Registry Program
spx.ndps_func_resman ResMan Program Unsigned 32-bit integer ResMan Program
spx.ndps_program NDPS Program Number Unsigned 32-bit integer NDPS Program Number
spx.ndps_version Program Version Unsigned 32-bit integer Program Version
nmas.attribute Attribute Type Unsigned 32-bit integer Attribute Type
nmas.buf_size Reply Buffer Size Unsigned 32-bit integer Reply Buffer Size
nmas.clearence Requested Clearence String Requested Clearence
nmas.cqueue_bytes Client Queue Number of Bytes Unsigned 32-bit integer Client Queue Number of Bytes
nmas.cred_type Credential Type Unsigned 32-bit integer Credential Type
nmas.data Data Byte array Data
nmas.enc_cred Encrypted Credential Byte array Encrypted Credential
nmas.enc_data Encrypted Data Byte array Encrypted Data
nmas.encrypt_error Payload Error Unsigned 32-bit integer Payload/Encryption Return Code
nmas.frag_handle Fragment Handle Unsigned 32-bit integer Fragment Handle
nmas.func Function Unsigned 8-bit integer Function
nmas.length Length Unsigned 32-bit integer Length
nmas.login_seq Requested Login Sequence String Requested Login Sequence
nmas.login_state Login State Unsigned 32-bit integer Login State
nmas.lsm_verb Login Store Message Verb Unsigned 8-bit integer Login Store Message Verb
nmas.msg_verb Message Verb Unsigned 8-bit integer Message Verb
nmas.msg_version Message Version Unsigned 32-bit integer Message Version
nmas.num_creds Number of Credentials Unsigned 32-bit integer Number of Credentials
nmas.opaque Opaque Data Byte array Opaque Data
nmas.ping_flags Flags Unsigned 32-bit integer Flags
nmas.ping_version Ping Version Unsigned 32-bit integer Ping Version
nmas.return_code Return Code Unsigned 32-bit integer Return Code
nmas.session_ident Session Identifier Unsigned 32-bit integer Session Identifier
nmas.squeue_bytes Server Queue Number of Bytes Unsigned 32-bit integer Server Queue Number of Bytes
nmas.subfunc Subfunction Unsigned 8-bit integer Subfunction
nmas.subverb Sub Verb Unsigned 32-bit integer Sub Verb
nmas.tree Tree String Tree
nmas.user User String User
nmas.version NMAS Protocol Version Unsigned 32-bit integer NMAS Protocol Version
ncp.sss_bit1 Enhanced Protection Boolean
ncp.sss_bit10 Destroy Context Boolean
ncp.sss_bit11 Not Defined Boolean
ncp.sss_bit12 Not Defined Boolean
ncp.sss_bit13 Not Defined Boolean
ncp.sss_bit14 Not Defined Boolean
ncp.sss_bit15 Not Defined Boolean
ncp.sss_bit16 Not Defined Boolean
ncp.sss_bit17 EP Lock Boolean
ncp.sss_bit18 Not Initialized Boolean
ncp.sss_bit19 Enhanced Protection Boolean
ncp.sss_bit2 Create ID Boolean
ncp.sss_bit20 Store Not Synced Boolean
ncp.sss_bit21 Admin Last Modified Boolean
ncp.sss_bit22 EP Password Present Boolean
ncp.sss_bit23 EP Master Password Present Boolean
ncp.sss_bit24 MP Disabled Boolean
ncp.sss_bit25 Not Defined Boolean
ncp.sss_bit26 Not Defined Boolean
ncp.sss_bit27 Not Defined Boolean
ncp.sss_bit28 Not Defined Boolean
ncp.sss_bit29 Not Defined Boolean
ncp.sss_bit3 Remove Lock Boolean
ncp.sss_bit30 Not Defined Boolean
ncp.sss_bit31 Not Defined Boolean
ncp.sss_bit32 Not Defined Boolean
ncp.sss_bit4 Repair Boolean
ncp.sss_bit5 Unicode Boolean
ncp.sss_bit6 EP Master Password Used Boolean
ncp.sss_bit7 EP Password Used Boolean
ncp.sss_bit8 Set Tree Name Boolean
ncp.sss_bit9 Get Context Boolean
sss.buffer Buffer Size Unsigned 32-bit integer Buffer Size
sss.context Context Unsigned 32-bit integer Context
sss.enc_cred Encrypted Credential Byte array Encrypted Credential
sss.enc_data Encrypted Data Byte array Encrypted Data
sss.flags Flags Unsigned 32-bit integer Flags
sss.frag_handle Fragment Handle Unsigned 32-bit integer Fragment Handle
sss.length Length Unsigned 32-bit integer Length
sss.ping_version Ping Version Unsigned 32-bit integer Ping Version
sss.return_code Return Code Unsigned 32-bit integer Return Code
sss.secret Secret ID String Secret ID
sss.user User String User
sss.verb Verb Unsigned 32-bit integer Verb
sss.version SecretStore Protocol Version Unsigned 32-bit integer SecretStore Protocol Version
null.family Family Unsigned 32-bit integer
null.type Type Unsigned 16-bit integer
oicq.command Command Unsigned 16-bit integer Command
oicq.data Data String Data
oicq.flag Flag Unsigned 8-bit integer Protocol Flag
oicq.qqid Data(OICQ Number,if sender is client) Unsigned 32-bit integer
oicq.seq Sequence Unsigned 16-bit integer Sequence
oicq.version Version Unsigned 16-bit integer Version-zz
ulp.CellMeasuredResultsList_item Item No value ulp.CellMeasuredResults
ulp.MeasuredResultsList_item Item No value ulp.MeasuredResults
ulp.NMR_item Item No value ulp.NMRelement
ulp.SatelliteInfo_item Item No value ulp.SatelliteInfoElement
ulp.TimeslotISCP_List_item Item Unsigned 32-bit integer ulp.TimeslotISCP
ulp.ULP_PDU ULP-PDU No value ulp.ULP_PDU
ulp.aFLT aFLT Boolean ulp.BOOLEAN
ulp.aRFCN aRFCN Unsigned 32-bit integer ulp.INTEGER_0_1023
ulp.acquisitionAssistanceRequested acquisitionAssistanceRequested Boolean ulp.BOOLEAN
ulp.agpsSETBased agpsSETBased Boolean ulp.BOOLEAN
ulp.agpsSETassisted agpsSETassisted Boolean ulp.BOOLEAN
ulp.almanacRequested almanacRequested Boolean ulp.BOOLEAN
ulp.altUncertainty altUncertainty Unsigned 32-bit integer ulp.INTEGER_0_127
ulp.altitude altitude Unsigned 32-bit integer ulp.INTEGER_0_32767
ulp.altitudeDirection altitudeDirection Unsigned 32-bit integer ulp.T_altitudeDirection
ulp.altitudeInfo altitudeInfo No value ulp.AltitudeInfo
ulp.autonomousGPS autonomousGPS Boolean ulp.BOOLEAN
ulp.bSIC bSIC Unsigned 32-bit integer ulp.INTEGER_0_63
ulp.bearing bearing Byte array ulp.BIT_STRING_SIZE_9
ulp.cdmaCell cdmaCell No value ulp.CdmaCellInformation
ulp.cellIdentity cellIdentity Unsigned 32-bit integer ulp.INTEGER_0_268435455
ulp.cellInfo cellInfo Unsigned 32-bit integer ulp.CellInfo
ulp.cellMeasuredResultsList cellMeasuredResultsList Unsigned 32-bit integer ulp.CellMeasuredResultsList
ulp.cellParametersID cellParametersID Unsigned 32-bit integer ulp.CellParametersID
ulp.clientName clientName Byte array ulp.OCTET_STRING_SIZE_1_maxClientLength
ulp.clientNameType clientNameType Unsigned 32-bit integer ulp.FormatIndicator
ulp.confidence confidence Unsigned 32-bit integer ulp.INTEGER_0_100
ulp.cpich_Ec_N0 cpich-Ec-N0 Unsigned 32-bit integer ulp.CPICH_Ec_N0
ulp.cpich_RSCP cpich-RSCP Unsigned 32-bit integer ulp.CPICH_RSCP
ulp.delay delay Unsigned 32-bit integer ulp.INTEGER_0_7
ulp.dgpsCorrectionsRequested dgpsCorrectionsRequested Boolean ulp.BOOLEAN
ulp.eCID eCID Boolean ulp.BOOLEAN
ulp.eOTD eOTD Boolean ulp.BOOLEAN
ulp.encodingType encodingType Unsigned 32-bit integer ulp.EncodingType
ulp.fQDN fQDN String ulp.FQDN
ulp.fdd fdd No value ulp.FrequencyInfoFDD
ulp.frequencyInfo frequencyInfo No value ulp.FrequencyInfo
ulp.gpsToe gpsToe Unsigned 32-bit integer ulp.INTEGER_0_167
ulp.gpsWeek gpsWeek Unsigned 32-bit integer ulp.INTEGER_0_1023
ulp.gsmCell gsmCell No value ulp.GsmCellInformation
ulp.horacc horacc Unsigned 32-bit integer ulp.INTEGER_0_127
ulp.horandveruncert horandveruncert No value ulp.Horandveruncert
ulp.horandvervel horandvervel No value ulp.Horandvervel
ulp.horspeed horspeed Byte array ulp.BIT_STRING_SIZE_16
ulp.horuncertspeed horuncertspeed Byte array ulp.BIT_STRING_SIZE_8
ulp.horvel horvel No value ulp.Horvel
ulp.horveluncert horveluncert No value ulp.Horveluncert
ulp.iODE iODE Unsigned 32-bit integer ulp.INTEGER_0_255
ulp.iPAddress iPAddress Unsigned 32-bit integer ulp.IPAddress
ulp.imsi imsi Byte array ulp.OCTET_STRING_SIZE_8
ulp.ionosphericModelRequested ionosphericModelRequested Boolean ulp.BOOLEAN
ulp.ipv4Address ipv4Address Byte array ulp.IPv4Address
ulp.ipv6Address ipv6Address Byte array ulp.IPv6Address
ulp.keyIdentity keyIdentity Byte array ulp.KeyIdentity
ulp.keyIdentity2 keyIdentity2 Byte array ulp.KeyIdentity2
ulp.keyIdentity3 keyIdentity3 Byte array ulp.KeyIdentity3
ulp.keyIdentity4 keyIdentity4 Byte array ulp.KeyIdentity4
ulp.latitude latitude Unsigned 32-bit integer ulp.INTEGER_0_8388607
ulp.latitudeSign latitudeSign Unsigned 32-bit integer ulp.T_latitudeSign
ulp.length length Unsigned 32-bit integer ulp.INTEGER_0_65535
ulp.locationId locationId No value ulp.LocationId
ulp.longKey longKey Byte array ulp.BIT_STRING_SIZE_256
ulp.longitude longitude Signed 32-bit integer ulp.INTEGER_M8388608_8388607
ulp.mAC mAC Byte array ulp.MAC
ulp.maj maj Unsigned 32-bit integer ulp.INTEGER_0_255
ulp.maxLocAge maxLocAge Unsigned 32-bit integer ulp.INTEGER_0_65535
ulp.mdn mdn Byte array ulp.OCTET_STRING_SIZE_8
ulp.measuredResultsList measuredResultsList Unsigned 32-bit integer ulp.MeasuredResultsList
ulp.message message Unsigned 32-bit integer ulp.UlpMessage
ulp.min min Unsigned 32-bit integer ulp.INTEGER_0_255
ulp.modeSpecificInfo modeSpecificInfo Unsigned 32-bit integer ulp.T_modeSpecificInfo
ulp.msSUPLAUTHREQ msSUPLAUTHREQ No value ulp.SUPLAUTHREQ
ulp.msSUPLAUTHRESP msSUPLAUTHRESP No value ulp.SUPLAUTHRESP
ulp.msSUPLEND msSUPLEND No value ulp.SUPLEND
ulp.msSUPLINIT msSUPLINIT No value ulp.SUPLINIT
ulp.msSUPLPOS msSUPLPOS No value ulp.SUPLPOS
ulp.msSUPLPOSINIT msSUPLPOSINIT No value ulp.SUPLPOSINIT
ulp.msSUPLRESPONSE msSUPLRESPONSE No value ulp.SUPLRESPONSE
ulp.msSUPLSTART msSUPLSTART No value ulp.SUPLSTART
ulp.msisdn msisdn Byte array ulp.OCTET_STRING_SIZE_8
ulp.nMR nMR Unsigned 32-bit integer ulp.NMR
ulp.nSAT nSAT Unsigned 32-bit integer ulp.INTEGER_0_31
ulp.nai nai String ulp.IA5String_SIZE_1_1000
ulp.navigationModelData navigationModelData No value ulp.NavigationModel
ulp.navigationModelRequested navigationModelRequested Boolean ulp.BOOLEAN
ulp.notification notification No value ulp.Notification
ulp.notificationType notificationType Unsigned 32-bit integer ulp.NotificationType
ulp.oTDOA oTDOA Boolean ulp.BOOLEAN
ulp.orientationMajorAxis orientationMajorAxis Unsigned 32-bit integer ulp.INTEGER_0_180
ulp.pathloss pathloss Unsigned 32-bit integer ulp.Pathloss
ulp.posMethod posMethod Unsigned 32-bit integer ulp.PosMethod
ulp.posPayLoad posPayLoad Unsigned 32-bit integer ulp.PosPayLoad
ulp.posProtocol posProtocol No value ulp.PosProtocol
ulp.posTechnology posTechnology No value ulp.PosTechnology
ulp.position position No value ulp.Position
ulp.positionEstimate positionEstimate No value ulp.PositionEstimate
ulp.prefMethod prefMethod Unsigned 32-bit integer ulp.PrefMethod
ulp.primaryCCPCH_RSCP primaryCCPCH-RSCP Unsigned 32-bit integer ulp.PrimaryCCPCH_RSCP
ulp.primaryCPICH_Info primaryCPICH-Info No value ulp.PrimaryCPICH_Info
ulp.primaryScramblingCode primaryScramblingCode Unsigned 32-bit integer ulp.INTEGER_0_511
ulp.proposedTGSN proposedTGSN Unsigned 32-bit integer ulp.TGSN
ulp.qoP qoP No value ulp.QoP
ulp.reBASELONG reBASELONG Unsigned 32-bit integer ulp.INTEGER_0_8388607
ulp.realTimeIntegrityRequested realTimeIntegrityRequested Boolean ulp.BOOLEAN
ulp.refBASEID refBASEID Unsigned 32-bit integer ulp.INTEGER_0_65535
ulp.refBASELAT refBASELAT Unsigned 32-bit integer ulp.INTEGER_0_4194303
ulp.refCI refCI Unsigned 32-bit integer ulp.INTEGER_0_65535
ulp.refLAC refLAC Unsigned 32-bit integer ulp.INTEGER_0_65535
ulp.refMCC refMCC Unsigned 32-bit integer ulp.INTEGER_0_999
ulp.refMNC refMNC Unsigned 32-bit integer ulp.INTEGER_0_999
ulp.refNID refNID Unsigned 32-bit integer ulp.INTEGER_0_65535
ulp.refREFPN refREFPN Unsigned 32-bit integer ulp.INTEGER_0_511
ulp.refSID refSID Unsigned 32-bit integer ulp.INTEGER_0_32767
ulp.refSeconds refSeconds Unsigned 32-bit integer ulp.INTEGER_0_4194303
ulp.refUC refUC Unsigned 32-bit integer ulp.INTEGER_0_268435455
ulp.refWeekNumber refWeekNumber Unsigned 32-bit integer ulp.INTEGER_0_65535
ulp.referenceLocationRequested referenceLocationRequested Boolean ulp.BOOLEAN
ulp.referenceTimeRequested referenceTimeRequested Boolean ulp.BOOLEAN
ulp.requestedAssistData requestedAssistData No value ulp.RequestedAssistData
ulp.requestorId requestorId Byte array ulp.OCTET_STRING_SIZE_1_maxReqLength
ulp.requestorIdType requestorIdType Unsigned 32-bit integer ulp.FormatIndicator
ulp.rrc rrc Boolean ulp.BOOLEAN
ulp.rrcPayload rrcPayload Byte array ulp.OCTET_STRING_SIZE_1_8192
ulp.rrlp rrlp Boolean ulp.BOOLEAN
ulp.rrlpPayload rrlpPayload Byte array ulp.RRLPPayload
ulp.rxLev rxLev Unsigned 32-bit integer ulp.INTEGER_0_63
ulp.sETAuthKey sETAuthKey Unsigned 32-bit integer ulp.SETAuthKey
ulp.sETCapabilities sETCapabilities No value ulp.SETCapabilities
ulp.sETNonce sETNonce Byte array ulp.SETNonce
ulp.sLPAddress sLPAddress Unsigned 32-bit integer ulp.SLPAddress
ulp.sLPMode sLPMode Unsigned 32-bit integer ulp.SLPMode
ulp.sPCAuthKey sPCAuthKey Unsigned 32-bit integer ulp.SPCAuthKey
ulp.sUPLPOS sUPLPOS No value ulp.SUPLPOS
ulp.satId satId Unsigned 32-bit integer ulp.INTEGER_0_63
ulp.satInfo satInfo Unsigned 32-bit integer ulp.SatelliteInfo
ulp.servind servind Unsigned 32-bit integer ulp.INTEGER_0_255
ulp.sessionID sessionID No value ulp.SessionID
ulp.sessionId sessionId Unsigned 32-bit integer ulp.INTEGER_0_65535
ulp.setId setId Unsigned 32-bit integer ulp.SETId
ulp.setSessionID setSessionID No value ulp.SetSessionID
ulp.shortKey shortKey Byte array ulp.BIT_STRING_SIZE_128
ulp.slpId slpId Unsigned 32-bit integer ulp.SLPAddress
ulp.slpSessionID slpSessionID No value ulp.SlpSessionID
ulp.status status Unsigned 32-bit integer ulp.Status
ulp.statusCode statusCode Unsigned 32-bit integer ulp.StatusCode
ulp.tA tA Unsigned 32-bit integer ulp.INTEGER_0_255
ulp.tdd tdd No value ulp.FrequencyInfoTDD
ulp.tia801 tia801 Boolean ulp.BOOLEAN
ulp.tia801payload tia801payload Byte array ulp.OCTET_STRING_SIZE_1_8192
ulp.timeslotISCP_List timeslotISCP-List Unsigned 32-bit integer ulp.TimeslotISCP_List
ulp.timestamp timestamp String ulp.UTCTime
ulp.toeLimit toeLimit Unsigned 32-bit integer ulp.INTEGER_0_10
ulp.uarfcn_DL uarfcn-DL Unsigned 32-bit integer ulp.UARFCN
ulp.uarfcn_Nt uarfcn-Nt Unsigned 32-bit integer ulp.UARFCN
ulp.uarfcn_UL uarfcn-UL Unsigned 32-bit integer ulp.UARFCN
ulp.uncertainty uncertainty No value ulp.T_uncertainty
ulp.uncertaintySemiMajor uncertaintySemiMajor Unsigned 32-bit integer ulp.INTEGER_0_127
ulp.uncertaintySemiMinor uncertaintySemiMinor Unsigned 32-bit integer ulp.INTEGER_0_127
ulp.uncertspeed uncertspeed Byte array ulp.BIT_STRING_SIZE_8
ulp.utcModelRequested utcModelRequested Boolean ulp.BOOLEAN
ulp.utra_CarrierRSSI utra-CarrierRSSI Unsigned 32-bit integer ulp.UTRA_CarrierRSSI
ulp.velocity velocity Unsigned 32-bit integer ulp.Velocity
ulp.ver ver Byte array ulp.Ver
ulp.veracc veracc Unsigned 32-bit integer ulp.INTEGER_0_127
ulp.verdirect verdirect Byte array ulp.BIT_STRING_SIZE_1
ulp.version version No value ulp.Version
ulp.verspeed verspeed Byte array ulp.BIT_STRING_SIZE_8
ulp.veruncertspeed veruncertspeed Byte array ulp.BIT_STRING_SIZE_8
ulp.wcdmaCell wcdmaCell No value ulp.WcdmaCellInformation
ocsp.AcceptableResponses AcceptableResponses Unsigned 32-bit integer ocsp.AcceptableResponses
ocsp.AcceptableResponses_item Item ocsp.OBJECT_IDENTIFIER
ocsp.ArchiveCutoff ArchiveCutoff String ocsp.ArchiveCutoff
ocsp.BasicOCSPResponse BasicOCSPResponse No value ocsp.BasicOCSPResponse
ocsp.CrlID CrlID No value ocsp.CrlID
ocsp.ServiceLocator ServiceLocator No value ocsp.ServiceLocator
ocsp.byKey byKey Byte array ocsp.KeyHash
ocsp.byName byName Unsigned 32-bit integer pkix1explicit.Name
ocsp.certID certID No value ocsp.CertID
ocsp.certStatus certStatus Unsigned 32-bit integer ocsp.CertStatus
ocsp.certs certs Unsigned 32-bit integer ocsp.SEQUENCE_OF_Certificate
ocsp.certs_item Item No value x509af.Certificate
ocsp.crlNum crlNum Signed 32-bit integer ocsp.INTEGER
ocsp.crlTime crlTime String ocsp.GeneralizedTime
ocsp.crlUrl crlUrl String ocsp.IA5String
ocsp.good good No value ocsp.NULL
ocsp.hashAlgorithm hashAlgorithm No value x509af.AlgorithmIdentifier
ocsp.issuer issuer Unsigned 32-bit integer pkix1explicit.Name
ocsp.issuerKeyHash issuerKeyHash Byte array ocsp.OCTET_STRING
ocsp.issuerNameHash issuerNameHash Byte array ocsp.OCTET_STRING
ocsp.locator locator Unsigned 32-bit integer pkix1implicit.AuthorityInfoAccessSyntax
ocsp.nextUpdate nextUpdate String ocsp.GeneralizedTime
ocsp.optionalSignature optionalSignature No value ocsp.Signature
ocsp.producedAt producedAt String ocsp.GeneralizedTime
ocsp.reqCert reqCert No value ocsp.CertID
ocsp.requestExtensions requestExtensions Unsigned 32-bit integer pkix1explicit.Extensions
ocsp.requestList requestList Unsigned 32-bit integer ocsp.SEQUENCE_OF_Request
ocsp.requestList_item Item No value ocsp.Request
ocsp.requestorName requestorName Unsigned 32-bit integer pkix1explicit.GeneralName
ocsp.responderID responderID Unsigned 32-bit integer ocsp.ResponderID
ocsp.response response Byte array ocsp.T_response
ocsp.responseBytes responseBytes No value ocsp.ResponseBytes
ocsp.responseExtensions responseExtensions Unsigned 32-bit integer pkix1explicit.Extensions
ocsp.responseStatus responseStatus Unsigned 32-bit integer ocsp.OCSPResponseStatus
ocsp.responseType responseType ocsp.T_responseType
ocsp.responses responses Unsigned 32-bit integer ocsp.SEQUENCE_OF_SingleResponse
ocsp.responses_item Item No value ocsp.SingleResponse
ocsp.revocationReason revocationReason Unsigned 32-bit integer x509ce.CRLReason
ocsp.revocationTime revocationTime String ocsp.GeneralizedTime
ocsp.revoked revoked No value ocsp.RevokedInfo
ocsp.serialNumber serialNumber Signed 32-bit integer pkix1explicit.CertificateSerialNumber
ocsp.signature signature Byte array ocsp.BIT_STRING
ocsp.signatureAlgorithm signatureAlgorithm No value x509af.AlgorithmIdentifier
ocsp.singleExtensions singleExtensions Unsigned 32-bit integer pkix1explicit.Extensions
ocsp.singleRequestExtensions singleRequestExtensions Unsigned 32-bit integer pkix1explicit.Extensions
ocsp.tbsRequest tbsRequest No value ocsp.TBSRequest
ocsp.tbsResponseData tbsResponseData No value ocsp.ResponseData
ocsp.thisUpdate thisUpdate String ocsp.GeneralizedTime
ocsp.unknown unknown No value ocsp.UnknownInfo
ocsp.version version Signed 32-bit integer ocsp.Version
x509af.responseType.id ResponseType Id String ResponseType Id
ospf.advrouter Advertising Router IPv4 address
ospf.dbd DB Description Unsigned 8-bit integer
ospf.dbd.i I Boolean
ospf.dbd.m M Boolean
ospf.dbd.ms MS Boolean
ospf.dbd.r R Boolean
ospf.lls.ext.options Options Unsigned 32-bit integer
ospf.lls.ext.options.lr LR Boolean
ospf.lls.ext.options.rs RS Boolean
ospf.lsa Link-State Advertisement Type Unsigned 8-bit integer
ospf.lsa.asbr Summary LSA (ASBR) Boolean
ospf.lsa.asext AS-External LSA (ASBR) Boolean
ospf.lsa.attr External Attributes LSA Boolean
ospf.lsa.member Group Membership LSA Boolean
ospf.lsa.mpls MPLS Traffic Engineering LSA Boolean
ospf.lsa.network Network LSA Boolean
ospf.lsa.nssa NSSA AS-External LSA Boolean
ospf.lsa.opaque Opaque LSA Boolean
ospf.lsa.router Router LSA Boolean
ospf.lsa.summary Summary LSA (IP Network) Boolean
ospf.lsid_opaque_type Link State ID Opaque Type Unsigned 8-bit integer
ospf.lsid_te_lsa.instance Link State ID TE-LSA Instance Unsigned 16-bit integer
ospf.mpls.bc MPLS/DSTE Bandwidth Constraints Model Id Unsigned 8-bit integer MPLS/DSTE Bandwidth Constraints Model Id
ospf.mpls.linkcolor MPLS/TE Link Resource Class/Color Unsigned 32-bit integer MPLS/TE Link Resource Class/Color
ospf.mpls.linkid MPLS/TE Link ID IPv4 address
ospf.mpls.linktype MPLS/TE Link Type Unsigned 8-bit integer MPLS/TE Link Type
ospf.mpls.local_addr MPLS/TE Local Interface Address IPv4 address
ospf.mpls.local_id MPLS/TE Local Interface Index Unsigned 32-bit integer
ospf.mpls.remote_addr MPLS/TE Remote Interface Address IPv4 address
ospf.mpls.remote_id MPLS/TE Remote Interface Index Unsigned 32-bit integer
ospf.mpls.routerid MPLS/TE Router ID IPv4 address
ospf.msg Message Type Unsigned 8-bit integer
ospf.msg.dbdesc Database Description Boolean
ospf.msg.hello Hello Boolean
ospf.msg.lsack Link State Adv Acknowledgement Boolean
ospf.msg.lsreq Link State Adv Request Boolean
ospf.msg.lsupdate Link State Adv Update Boolean
ospf.srcrouter Source OSPF Router IPv4 address
ospf.v2.options Options Unsigned 8-bit integer
ospf.v2.options.dc DC Boolean
ospf.v2.options.dn DN Boolean
ospf.v2.options.e E Boolean
ospf.v2.options.l L Boolean
ospf.v2.options.mc MC Boolean
ospf.v2.options.np NP Boolean
ospf.v2.options.o O Boolean
ospf.v2.router.lsa.flags Flags Unsigned 8-bit integer
ospf.v2.router.lsa.flags.b B Boolean
ospf.v2.router.lsa.flags.e E Boolean
ospf.v2.router.lsa.flags.v V Boolean
ospf.v3.as.external.flags Flags Unsigned 8-bit integer
ospf.v3.as.external.flags.e E Boolean
ospf.v3.as.external.flags.f F Boolean
ospf.v3.as.external.flags.t T Boolean
ospf.v3.options Options Unsigned 24-bit integer
ospf.v3.options.dc DC Boolean
ospf.v3.options.e E Boolean
ospf.v3.options.mc MC Boolean
ospf.v3.options.n N Boolean
ospf.v3.options.r R Boolean
ospf.v3.options.v6 V6 Boolean
ospf.v3.prefix.options PrefixOptions Unsigned 8-bit integer
ospf.v3.prefix.options.la LA Boolean
ospf.v3.prefix.options.mc MC Boolean
ospf.v3.prefix.options.nu NU Boolean
ospf.v3.prefix.options.p P Boolean
ospf.v3.router.lsa.flags Flags Unsigned 8-bit integer
ospf.v3.router.lsa.flags.b B Boolean
ospf.v3.router.lsa.flags.e E Boolean
ospf.v3.router.lsa.flags.v V Boolean
ospf.v3.router.lsa.flags.w W Boolean
enc.af Address Family Unsigned 32-bit integer Protocol (IPv4 vs IPv6)
enc.flags Flags Unsigned 32-bit integer ENC flags
enc.spi SPI Unsigned 32-bit integer Security Parameter Index
pflog.length Header Length Unsigned 8-bit integer Length of Header
pflog.rulenr Rule Number Signed 32-bit integer Last matched firewall main ruleset rule number
pflog.ruleset Ruleset String Ruleset name in anchor
pflog.subrulenr Sub Rule Number Signed 32-bit integer Last matched firewall anchored ruleset rule number
pflog.action Action Unsigned 16-bit integer Action taken by PF on the packet
pflog.af Address Family Unsigned 32-bit integer Protocol (IPv4 vs IPv6)
pflog.dir Direction Unsigned 16-bit integer Direction of packet in stack (inbound versus outbound)
pflog.ifname Interface String Interface
pflog.reason Reason Unsigned 16-bit integer Reason for logging the packet
pflog.rnr Rule Number Signed 16-bit integer Last matched firewall rule number
olsr.ansn Advertised Neighbor Sequence Number (ANSN) Unsigned 16-bit integer Advertised Neighbor Sequence Number (ANSN)
olsr.data Data Byte array Data
olsr.hop_count Hop Count Unsigned 8-bit integer Hop Count
olsr.htime Hello emission interval Double-precision floating point Hello emission interval
olsr.interface6_addr Interface Address IPv6 address Interface Address
olsr.interface_addr Interface Address IPv4 address Interface Address
olsr.link_message_size Link Message Size Unsigned 16-bit integer Link Message Size
olsr.link_type Link Type Unsigned 8-bit integer Link Type
olsr.message_seq_num Message Sequence Number Unsigned 16-bit integer Message Sequence Number
olsr.message_size Message Unsigned 16-bit integer Message Size in Bytes
olsr.message_type Message Type Unsigned 8-bit integer Message Type
olsr.neighbor6_addr Neighbor Address IPv6 address Neighbor Address
olsr.neighbor_addr Neighbor Address IPv4 address Neighbor Address
olsr.netmask Netmask IPv4 address Netmask
olsr.netmask6 Netmask IPv6 address Netmask
olsr.network6_addr Network Address IPv6 address Network Address
olsr.network_addr Network Address IPv4 address Network Address
olsr.origin6_addr Originator Address IPv6 address Originator Address
olsr.origin_addr Originator Address IPv4 address Originator Address
olsr.packet_len Packet Length Unsigned 16-bit integer Packet Length in Bytes
olsr.packet_seq_num Packet Sequence Number Unsigned 16-bit integer Packet Sequence Number
olsr.ttl Time to Live Unsigned 8-bit integer Time to Live
olsr.vtime Validity Time Double-precision floating point Validity Time
olsr.willingness Willingness to Carry and Forward Unsigned 8-bit integer Willingness to Carry and Forward
pcnfsd.auth.client Authentication Client String Authentication Client
pcnfsd.auth.ident.clear Clear Ident String Authentication Clear Ident
pcnfsd.auth.ident.obscure Obscure Ident String Athentication Obscure Ident
pcnfsd.auth.password.clear Clear Password String Authentication Clear Password
pcnfsd.auth.password.obscure Obscure Password String Athentication Obscure Password
pcnfsd.comment Comment String Comment
pcnfsd.def_umask def_umask Signed 32-bit integer def_umask
pcnfsd.gid Group ID Unsigned 32-bit integer Group ID
pcnfsd.gids.count Group ID Count Unsigned 32-bit integer Group ID Count
pcnfsd.homedir Home Directory String Home Directory
pcnfsd.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
pcnfsd.procedure_v2 V2 Procedure Unsigned 32-bit integer V2 Procedure
pcnfsd.status Reply Status Unsigned 32-bit integer Status
pcnfsd.uid User ID Unsigned 32-bit integer User ID
pcnfsd.username User name String pcnfsd.username
pkcs1.coefficient coefficient Signed 32-bit integer pkcs1.INTEGER
pkcs1.digest digest Byte array pkcs1.Digest
pkcs1.digestAlgorithm digestAlgorithm No value pkcs1.DigestAlgorithmIdentifier
pkcs1.exponent1 exponent1 Signed 32-bit integer pkcs1.INTEGER
pkcs1.exponent2 exponent2 Signed 32-bit integer pkcs1.INTEGER
pkcs1.modulus modulus Signed 32-bit integer pkcs1.INTEGER
pkcs1.prime1 prime1 Signed 32-bit integer pkcs1.INTEGER
pkcs1.prime2 prime2 Signed 32-bit integer pkcs1.INTEGER
pkcs1.privateExponent privateExponent Signed 32-bit integer pkcs1.INTEGER
pkcs1.publicExponent publicExponent Signed 32-bit integer pkcs1.INTEGER
pkcs1.version version Signed 32-bit integer pkcs1.Version
pkinit.AuthPack AuthPack No value pkinit.AuthPack
pkinit.KDCDHKeyInfo KDCDHKeyInfo No value pkinit.KDCDHKeyInfo
pkinit.caName caName Unsigned 32-bit integer pkix1explicit.Name
pkinit.clientPublicValue clientPublicValue No value pkix1explicit.SubjectPublicKeyInfo
pkinit.ctime ctime No value KerberosV5Spec2.KerberosTime
pkinit.cusec cusec Signed 32-bit integer pkinit.INTEGER
pkinit.dhKeyExpiration dhKeyExpiration No value KerberosV5Spec2.KerberosTime
pkinit.dhSignedData dhSignedData No value cms.ContentInfo
pkinit.encKeyPack encKeyPack No value cms.ContentInfo
pkinit.issuerAndSerial issuerAndSerial No value cms.IssuerAndSerialNumber
pkinit.kdcCert kdcCert No value cms.IssuerAndSerialNumber
pkinit.nonce nonce Unsigned 32-bit integer pkinit.INTEGER_0_4294967295
pkinit.paChecksum paChecksum No value KerberosV5Spec2.Checksum
pkinit.pkAuthenticator pkAuthenticator No value pkinit.PKAuthenticator
pkinit.signedAuthPack signedAuthPack No value cms.ContentInfo
pkinit.subjectPublicKey subjectPublicKey Byte array pkinit.BIT_STRING
pkinit.supportedCMSTypes supportedCMSTypes Unsigned 32-bit integer pkinit.SEQUENCE_OF_AlgorithmIdentifier
pkinit.supportedCMSTypes_item Item No value pkix1explicit.AlgorithmIdentifier
pkinit.trustedCertifiers trustedCertifiers Unsigned 32-bit integer pkinit.SEQUENCE_OF_TrustedCA
pkinit.trustedCertifiers_item Item Unsigned 32-bit integer pkinit.TrustedCA
cert Certififcate No value Certificate
pkixqualified.BiometricSyntax BiometricSyntax Unsigned 32-bit integer pkixqualified.BiometricSyntax
pkixqualified.BiometricSyntax_item Item No value pkixqualified.BiometricData
pkixqualified.Directorystring Directorystring Unsigned 32-bit integer pkixqualified.Directorystring
pkixqualified.Generalizedtime Generalizedtime String pkixqualified.Generalizedtime
pkixqualified.NameRegistrationAuthorities_item Item Unsigned 32-bit integer x509ce.GeneralName
pkixqualified.Printablestring Printablestring String pkixqualified.Printablestring
pkixqualified.QCStatements QCStatements Unsigned 32-bit integer pkixqualified.QCStatements
pkixqualified.QCStatements_item Item No value pkixqualified.QCStatement
pkixqualified.SemanticsInformation SemanticsInformation No value pkixqualified.SemanticsInformation
pkixqualified.biometricDataHash biometricDataHash Byte array pkixqualified.OCTET_STRING
pkixqualified.biometricDataOid biometricDataOid pkixqualified.OBJECT_IDENTIFIER
pkixqualified.hashAlgorithm hashAlgorithm No value x509af.AlgorithmIdentifier
pkixqualified.nameRegistrationAuthorities nameRegistrationAuthorities Unsigned 32-bit integer pkixqualified.NameRegistrationAuthorities
pkixqualified.predefinedBiometricType predefinedBiometricType Signed 32-bit integer pkixqualified.PredefinedBiometricType
pkixqualified.semanticsIdentifier semanticsIdentifier pkixqualified.OBJECT_IDENTIFIER
pkixqualified.sourceDataUri sourceDataUri String pkixqualified.IA5String
pkixqualified.statementId statementId pkixqualified.T_statementId
pkixqualified.statementInfo statementInfo No value pkixqualified.T_statementInfo
pkixqualified.typeOfBiometricData typeOfBiometricData Unsigned 32-bit integer pkixqualified.TypeOfBiometricData
pkixtsp.accuracy accuracy No value pkixtsp.Accuracy
pkixtsp.addInfoNotAvailable addInfoNotAvailable Boolean
pkixtsp.badAlg badAlg Boolean
pkixtsp.badDataFormat badDataFormat Boolean
pkixtsp.badRequest badRequest Boolean
pkixtsp.certReq certReq Boolean pkixtsp.BOOLEAN
pkixtsp.extensions extensions Unsigned 32-bit integer pkix1explicit.Extensions
pkixtsp.failInfo failInfo Byte array pkixtsp.PKIFailureInfo
pkixtsp.genTime genTime String pkixtsp.GeneralizedTime
pkixtsp.hashAlgorithm hashAlgorithm No value pkix1explicit.AlgorithmIdentifier
pkixtsp.hashedMessage hashedMessage Byte array pkixtsp.OCTET_STRING
pkixtsp.messageImprint messageImprint No value pkixtsp.MessageImprint
pkixtsp.micros micros Unsigned 32-bit integer pkixtsp.INTEGER_1_999
pkixtsp.millis millis Unsigned 32-bit integer pkixtsp.INTEGER_1_999
pkixtsp.nonce nonce Signed 32-bit integer pkixtsp.INTEGER
pkixtsp.ordering ordering Boolean pkixtsp.BOOLEAN
pkixtsp.policy policy pkixtsp.TSAPolicyId
pkixtsp.reqPolicy reqPolicy pkixtsp.TSAPolicyId
pkixtsp.seconds seconds Signed 32-bit integer pkixtsp.INTEGER
pkixtsp.serialNumber serialNumber Signed 32-bit integer pkixtsp.INTEGER
pkixtsp.status status No value pkixtsp.PKIStatusInfo
pkixtsp.systemFailure systemFailure Boolean
pkixtsp.timeNotAvailable timeNotAvailable Boolean
pkixtsp.timeStampToken timeStampToken No value pkixtsp.TimeStampToken
pkixtsp.tsa tsa Unsigned 32-bit integer pkix1implicit.GeneralName
pkixtsp.unacceptedExtension unacceptedExtension Boolean
pkixtsp.unacceptedPolicy unacceptedPolicy Boolean
pkixtsp.version version Signed 32-bit integer pkixtsp.T_version
pkix1explicit.DirectoryString DirectoryString String pkix1explicit.DirectoryString
pkix1explicit.DomainParameters DomainParameters No value pkix1explicit.DomainParameters
pkix1explicit.Extensions_item Item No value pkix1explicit.Extension
pkix1explicit.RDNSequence_item Item Unsigned 32-bit integer pkix1explicit.RelativeDistinguishedName
pkix1explicit.RelativeDistinguishedName_item Item No value pkix1explicit.AttributeTypeAndValue
pkix1explicit.critical critical Boolean pkix1explicit.BOOLEAN
pkix1explicit.extnId extnId pkix1explicit.T_extnId
pkix1explicit.extnValue extnValue Byte array pkix1explicit.T_extnValue
pkix1explicit.g g Signed 32-bit integer pkix1explicit.INTEGER
pkix1explicit.id Id String Object identifier Id
pkix1explicit.j j Signed 32-bit integer pkix1explicit.INTEGER
pkix1explicit.p p Signed 32-bit integer pkix1explicit.INTEGER
pkix1explicit.pgenCounter pgenCounter Signed 32-bit integer pkix1explicit.INTEGER
pkix1explicit.q q Signed 32-bit integer pkix1explicit.INTEGER
pkix1explicit.seed seed Byte array pkix1explicit.BIT_STRING
pkix1explicit.type type pkix1explicit.OBJECT_IDENTIFIER
pkix1explicit.validationParms validationParms No value pkix1explicit.ValidationParms
pkix1explicit.value value No value pkix1explicit.T_value
pkix1implicit.AuthorityInfoAccessSyntax AuthorityInfoAccessSyntax Unsigned 32-bit integer pkix1implicit.AuthorityInfoAccessSyntax
pkix1implicit.AuthorityInfoAccessSyntax_item Item No value pkix1implicit.AccessDescription
pkix1implicit.Dummy Dummy No value pkix1implicit.Dummy
pkix1implicit.accessLocation accessLocation Unsigned 32-bit integer x509ce.GeneralName
pkix1implicit.accessMethod accessMethod pkix1implicit.OBJECT_IDENTIFIER
pkix1implicit.bmpString bmpString String pkix1implicit.BMPString
pkix1implicit.explicitText explicitText Unsigned 32-bit integer pkix1implicit.DisplayText
pkix1implicit.nameAssigner nameAssigner String pkix1explicit.DirectoryString
pkix1implicit.noticeNumbers noticeNumbers Unsigned 32-bit integer pkix1implicit.T_noticeNumbers
pkix1implicit.noticeNumbers_item Item Signed 32-bit integer pkix1implicit.INTEGER
pkix1implicit.noticeRef noticeRef No value pkix1implicit.NoticeReference
pkix1implicit.organization organization Unsigned 32-bit integer pkix1implicit.DisplayText
pkix1implicit.partyName partyName String pkix1explicit.DirectoryString
pkix1implicit.utf8String utf8String String pkix1implicit.UTF8String
pkix1implicit.visibleString visibleString String pkix1implicit.VisibleString
pkixproxy.ProxyCertInfoExtension ProxyCertInfoExtension No value pkixproxy.ProxyCertInfoExtension
pkixproxy.pCPathLenConstraint pCPathLenConstraint Signed 32-bit integer pkixproxy.ProxyCertPathLengthConstraint
pkixproxy.policy policy Byte array pkixproxy.OCTET_STRING
pkixproxy.policyLanguage policyLanguage pkixproxy.OBJECT_IDENTIFIER
pkixproxy.proxyPolicy proxyPolicy No value pkixproxy.ProxyPolicy
chap.code Code Unsigned 8-bit integer CHAP code
chap.identifier Identifier Unsigned 8-bit integer CHAP identifier
chap.length Length Unsigned 16-bit integer CHAP length
chap.message Message String CHAP message
chap.name Name String CHAP name
chap.value Value Byte array CHAP value data
chap.value_size Value Size Unsigned 8-bit integer CHAP value size
mp.first First fragment Boolean
mp.last Last fragment Boolean
mp.seq Sequence number Unsigned 24-bit integer
vj.ack_delta Ack delta Unsigned 16-bit integer Delta for acknowledgment sequence number
vj.change_mask Change mask Unsigned 8-bit integer
vj.change_mask_a Ack number changed Boolean Acknowledgement sequence number changed
vj.change_mask_c Connection changed Boolean Connection number changed
vj.change_mask_i IP ID change != 1 Boolean IP ID changed by a value other than 1
vj.change_mask_p Push bit set Boolean TCP PSH flag set
vj.change_mask_s Sequence number changed Boolean Sequence number changed
vj.change_mask_u Urgent pointer set Boolean Urgent pointer set
vj.change_mask_w Window changed Boolean TCP window changed
vj.connection_number Connection number Unsigned 8-bit integer Connection number
vj.ip_id_delta IP ID delta Unsigned 16-bit integer Delta for IP ID
vj.seq_delta Sequence delta Unsigned 16-bit integer Delta for sequence number
vj.tcp_cksum TCP checksum Unsigned 16-bit integer TCP checksum
vj.urp Urgent pointer Unsigned 16-bit integer Urgent pointer
vj.win_delta Window delta Signed 16-bit integer Delta for window
pppoe.code Code Unsigned 8-bit integer
pppoe.payload_length Payload Length Unsigned 16-bit integer
pppoe.session_id Session ID Unsigned 16-bit integer
pppoe.type Type Unsigned 8-bit integer
pppoe.version Version Unsigned 8-bit integer
pppoed.tag Tag Unsigned 16-bit integer
pppoed.tag.unknown_data Unknown Data String
pppoed.tag_length Tag Length Unsigned 16-bit integer
pppoed.tags PPPoE Tags No value
pppoed.tags.ac_cookie AC-Cookie Byte array
pppoed.tags.ac_name AC-Name String
pppoed.tags.ac_system_error AC-System-Error String
pppoed.tags.generic_error Generic-Error String
pppoed.tags.host_uniq Host-Uniq Byte array
pppoed.tags.relay_session_id Relay-Session-Id Byte array
pppoed.tags.service_name Service-Name String
pppoed.tags.service_name_error Service-Name-Error String
pppoed.tags.vendor_id Vendor id Unsigned 32-bit integer
pppoed.tags.vendor_unspecified Vendor unspecified Byte array
pn_rt.cycle_counter CycleCounter Unsigned 16-bit integer
pn_rt.data Data Byte array
pn_rt.ds DataStatus Unsigned 8-bit integer
pn_rt.ds_ok StationProblemIndicator (1:Ok/0:Problem) Unsigned 8-bit integer
pn_rt.ds_operate ProviderState (1:Run/0:Stop) Unsigned 8-bit integer
pn_rt.ds_primary State (1:Primary/0:Backup) Unsigned 8-bit integer
pn_rt.ds_res1 Reserved (should be zero) Unsigned 8-bit integer
pn_rt.ds_res3 Reserved (should be zero) Unsigned 8-bit integer
pn_rt.ds_res67 Reserved (should be zero) Unsigned 8-bit integer
pn_rt.ds_valid DataValid (1:Valid/0:Invalid) Unsigned 8-bit integer
pn_rt.frame_id FrameID Unsigned 16-bit integer
pn_rt.malformed Malformed Byte array
pn_rt.transfer_status TransferStatus Unsigned 8-bit integer
p_mul.ack_count Count of Ack Info Entries Unsigned 16-bit integer Count of Ack Info Entries
p_mul.ack_info_entry Ack Info Entry No value Ack Info Entry
p_mul.ack_length Length of Ack Info Entry Unsigned 16-bit integer Length of Ack Info Entry
p_mul.ann_mc_group Announced Multicast Group Unsigned 32-bit integer Announced Multicast Group
p_mul.checksum Checksum Unsigned 16-bit integer Checksum
p_mul.data_fragment Fragment of Data No value Fragment of Data
p_mul.dest_count Count of Destination Entries Unsigned 16-bit integer Count of Destination Entries
p_mul.dest_entry Destination Entry No value Destination Entry
p_mul.dest_id Destination ID IPv4 address Destination ID
p_mul.expiry_time Expiry Time Date/Time stamp Expiry Time
p_mul.first First Boolean First
p_mul.fragment Message fragment Frame number Message fragment
p_mul.fragment.error Message defragmentation error Frame number Message defragmentation error
p_mul.fragment.multiple_tails Message has multiple tail fragments Boolean Message has multiple tail fragments
p_mul.fragment.overlap Message fragment overlap Boolean Message fragment overlap
p_mul.fragment.overlap.conflicts Message fragment overlapping with conflicting data Boolean Message fragment overlapping with conflicting data
p_mul.fragment.too_long_fragment Message fragment too long Boolean Message fragment too long
p_mul.fragments Message fragments No value Message fragments
p_mul.last Last Boolean Last
p_mul.length Length of PDU Unsigned 16-bit integer Length of PDU
p_mul.mc_group Multicast Group Unsigned 32-bit integer Multicast Group
p_mul.message_id Message ID (MSID) Unsigned 32-bit integer Message ID
p_mul.missing_seq_no Missing Data PDU Seq Number Unsigned 16-bit integer Missing Data PDU Seq Number
p_mul.msg_seq_no Message Sequence Number Unsigned 16-bit integer Message Sequence Number
p_mul.no_pdus Total Number of PDUs Unsigned 16-bit integer Total Number of PDUs
p_mul.pdu_type PDU Type Unsigned 8-bit integer PDU Type
p_mul.priority Priority Unsigned 8-bit integer Priority
p_mul.reassembled.in Reassembled in Frame number Reassembled in
p_mul.reserved_length Length of Reserved Field Unsigned 16-bit integer Length of Reserved Field
p_mul.seq_no Sequence Number of PDUs Unsigned 16-bit integer Sequence Number of PDUs
p_mul.source_id Source ID IPv4 address Source ID
p_mul.source_id_ack Source ID of Ack Sender IPv4 address Source ID of Ack Sender
p_mul.sym_key Symmetric Key No value Symmetric Key
p_mul.unused MAP unused Unsigned 8-bit integer MAP unused
per._const_int_len Constrained Integer Length Unsigned 32-bit integer Number of bytes in the Constrained Integer
per.bit_string_length Bit String Length Unsigned 32-bit integer Number of bits in the Bit String
per.choice_extension_index Choice Extension Index Unsigned 32-bit integer Which index of the Choice within extension addition is encoded
per.choice_index Choice Index Unsigned 32-bit integer Which index of the Choice within extension root is encoded
per.enum_extension_index Enumerated Extension Index Unsigned 32-bit integer Which index of the Enumerated within extension addition is encoded
per.enum_index Enumerated Index Unsigned 32-bit integer Which index of the Enumerated within extension root is encoded
per.extension_bit Extension Bit Boolean The extension bit of an aggregate
per.extension_present_bit Extension Present Bit Boolean Whether this optional extension is present or not
per.generalstring_length GeneralString Length Unsigned 32-bit integer Length of the GeneralString
per.num_sequence_extensions Number of Sequence Extensions Unsigned 32-bit integer Number of extensions encoded in this sequence
per.object_length Object Length Unsigned 32-bit integer Length of the object identifier
per.octet_string_length Octet String Length Unsigned 32-bit integer Number of bytes in the Octet String
per.open_type_length Open Type Length Unsigned 32-bit integer Length of an open type encoding
per.optional_field_bit Optional Field Bit Boolean This bit specifies the presence/absence of an optional field
per.sequence_of_length Sequence-Of Length Unsigned 32-bit integer Number of items in the Sequence Of
per.small_number_bit Small Number Bit Boolean The small number bit for a section 10.6 integer
pktc.ack_required ACK Required Flag Boolean ACK Required Flag
pktc.asd Application Specific Data No value KMMID/DOI application specific data
pktc.asd.ipsec_auth_alg IPsec Authentication Algorithm Unsigned 8-bit integer IPsec Authentication Algorithm
pktc.asd.ipsec_enc_alg IPsec Encryption Transform ID Unsigned 8-bit integer IPsec Encryption Transform ID
pktc.asd.ipsec_spi IPsec Security Parameter Index Unsigned 32-bit integer Security Parameter Index for inbound Security Association (IPsec)
pktc.asd.snmp_auth_alg SNMPv3 Authentication Algorithm Unsigned 8-bit integer SNMPv3 Authentication Algorithm
pktc.asd.snmp_enc_alg SNMPv3 Encryption Transform ID Unsigned 8-bit integer SNMPv3 Encryption Transform ID
pktc.asd.snmp_engine_boots SNMPv3 Engine Boots Unsigned 32-bit integer SNMPv3 Engine Boots
pktc.asd.snmp_engine_id SNMPv3 Engine ID Byte array SNMPv3 Engine ID
pktc.asd.snmp_engine_id.len SNMPv3 Engine ID Length Unsigned 8-bit integer Length of SNMPv3 Engine ID
pktc.asd.snmp_engine_time SNMPv3 Engine Time Unsigned 32-bit integer SNMPv3 Engine ID Time
pktc.asd.snmp_usm_username SNMPv3 USM User Name String SNMPv3 USM User Name
pktc.asd.snmp_usm_username.len SNMPv3 USM User Name Length Unsigned 8-bit integer Length of SNMPv3 USM User Name
pktc.ciphers List of Ciphersuites No value List of Ciphersuites
pktc.ciphers.len Number of Ciphersuites Unsigned 8-bit integer Number of Ciphersuites
pktc.doi Domain of Interpretation Unsigned 8-bit integer Domain of Interpretation
pktc.grace_period Grace Period Unsigned 32-bit integer Grace Period in seconds
pktc.kmmid Key Management Message ID Unsigned 8-bit integer Key Management Message ID
pktc.mtafqdn.enterprise Enterprise Number Unsigned 32-bit integer Enterprise Number
pktc.mtafqdn.fqdn MTA FQDN String MTA FQDN
pktc.mtafqdn.ip MTA IP Address IPv4 address MTA IP Address (all zeros if not supplied)
pktc.mtafqdn.mac MTA MAC address 6-byte Hardware (MAC) Address MTA MAC address
pktc.mtafqdn.manu_cert_revoked Manufacturer Cert Revocation Time Date/Time stamp Manufacturer Cert Revocation Time (UTC) or 0 if not revoked
pktc.mtafqdn.msgtype Message Type Unsigned 8-bit integer MTA FQDN Message Type
pktc.mtafqdn.pub_key_hash MTA Public Key Hash Byte array MTA Public Key Hash (SHA-1)
pktc.mtafqdn.version Protocol Version Unsigned 8-bit integer MTA FQDN Protocol Version
pktc.reestablish Re-establish Flag Boolean Re-establish Flag
pktc.server_nonce Server Nonce Unsigned 32-bit integer Server Nonce random number
pktc.server_principal Server Kerberos Principal Identifier String Server Kerberos Principal Identifier
pktc.sha1_hmac SHA-1 HMAC Byte array SHA-1 HMAC
pktc.spl Security Parameter Lifetime Unsigned 32-bit integer Lifetime in seconds of security parameter
pktc.timestamp Timestamp String Timestamp (UTC)
pktc.version.major Major version Unsigned 8-bit integer Major version of PKTC
pktc.version.minor Minor version Unsigned 8-bit integer Minor version of PKTC
radius.vendor.pkt.bcid.ec Event Counter Unsigned 32-bit integer PacketCable Event Message BCID Event Counter
radius.vendor.pkt.bcid.ts Timestamp Unsigned 32-bit integer PacketCable Event Message BCID Timestamp
radius.vendor.pkt.ctc.cc Event Object Unsigned 32-bit integer PacketCable Call Termination Cause Code
radius.vendor.pkt.ctc.sd Source Document Unsigned 16-bit integer PacketCable Call Termination Cause Source Document
radius.vendor.pkt.emh.ac Attribute Count Unsigned 16-bit integer PacketCable Event Message Attribute Count
radius.vendor.pkt.emh.emt Event Message Type Unsigned 16-bit integer PacketCable Event Message Type
radius.vendor.pkt.emh.eo Event Object Unsigned 8-bit integer PacketCable Event Message Event Object
radius.vendor.pkt.emh.et Element Type Unsigned 16-bit integer PacketCable Event Message Element Type
radius.vendor.pkt.emh.priority Priority Unsigned 8-bit integer PacketCable Event Message Priority
radius.vendor.pkt.emh.sn Sequence Number Unsigned 32-bit integer PacketCable Event Message Sequence Number
radius.vendor.pkt.emh.st Status Unsigned 32-bit integer PacketCable Event Message Status
radius.vendor.pkt.emh.st.ei Status Unsigned 32-bit integer PacketCable Event Message Status Error Indicator
radius.vendor.pkt.emh.st.emp Event Message Proxied Unsigned 32-bit integer PacketCable Event Message Status Event Message Proxied
radius.vendor.pkt.emh.st.eo Event Origin Unsigned 32-bit integer PacketCable Event Message Status Event Origin
radius.vendor.pkt.emh.vid Event Message Version ID Unsigned 16-bit integer PacketCable Event Message header version ID
radius.vendor.pkt.esi.cccp CCC-Port Unsigned 16-bit integer PacketCable Electronic-Surveillance-Indication CCC-Port
radius.vendor.pkt.esi.cdcp CDC-Port Unsigned 16-bit integer PacketCable Electronic-Surveillance-Indication CDC-Port
radius.vendor.pkt.esi.dfccca DF_CDC_Address IPv4 address PacketCable Electronic-Surveillance-Indication DF_CCC_Address
radius.vendor.pkt.esi.dfcdca DF_CDC_Address IPv4 address PacketCable Electronic-Surveillance-Indication DF_CDC_Address
radius.vendor.pkt.qs QoS Status Unsigned 32-bit integer PacketCable QoS Descriptor Attribute QoS Status
radius.vendor.pkt.qs.flags.gi Grant Interval Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Grant Interval
radius.vendor.pkt.qs.flags.gpi Grants Per Interval Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Grants Per Interval
radius.vendor.pkt.qs.flags.mcb Maximum Concatenated Burst Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Maximum Concatenated Burst
radius.vendor.pkt.qs.flags.mdl Maximum Downstream Latency Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Maximum Downstream Latency
radius.vendor.pkt.qs.flags.mps Minium Packet Size Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Minimum Packet Size
radius.vendor.pkt.qs.flags.mrtr Minimum Reserved Traffic Rate Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Minimum Reserved Traffic Rate
radius.vendor.pkt.qs.flags.msr Maximum Sustained Rate Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Maximum Sustained Rate
radius.vendor.pkt.qs.flags.mtb Maximum Traffic Burst Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Maximum Traffic Burst
radius.vendor.pkt.qs.flags.npi Nominal Polling Interval Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Nominal Polling Interval
radius.vendor.pkt.qs.flags.sfst Service Flow Scheduling Type Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Service Flow Scheduling Type
radius.vendor.pkt.qs.flags.srtp Status Request/Transmission Policy Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Status Request/Transmission Policy
radius.vendor.pkt.qs.flags.tgj Tolerated Grant Jitter Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Tolerated Grant Jitter
radius.vendor.pkt.qs.flags.toso Type of Service Override Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Type of Service Override
radius.vendor.pkt.qs.flags.tp Traffic Priority Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Traffic Priority
radius.vendor.pkt.qs.flags.tpj Tolerated Poll Jitter Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Tolerated Poll Jitter
radius.vendor.pkt.qs.flags.ugs Unsolicited Grant Size Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Bitmask: Unsolicited Grant Size
radius.vendor.pkt.qs.gi Grant Interval Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Grant Interval
radius.vendor.pkt.qs.gpi Grants Per Interval Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Grants Per Interval
radius.vendor.pkt.qs.mcb Maximum Concatenated Burst Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Maximum Concatenated Burst
radius.vendor.pkt.qs.mdl Maximum Downstream Latency Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Maximum Downstream Latency
radius.vendor.pkt.qs.mps Minium Packet Size Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Minimum Packet Size
radius.vendor.pkt.qs.mrtr Minimum Reserved Traffic Rate Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Minimum Reserved Traffic Rate
radius.vendor.pkt.qs.msr Maximum Sustained Rate Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Maximum Sustained Rate
radius.vendor.pkt.qs.mtb Maximum Traffic Burst Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Maximum Traffic Burst
radius.vendor.pkt.qs.npi Nominal Polling Interval Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Nominal Polling Interval
radius.vendor.pkt.qs.sfst Service Flow Scheduling Type Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Service Flow Scheduling Type
radius.vendor.pkt.qs.si Status Indication Unsigned 32-bit integer PacketCable QoS Descriptor Attribute QoS State Indication
radius.vendor.pkt.qs.srtp Status Request/Transmission Policy Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Status Request/Transmission Policy
radius.vendor.pkt.qs.tgj Tolerated Grant Jitter Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Tolerated Grant Jitter
radius.vendor.pkt.qs.toso Type of Service Override Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Type of Service Override
radius.vendor.pkt.qs.tp Traffic Priority Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Traffic Priority
radius.vendor.pkt.qs.tpj Tolerated Poll Jitter Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Tolerated Poll Jitter
radius.vendor.pkt.qs.ugs Unsolicited Grant Size Unsigned 32-bit integer PacketCable QoS Descriptor Attribute Unsolicited Grant Size
radius.vendor.pkt.rfi.nr Number-of-Redirections Unsigned 16-bit integer PacketCable Redirected-From-Info Number-of-Redirections
radius.vendor.pkt.tdi.cname Calling_Name String PacketCable Terminal_Display_Info Calling_Name
radius.vendor.pkt.tdi.cnum Calling_Number String PacketCable Terminal_Display_Info Calling_Number
radius.vendor.pkt.tdi.gd General_Display String PacketCable Terminal_Display_Info General_Display
radius.vendor.pkt.tdi.mw Message_Waiting String PacketCable Terminal_Display_Info Message_Waiting
radius.vendor.pkt.tdi.sbm Terminal_Display_Status_Bitmask Unsigned 8-bit integer PacketCable Terminal_Display_Info Terminal_Display_Status_Bitmask
radius.vendor.pkt.tdi.sbm.cname Calling_Name Boolean PacketCable Terminal_Display_Info Terminal_Display_Status_Bitmask Calling_Name
radius.vendor.pkt.tdi.sbm.cnum Calling_Number Boolean PacketCable Terminal_Display_Info Terminal_Display_Status_Bitmask Calling_Number
radius.vendor.pkt.tdi.sbm.gd General_Display Boolean PacketCable Terminal_Display_Info Terminal_Display_Status_Bitmask General_Display
radius.vendor.pkt.tdi.sbm.mw Message_Waiting Boolean PacketCable Terminal_Display_Info Terminal_Display_Status_Bitmask Message_Waiting
radius.vendor.pkt.tgid.tn Event Object Unsigned 32-bit integer PacketCable Trunk Group ID Trunk Number
radius.vendor.pkt.tgid.tt Trunk Type Unsigned 16-bit integer PacketCable Trunk Group ID Trunk Type
radius.vendor.pkt.ti Time Adjustment Unsigned 64-bit integer PacketCable Time Adjustment
pkt_ccc.ccc_id PacketCable CCC Identifier Unsigned 32-bit integer CCC_ID
pkt_ccc.ts PacketCable CCC Timestamp Byte array Timestamp
pvfs.aggregate_size Aggregate Size Unsigned 64-bit integer Aggregate Size
pvfs.atime atime Date/Time stamp Access Time
pvfs.atime.sec seconds Unsigned 32-bit integer Access Time (seconds)
pvfs.atime.usec microseconds Unsigned 32-bit integer Access Time (microseconds)
pvfs.attribute attr Unsigned 32-bit integer Attribute
pvfs.attribute.key Attribute key String Attribute key
pvfs.attribute.value Attribute value String Attribute value
pvfs.attrmask attrmask Unsigned 32-bit integer Attribute Mask
pvfs.b_size Size of bstream (if applicable) Unsigned 64-bit integer Size of bstream
pvfs.bytes_available Bytes Available Unsigned 64-bit integer Bytes Available
pvfs.bytes_completed Bytes Completed Unsigned 64-bit integer Bytes Completed
pvfs.bytes_read bytes_read Unsigned 64-bit integer bytes_read
pvfs.bytes_total Bytes Total Unsigned 64-bit integer Bytes Total
pvfs.bytes_written bytes_written Unsigned 64-bit integer bytes_written
pvfs.context_id Context ID Unsigned 32-bit integer Context ID
pvfs.ctime ctime Date/Time stamp Creation Time
pvfs.ctime.sec seconds Unsigned 32-bit integer Creation Time (seconds)
pvfs.ctime.usec microseconds Unsigned 32-bit integer Creation Time (microseconds)
pvfs.cur_time_ms cur_time_ms Unsigned 64-bit integer cur_time_ms
pvfs.directory_version Directory Version Unsigned 64-bit integer Directory Version
pvfs.dirent_count Dir Entry Count Unsigned 64-bit integer Directory Entry Count
pvfs.distribution.name Name String Distribution Name
pvfs.ds_type ds_type Unsigned 32-bit integer Type
pvfs.encoding Encoding Unsigned 32-bit integer Encoding
pvfs.end_time_ms end_time_ms Unsigned 64-bit integer end_time_ms
pvfs.ereg ereg Signed 32-bit integer ereg
pvfs.error Result Unsigned 32-bit integer Result
pvfs.fh.hash hash Unsigned 32-bit integer file handle hash
pvfs.fh.length length Unsigned 32-bit integer file handle length
pvfs.flowproto_type Flow Protocol Type Unsigned 32-bit integer Flow Protocol Type
pvfs.fs_id fs_id Unsigned 32-bit integer File System ID
pvfs.handle Handle Byte array Handle
pvfs.handles_available Handles Available Unsigned 64-bit integer Handles Available
pvfs.id_gen_t id_gen_t Unsigned 64-bit integer id_gen_t
pvfs.io_type I/O Type Unsigned 32-bit integer I/O Type
pvfs.k_size Number of keyvals (if applicable) Unsigned 64-bit integer Number of keyvals
pvfs.lb lb Unsigned 64-bit integer lb
pvfs.load_average.15s Load Average (15s) Unsigned 64-bit integer Load Average (15s)
pvfs.load_average.1s Load Average (1s) Unsigned 64-bit integer Load Average (1s)
pvfs.load_average.5s Load Average (5s) Unsigned 64-bit integer Load Average (5s)
pvfs.magic_nr Magic Number Unsigned 32-bit integer Magic Number
pvfs.metadata_read metadata_read Unsigned 64-bit integer metadata_read
pvfs.metadata_write metadata_write Unsigned 64-bit integer metadata_write
pvfs.mode Mode Unsigned 32-bit integer Mode
pvfs.mtime mtime Date/Time stamp Modify Time
pvfs.mtime.sec seconds Unsigned 32-bit integer Modify Time (seconds)
pvfs.mtime.usec microseconds Unsigned 32-bit integer Modify Time (microseconds)
pvfs.num_blocks Number of blocks Unsigned 32-bit integer Number of blocks
pvfs.num_contig_chunks Number of contig_chunks Unsigned 32-bit integer Number of contig_chunks
pvfs.num_eregs Number of eregs Unsigned 32-bit integer Number of eregs
pvfs.offset Offset Unsigned 64-bit integer Offset
pvfs.parent_atime Parent atime Date/Time stamp Access Time
pvfs.parent_atime.sec seconds Unsigned 32-bit integer Access Time (seconds)
pvfs.parent_atime.usec microseconds Unsigned 32-bit integer Access Time (microseconds)
pvfs.parent_ctime Parent ctime Date/Time stamp Creation Time
pvfs.parent_ctime.sec seconds Unsigned 32-bit integer Creation Time (seconds)
pvfs.parent_ctime.usec microseconds Unsigned 32-bit integer Creation Time (microseconds)
pvfs.parent_mtime Parent mtime Date/Time stamp Modify Time
pvfs.parent_mtime.sec seconds Unsigned 32-bit integer Modify Time (seconds)
pvfs.parent_mtime.usec microseconds Unsigned 32-bit integer Modify Time (microseconds)
pvfs.path Path String Path
pvfs.prev_value Previous Value Unsigned 64-bit integer Previous Value
pvfs.ram.free_bytes RAM Free Bytes Unsigned 64-bit integer RAM Free Bytes
pvfs.ram_bytes_free RAM Bytes Free Unsigned 64-bit integer RAM Bytes Free
pvfs.ram_bytes_total RAM Bytes Total Unsigned 64-bit integer RAM Bytes Total
pvfs.release_number Release Number Unsigned 32-bit integer Release Number
pvfs.server_count Number of servers Unsigned 32-bit integer Number of servers
pvfs.server_nr Server # Unsigned 32-bit integer Server #
pvfs.server_op Server Operation Unsigned 32-bit integer Server Operation
pvfs.server_param Server Parameter Unsigned 32-bit integer Server Parameter
pvfs.size Size Unsigned 64-bit integer Size
pvfs.sreg sreg Signed 32-bit integer sreg
pvfs.start_time_ms start_time_ms Unsigned 64-bit integer start_time_ms
pvfs.stride Stride Unsigned 64-bit integer Stride
pvfs.strip_size Strip size Unsigned 64-bit integer Strip size (bytes)
pvfs.tag Tag Unsigned 64-bit integer Tag
pvfs.total_handles Total Handles Unsigned 64-bit integer Total Handles
pvfs.ub ub Unsigned 64-bit integer ub
pvfs.uptime Uptime (seconds) Unsigned 64-bit integer Uptime (seconds)
lsc.current_npt Current NPT Signed 32-bit integer Current Time (milliseconds)
lsc.mode Server Mode Unsigned 8-bit integer Current Server Mode
lsc.op_code Op Code Unsigned 8-bit integer Operation Code
lsc.scale_denum Scale Denominator Unsigned 16-bit integer Scale Denominator
lsc.scale_num Scale Numerator Signed 16-bit integer Scale Numerator
lsc.start_npt Start NPT Signed 32-bit integer Start Time (milliseconds)
lsc.status_code Status Code Unsigned 8-bit integer Status Code
lsc.stop_npt Stop NPT Signed 32-bit integer Stop Time (milliseconds)
lsc.stream_handle Stream Handle Unsigned 32-bit integer Stream identification handle
lsc.trans_id Transaction ID Unsigned 8-bit integer Transaction ID
lsc.version Version Unsigned 8-bit integer Version of the Pegasus LSC protocol
pingpongprotocol.message_flags Flags Unsigned 8-bit integer
pingpongprotocol.message_length Length Unsigned 16-bit integer
pingpongprotocol.message_type Type Unsigned 8-bit integer
pingpongprotocol.ping_data Ping_Data Byte array
pingpongprotocol.ping_messageno MessageNo Unsigned 64-bit integer
pingpongprotocol.pong_data Pong_Data Byte array
pingpongprotocol.pong_messageno MessageNo Unsigned 64-bit integer
pingpongprotocol.pong_replyno ReplyNo Unsigned 64-bit integer
9p.aname Aname String Access Name
9p.atime Atime Date/Time stamp Access Time
9p.count Count Unsigned 32-bit integer Count
9p.dev Dev Unsigned 32-bit integer
9p.ename Ename String Error
9p.fid Fid Unsigned 32-bit integer File ID
9p.filename File name String File name
9p.gid Gid String Group id
9p.iounit I/O Unit Unsigned 32-bit integer I/O Unit
9p.length Length Unsigned 64-bit integer File Length
9p.maxsize Max msg size Unsigned 32-bit integer Max message size
9p.mode Mode Unsigned 8-bit integer Mode
9p.mode.orclose Remove on close Boolean
9p.mode.rwx Open/Create Mode Unsigned 8-bit integer Open/Create Mode
9p.mode.trunc Trunc Boolean Truncate
9p.msglen Msg length Unsigned 32-bit integer 9P Message Length
9p.msgtype Msg Type Unsigned 8-bit integer Message Type
9p.mtime Mtime Date/Time stamp Modified Time
9p.muid Muid String Last modifiers uid
9p.name Name String Name of file
9p.newfid New fid Unsigned 32-bit integer New file ID
9p.nqid Nr Qids Unsigned 16-bit integer Number of Qid results
9p.nwalk Nr Walks Unsigned 32-bit integer Nr of walk items
9p.offset Offset Unsigned 64-bit integer Offset
9p.oldtag Old tag Unsigned 16-bit integer Old tag
9p.paramsz Param length Unsigned 16-bit integer Parameter length
9p.perm Permissions Unsigned 32-bit integer Permission bits
9p.qidpath Qid path Unsigned 64-bit integer Qid path
9p.qidtype Qid type Unsigned 8-bit integer Qid type
9p.qidvers Qid version Unsigned 32-bit integer Qid version
9p.sdlen Stat data length Unsigned 16-bit integer Stat data length
9p.statmode Mode Unsigned 32-bit integer File mode flags
9p.stattype Type Unsigned 16-bit integer Type
9p.tag Tag Unsigned 16-bit integer 9P Tag
9p.uid Uid String User id
9p.uname Uname String User Name
9p.version Version String Version
9p.wname Wname String Path Name Element
ppp.address Address Unsigned 8-bit integer
ppp.control Control Unsigned 8-bit integer
ppp.protocol Protocol Unsigned 16-bit integer
pptp.type Message type Unsigned 16-bit integer PPTP message type
pagp.flags Flags Unsigned 8-bit integer Infomation flags
pagp.flags.automode Auto Mode Boolean 1 = Auto Mode enabled, 0 = Desirable Mode
pagp.flags.slowhello Slow Hello Boolean 1 = using Slow Hello, 0 = Slow Hello disabled
pagp.flags.state Consistent State Boolean 1 = Consistent State, 0 = Not Ready
pagp.flushlocaldevid Flush Local Device ID 6-byte Hardware (MAC) Address Flush local device ID
pagp.flushpartnerdevid Flush Partner Device ID 6-byte Hardware (MAC) Address Flush remote device ID
pagp.localdevid Local Device ID 6-byte Hardware (MAC) Address Local device ID
pagp.localearncap Local Learn Capability Unsigned 8-bit integer Local learn capability
pagp.localgroupcap Local Group Capability Unsigned 32-bit integer The local group capability
pagp.localgroupifindex Local Group ifindex Unsigned 32-bit integer The local group interface index
pagp.localportpri Local Port Hot Standby Priority Unsigned 8-bit integer The local hot standby priority assigned to this port
pagp.localsentportifindex Local Sent Port ifindex Unsigned 32-bit integer The interface index of the local port used to send PDU
pagp.numtlvs Number of TLVs Unsigned 16-bit integer Number of TLVs following
pagp.partnercount Partner Count Unsigned 16-bit integer Partner count
pagp.partnerdevid Partner Device ID 6-byte Hardware (MAC) Address Remote Device ID (MAC)
pagp.partnergroupcap Partner Group Capability Unsigned 32-bit integer Remote group capability
pagp.partnergroupifindex Partner Group ifindex Unsigned 32-bit integer Remote group interface index
pagp.partnerlearncap Partner Learn Capability Unsigned 8-bit integer Remote learn capability
pagp.partnerportpri Partner Port Hot Standby Priority Unsigned 8-bit integer Remote port priority
pagp.partnersentportifindex Partner Sent Port ifindex Unsigned 32-bit integer Remote port interface index sent
pagp.tlv Entry Unsigned 16-bit integer Type/Length/Value
pagp.tlvagportmac Agport MAC Address 6-byte Hardware (MAC) Address Source MAC on frames for this aggregate
pagp.tlvdevname Device Name String sysName of device
pagp.tlvportname Physical Port Name String Name of port used to send PDU
pagp.transid Transaction ID Unsigned 32-bit integer Flush transaction ID
pagp.version Version Unsigned 8-bit integer Identifies the PAgP PDU version: 1 = Info, 2 = Flush
portmap.answer Answer Boolean Answer
portmap.args Arguments Byte array Arguments
portmap.port Port Unsigned 32-bit integer Port
portmap.proc Procedure Unsigned 32-bit integer Procedure
portmap.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
portmap.procedure_v2 V2 Procedure Unsigned 32-bit integer V2 Procedure
portmap.procedure_v3 V3 Procedure Unsigned 32-bit integer V3 Procedure
portmap.procedure_v4 V4 Procedure Unsigned 32-bit integer V4 Procedure
portmap.prog Program Unsigned 32-bit integer Program
portmap.proto Protocol Unsigned 32-bit integer Protocol
portmap.result Result Byte array Result
portmap.rpcb RPCB No value RPCB
portmap.rpcb.addr Universal Address String Universal Address
portmap.rpcb.netid Network Id String Network Id
portmap.rpcb.owner Owner of this Service String Owner of this Service
portmap.rpcb.prog Program Unsigned 32-bit integer Program
portmap.rpcb.version Version Unsigned 32-bit integer Version
portmap.uaddr Universal Address String Universal Address
portmap.version Version Unsigned 32-bit integer Version
pop.request Request String Request
pop.request.command Request command String Request command
pop.request.data Data String Request data
pop.request.parameter Request parameter String Request parameter
pop.response Response String Response
pop.response.data Data String Response Data
pop.response.description Response description String Response description
pop.response.indicator Response indicator String Response indicator
pgsql.authtype Authentication type Signed 32-bit integer The type of authentication requested by the backend.
pgsql.code Code String SQLState code.
pgsql.col.index Column index Unsigned 32-bit integer The position of a column within a row.
pgsql.col.name Column name String The name of a column.
pgsql.col.typemod Type modifier Signed 32-bit integer The type modifier for a column.
pgsql.condition Condition String The name of a NOTIFY condition.
pgsql.copydata Copy data Byte array Data sent following a Copy-in or Copy-out response.
pgsql.detail Detail String Detailed error message.
pgsql.error Error String An error message.
pgsql.file File String The source-code file where an error was reported.
pgsql.format Format Unsigned 16-bit integer A format specifier.
pgsql.frontend Frontend Boolean True for messages from the frontend, false otherwise.
pgsql.hint Hint String A suggestion to resolve an error.
pgsql.key Key Unsigned 32-bit integer The secret key used by a particular backend.
pgsql.length Length Unsigned 32-bit integer The length of the message (not including the type).
pgsql.line Line String The line number on which an error was reported.
pgsql.message Message String Error message.
pgsql.oid OID Unsigned 32-bit integer An object identifier.
pgsql.oid.table Table OID Unsigned 32-bit integer The object identifier of a table.
pgsql.oid.type Type OID Unsigned 32-bit integer The object identifier of a type.
pgsql.parameter_name Parameter name String The name of a database parameter.
pgsql.parameter_value Parameter value String The value of a database parameter.
pgsql.password Password String A password.
pgsql.pid PID Unsigned 32-bit integer The process ID of a backend.
pgsql.portal Portal String The name of a portal.
pgsql.position Position String The index of the error within the query string.
pgsql.query Query String A query string.
pgsql.routine Routine String The routine that reported an error.
pgsql.salt Salt value Byte array The salt to use while encrypting a password.
pgsql.severity Severity String Message severity.
pgsql.statement Statement String The name of a prepared statement.
pgsql.status Status Unsigned 8-bit integer The transaction status of the backend.
pgsql.tag Tag String A completion tag.
pgsql.text Text String Text from the backend.
pgsql.type Type String A one-byte message type identifier.
pgsql.val.data Data Byte array Parameter data.
pgsql.val.length Column length Signed 32-bit integer The length of a parameter value, in bytes. -1 means NULL.
pgsql.where Context String The context in which an error occurred.
pgm.ack.bitmap Packet Bitmap Unsigned 32-bit integer
pgm.ack.maxsqn Maximum Received Sequence Number Unsigned 32-bit integer
pgm.data.sqn Data Packet Sequence Number Unsigned 32-bit integer
pgm.data.trail Trailing Edge Sequence Number Unsigned 32-bit integer
pgm.genopts.len Length Unsigned 8-bit integer
pgm.genopts.opx Option Extensibility Bits Unsigned 8-bit integer
pgm.genopts.type Type Unsigned 8-bit integer
pgm.hdr.cksum Checksum Unsigned 16-bit integer
pgm.hdr.cksum_bad Bad Checksum Boolean
pgm.hdr.dport Destination Port Unsigned 16-bit integer
pgm.hdr.gsi Global Source Identifier Byte array
pgm.hdr.opts Options Unsigned 8-bit integer
pgm.hdr.opts.netsig Network Significant Options Boolean
pgm.hdr.opts.opt Options Boolean
pgm.hdr.opts.parity Parity Boolean
pgm.hdr.opts.varlen Variable length Parity Packet Option Boolean
pgm.hdr.sport Source Port Unsigned 16-bit integer
pgm.hdr.tsdulen Transport Service Data Unit Length Unsigned 16-bit integer
pgm.hdr.type Type Unsigned 8-bit integer
pgm.nak.grp Multicast Group NLA IPv4 address
pgm.nak.grpafi Multicast Group AFI Unsigned 16-bit integer
pgm.nak.grpres Reserved Unsigned 16-bit integer
pgm.nak.sqn Requested Sequence Number Unsigned 32-bit integer
pgm.nak.src Source NLA IPv4 address
pgm.nak.srcafi Source NLA AFI Unsigned 16-bit integer
pgm.nak.srcres Reserved Unsigned 16-bit integer
pgm.opts.ccdata.acker Acker IPv4 address
pgm.opts.ccdata.afi Acker AFI Unsigned 16-bit integer
pgm.opts.ccdata.lossrate Loss Rate Unsigned 16-bit integer
pgm.opts.ccdata.res Reserved Unsigned 8-bit integer
pgm.opts.ccdata.res2 Reserved Unsigned 16-bit integer
pgm.opts.ccdata.tstamp Time Stamp Unsigned 16-bit integer
pgm.opts.fragment.first_sqn First Sequence Number Unsigned 32-bit integer
pgm.opts.fragment.fragment_offset Fragment Offset Unsigned 32-bit integer
pgm.opts.fragment.res Reserved Unsigned 8-bit integer
pgm.opts.fragment.total_length Total Length Unsigned 32-bit integer
pgm.opts.join.min_join Minimum Sequence Number Unsigned 32-bit integer
pgm.opts.join.res Reserved Unsigned 8-bit integer
pgm.opts.len Length Unsigned 8-bit integer
pgm.opts.nak.list List Byte array
pgm.opts.nak.op Reserved Unsigned 8-bit integer
pgm.opts.nak_bo_ivl.bo_ivl Back-off Interval Unsigned 32-bit integer
pgm.opts.nak_bo_ivl.bo_ivl_sqn Back-off Interval Sequence Number Unsigned 32-bit integer
pgm.opts.nak_bo_ivl.res Reserved Unsigned 8-bit integer
pgm.opts.nak_bo_rng.max_bo_ivl Max Back-off Interval Unsigned 32-bit integer
pgm.opts.nak_bo_rng.min_bo_ivl Min Back-off Interval Unsigned 32-bit integer
pgm.opts.nak_bo_rng.res Reserved Unsigned 8-bit integer
pgm.opts.parity_prm.op Parity Parameters Unsigned 8-bit integer
pgm.opts.parity_prm.prm_grp Transmission Group Size Unsigned 32-bit integer
pgm.opts.redirect.afi DLR AFI Unsigned 16-bit integer
pgm.opts.redirect.dlr DLR IPv4 address
pgm.opts.redirect.res Reserved Unsigned 8-bit integer
pgm.opts.redirect.res2 Reserved Unsigned 16-bit integer
pgm.opts.tlen Total Length Unsigned 16-bit integer
pgm.opts.type Type Unsigned 8-bit integer
pgm.poll.backoff_ivl Back-off Interval Unsigned 32-bit integer
pgm.poll.matching_bmask Matching Bitmask Unsigned 32-bit integer
pgm.poll.path Path NLA IPv4 address
pgm.poll.pathafi Path NLA AFI Unsigned 16-bit integer
pgm.poll.rand_str Random String Unsigned 32-bit integer
pgm.poll.res Reserved Unsigned 16-bit integer
pgm.poll.round Round Unsigned 16-bit integer
pgm.poll.sqn Sequence Number Unsigned 32-bit integer
pgm.poll.subtype Subtype Unsigned 16-bit integer
pgm.polr.res Reserved Unsigned 16-bit integer
pgm.polr.round Round Unsigned 16-bit integer
pgm.polr.sqn Sequence Number Unsigned 32-bit integer
pgm.port Port Unsigned 16-bit integer
pgm.spm.lead Leading Edge Sequence Number Unsigned 32-bit integer
pgm.spm.path Path NLA IPv4 address
pgm.spm.pathafi Path NLA AFI Unsigned 16-bit integer
pgm.spm.res Reserved Unsigned 16-bit integer
pgm.spm.sqn Sequence number Unsigned 32-bit integer
pgm.spm.trail Trailing Edge Sequence Number Unsigned 32-bit integer
ptp.control control Unsigned 8-bit integer
ptp.dr.delayreceipttimestamp delayReceiptTimestamp Time duration
ptp.dr.delayreceipttimestamp_nanoseconds delayReceiptTimestamp (nanoseconds) Signed 32-bit integer
ptp.dr.delayreceipttimestamp_seconds delayReceiptTimestamp (Seconds) Unsigned 32-bit integer
ptp.dr.requestingsourcecommunicationtechnology requestingSourceCommunicationTechnology Unsigned 8-bit integer
ptp.dr.requestingsourceportid requestingSourcePortId Unsigned 16-bit integer
ptp.dr.requestingsourcesequenceid requestingSourceSequenceId Unsigned 16-bit integer
ptp.dr.requestingsourceuuid requestingSourceUuid 6-byte Hardware (MAC) Address
ptp.flags flags Unsigned 16-bit integer
ptp.flags.assist PTP_ASSIST Unsigned 16-bit integer
ptp.flags.boundary_clock PTP_BOUNDARY_CLOCK Unsigned 16-bit integer
ptp.flags.ext_sync PTP_EXT_SYNC Unsigned 16-bit integer
ptp.flags.li59 PTP_LI59 Unsigned 16-bit integer
ptp.flags.li61 PTP_LI61 Unsigned 16-bit integer
ptp.flags.parent_stats PTP_PARENT_STATS Unsigned 16-bit integer
ptp.flags.sync_burst PTP_SYNC_BURST Unsigned 16-bit integer
ptp.fu.associatedsequenceid associatedSequenceId Unsigned 16-bit integer
ptp.fu.hf_ptp_fu_preciseorigintimestamp preciseOriginTimestamp Time duration
ptp.fu.hf_ptp_fu_preciseorigintimestamp_seconds preciseOriginTimestamp (seconds) Unsigned 32-bit integer
ptp.fu.preciseorigintimestamp_nanoseconds preciseOriginTimestamp (nanoseconds) Signed 32-bit integer
ptp.messagetype messageType Unsigned 8-bit integer
ptp.mm.boundaryhops boundaryHops Signed 16-bit integer
ptp.mm.clock.identity.clockcommunicationtechnology clockCommunicationTechnology Unsigned 8-bit integer
ptp.mm.clock.identity.clockportfield clockPortField Unsigned 16-bit integer
ptp.mm.clock.identity.clockuuidfield clockUuidField 6-byte Hardware (MAC) Address
ptp.mm.clock.identity.manufactureridentity manufacturerIdentity Byte array
ptp.mm.current.data.set.offsetfrommaster offsetFromMaster Time duration
ptp.mm.current.data.set.offsetfrommasternanoseconds offsetFromMasterNanoseconds Signed 32-bit integer
ptp.mm.current.data.set.offsetfrommasterseconds offsetFromMasterSeconds Unsigned 32-bit integer
ptp.mm.current.data.set.onewaydelay oneWayDelay Time duration
ptp.mm.current.data.set.onewaydelaynanoseconds oneWayDelayNanoseconds Signed 32-bit integer
ptp.mm.current.data.set.onewaydelayseconds oneWayDelaySeconds Unsigned 32-bit integer
ptp.mm.current.data.set.stepsremoved stepsRemoved Unsigned 16-bit integer
ptp.mm.default.data.set.clockcommunicationtechnology clockCommunicationTechnology Unsigned 8-bit integer
ptp.mm.default.data.set.clockfollowupcapable clockFollowupCapable Boolean
ptp.mm.default.data.set.clockidentifier clockIdentifier Byte array
ptp.mm.default.data.set.clockportfield clockPortField Unsigned 16-bit integer
ptp.mm.default.data.set.clockstratum clockStratum Unsigned 8-bit integer
ptp.mm.default.data.set.clockuuidfield clockUuidField 6-byte Hardware (MAC) Address
ptp.mm.default.data.set.clockvariance clockVariance Unsigned 16-bit integer
ptp.mm.default.data.set.externaltiming externalTiming Boolean
ptp.mm.default.data.set.initializable initializable Boolean
ptp.mm.default.data.set.isboundaryclock isBoundaryClock Boolean
ptp.mm.default.data.set.numberforeignrecords numberForeignRecords Unsigned 16-bit integer
ptp.mm.default.data.set.numberports numberPorts Unsigned 16-bit integer
ptp.mm.default.data.set.preferred preferred Boolean
ptp.mm.default.data.set.subdomainname subDomainName String
ptp.mm.default.data.set.syncinterval syncInterval Signed 8-bit integer
ptp.mm.foreign.data.set.foreignmastercommunicationtechnology foreignMasterCommunicationTechnology Unsigned 8-bit integer
ptp.mm.foreign.data.set.foreignmasterportidfield foreignMasterPortIdField Unsigned 16-bit integer
ptp.mm.foreign.data.set.foreignmastersyncs foreignMasterSyncs Unsigned 16-bit integer
ptp.mm.foreign.data.set.foreignmasteruuidfield foreignMasterUuidField 6-byte Hardware (MAC) Address
ptp.mm.foreign.data.set.returnedportnumber returnedPortNumber Unsigned 16-bit integer
ptp.mm.foreign.data.set.returnedrecordnumber returnedRecordNumber Unsigned 16-bit integer
ptp.mm.get.foreign.data.set.recordkey recordKey Unsigned 16-bit integer
ptp.mm.global.time.data.set.currentutcoffset currentUtcOffset Signed 16-bit integer
ptp.mm.global.time.data.set.epochnumber epochNumber Unsigned 16-bit integer
ptp.mm.global.time.data.set.leap59 leap59 Boolean
ptp.mm.global.time.data.set.leap61 leap61 Boolean
ptp.mm.global.time.data.set.localtime localTime Time duration
ptp.mm.global.time.data.set.localtimenanoseconds localTimeNanoseconds Signed 32-bit integer
ptp.mm.global.time.data.set.localtimeseconds localTimeSeconds Unsigned 32-bit integer
ptp.mm.initialize.clock.initialisationkey initialisationKey Unsigned 16-bit integer
ptp.mm.managementmessagekey managementMessageKey Unsigned 8-bit integer
ptp.mm.messageparameters messageParameters Byte array
ptp.mm.parameterlength parameterLength Unsigned 16-bit integer
ptp.mm.parent.data.set.grandmastercommunicationtechnology grandmasterCommunicationTechnology Unsigned 8-bit integer
ptp.mm.parent.data.set.grandmasteridentifier grandmasterIdentifier Byte array
ptp.mm.parent.data.set.grandmasterisboundaryclock grandmasterIsBoundaryClock Boolean
ptp.mm.parent.data.set.grandmasterportidfield grandmasterPortIdField Unsigned 16-bit integer
ptp.mm.parent.data.set.grandmasterpreferred grandmasterPreferred Boolean
ptp.mm.parent.data.set.grandmastersequencenumber grandmasterSequenceNumber Unsigned 16-bit integer
ptp.mm.parent.data.set.grandmasterstratum grandmasterStratum Unsigned 8-bit integer
ptp.mm.parent.data.set.grandmasteruuidfield grandmasterUuidField 6-byte Hardware (MAC) Address
ptp.mm.parent.data.set.grandmastervariance grandmasterVariance Signed 16-bit integer
ptp.mm.parent.data.set.observeddrift observedDrift Signed 32-bit integer
ptp.mm.parent.data.set.observedvariance observedVariance Signed 16-bit integer
ptp.mm.parent.data.set.parentcommunicationtechnology parentCommunicationTechnology Unsigned 8-bit integer
ptp.mm.parent.data.set.parentexternaltiming parentExternalTiming Boolean
ptp.mm.parent.data.set.parentfollowupcapable parentFollowupCapable Boolean
ptp.mm.parent.data.set.parentlastsyncsequencenumber parentLastSyncSequenceNumber Unsigned 16-bit integer
ptp.mm.parent.data.set.parentportid parentPortId Unsigned 16-bit integer
ptp.mm.parent.data.set.parentstats parentStats Boolean
ptp.mm.parent.data.set.parentuuid parentUuid 6-byte Hardware (MAC) Address
ptp.mm.parent.data.set.parentvariance parentVariance Unsigned 16-bit integer
ptp.mm.parent.data.set.utcreasonable utcReasonable Boolean
ptp.mm.port.data.set.burstenabled burstEnabled Boolean
ptp.mm.port.data.set.eventportaddress eventPortAddress Byte array
ptp.mm.port.data.set.eventportaddressoctets eventPortAddressOctets Unsigned 8-bit integer
ptp.mm.port.data.set.generalportaddress generalPortAddress Byte array
ptp.mm.port.data.set.generalportaddressoctets generalPortAddressOctets Unsigned 8-bit integer
ptp.mm.port.data.set.lastgeneraleventsequencenumber lastGeneralEventSequenceNumber Unsigned 16-bit integer
ptp.mm.port.data.set.lastsynceventsequencenumber lastSyncEventSequenceNumber Unsigned 16-bit integer
ptp.mm.port.data.set.portcommunicationtechnology portCommunicationTechnology Unsigned 8-bit integer
ptp.mm.port.data.set.portidfield portIdField Unsigned 16-bit integer
ptp.mm.port.data.set.portstate portState Unsigned 8-bit integer
ptp.mm.port.data.set.portuuidfield portUuidField 6-byte Hardware (MAC) Address
ptp.mm.port.data.set.returnedportnumber returnedPortNumber Unsigned 16-bit integer
ptp.mm.port.data.set.subdomainaddress subdomainAddress Byte array
ptp.mm.port.data.set.subdomainaddressoctets subdomainAddressOctets Unsigned 8-bit integer
ptp.mm.set.subdomain.subdomainname subdomainName String
ptp.mm.set.sync.interval.syncinterval syncInterval Unsigned 16-bit integer
ptp.mm.set.time.localtime localtime Time duration
ptp.mm.set.time.localtimenanoseconds localTimeNanoseconds Signed 32-bit integer
ptp.mm.set.time.localtimeseconds localtimeSeconds Unsigned 32-bit integer
ptp.mm.startingboundaryhops startingBoundaryHops Signed 16-bit integer
ptp.mm.targetcommunicationtechnology targetCommunicationTechnology Unsigned 8-bit integer
ptp.mm.targetportid targetPortId Unsigned 16-bit integer
ptp.mm.targetuuid targetUuid 6-byte Hardware (MAC) Address
ptp.mm.update.default.data.set.clockidentifier clockIdentifier Byte array
ptp.mm.update.default.data.set.clockstratum clockStratum Unsigned 8-bit integer
ptp.mm.update.default.data.set.clockvariance clockVariance Unsigned 16-bit integer
ptp.mm.update.default.data.set.preferred preferred Boolean
ptp.mm.update.default.data.set.subdomainname subdomainName String
ptp.mm.update.default.data.set.syncinterval syncInterval Signed 8-bit integer
ptp.mm.update.global.time.properties.currentutcoffset currentUtcOffset Unsigned 16-bit integer
ptp.mm.update.global.time.properties.epochnumber epochNumber Unsigned 16-bit integer
ptp.mm.update.global.time.properties.leap59 leap59 Boolean
ptp.mm.update.global.time.properties.leap61 leap61 Boolean
ptp.sdr.currentutcoffset currentUTCOffset Signed 16-bit integer
ptp.sdr.epochnumber epochNumber Unsigned 16-bit integer
ptp.sdr.estimatedmasterdrift estimatedMasterDrift Signed 32-bit integer
ptp.sdr.estimatedmastervariance estimatedMasterVariance Signed 16-bit integer
ptp.sdr.grandmasterclockidentifier grandmasterClockIdentifier String
ptp.sdr.grandmasterclockstratum grandmasterClockStratum Unsigned 8-bit integer
ptp.sdr.grandmasterclockuuid grandMasterClockUuid 6-byte Hardware (MAC) Address
ptp.sdr.grandmasterclockvariance grandmasterClockVariance Signed 16-bit integer
ptp.sdr.grandmastercommunicationtechnology grandmasterCommunicationTechnology Unsigned 8-bit integer
ptp.sdr.grandmasterisboundaryclock grandmasterIsBoundaryClock Unsigned 8-bit integer
ptp.sdr.grandmasterportid grandmasterPortId Unsigned 16-bit integer
ptp.sdr.grandmasterpreferred grandmasterPreferred Unsigned 8-bit integer
ptp.sdr.grandmastersequenceid grandmasterSequenceId Unsigned 16-bit integer
ptp.sdr.localclockidentifier localClockIdentifier String
ptp.sdr.localclockstratum localClockStratum Unsigned 8-bit integer
ptp.sdr.localclockvariance localClockVariance Signed 16-bit integer
ptp.sdr.localstepsremoved localStepsRemoved Unsigned 16-bit integer
ptp.sdr.origintimestamp originTimestamp Time duration
ptp.sdr.origintimestamp_nanoseconds originTimestamp (nanoseconds) Signed 32-bit integer
ptp.sdr.origintimestamp_seconds originTimestamp (seconds) Unsigned 32-bit integer
ptp.sdr.parentcommunicationtechnology parentCommunicationTechnology Unsigned 8-bit integer
ptp.sdr.parentportfield parentPortField Unsigned 16-bit integer
ptp.sdr.parentuuid parentUuid 6-byte Hardware (MAC) Address
ptp.sdr.syncinterval syncInterval Signed 8-bit integer
ptp.sdr.utcreasonable utcReasonable Boolean
ptp.sequenceid sequenceId Unsigned 16-bit integer
ptp.sourcecommunicationtechnology sourceCommunicationTechnology Unsigned 8-bit integer
ptp.sourceportid sourcePortId Unsigned 16-bit integer
ptp.sourceuuid sourceUuid 6-byte Hardware (MAC) Address
ptp.subdomain subdomain String
ptp.versionnetwork versionNetwork Unsigned 16-bit integer
ptp.versionptp versionPTP Unsigned 16-bit integer
pad.pad Pad No value Pad Byte
pap.connid ConnID Unsigned 8-bit integer PAP connection ID
pap.eof EOF Boolean EOF
pap.function Function Unsigned 8-bit integer PAP function
pap.quantum Quantum Unsigned 8-bit integer Flow quantum
pap.seq Sequence Unsigned 16-bit integer Sequence number
pap.socket Socket Unsigned 8-bit integer ATP responding socket number
pap.status Status String Printer status
prism.channel.data Channel Field Unsigned 32-bit integer
prism.frmlen.data Frame Length Field Unsigned 32-bit integer
prism.hosttime.data Host Time Field Unsigned 32-bit integer
prism.istx.data IsTX Field Unsigned 32-bit integer
prism.mactime.data MAC Time Field Unsigned 32-bit integer
prism.msgcode Message Code Unsigned 32-bit integer
prism.msglen Message Length Unsigned 32-bit integer
prism.noise.data Noise Field Unsigned 32-bit integer
prism.rate.data Rate Field Unsigned 32-bit integer
prism.rssi.data RSSI Field Unsigned 32-bit integer
prism.signal.data Signal Field Unsigned 32-bit integer
prism.sq.data SQ Field Unsigned 32-bit integer
rpriv.get_eptgt_rqst_authn_svc Authn_Svc Unsigned 32-bit integer
rpriv.get_eptgt_rqst_authz_svc Authz_Svc Unsigned 32-bit integer
rpriv.get_eptgt_rqst_key_size Key_Size Unsigned 32-bit integer
rpriv.get_eptgt_rqst_key_size2 Key_Size Unsigned 32-bit integer
rpriv.get_eptgt_rqst_key_t Key_t String
rpriv.get_eptgt_rqst_key_t2 Key_t2 String
rpriv.get_eptgt_rqst_var1 Var1 Unsigned 32-bit integer
rpriv.opnum Operation Unsigned 16-bit integer Operation
pim.cksum Checksum Unsigned 16-bit integer
pim.code Code Unsigned 8-bit integer
pim.type Type Unsigned 8-bit integer
pim.version Version Unsigned 8-bit integer
pana.avp.code AVP Code Unsigned 16-bit integer
pana.avp.data.addrfamily Address Family Unsigned 16-bit integer
pana.avp.data.bytes Value Byte array
pana.avp.data.enum Value Signed 32-bit integer
pana.avp.data.int32 Value Signed 32-bit integer
pana.avp.data.int64 Value Signed 64-bit integer
pana.avp.data.ipv4 IPv4 Address IPv4 address
pana.avp.data.ipv6 IPv6 Address IPv6 address
pana.avp.data.string Value String
pana.avp.data.uint32 Value Unsigned 32-bit integer
pana.avp.data.uint64 Value Unsigned 64-bit integer
pana.avp.flags AVP Flags Unsigned 16-bit integer
pana.avp.flags.m Mandatory Boolean
pana.avp.flags.v Vendor Boolean
pana.avp.length AVP Length Unsigned 16-bit integer
pana.avp.reserved AVP Reserved Unsigned 16-bit integer
pana.avp.vendorid AVP Vendor ID Unsigned 32-bit integer
pana.flags Flags Unsigned 8-bit integer
pana.flags.l Stateless Discovery Boolean
pana.flags.n NAP Auth Boolean
pana.flags.r Request Boolean
pana.flags.s Separate Boolean
pana.length PANA Message Length Unsigned 16-bit integer
pana.reserved PANA Reserved Unsigned 8-bit integer
pana.response_in Response In Frame number The response to this PANA request is in this frame
pana.response_to Request In Frame number This is a response to the PANA request in this frame
pana.seq PANA Sequence Number Unsigned 32-bit integer
pana.time Time Time duration The time between the Call and the Reply
pana.type PANA Message Type Unsigned 16-bit integer
pana.version PANA Version Unsigned 8-bit integer
q2931.call_ref Call reference value Byte array
q2931.call_ref_flag Call reference flag Boolean
q2931.call_ref_len Call reference value length Unsigned 8-bit integer
q2931.disc Protocol discriminator Unsigned 8-bit integer
q2931.message_action_indicator Action indicator Unsigned 8-bit integer
q2931.message_flag Flag Boolean
q2931.message_len Message length Unsigned 16-bit integer
q2931.message_type Message type Unsigned 8-bit integer
q2931.message_type_ext Message type extension Unsigned 8-bit integer
q931.call_ref Call reference value Byte array
q931.call_ref_flag Call reference flag Boolean
q931.call_ref_len Call reference value length Unsigned 8-bit integer
q931.called_party_number.digits Called party number digits String
q931.calling_party_number.digits Calling party number digits String
q931.cause_location Cause location Unsigned 8-bit integer
q931.cause_value Cause value Unsigned 8-bit integer
q931.channel.dchan D-channel indicator Boolean True if the identified channel is the D-Channel
q931.channel.element_type Element type Unsigned 8-bit integer Type of element in the channel number/slot map octets
q931.channel.exclusive Indicated channel is exclusive Boolean True if only the indicated channel is acceptable
q931.channel.interface_id_present Interface identifier present Boolean True if the interface identifier is explicit in the following octets
q931.channel.interface_type Interface type Boolean Identifies the ISDN interface type
q931.channel.map Number/map Boolean True if channel is indicates by channel map rather than number
q931.channel.number Channel number Unsigned 8-bit integer Channel number
q931.channel.selection Information channel selection Unsigned 8-bit integer Identifies the information channel to be used
q931.coding_standard Coding standard Unsigned 8-bit integer
q931.connected_number.digits Connected party number digits String
q931.disc Protocol discriminator Unsigned 8-bit integer
q931.extension_ind Extension indicator Boolean
q931.information_transfer_capability Information transfer capability Unsigned 8-bit integer
q931.information_transfer_rate Information transfer rate Unsigned 8-bit integer
q931.message_type Message type Unsigned 8-bit integer
q931.number_type Number type Unsigned 8-bit integer
q931.numbering_plan Numbering plan Unsigned 8-bit integer
q931.presentation_ind Presentation indicator Unsigned 8-bit integer
q931.reassembled_in Reassembled Q.931 in frame Frame number This Q.931 message is reassembled in this frame
q931.redirecting_number.digits Redirecting party number digits String
q931.screening_ind Screening indicator Unsigned 8-bit integer
q931.segment Q.931 Segment Frame number Q.931 Segment
q931.segment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
q931.segment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
q931.segment.overlap Segment overlap Boolean Fragment overlaps with other fragments
q931.segment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
q931.segment.toolongfragment Segment too long Boolean Segment contained data past end of packet
q931.segment_type Segmented message type Unsigned 8-bit integer
q931.segments Q.931 Segments No value Q.931 Segments
q931.transfer_mode Transfer mode Unsigned 8-bit integer
q931.uil1 User information layer 1 protocol Unsigned 8-bit integer
q933.call_ref Call reference value Byte array
q933.call_ref_flag Call reference flag Boolean
q933.call_ref_len Call reference value length Unsigned 8-bit integer
q933.called_party_number.digits Called party number digits String
q933.calling_party_number.digits Calling party number digits String
q933.cause_location Cause location Unsigned 8-bit integer
q933.cause_value Cause value Unsigned 8-bit integer
q933.coding_standard Coding standard Unsigned 8-bit integer
q933.connected_number.digits Connected party number digits String
q933.disc Protocol discriminator Unsigned 8-bit integer
q933.extension_ind Extension indicator Boolean
q933.information_transfer_capability Information transfer capability Unsigned 8-bit integer
q933.link_verification.rxseq RX Sequence Unsigned 8-bit integer
q933.link_verification.txseq TX Sequence Unsigned 8-bit integer
q933.message_type Message type Unsigned 8-bit integer
q933.number_type Number type Unsigned 8-bit integer
q933.numbering_plan numbering plan Unsigned 8-bit integer
q933.presentation_ind Presentation indicator Unsigned 8-bit integer
q933.redirecting_number.digits Redirecting party number digits String
q933.report_type Report type Unsigned 8-bit integer
q933.screening_ind Screening indicator Unsigned 8-bit integer
q933.transfer_mode Transfer mode Unsigned 8-bit integer
q933.uil1 User information layer 1 protocol Unsigned 8-bit integer
quake2.c2s Client to Server Unsigned 32-bit integer Client to Server
quake2.connectionless Connectionless Unsigned 32-bit integer Connectionless
quake2.connectionless.marker Marker Unsigned 32-bit integer Marker
quake2.connectionless.text Text String Text
quake2.game Game Unsigned 32-bit integer Game
quake2.game.client.command Client Command Type Unsigned 8-bit integer Quake II Client Command
quake2.game.client.command.move Bitfield Unsigned 8-bit integer Quake II Client Command Move
quake2.game.client.command.move.angles Angles (pitch) Unsigned 8-bit integer
quake2.game.client.command.move.buttons Buttons Unsigned 8-bit integer
quake2.game.client.command.move.chksum Checksum Unsigned 8-bit integer Quake II Client Command Move
quake2.game.client.command.move.impulse Impulse Unsigned 8-bit integer
quake2.game.client.command.move.lframe Last Frame Unsigned 32-bit integer Quake II Client Command Move
quake2.game.client.command.move.lightlevel Lightlevel Unsigned 8-bit integer Quake II Client Command Move
quake2.game.client.command.move.movement Movement (fwd) Unsigned 8-bit integer
quake2.game.client.command.move.msec Msec Unsigned 8-bit integer Quake II Client Command Move
quake2.game.qport QPort Unsigned 32-bit integer Quake II Client Port
quake2.game.rel1 Reliable Boolean Packet is reliable and may be retransmitted
quake2.game.rel2 Reliable Boolean Packet was reliable and may be retransmitted
quake2.game.seq1 Sequence Number Unsigned 32-bit integer Sequence number of the current packet
quake2.game.seq2 Sequence Number Unsigned 32-bit integer Sequence number of the last received packet
quake2.game.server.command Server Command Unsigned 8-bit integer Quake II Server Command
quake2.s2c Server to Client Unsigned 32-bit integer Server to Client
quake3.connectionless Connectionless Unsigned 32-bit integer Connectionless
quake3.connectionless.command Command String Command
quake3.connectionless.marker Marker Unsigned 32-bit integer Marker
quake3.connectionless.text Text String Text
quake3.direction Direction No value Packet Direction
quake3.game Game Unsigned 32-bit integer Game
quake3.game.qport QPort Unsigned 32-bit integer Quake III Arena Client Port
quake3.game.rel1 Reliable Boolean Packet is reliable and may be retransmitted
quake3.game.rel2 Reliable Boolean Packet was reliable and may be retransmitted
quake3.game.seq1 Sequence Number Unsigned 32-bit integer Sequence number of the current packet
quake3.game.seq2 Sequence Number Unsigned 32-bit integer Sequence number of the last received packet
quake3.server.addr Server Address IPv4 address Server IP Address
quake3.server.port Server Port Unsigned 16-bit integer Server UDP Port
quake.control.accept.port Port Unsigned 32-bit integer Game Data Port
quake.control.command Command Unsigned 8-bit integer Control Command
quake.control.connect.game Game String Game Name
quake.control.connect.version Version Unsigned 8-bit integer Game Protocol Version Number
quake.control.player_info.address Address String Player Address
quake.control.player_info.colors Colors Unsigned 32-bit integer Player Colors
quake.control.player_info.colors.pants Pants Unsigned 8-bit integer Pants Color
quake.control.player_info.colors.shirt Shirt Unsigned 8-bit integer Shirt Color
quake.control.player_info.connect_time Connect Time Unsigned 32-bit integer Player Connect Time
quake.control.player_info.frags Frags Unsigned 32-bit integer Player Frags
quake.control.player_info.name Name String Player Name
quake.control.player_info.player Player Unsigned 8-bit integer Player
quake.control.reject.reason Reason String Reject Reason
quake.control.rule_info.lastrule Last Rule String Last Rule Name
quake.control.rule_info.rule Rule String Rule Name
quake.control.rule_info.value Value String Rule Value
quake.control.server_info.address Address String Server Address
quake.control.server_info.game Game String Game Name
quake.control.server_info.map Map String Map Name
quake.control.server_info.max_player Maximal Number of Players Unsigned 8-bit integer Maximal Number of Players
quake.control.server_info.num_player Number of Players Unsigned 8-bit integer Current Number of Players
quake.control.server_info.server Server String Server Name
quake.control.server_info.version Version Unsigned 8-bit integer Game Protocol Version Number
quake.header.flags Flags Unsigned 16-bit integer Flags
quake.header.length Length Unsigned 16-bit integer full data length
quake.header.sequence Sequence Unsigned 32-bit integer Sequence Number
quakeworld.c2s Client to Server Unsigned 32-bit integer Client to Server
quakeworld.connectionless Connectionless Unsigned 32-bit integer Connectionless
quakeworld.connectionless.arguments Arguments String Arguments
quakeworld.connectionless.command Command String Command
quakeworld.connectionless.connect.challenge Challenge Signed 32-bit integer Challenge from the server
quakeworld.connectionless.connect.infostring Infostring String Infostring with additional variables
quakeworld.connectionless.connect.infostring.key Key String Infostring Key
quakeworld.connectionless.connect.infostring.key_value Key/Value String Key and Value
quakeworld.connectionless.connect.infostring.value Value String Infostring Value
quakeworld.connectionless.connect.qport QPort Unsigned 32-bit integer QPort of the client
quakeworld.connectionless.connect.version Version Unsigned 32-bit integer Protocol Version
quakeworld.connectionless.marker Marker Unsigned 32-bit integer Marker
quakeworld.connectionless.rcon.command Command String Command
quakeworld.connectionless.rcon.password Password String Rcon Password
quakeworld.connectionless.text Text String Text
quakeworld.game Game Unsigned 32-bit integer Game
quakeworld.game.qport QPort Unsigned 32-bit integer QuakeWorld Client Port
quakeworld.game.rel1 Reliable Boolean Packet is reliable and may be retransmitted
quakeworld.game.rel2 Reliable Boolean Packet was reliable and may be retransmitted
quakeworld.game.seq1 Sequence Number Unsigned 32-bit integer Sequence number of the current packet
quakeworld.game.seq2 Sequence Number Unsigned 32-bit integer Sequence number of the last received packet
quakeworld.s2c Server to Client Unsigned 32-bit integer Server to Client
qllc.address Address Field Unsigned 8-bit integer
qllc.control Control Field Unsigned 8-bit integer
mpeg1.stream MPEG-1 stream Byte array
rtp.payload_mpeg_T T Unsigned 16-bit integer
rtp.payload_mpeg_an AN Unsigned 16-bit integer
rtp.payload_mpeg_b Beginning-of-slice Boolean
rtp.payload_mpeg_bfc BFC Unsigned 16-bit integer
rtp.payload_mpeg_fbv FBV Unsigned 16-bit integer
rtp.payload_mpeg_ffc FFC Unsigned 16-bit integer
rtp.payload_mpeg_ffv FFV Unsigned 16-bit integer
rtp.payload_mpeg_mbz MBZ Unsigned 16-bit integer
rtp.payload_mpeg_n New Picture Header Unsigned 16-bit integer
rtp.payload_mpeg_p Picture type Unsigned 16-bit integer
rtp.payload_mpeg_s Sequence Header Boolean
rtp.payload_mpeg_tr Temporal Reference Unsigned 16-bit integer
jpeg.main_hdr Main Header No value
jpeg.main_hdr.height Height Unsigned 8-bit integer
jpeg.main_hdr.offset Fragement Offset Unsigned 24-bit integer
jpeg.main_hdr.q Q Unsigned 8-bit integer
jpeg.main_hdr.ts Type Specific Unsigned 8-bit integer
jpeg.main_hdr.type Type Unsigned 8-bit integer
jpeg.main_hdr.width Width Unsigned 8-bit integer
jpeg.payload Payload Byte array
jpeg.qtable_hdr Quantization Table Header No value
jpeg.qtable_hdr.data Quantization Table Data Byte array
jpeg.qtable_hdr.length Length Unsigned 16-bit integer
jpeg.qtable_hdr.mbz MBZ Unsigned 8-bit integer
jpeg.qtable_hdr.precision Precision Unsigned 8-bit integer
jpeg.restart_hdr Restart Marker Header No value
jpeg.restart_hdr.count Restart Count Unsigned 16-bit integer
jpeg.restart_hdr.f F Unsigned 16-bit integer
jpeg.restart_hdr.interval Restart Interval Unsigned 16-bit integer
jpeg.restart_hdr.l L Unsigned 16-bit integer
rtpevent.duration Event Duration Unsigned 16-bit integer
rtpevent.end_of_event End of Event Boolean
rtpevent.event_id Event ID Unsigned 8-bit integer
rtpevent.reserved Reserved Boolean
rtpevent.volume Volume Unsigned 8-bit integer
ripng.cmd Command Unsigned 8-bit integer
ripng.version Version Unsigned 8-bit integer
rsp.sequence Sequence Unsigned 32-bit integer RSP sequence
rsp.session_id Session ID Unsigned 32-bit integer RSP session ID
rpc_browser.opnum Operation Unsigned 16-bit integer Operation
rpc_browser.rc Return code Unsigned 32-bit integer Browser return code
rpc_browser.unknown.bytes Unknown bytes Byte array Unknown bytes. If you know what this is, contact wireshark developers.
rpc_browser.unknown.hyper Unknown hyper Unsigned 64-bit integer Unknown hyper. If you know what this is, contact wireshark developers.
rpc_browser.unknown.long Unknown long Unsigned 32-bit integer Unknown long. If you know what this is, contact wireshark developers.
rpc_browser.unknown.string Unknown string String Unknown string. If you know what this is, contact wireshark developers.
rs_plcy.opnum Operation Unsigned 16-bit integer Operation
rstat.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
rstat.procedure_v2 V2 Procedure Unsigned 32-bit integer V2 Procedure
rstat.procedure_v3 V3 Procedure Unsigned 32-bit integer V3 Procedure
rstat.procedure_v4 V4 Procedure Unsigned 32-bit integer V4 Procedure
rsync.command Command String String
rsync.data rsync data Byte array
rsync.hdr_magic Magic Header String
rsync.hdr_version Header Version String
rsync.motd Server MOTD String String
rsync.query Client Query String String
rsync.response Server Response String String
rx.abort ABORT Packet No value ABORT Packet
rx.abort_code Abort Code Unsigned 32-bit integer Abort Code
rx.ack ACK Packet No value ACK Packet
rx.ack_type ACK Type Unsigned 8-bit integer Type Of ACKs
rx.bufferspace Bufferspace Unsigned 16-bit integer Number Of Packets Available
rx.callnumber Call Number Unsigned 32-bit integer Call Number
rx.challenge CHALLENGE Packet No value CHALLENGE Packet
rx.cid CID Unsigned 32-bit integer CID
rx.encrypted Encrypted No value Encrypted part of response packet
rx.epoch Epoch Date/Time stamp Epoch
rx.first First Packet Unsigned 32-bit integer First Packet
rx.flags Flags Unsigned 8-bit integer Flags
rx.flags.client_init Client Initiated Boolean Client Initiated
rx.flags.free_packet Free Packet Boolean Free Packet
rx.flags.last_packet Last Packet Boolean Last Packet
rx.flags.more_packets More Packets Boolean More Packets
rx.flags.request_ack Request Ack Boolean Request Ack
rx.if_mtu Interface MTU Unsigned 32-bit integer Interface MTU
rx.inc_nonce Inc Nonce Unsigned 32-bit integer Incremented Nonce
rx.kvno kvno Unsigned 32-bit integer kvno
rx.level Level Unsigned 32-bit integer Level
rx.max_mtu Max MTU Unsigned 32-bit integer Max MTU
rx.max_packets Max Packets Unsigned 32-bit integer Max Packets
rx.maxskew Max Skew Unsigned 16-bit integer Max Skew
rx.min_level Min Level Unsigned 32-bit integer Min Level
rx.nonce Nonce Unsigned 32-bit integer Nonce
rx.num_acks Num ACKs Unsigned 8-bit integer Number Of ACKs
rx.prev Prev Packet Unsigned 32-bit integer Previous Packet
rx.reason Reason Unsigned 8-bit integer Reason For This ACK
rx.response RESPONSE Packet No value RESPONSE Packet
rx.rwind rwind Unsigned 32-bit integer rwind
rx.securityindex Security Index Unsigned 32-bit integer Security Index
rx.seq Sequence Number Unsigned 32-bit integer Sequence Number
rx.serial Serial Unsigned 32-bit integer Serial
rx.serviceid Service ID Unsigned 16-bit integer Service ID
rx.spare Spare/Checksum Unsigned 16-bit integer Spare/Checksum
rx.ticket ticket Byte array Ticket
rx.ticket_len Ticket len Unsigned 32-bit integer Ticket Length
rx.type Type Unsigned 8-bit integer Type
rx.userstatus User Status Unsigned 32-bit integer User Status
rx.version Version Unsigned 32-bit integer Version Of Challenge/Response
ranap.Alt_RAB_Parameter_GuaranteedBitrateList_item Item Unsigned 32-bit integer ranap.GuaranteedBitrate
ranap.Alt_RAB_Parameter_GuaranteedBitrates_item Item Unsigned 32-bit integer ranap.Alt_RAB_Parameter_GuaranteedBitrateList
ranap.Alt_RAB_Parameter_MaxBitrateList_item Item Unsigned 32-bit integer ranap.MaxBitrate
ranap.Alt_RAB_Parameter_MaxBitrates_item Item Unsigned 32-bit integer ranap.Alt_RAB_Parameter_MaxBitrateList
ranap.Ass_RAB_Parameter_GuaranteedBitrateList_item Item Unsigned 32-bit integer ranap.GuaranteedBitrate
ranap.Ass_RAB_Parameter_MaxBitrateList_item Item Unsigned 32-bit integer ranap.MaxBitrate
ranap.AuthorisedPLMNs_item Item No value ranap.AuthorisedPLMNs_item
ranap.AuthorisedSNAs_item Item Unsigned 32-bit integer ranap.SNAC
ranap.CriticalityDiagnostics_IE_List_item Item No value ranap.CriticalityDiagnostics_IE_List_item
ranap.DataVolumeList_item Item No value ranap.DataVolumeList_item
ranap.GA_Polygon_item Item No value ranap.GA_Polygon_item
ranap.IMEIList_item Item Byte array ranap.IMEI
ranap.IMEISVList_item Item Byte array ranap.IMEISV
ranap.JoinedMBMSBearerService_IEs_item Item No value ranap.JoinedMBMSBearerService_IEs_item
ranap.LA_LIST_item Item No value ranap.LA_LIST_item
ranap.LeftMBMSBearerService_IEs_item Item No value ranap.LeftMBMSBearerService_IEs_item
ranap.ListOF_SNAs_item Item Unsigned 32-bit integer ranap.SNAC
ranap.ListOfInterfacesToTrace_item Item No value ranap.InterfacesToTraceItem
ranap.MBMSIPMulticastAddressandAPNRequest_item Item No value ranap.TMGI
ranap.MBMSServiceAreaList_item Item Unsigned 32-bit integer ranap.MBMSServiceAreaCode
ranap.MessageStructure_item Item No value ranap.MessageStructure_item
ranap.NewRAListofIdleModeUEs_item Item Byte array ranap.RAC
ranap.PDP_TypeInformation_item Item Unsigned 32-bit integer ranap.PDP_Type
ranap.PLMNs_in_shared_network_item Item No value ranap.PLMNs_in_shared_network_item
ranap.PermittedEncryptionAlgorithms_item Item Unsigned 32-bit integer ranap.EncryptionAlgorithm
ranap.PermittedIntegrityProtectionAlgorithms_item Item Unsigned 32-bit integer ranap.IntegrityProtectionAlgorithm
ranap.PositioningDataSet_item Item Byte array ranap.PositioningMethodAndUsage
ranap.PrivateIE_Container_item Item No value ranap.PrivateIE_Field
ranap.ProtocolExtensionContainer_item Item No value ranap.ProtocolExtensionField
ranap.ProtocolIE_ContainerList15_item Item Unsigned 32-bit integer ranap.ProtocolIE_Container
ranap.ProtocolIE_ContainerList250_item Item Unsigned 32-bit integer ranap.ProtocolIE_Container
ranap.ProtocolIE_ContainerList256_item Item Unsigned 32-bit integer ranap.ProtocolIE_Container
ranap.ProtocolIE_ContainerList_item Item Unsigned 32-bit integer ranap.ProtocolIE_Container
ranap.ProtocolIE_ContainerPairList256_item Item Unsigned 32-bit integer ranap.ProtocolIE_ContainerPair
ranap.ProtocolIE_ContainerPairList_item Item Unsigned 32-bit integer ranap.ProtocolIE_ContainerPair
ranap.ProtocolIE_ContainerPair_item Item No value ranap.ProtocolIE_FieldPair
ranap.ProtocolIE_Container_item Item No value ranap.ProtocolIE_Field
ranap.RAB_Parameter_GuaranteedBitrateList_item Item Unsigned 32-bit integer ranap.GuaranteedBitrate
ranap.RAB_Parameter_MaxBitrateList_item Item Unsigned 32-bit integer ranap.MaxBitrate
ranap.RAB_TrCH_Mapping_item Item No value ranap.RAB_TrCH_MappingItem
ranap.RAListwithNoIdleModeUEsAnyMore_item Item Byte array ranap.RAC
ranap.RANAP_PDU RANAP-PDU Unsigned 32-bit integer ranap.RANAP_PDU
ranap.RAofIdleModeUEs_item Item Byte array ranap.RAC
ranap.RequestedMBMSIPMulticastAddressandAPNRequest_item Item No value ranap.MBMSIPMulticastAddressandAPNlist
ranap.RequestedMulticastServiceList_item Item No value ranap.TMGI
ranap.Requested_RAB_Parameter_GuaranteedBitrateList_item Item Unsigned 32-bit integer ranap.GuaranteedBitrate
ranap.Requested_RAB_Parameter_MaxBitrateList_item Item Unsigned 32-bit integer ranap.MaxBitrate
ranap.SDU_FormatInformationParameters_item Item No value ranap.SDU_FormatInformationParameters_item
ranap.SDU_Parameters_item Item No value ranap.SDU_Parameters_item
ranap.SRB_TrCH_Mapping_item Item No value ranap.SRB_TrCH_MappingItem
ranap.TrCH_ID_List_item Item No value ranap.TrCH_ID
ranap.UnsuccessfulLinking_IEs_item Item No value ranap.UnsuccessfulLinking_IEs_item
ranap.aPN aPN Byte array ranap.APN
ranap.accuracyCode accuracyCode Unsigned 32-bit integer ranap.INTEGER_0_127
ranap.ageOfSAI ageOfSAI Unsigned 32-bit integer ranap.INTEGER_0_32767
ranap.allocationOrRetentionPriority allocationOrRetentionPriority No value ranap.AllocationOrRetentionPriority
ranap.altGuaranteedBitRateInf altGuaranteedBitRateInf No value ranap.Alt_RAB_Parameter_GuaranteedBitrateInf
ranap.altGuaranteedBitrateType altGuaranteedBitrateType Unsigned 32-bit integer ranap.Alt_RAB_Parameter_GuaranteedBitrateType
ranap.altGuaranteedBitrates altGuaranteedBitrates Unsigned 32-bit integer ranap.Alt_RAB_Parameter_GuaranteedBitrates
ranap.altMaxBitrateInf altMaxBitrateInf No value ranap.Alt_RAB_Parameter_MaxBitrateInf
ranap.altMaxBitrateType altMaxBitrateType Unsigned 32-bit integer ranap.Alt_RAB_Parameter_MaxBitrateType
ranap.altMaxBitrates altMaxBitrates Unsigned 32-bit integer ranap.Alt_RAB_Parameter_MaxBitrates
ranap.altitude altitude Unsigned 32-bit integer ranap.INTEGER_0_32767
ranap.altitudeAndDirection altitudeAndDirection No value ranap.GA_AltitudeAndDirection
ranap.assGuaranteedBitRateInf assGuaranteedBitRateInf Unsigned 32-bit integer ranap.Ass_RAB_Parameter_GuaranteedBitrateList
ranap.assMaxBitrateInf assMaxBitrateInf Unsigned 32-bit integer ranap.Ass_RAB_Parameter_MaxBitrateList
ranap.authorisedPLMNs authorisedPLMNs Unsigned 32-bit integer ranap.AuthorisedPLMNs
ranap.authorisedSNAsList authorisedSNAsList Unsigned 32-bit integer ranap.AuthorisedSNAs
ranap.bindingID bindingID Byte array ranap.BindingID
ranap.cGI cGI No value ranap.CGI
ranap.cI cI Byte array ranap.CI
ranap.cN_DeactivateTrace cN-DeactivateTrace No value ranap.CN_DeactivateTrace
ranap.cN_DomainIndicator cN-DomainIndicator Unsigned 32-bit integer ranap.CN_DomainIndicator
ranap.cN_ID cN-ID Unsigned 32-bit integer ranap.CN_ID
ranap.cN_InvokeTrace cN-InvokeTrace No value ranap.CN_InvokeTrace
ranap.cause cause Unsigned 32-bit integer ranap.Cause
ranap.cell_Capacity_Class_Value cell-Capacity-Class-Value Unsigned 32-bit integer ranap.Cell_Capacity_Class_Value
ranap.chosenEncryptionAlgorithForCS chosenEncryptionAlgorithForCS Unsigned 32-bit integer ranap.ChosenEncryptionAlgorithm
ranap.chosenEncryptionAlgorithForPS chosenEncryptionAlgorithForPS Unsigned 32-bit integer ranap.ChosenEncryptionAlgorithm
ranap.chosenEncryptionAlgorithForSignalling chosenEncryptionAlgorithForSignalling Unsigned 32-bit integer ranap.ChosenEncryptionAlgorithm
ranap.chosenIntegrityProtectionAlgorithm chosenIntegrityProtectionAlgorithm Unsigned 32-bit integer ranap.ChosenIntegrityProtectionAlgorithm
ranap.cipheringKey cipheringKey Byte array ranap.EncryptionKey
ranap.cipheringKeyFlag cipheringKeyFlag Byte array ranap.BIT_STRING_SIZE_1
ranap.commonID commonID No value ranap.CommonID
ranap.confidence confidence Unsigned 32-bit integer ranap.INTEGER_0_127
ranap.criticality criticality Unsigned 32-bit integer ranap.Criticality
ranap.currentDecipheringKey currentDecipheringKey Byte array ranap.BIT_STRING_SIZE_56
ranap.dCH_ID dCH-ID Unsigned 32-bit integer ranap.DCH_ID
ranap.dL_GTP_PDU_SequenceNumber dL-GTP-PDU-SequenceNumber Unsigned 32-bit integer ranap.DL_GTP_PDU_SequenceNumber
ranap.dSCH_ID dSCH-ID Unsigned 32-bit integer ranap.DSCH_ID
ranap.d_RNTI d-RNTI Unsigned 32-bit integer ranap.D_RNTI
ranap.dataVolumeReference dataVolumeReference Unsigned 32-bit integer ranap.DataVolumeReference
ranap.dataVolumeReport dataVolumeReport No value ranap.DataVolumeReport
ranap.dataVolumeReportRequest dataVolumeReportRequest No value ranap.DataVolumeReportRequest
ranap.dataVolumeReportingIndication dataVolumeReportingIndication Unsigned 32-bit integer ranap.DataVolumeReportingIndication
ranap.deliveryOfErroneousSDU deliveryOfErroneousSDU Unsigned 32-bit integer ranap.DeliveryOfErroneousSDU
ranap.deliveryOrder deliveryOrder Unsigned 32-bit integer ranap.DeliveryOrder
ranap.directInformationTransfer directInformationTransfer No value ranap.DirectInformationTransfer
ranap.directTransfer directTransfer No value ranap.DirectTransfer
ranap.directionOfAltitude directionOfAltitude Unsigned 32-bit integer ranap.T_directionOfAltitude
ranap.dl_GTP_PDU_SequenceNumber dl-GTP-PDU-SequenceNumber Unsigned 32-bit integer ranap.DL_GTP_PDU_SequenceNumber
ranap.dl_N_PDU_SequenceNumber dl-N-PDU-SequenceNumber Unsigned 32-bit integer ranap.DL_N_PDU_SequenceNumber
ranap.dl_UnsuccessfullyTransmittedDataVolume dl-UnsuccessfullyTransmittedDataVolume Unsigned 32-bit integer ranap.DataVolumeList
ranap.dl_dataVolumes dl-dataVolumes Unsigned 32-bit integer ranap.DataVolumeList
ranap.downlinkCellLoadInformation downlinkCellLoadInformation No value ranap.CellLoadInformation
ranap.ellipsoidArc ellipsoidArc No value ranap.GA_EllipsoidArc
ranap.emptyFullRAListofIdleModeUEs emptyFullRAListofIdleModeUEs Unsigned 32-bit integer ranap.T_emptyFullRAListofIdleModeUEs
ranap.encryptionkey encryptionkey Byte array ranap.EncryptionKey
ranap.encryptionpermittedAlgorithms encryptionpermittedAlgorithms Unsigned 32-bit integer ranap.PermittedEncryptionAlgorithms
ranap.equipmentsToBeTraced equipmentsToBeTraced Unsigned 32-bit integer ranap.EquipmentsToBeTraced
ranap.errorIndication errorIndication No value ranap.ErrorIndication
ranap.event event Unsigned 32-bit integer ranap.Event
ranap.exponent exponent Unsigned 32-bit integer ranap.INTEGER_1_8
ranap.extensionValue extensionValue No value ranap.Extension
ranap.firstCriticality firstCriticality Unsigned 32-bit integer ranap.Criticality
ranap.firstValue firstValue No value ranap.FirstValue
ranap.forwardSRNS_Context forwardSRNS-Context No value ranap.ForwardSRNS_Context
ranap.gERAN_Cell_ID gERAN-Cell-ID No value ranap.GERAN_Cell_ID
ranap.gERAN_Classmark gERAN-Classmark Byte array ranap.GERAN_Classmark
ranap.gTP_TEI gTP-TEI Byte array ranap.GTP_TEI
ranap.geographicalArea geographicalArea Unsigned 32-bit integer ranap.GeographicalArea
ranap.geographicalCoordinates geographicalCoordinates No value ranap.GeographicalCoordinates
ranap.global global ranap.OBJECT_IDENTIFIER
ranap.globalRNC_ID globalRNC-ID No value ranap.GlobalRNC_ID
ranap.guaranteedBitRate guaranteedBitRate Unsigned 32-bit integer ranap.RAB_Parameter_GuaranteedBitrateList
ranap.iECriticality iECriticality Unsigned 32-bit integer ranap.Criticality
ranap.iE_Extensions iE-Extensions Unsigned 32-bit integer ranap.ProtocolExtensionContainer
ranap.iE_ID iE-ID Unsigned 32-bit integer ranap.ProtocolIE_ID
ranap.iEsCriticalityDiagnostics iEsCriticalityDiagnostics Unsigned 32-bit integer ranap.CriticalityDiagnostics_IE_List
ranap.iMEI iMEI Byte array ranap.IMEI
ranap.iMEIMask iMEIMask Byte array ranap.BIT_STRING_SIZE_7
ranap.iMEISV iMEISV Byte array ranap.IMEISV
ranap.iMEISVMask iMEISVMask Byte array ranap.BIT_STRING_SIZE_7
ranap.iMEISVgroup iMEISVgroup No value ranap.IMEISVGroup
ranap.iMEISVlist iMEISVlist Unsigned 32-bit integer ranap.IMEISVList
ranap.iMEIgroup iMEIgroup No value ranap.IMEIGroup
ranap.iMEIlist iMEIlist Unsigned 32-bit integer ranap.IMEIList
ranap.iMSI iMSI Byte array ranap.IMSI
ranap.iPMulticastAddress iPMulticastAddress Byte array ranap.IPMulticastAddress
ranap.id id Unsigned 32-bit integer ranap.ProtocolIE_ID
ranap.id_APN id-APN Byte array ranap.APN
ranap.id_AccuracyFulfilmentIndicator id-AccuracyFulfilmentIndicator Unsigned 32-bit integer ranap.AccuracyFulfilmentIndicator
ranap.id_Alt_RAB_Parameters id-Alt-RAB-Parameters No value ranap.Alt_RAB_Parameters
ranap.id_AlternativeRABConfiguration id-AlternativeRABConfiguration No value ranap.RAB_Parameters
ranap.id_AlternativeRABConfigurationRequest id-AlternativeRABConfigurationRequest Unsigned 32-bit integer ranap.AlternativeRABConfigurationRequest
ranap.id_AreaIdentity id-AreaIdentity Unsigned 32-bit integer ranap.AreaIdentity
ranap.id_Ass_RAB_Parameters id-Ass-RAB-Parameters No value ranap.Ass_RAB_Parameters
ranap.id_BroadcastAssistanceDataDecipheringKeys id-BroadcastAssistanceDataDecipheringKeys No value ranap.BroadcastAssistanceDataDecipheringKeys
ranap.id_CNMBMSLinkingInformation id-CNMBMSLinkingInformation No value ranap.CNMBMSLinkingInformation
ranap.id_CN_DomainIndicator id-CN-DomainIndicator Unsigned 32-bit integer ranap.CN_DomainIndicator
ranap.id_Cause id-Cause Unsigned 32-bit integer ranap.Cause
ranap.id_CellLoadInformationGroup id-CellLoadInformationGroup No value ranap.CellLoadInformationGroup
ranap.id_ChosenEncryptionAlgorithm id-ChosenEncryptionAlgorithm Unsigned 32-bit integer ranap.ChosenEncryptionAlgorithm
ranap.id_ChosenIntegrityProtectionAlgorithm id-ChosenIntegrityProtectionAlgorithm Unsigned 32-bit integer ranap.ChosenIntegrityProtectionAlgorithm
ranap.id_ClassmarkInformation2 id-ClassmarkInformation2 Byte array ranap.ClassmarkInformation2
ranap.id_ClassmarkInformation3 id-ClassmarkInformation3 Byte array ranap.ClassmarkInformation3
ranap.id_ClientType id-ClientType Unsigned 32-bit integer ranap.ClientType
ranap.id_CriticalityDiagnostics id-CriticalityDiagnostics No value ranap.CriticalityDiagnostics
ranap.id_DL_GTP_PDU_SequenceNumber id-DL-GTP-PDU-SequenceNumber Unsigned 32-bit integer ranap.DL_GTP_PDU_SequenceNumber
ranap.id_DRX_CycleLengthCoefficient id-DRX-CycleLengthCoefficient Unsigned 32-bit integer ranap.DRX_CycleLengthCoefficient
ranap.id_DeltaRAListofIdleModeUEs id-DeltaRAListofIdleModeUEs No value ranap.DeltaRAListofIdleModeUEs
ranap.id_DirectTransferInformationItem_RANAP_RelocInf id-DirectTransferInformationItem-RANAP-RelocInf No value ranap.DirectTransferInformationItem_RANAP_RelocInf
ranap.id_DirectTransferInformationList_RANAP_RelocInf id-DirectTransferInformationList-RANAP-RelocInf Unsigned 32-bit integer ranap.DirectTransferInformationList_RANAP_RelocInf
ranap.id_E_DCH_MAC_d_Flow_ID id-E-DCH-MAC-d-Flow-ID Unsigned 32-bit integer ranap.E_DCH_MAC_d_Flow_ID
ranap.id_EncryptionInformation id-EncryptionInformation No value ranap.EncryptionInformation
ranap.id_FrequenceLayerConvergenceFlag id-FrequenceLayerConvergenceFlag Unsigned 32-bit integer ranap.FrequenceLayerConvergenceFlag
ranap.id_GERAN_BSC_Container id-GERAN-BSC-Container Byte array ranap.GERAN_BSC_Container
ranap.id_GERAN_Classmark id-GERAN-Classmark Byte array ranap.GERAN_Classmark
ranap.id_GERAN_Iumode_RAB_FailedList_RABAssgntResponse id-GERAN-Iumode-RAB-FailedList-RABAssgntResponse Unsigned 32-bit integer ranap.GERAN_Iumode_RAB_FailedList_RABAssgntResponse
ranap.id_GERAN_Iumode_RAB_Failed_RABAssgntResponse_Item id-GERAN-Iumode-RAB-Failed-RABAssgntResponse-Item No value ranap.GERAN_Iumode_RAB_Failed_RABAssgntResponse_Item
ranap.id_GlobalCN_ID id-GlobalCN-ID No value ranap.GlobalCN_ID
ranap.id_GlobalRNC_ID id-GlobalRNC-ID No value ranap.GlobalRNC_ID
ranap.id_IPMulticastAddress id-IPMulticastAddress Byte array ranap.IPMulticastAddress
ranap.id_InformationExchangeID id-InformationExchangeID Unsigned 32-bit integer ranap.InformationExchangeID
ranap.id_InformationExchangeType id-InformationExchangeType Unsigned 32-bit integer ranap.InformationExchangeType
ranap.id_InformationRequestType id-InformationRequestType Unsigned 32-bit integer ranap.InformationRequestType
ranap.id_InformationRequested id-InformationRequested Unsigned 32-bit integer ranap.InformationRequested
ranap.id_InformationTransferID id-InformationTransferID Unsigned 32-bit integer ranap.InformationTransferID
ranap.id_InformationTransferType id-InformationTransferType Unsigned 32-bit integer ranap.InformationTransferType
ranap.id_IntegrityProtectionInformation id-IntegrityProtectionInformation No value ranap.IntegrityProtectionInformation
ranap.id_InterSystemInformationTransferType id-InterSystemInformationTransferType Unsigned 32-bit integer ranap.InterSystemInformationTransferType
ranap.id_InterSystemInformation_TransparentContainer id-InterSystemInformation-TransparentContainer No value ranap.InterSystemInformation_TransparentContainer
ranap.id_IuSigConId id-IuSigConId Byte array ranap.IuSignallingConnectionIdentifier
ranap.id_IuSigConIdItem id-IuSigConIdItem No value ranap.ResetResourceAckItem
ranap.id_IuSigConIdList id-IuSigConIdList Unsigned 32-bit integer ranap.ResetResourceAckList
ranap.id_IuTransportAssociation id-IuTransportAssociation Unsigned 32-bit integer ranap.IuTransportAssociation
ranap.id_JoinedMBMSBearerServicesList id-JoinedMBMSBearerServicesList Unsigned 32-bit integer ranap.JoinedMBMSBearerService_IEs
ranap.id_KeyStatus id-KeyStatus Unsigned 32-bit integer ranap.KeyStatus
ranap.id_L3_Information id-L3-Information Byte array ranap.L3_Information
ranap.id_LAI id-LAI No value ranap.LAI
ranap.id_LastKnownServiceArea id-LastKnownServiceArea No value ranap.LastKnownServiceArea
ranap.id_LeftMBMSBearerServicesList id-LeftMBMSBearerServicesList Unsigned 32-bit integer ranap.LeftMBMSBearerService_IEs
ranap.id_LocationRelatedDataRequestType id-LocationRelatedDataRequestType No value ranap.LocationRelatedDataRequestType
ranap.id_LocationRelatedDataRequestTypeSpecificToGERANIuMode id-LocationRelatedDataRequestTypeSpecificToGERANIuMode Unsigned 32-bit integer ranap.LocationRelatedDataRequestTypeSpecificToGERANIuMode
ranap.id_MBMSBearerServiceType id-MBMSBearerServiceType Unsigned 32-bit integer ranap.MBMSBearerServiceType
ranap.id_MBMSCNDe_Registration id-MBMSCNDe-Registration Unsigned 32-bit integer ranap.MBMSCNDe_Registration
ranap.id_MBMSLinkingInformation id-MBMSLinkingInformation Unsigned 32-bit integer ranap.MBMSLinkingInformation
ranap.id_MBMSRegistrationRequestType id-MBMSRegistrationRequestType Unsigned 32-bit integer ranap.MBMSRegistrationRequestType
ranap.id_MBMSServiceArea id-MBMSServiceArea No value ranap.MBMSServiceArea
ranap.id_MBMSSessionDuration id-MBMSSessionDuration Byte array ranap.MBMSSessionDuration
ranap.id_MBMSSessionIdentity id-MBMSSessionIdentity Byte array ranap.MBMSSessionIdentity
ranap.id_MBMSSessionRepetitionNumber id-MBMSSessionRepetitionNumber Unsigned 32-bit integer ranap.MBMSSessionRepetitionNumber
ranap.id_MessageStructure id-MessageStructure Unsigned 32-bit integer ranap.MessageStructure
ranap.id_NAS_PDU id-NAS-PDU Byte array ranap.NAS_PDU
ranap.id_NAS_SequenceNumber id-NAS-SequenceNumber Byte array ranap.NAS_SequenceNumber
ranap.id_NewBSS_To_OldBSS_Information id-NewBSS-To-OldBSS-Information Byte array ranap.NewBSS_To_OldBSS_Information
ranap.id_NonSearchingIndication id-NonSearchingIndication Unsigned 32-bit integer ranap.NonSearchingIndication
ranap.id_NumberOfSteps id-NumberOfSteps Unsigned 32-bit integer ranap.NumberOfSteps
ranap.id_OMC_ID id-OMC-ID Byte array ranap.OMC_ID
ranap.id_OldBSS_ToNewBSS_Information id-OldBSS-ToNewBSS-Information Byte array ranap.OldBSS_ToNewBSS_Information
ranap.id_PDP_TypeInformation id-PDP-TypeInformation Unsigned 32-bit integer ranap.PDP_TypeInformation
ranap.id_PagingAreaID id-PagingAreaID Unsigned 32-bit integer ranap.PagingAreaID
ranap.id_PagingCause id-PagingCause Unsigned 32-bit integer ranap.PagingCause
ranap.id_PermanentNAS_UE_ID id-PermanentNAS-UE-ID Unsigned 32-bit integer ranap.PermanentNAS_UE_ID
ranap.id_PositionData id-PositionData No value ranap.PositionData
ranap.id_PositionDataSpecificToGERANIuMode id-PositionDataSpecificToGERANIuMode Byte array ranap.PositionDataSpecificToGERANIuMode
ranap.id_PositioningPriority id-PositioningPriority Unsigned 32-bit integer ranap.PositioningPriority
ranap.id_ProvidedData id-ProvidedData Unsigned 32-bit integer ranap.ProvidedData
ranap.id_RAB_ContextFailedtoTransferItem id-RAB-ContextFailedtoTransferItem No value ranap.RABs_ContextFailedtoTransferItem
ranap.id_RAB_ContextFailedtoTransferList id-RAB-ContextFailedtoTransferList Unsigned 32-bit integer ranap.RAB_ContextFailedtoTransferList
ranap.id_RAB_ContextItem id-RAB-ContextItem No value ranap.RAB_ContextItem
ranap.id_RAB_ContextItem_RANAP_RelocInf id-RAB-ContextItem-RANAP-RelocInf No value ranap.RAB_ContextItem_RANAP_RelocInf
ranap.id_RAB_ContextList id-RAB-ContextList Unsigned 32-bit integer ranap.RAB_ContextList
ranap.id_RAB_ContextList_RANAP_RelocInf id-RAB-ContextList-RANAP-RelocInf Unsigned 32-bit integer ranap.RAB_ContextList_RANAP_RelocInf
ranap.id_RAB_DataForwardingItem id-RAB-DataForwardingItem No value ranap.RAB_DataForwardingItem
ranap.id_RAB_DataForwardingItem_SRNS_CtxReq id-RAB-DataForwardingItem-SRNS-CtxReq No value ranap.RAB_DataForwardingItem_SRNS_CtxReq
ranap.id_RAB_DataForwardingList id-RAB-DataForwardingList Unsigned 32-bit integer ranap.RAB_DataForwardingList
ranap.id_RAB_DataForwardingList_SRNS_CtxReq id-RAB-DataForwardingList-SRNS-CtxReq Unsigned 32-bit integer ranap.RAB_DataForwardingList_SRNS_CtxReq
ranap.id_RAB_DataVolumeReportItem id-RAB-DataVolumeReportItem No value ranap.RAB_DataVolumeReportItem
ranap.id_RAB_DataVolumeReportList id-RAB-DataVolumeReportList Unsigned 32-bit integer ranap.RAB_DataVolumeReportList
ranap.id_RAB_DataVolumeReportRequestItem id-RAB-DataVolumeReportRequestItem No value ranap.RAB_DataVolumeReportRequestItem
ranap.id_RAB_DataVolumeReportRequestList id-RAB-DataVolumeReportRequestList Unsigned 32-bit integer ranap.RAB_DataVolumeReportRequestList
ranap.id_RAB_FailedItem id-RAB-FailedItem No value ranap.RAB_FailedItem
ranap.id_RAB_FailedList id-RAB-FailedList Unsigned 32-bit integer ranap.RAB_FailedList
ranap.id_RAB_FailedtoReportItem id-RAB-FailedtoReportItem No value ranap.RABs_failed_to_reportItem
ranap.id_RAB_FailedtoReportList id-RAB-FailedtoReportList Unsigned 32-bit integer ranap.RAB_FailedtoReportList
ranap.id_RAB_ID id-RAB-ID Byte array ranap.RAB_ID
ranap.id_RAB_ModifyItem id-RAB-ModifyItem No value ranap.RAB_ModifyItem
ranap.id_RAB_ModifyList id-RAB-ModifyList Unsigned 32-bit integer ranap.RAB_ModifyList
ranap.id_RAB_Parameters id-RAB-Parameters No value ranap.RAB_Parameters
ranap.id_RAB_QueuedItem id-RAB-QueuedItem No value ranap.RAB_QueuedItem
ranap.id_RAB_QueuedList id-RAB-QueuedList Unsigned 32-bit integer ranap.RAB_QueuedList
ranap.id_RAB_ReleaseFailedList id-RAB-ReleaseFailedList Unsigned 32-bit integer ranap.RAB_ReleaseFailedList
ranap.id_RAB_ReleaseItem id-RAB-ReleaseItem No value ranap.RAB_ReleaseItem
ranap.id_RAB_ReleaseList id-RAB-ReleaseList Unsigned 32-bit integer ranap.RAB_ReleaseList
ranap.id_RAB_ReleasedItem id-RAB-ReleasedItem No value ranap.RAB_ReleasedItem
ranap.id_RAB_ReleasedItem_IuRelComp id-RAB-ReleasedItem-IuRelComp No value ranap.RAB_ReleasedItem_IuRelComp
ranap.id_RAB_ReleasedList id-RAB-ReleasedList Unsigned 32-bit integer ranap.RAB_ReleasedList
ranap.id_RAB_ReleasedList_IuRelComp id-RAB-ReleasedList-IuRelComp Unsigned 32-bit integer ranap.RAB_ReleasedList_IuRelComp
ranap.id_RAB_RelocationReleaseItem id-RAB-RelocationReleaseItem No value ranap.RAB_RelocationReleaseItem
ranap.id_RAB_RelocationReleaseList id-RAB-RelocationReleaseList Unsigned 32-bit integer ranap.RAB_RelocationReleaseList
ranap.id_RAB_SetupItem_RelocReq id-RAB-SetupItem-RelocReq No value ranap.RAB_SetupItem_RelocReq
ranap.id_RAB_SetupItem_RelocReqAck id-RAB-SetupItem-RelocReqAck No value ranap.RAB_SetupItem_RelocReqAck
ranap.id_RAB_SetupList_RelocReq id-RAB-SetupList-RelocReq Unsigned 32-bit integer ranap.RAB_SetupList_RelocReq
ranap.id_RAB_SetupList_RelocReqAck id-RAB-SetupList-RelocReqAck Unsigned 32-bit integer ranap.RAB_SetupList_RelocReqAck
ranap.id_RAB_SetupOrModifiedItem id-RAB-SetupOrModifiedItem No value ranap.RAB_SetupOrModifiedItem
ranap.id_RAB_SetupOrModifiedList id-RAB-SetupOrModifiedList Unsigned 32-bit integer ranap.RAB_SetupOrModifiedList
ranap.id_RAB_SetupOrModifyItem1 id-RAB-SetupOrModifyItem1 No value ranap.RAB_SetupOrModifyItemFirst
ranap.id_RAB_SetupOrModifyItem2 id-RAB-SetupOrModifyItem2 No value ranap.RAB_SetupOrModifyItemSecond
ranap.id_RAB_SetupOrModifyList id-RAB-SetupOrModifyList Unsigned 32-bit integer ranap.RAB_SetupOrModifyList
ranap.id_RAC id-RAC Byte array ranap.RAC
ranap.id_RAListofIdleModeUEs id-RAListofIdleModeUEs Unsigned 32-bit integer ranap.RAListofIdleModeUEs
ranap.id_RedirectionCompleted id-RedirectionCompleted Unsigned 32-bit integer ranap.RedirectionCompleted
ranap.id_RedirectionIndication id-RedirectionIndication Unsigned 32-bit integer ranap.RedirectionIndication
ranap.id_RejectCauseValue id-RejectCauseValue Unsigned 32-bit integer ranap.RejectCauseValue
ranap.id_RelocationType id-RelocationType Unsigned 32-bit integer ranap.RelocationType
ranap.id_RequestType id-RequestType No value ranap.RequestType
ranap.id_ResponseTime id-ResponseTime Unsigned 32-bit integer ranap.ResponseTime
ranap.id_SAI id-SAI No value ranap.SAI
ranap.id_SAPI id-SAPI Unsigned 32-bit integer ranap.SAPI
ranap.id_SNA_Access_Information id-SNA-Access-Information No value ranap.SNA_Access_Information
ranap.id_SRB_TrCH_Mapping id-SRB-TrCH-Mapping Unsigned 32-bit integer ranap.SRB_TrCH_Mapping
ranap.id_SelectedPLMN_ID id-SelectedPLMN-ID Byte array ranap.PLMNidentity
ranap.id_SessionUpdateID id-SessionUpdateID Unsigned 32-bit integer ranap.SessionUpdateID
ranap.id_SignallingIndication id-SignallingIndication Unsigned 32-bit integer ranap.SignallingIndication
ranap.id_SourceID id-SourceID Unsigned 32-bit integer ranap.SourceID
ranap.id_SourceRNC_PDCP_context_info id-SourceRNC-PDCP-context-info Byte array ranap.RRC_Container
ranap.id_SourceRNC_ToTargetRNC_TransparentContainer id-SourceRNC-ToTargetRNC-TransparentContainer No value ranap.SourceRNC_ToTargetRNC_TransparentContainer
ranap.id_TMGI id-TMGI No value ranap.TMGI
ranap.id_TargetID id-TargetID Unsigned 32-bit integer ranap.TargetID
ranap.id_TargetRNC_ToSourceRNC_TransparentContainer id-TargetRNC-ToSourceRNC-TransparentContainer No value ranap.TargetRNC_ToSourceRNC_TransparentContainer
ranap.id_TemporaryUE_ID id-TemporaryUE-ID Unsigned 32-bit integer ranap.TemporaryUE_ID
ranap.id_TracePropagationParameters id-TracePropagationParameters No value ranap.TracePropagationParameters
ranap.id_TraceRecordingSessionInformation id-TraceRecordingSessionInformation No value ranap.TraceRecordingSessionInformation
ranap.id_TraceReference id-TraceReference Byte array ranap.TraceReference
ranap.id_TraceType id-TraceType Byte array ranap.TraceType
ranap.id_TransportLayerAddress id-TransportLayerAddress Byte array ranap.TransportLayerAddress
ranap.id_TransportLayerInformation id-TransportLayerInformation No value ranap.TransportLayerInformation
ranap.id_TriggerID id-TriggerID Byte array ranap.TriggerID
ranap.id_TypeOfError id-TypeOfError Unsigned 32-bit integer ranap.TypeOfError
ranap.id_UESBI_Iu id-UESBI-Iu No value ranap.UESBI_Iu
ranap.id_UE_ID id-UE-ID Unsigned 32-bit integer ranap.UE_ID
ranap.id_UL_GTP_PDU_SequenceNumber id-UL-GTP-PDU-SequenceNumber Unsigned 32-bit integer ranap.UL_GTP_PDU_SequenceNumber
ranap.id_UnsuccessfulLinkingList id-UnsuccessfulLinkingList Unsigned 32-bit integer ranap.UnsuccessfulLinking_IEs
ranap.id_VerticalAccuracyCode id-VerticalAccuracyCode Unsigned 32-bit integer ranap.VerticalAccuracyCode
ranap.id_hS_DSCH_MAC_d_Flow_ID id-hS-DSCH-MAC-d-Flow-ID Unsigned 32-bit integer ranap.HS_DSCH_MAC_d_Flow_ID
ranap.ie_length IE Length Unsigned 32-bit integer Number of octets in the IE
ranap.imei imei Byte array ranap.IMEI
ranap.imeisv imeisv Byte array ranap.IMEISV
ranap.imsi imsi Byte array ranap.IMSI
ranap.includedAngle includedAngle Unsigned 32-bit integer ranap.INTEGER_0_179
ranap.informationTransferConfirmation informationTransferConfirmation No value ranap.InformationTransferConfirmation
ranap.informationTransferFailure informationTransferFailure No value ranap.InformationTransferFailure
ranap.informationTransferIndication informationTransferIndication No value ranap.InformationTransferIndication
ranap.initialUE_Message initialUE-Message No value ranap.InitialUE_Message
ranap.initiatingMessage initiatingMessage No value ranap.InitiatingMessage
ranap.innerRadius innerRadius Unsigned 32-bit integer ranap.INTEGER_0_65535
ranap.integrityProtectionKey integrityProtectionKey Byte array ranap.IntegrityProtectionKey
ranap.interface interface Unsigned 32-bit integer ranap.T_interface
ranap.iuSigConId iuSigConId Byte array ranap.IuSignallingConnectionIdentifier
ranap.iuTransportAssociation iuTransportAssociation Unsigned 32-bit integer ranap.IuTransportAssociation
ranap.iu_ReleaseCommand iu-ReleaseCommand No value ranap.Iu_ReleaseCommand
ranap.iu_ReleaseComplete iu-ReleaseComplete No value ranap.Iu_ReleaseComplete
ranap.iu_ReleaseRequest iu-ReleaseRequest No value ranap.Iu_ReleaseRequest
ranap.joinedMBMSBearerService_IEs joinedMBMSBearerService-IEs Unsigned 32-bit integer ranap.JoinedMBMSBearerService_IEs
ranap.key key Byte array ranap.IntegrityProtectionKey
ranap.lAC lAC Byte array ranap.LAC
ranap.lAI lAI No value ranap.LAI
ranap.lA_LIST lA-LIST Unsigned 32-bit integer ranap.LA_LIST
ranap.latitude latitude Unsigned 32-bit integer ranap.INTEGER_0_8388607
ranap.latitudeSign latitudeSign Unsigned 32-bit integer ranap.T_latitudeSign
ranap.listOF_SNAs listOF-SNAs Unsigned 32-bit integer ranap.ListOF_SNAs
ranap.listOfInterfacesToTrace listOfInterfacesToTrace Unsigned 32-bit integer ranap.ListOfInterfacesToTrace
ranap.loadValue loadValue Unsigned 32-bit integer ranap.LoadValue
ranap.local local Unsigned 32-bit integer ranap.INTEGER_0_65535
ranap.locationRelatedDataFailure locationRelatedDataFailure No value ranap.LocationRelatedDataFailure
ranap.locationRelatedDataRequest locationRelatedDataRequest No value ranap.LocationRelatedDataRequest
ranap.locationRelatedDataResponse locationRelatedDataResponse No value ranap.LocationRelatedDataResponse
ranap.locationReport locationReport No value ranap.LocationReport
ranap.locationReportingControl locationReportingControl No value ranap.LocationReportingControl
ranap.longitude longitude Signed 32-bit integer ranap.INTEGER_M8388608_8388607
ranap.mBMSCNDeRegistrationResponse mBMSCNDeRegistrationResponse No value ranap.MBMSCNDe_RegistrationResponse
ranap.mBMSCNDe_RegistrationRequest mBMSCNDe-RegistrationRequest No value ranap.MBMSCNDe_RegistrationRequest
ranap.mBMSIPMulticastAddressandAPNRequest mBMSIPMulticastAddressandAPNRequest Unsigned 32-bit integer ranap.MBMSIPMulticastAddressandAPNRequest
ranap.mBMSRABEstablishmentIndication mBMSRABEstablishmentIndication No value ranap.MBMSRABEstablishmentIndication
ranap.mBMSRABRelease mBMSRABRelease No value ranap.MBMSRABRelease
ranap.mBMSRABReleaseFailure mBMSRABReleaseFailure No value ranap.MBMSRABReleaseFailure
ranap.mBMSRABReleaseRequest mBMSRABReleaseRequest No value ranap.MBMSRABReleaseRequest
ranap.mBMSRegistrationFailure mBMSRegistrationFailure No value ranap.MBMSRegistrationFailure
ranap.mBMSRegistrationRequest mBMSRegistrationRequest No value ranap.MBMSRegistrationRequest
ranap.mBMSRegistrationResponse mBMSRegistrationResponse No value ranap.MBMSRegistrationResponse
ranap.mBMSServiceAreaList mBMSServiceAreaList Unsigned 32-bit integer ranap.MBMSServiceAreaList
ranap.mBMSSessionStart mBMSSessionStart No value ranap.MBMSSessionStart
ranap.mBMSSessionStartFailure mBMSSessionStartFailure No value ranap.MBMSSessionStartFailure
ranap.mBMSSessionStartResponse mBMSSessionStartResponse No value ranap.MBMSSessionStartResponse
ranap.mBMSSessionStopResponse mBMSSessionStopResponse No value ranap.MBMSSessionStopResponse
ranap.mBMSSessionUpdate mBMSSessionUpdate No value ranap.MBMSSessionUpdate
ranap.mBMSSessionUpdateFailure mBMSSessionUpdateFailure No value ranap.MBMSSessionUpdateFailure
ranap.mBMSSessionUpdateResponse mBMSSessionUpdateResponse No value ranap.MBMSSessionUpdateResponse
ranap.mBMSUELinkingRequest mBMSUELinkingRequest No value ranap.MBMSUELinkingRequest
ranap.mBMSUELinkingResponse mBMSUELinkingResponse No value ranap.MBMSUELinkingResponse
ranap.mBMS_PTP_RAB_ID mBMS-PTP-RAB-ID Byte array ranap.MBMS_PTP_RAB_ID
ranap.mMBMSSessionStop mMBMSSessionStop No value ranap.MBMSSessionStop
ranap.mantissa mantissa Unsigned 32-bit integer ranap.INTEGER_1_9
ranap.maxBitrate maxBitrate Unsigned 32-bit integer ranap.RAB_Parameter_MaxBitrateList
ranap.maxSDU_Size maxSDU-Size Unsigned 32-bit integer ranap.MaxSDU_Size
ranap.misc misc Unsigned 32-bit integer ranap.CauseMisc
ranap.nAS nAS Unsigned 32-bit integer ranap.CauseNAS
ranap.nAS_PDU nAS-PDU Byte array ranap.NAS_PDU
ranap.nAS_SynchronisationIndicator nAS-SynchronisationIndicator Byte array ranap.NAS_SynchronisationIndicator
ranap.nRTLoadInformationValue nRTLoadInformationValue Unsigned 32-bit integer ranap.NRTLoadInformationValue
ranap.newRAListofIdleModeUEs newRAListofIdleModeUEs Unsigned 32-bit integer ranap.NewRAListofIdleModeUEs
ranap.nextDecipheringKey nextDecipheringKey Byte array ranap.BIT_STRING_SIZE_56
ranap.non_Standard non-Standard Unsigned 32-bit integer ranap.CauseNon_Standard
ranap.notEmptyRAListofIdleModeUEs notEmptyRAListofIdleModeUEs No value ranap.NotEmptyRAListofIdleModeUEs
ranap.numberOfIuInstances numberOfIuInstances Unsigned 32-bit integer ranap.NumberOfIuInstances
ranap.offsetAngle offsetAngle Unsigned 32-bit integer ranap.INTEGER_0_179
ranap.orientationOfMajorAxis orientationOfMajorAxis Unsigned 32-bit integer ranap.INTEGER_0_179
ranap.outcome outcome No value ranap.Outcome
ranap.overload overload No value ranap.Overload
ranap.pDP_TypeInformation pDP-TypeInformation Unsigned 32-bit integer ranap.PDP_TypeInformation
ranap.pLMNidentity pLMNidentity Byte array ranap.PLMNidentity
ranap.pLMNs_in_shared_network pLMNs-in-shared-network Unsigned 32-bit integer ranap.PLMNs_in_shared_network
ranap.p_TMSI p-TMSI Byte array ranap.P_TMSI
ranap.paging paging No value ranap.Paging
ranap.pdu_length PDU Length Unsigned 32-bit integer Number of octets in the PDU
ranap.permanentNAS_UE_ID permanentNAS-UE-ID Unsigned 32-bit integer ranap.PermanentNAS_UE_ID
ranap.permittedAlgorithms permittedAlgorithms Unsigned 32-bit integer ranap.PermittedIntegrityProtectionAlgorithms
ranap.point point No value ranap.GA_Point
ranap.pointWithAltitude pointWithAltitude No value ranap.GA_PointWithAltitude
ranap.pointWithAltitudeAndUncertaintyEllipsoid pointWithAltitudeAndUncertaintyEllipsoid No value ranap.GA_PointWithAltitudeAndUncertaintyEllipsoid
ranap.pointWithUnCertainty pointWithUnCertainty No value ranap.GA_PointWithUnCertainty
ranap.pointWithUncertaintyEllipse pointWithUncertaintyEllipse No value ranap.GA_PointWithUnCertaintyEllipse
ranap.polygon polygon Unsigned 32-bit integer ranap.GA_Polygon
ranap.positioningDataDiscriminator positioningDataDiscriminator Byte array ranap.PositioningDataDiscriminator
ranap.positioningDataSet positioningDataSet Unsigned 32-bit integer ranap.PositioningDataSet
ranap.pre_emptionCapability pre-emptionCapability Unsigned 32-bit integer ranap.Pre_emptionCapability
ranap.pre_emptionVulnerability pre-emptionVulnerability Unsigned 32-bit integer ranap.Pre_emptionVulnerability
ranap.priorityLevel priorityLevel Unsigned 32-bit integer ranap.PriorityLevel
ranap.privateIEs privateIEs Unsigned 32-bit integer ranap.PrivateIE_Container
ranap.privateMessage privateMessage No value ranap.PrivateMessage
ranap.procedureCode procedureCode Unsigned 32-bit integer ranap.ProcedureCode
ranap.procedureCriticality procedureCriticality Unsigned 32-bit integer ranap.Criticality
ranap.protocol protocol Unsigned 32-bit integer ranap.CauseProtocol
ranap.protocolExtensions protocolExtensions Unsigned 32-bit integer ranap.ProtocolExtensionContainer
ranap.protocolIEs protocolIEs Unsigned 32-bit integer ranap.ProtocolIE_Container
ranap.queuingAllowed queuingAllowed Unsigned 32-bit integer ranap.QueuingAllowed
ranap.rAB_AssignmentRequest rAB-AssignmentRequest No value ranap.RAB_AssignmentRequest
ranap.rAB_AssignmentResponse rAB-AssignmentResponse No value ranap.RAB_AssignmentResponse
ranap.rAB_AsymmetryIndicator rAB-AsymmetryIndicator Unsigned 32-bit integer ranap.RAB_AsymmetryIndicator
ranap.rAB_ID rAB-ID Byte array ranap.RAB_ID
ranap.rAB_ModifyRequest rAB-ModifyRequest No value ranap.RAB_ModifyRequest
ranap.rAB_Parameters rAB-Parameters No value ranap.RAB_Parameters
ranap.rAB_ReleaseRequest rAB-ReleaseRequest No value ranap.RAB_ReleaseRequest
ranap.rAB_SubflowCombinationBitRate rAB-SubflowCombinationBitRate Unsigned 32-bit integer ranap.RAB_SubflowCombinationBitRate
ranap.rAB_TrCH_Mapping rAB-TrCH-Mapping Unsigned 32-bit integer ranap.RAB_TrCH_Mapping
ranap.rAC rAC Byte array ranap.RAC
ranap.rAI rAI No value ranap.RAI
ranap.rAListwithNoIdleModeUEsAnyMore rAListwithNoIdleModeUEsAnyMore Unsigned 32-bit integer ranap.RAListwithNoIdleModeUEsAnyMore
ranap.rANAP_RelocationInformation rANAP-RelocationInformation No value ranap.RANAP_RelocationInformation
ranap.rAofIdleModeUEs rAofIdleModeUEs Unsigned 32-bit integer ranap.RAofIdleModeUEs
ranap.rIMInformation rIMInformation Byte array ranap.RIMInformation
ranap.rIMRoutingAddress rIMRoutingAddress Unsigned 32-bit integer ranap.RIMRoutingAddress
ranap.rIM_Transfer rIM-Transfer No value ranap.RIM_Transfer
ranap.rNCTraceInformation rNCTraceInformation No value ranap.RNCTraceInformation
ranap.rNC_ID rNC-ID Unsigned 32-bit integer ranap.RNC_ID
ranap.rRC_Container rRC-Container Byte array ranap.RRC_Container
ranap.rTLoadValue rTLoadValue Unsigned 32-bit integer ranap.RTLoadValue
ranap.radioNetwork radioNetwork Unsigned 32-bit integer ranap.CauseRadioNetwork
ranap.radioNetworkExtension radioNetworkExtension Unsigned 32-bit integer ranap.CauseRadioNetworkExtension
ranap.relocationCancel relocationCancel No value ranap.RelocationCancel
ranap.relocationCancelAcknowledge relocationCancelAcknowledge No value ranap.RelocationCancelAcknowledge
ranap.relocationCommand relocationCommand No value ranap.RelocationCommand
ranap.relocationComplete relocationComplete No value ranap.RelocationComplete
ranap.relocationDetect relocationDetect No value ranap.RelocationDetect
ranap.relocationFailure relocationFailure No value ranap.RelocationFailure
ranap.relocationPreparationFailure relocationPreparationFailure No value ranap.RelocationPreparationFailure
ranap.relocationRequest relocationRequest No value ranap.RelocationRequest
ranap.relocationRequestAcknowledge relocationRequestAcknowledge No value ranap.RelocationRequestAcknowledge
ranap.relocationRequired relocationRequired No value ranap.RelocationRequired
ranap.relocationRequirement relocationRequirement Unsigned 32-bit integer ranap.RelocationRequirement
ranap.relocationType relocationType Unsigned 32-bit integer ranap.RelocationType
ranap.repetitionNumber repetitionNumber Unsigned 32-bit integer ranap.RepetitionNumber0
ranap.reportArea reportArea Unsigned 32-bit integer ranap.ReportArea
ranap.requestedGPSAssistanceData requestedGPSAssistanceData Byte array ranap.RequestedGPSAssistanceData
ranap.requestedGuaranteedBitrates requestedGuaranteedBitrates Unsigned 32-bit integer ranap.Requested_RAB_Parameter_GuaranteedBitrateList
ranap.requestedLocationRelatedDataType requestedLocationRelatedDataType Unsigned 32-bit integer ranap.RequestedLocationRelatedDataType
ranap.requestedMBMSIPMulticastAddressandAPNRequest requestedMBMSIPMulticastAddressandAPNRequest Unsigned 32-bit integer ranap.RequestedMBMSIPMulticastAddressandAPNRequest
ranap.requestedMaxBitrates requestedMaxBitrates Unsigned 32-bit integer ranap.Requested_RAB_Parameter_MaxBitrateList
ranap.requestedMulticastServiceList requestedMulticastServiceList Unsigned 32-bit integer ranap.RequestedMulticastServiceList
ranap.requested_RAB_Parameter_Values requested-RAB-Parameter-Values No value ranap.Requested_RAB_Parameter_Values
ranap.reset reset No value ranap.Reset
ranap.resetAcknowledge resetAcknowledge No value ranap.ResetAcknowledge
ranap.resetResource resetResource No value ranap.ResetResource
ranap.resetResourceAcknowledge resetResourceAcknowledge No value ranap.ResetResourceAcknowledge
ranap.residualBitErrorRatio residualBitErrorRatio No value ranap.ResidualBitErrorRatio
ranap.sAC sAC Byte array ranap.SAC
ranap.sAI sAI No value ranap.SAI
ranap.sAPI sAPI Unsigned 32-bit integer ranap.SAPI
ranap.sDU_ErrorRatio sDU-ErrorRatio No value ranap.SDU_ErrorRatio
ranap.sDU_FormatInformationParameters sDU-FormatInformationParameters Unsigned 32-bit integer ranap.SDU_FormatInformationParameters
ranap.sDU_Parameters sDU-Parameters Unsigned 32-bit integer ranap.SDU_Parameters
ranap.sRB_ID sRB-ID Unsigned 32-bit integer ranap.SRB_ID
ranap.sRNS_ContextRequest sRNS-ContextRequest No value ranap.SRNS_ContextRequest
ranap.sRNS_ContextResponse sRNS-ContextResponse No value ranap.SRNS_ContextResponse
ranap.sRNS_DataForwardCommand sRNS-DataForwardCommand No value ranap.SRNS_DataForwardCommand
ranap.secondCriticality secondCriticality Unsigned 32-bit integer ranap.Criticality
ranap.secondValue secondValue No value ranap.SecondValue
ranap.securityModeCommand securityModeCommand No value ranap.SecurityModeCommand
ranap.securityModeComplete securityModeComplete No value ranap.SecurityModeComplete
ranap.securityModeReject securityModeReject No value ranap.SecurityModeReject
ranap.serviceID serviceID Byte array ranap.OCTET_STRING_SIZE_3
ranap.service_Handover service-Handover Unsigned 32-bit integer ranap.Service_Handover
ranap.shared_network_information shared-network-information No value ranap.Shared_Network_Information
ranap.sourceCellID sourceCellID Unsigned 32-bit integer ranap.SourceCellID
ranap.sourceGERANCellID sourceGERANCellID No value ranap.CGI
ranap.sourceRNC_ID sourceRNC-ID No value ranap.SourceRNC_ID
ranap.sourceStatisticsDescriptor sourceStatisticsDescriptor Unsigned 32-bit integer ranap.SourceStatisticsDescriptor
ranap.sourceUTRANCellID sourceUTRANCellID No value ranap.SourceUTRANCellID
ranap.subflowSDU_Size subflowSDU-Size Unsigned 32-bit integer ranap.SubflowSDU_Size
ranap.successfulOutcome successfulOutcome No value ranap.SuccessfulOutcome
ranap.tMGI tMGI No value ranap.TMGI
ranap.tMSI tMSI Byte array ranap.TMSI
ranap.targetCellId targetCellId Unsigned 32-bit integer ranap.TargetCellId
ranap.targetRNC_ID targetRNC-ID No value ranap.TargetRNC_ID
ranap.trCH_ID trCH-ID No value ranap.TrCH_ID
ranap.trCH_ID_List trCH-ID-List Unsigned 32-bit integer ranap.TrCH_ID_List
ranap.traceActivationIndicator traceActivationIndicator Unsigned 32-bit integer ranap.T_traceActivationIndicator
ranap.traceDepth traceDepth Unsigned 32-bit integer ranap.TraceDepth
ranap.traceRecordingSessionReference traceRecordingSessionReference Unsigned 32-bit integer ranap.TraceRecordingSessionReference
ranap.traceReference traceReference Byte array ranap.TraceReference
ranap.trafficClass trafficClass Unsigned 32-bit integer ranap.TrafficClass
ranap.trafficHandlingPriority trafficHandlingPriority Unsigned 32-bit integer ranap.TrafficHandlingPriority
ranap.transferDelay transferDelay Unsigned 32-bit integer ranap.TransferDelay
ranap.transmissionNetwork transmissionNetwork Unsigned 32-bit integer ranap.CauseTransmissionNetwork
ranap.transportLayerAddress transportLayerAddress Byte array ranap.TransportLayerAddress
ranap.transportLayerInformation transportLayerInformation No value ranap.TransportLayerInformation
ranap.triggeringMessage triggeringMessage Unsigned 32-bit integer ranap.TriggeringMessage
ranap.uESBI_IuA uESBI-IuA Byte array ranap.UESBI_IuA
ranap.uESBI_IuB uESBI-IuB Byte array ranap.UESBI_IuB
ranap.uESpecificInformationIndication uESpecificInformationIndication No value ranap.UESpecificInformationIndication
ranap.uL_GTP_PDU_SequenceNumber uL-GTP-PDU-SequenceNumber Unsigned 32-bit integer ranap.UL_GTP_PDU_SequenceNumber
ranap.uP_ModeVersions uP-ModeVersions Byte array ranap.UP_ModeVersions
ranap.uSCH_ID uSCH-ID Unsigned 32-bit integer ranap.USCH_ID
ranap.uTRANcellID uTRANcellID Unsigned 32-bit integer ranap.TargetCellId
ranap.ul_GTP_PDU_SequenceNumber ul-GTP-PDU-SequenceNumber Unsigned 32-bit integer ranap.UL_GTP_PDU_SequenceNumber
ranap.ul_N_PDU_SequenceNumber ul-N-PDU-SequenceNumber Unsigned 32-bit integer ranap.UL_N_PDU_SequenceNumber
ranap.uncertaintyAltitude uncertaintyAltitude Unsigned 32-bit integer ranap.INTEGER_0_127
ranap.uncertaintyCode uncertaintyCode Unsigned 32-bit integer ranap.INTEGER_0_127
ranap.uncertaintyEllipse uncertaintyEllipse No value ranap.GA_UncertaintyEllipse
ranap.uncertaintyRadius uncertaintyRadius Unsigned 32-bit integer ranap.INTEGER_0_127
ranap.uncertaintySemi_major uncertaintySemi-major Unsigned 32-bit integer ranap.INTEGER_0_127
ranap.uncertaintySemi_minor uncertaintySemi-minor Unsigned 32-bit integer ranap.INTEGER_0_127
ranap.unsuccessfulOutcome unsuccessfulOutcome No value ranap.UnsuccessfulOutcome
ranap.uplinkCellLoadInformation uplinkCellLoadInformation No value ranap.CellLoadInformation
ranap.uplinkInformationExchangeFailure uplinkInformationExchangeFailure No value ranap.UplinkInformationExchangeFailure
ranap.uplinkInformationExchangeRequest uplinkInformationExchangeRequest No value ranap.UplinkInformationExchangeRequest
ranap.uplinkInformationExchangeResponse uplinkInformationExchangeResponse No value ranap.UplinkInformationExchangeResponse
ranap.userPlaneInformation userPlaneInformation No value ranap.UserPlaneInformation
ranap.userPlaneMode userPlaneMode Unsigned 32-bit integer ranap.UserPlaneMode
ranap.value value No value ranap.Value
rrlp.GPSTOWAssist_item Item No value rrlp.GPSTOWAssistElement
rrlp.PDU PDU No value rrlp.PDU
rrlp.SeqOfAcquisElement_item Item No value rrlp.AcquisElement
rrlp.SeqOfAlmanacElement_item Item No value rrlp.AlmanacElement
rrlp.SeqOfGPS_MsrElement_item Item No value rrlp.GPS_MsrElement
rrlp.SeqOfGPS_MsrSetElement_item Item No value rrlp.GPS_MsrSetElement
rrlp.SeqOfMsrAssistBTS_R98_ExpOTD_item Item No value rrlp.MsrAssistBTS_R98_ExpOTD
rrlp.SeqOfMsrAssistBTS_item Item No value rrlp.MsrAssistBTS
rrlp.SeqOfNavModelElement_item Item No value rrlp.NavModelElement
rrlp.SeqOfOTD_FirstSetMsrs_R98_Ext_item Item No value rrlp.OTD_FirstSetMsrs
rrlp.SeqOfOTD_FirstSetMsrs_item Item No value rrlp.OTD_FirstSetMsrs
rrlp.SeqOfOTD_MsrElementRest_item Item No value rrlp.OTD_MsrElementRest
rrlp.SeqOfOTD_MsrsOfOtherSets_item Item Unsigned 32-bit integer rrlp.OTD_MsrsOfOtherSets
rrlp.SeqOfReferenceIdentityType_item Item Unsigned 32-bit integer rrlp.ReferenceIdentityType
rrlp.SeqOfSatElement_item Item No value rrlp.SatElement
rrlp.SeqOfSystemInfoAssistBTS_R98_ExpOTD_item Item Unsigned 32-bit integer rrlp.SystemInfoAssistBTS_R98_ExpOTD
rrlp.SeqOfSystemInfoAssistBTS_item Item Unsigned 32-bit integer rrlp.SystemInfoAssistBTS
rrlp.SeqOf_BadSatelliteSet_item Item Unsigned 32-bit integer rrlp.SatelliteID
rrlp.accuracy accuracy Unsigned 32-bit integer rrlp.Accuracy
rrlp.acquisAssist acquisAssist No value rrlp.AcquisAssist
rrlp.acquisList acquisList Unsigned 32-bit integer rrlp.SeqOfAcquisElement
rrlp.addionalAngle addionalAngle No value rrlp.AddionalAngleFields
rrlp.addionalDoppler addionalDoppler No value rrlp.AddionalDopplerFields
rrlp.additionalAssistanceData additionalAssistanceData No value rrlp.AdditionalAssistanceData
rrlp.alamanacToa alamanacToa Unsigned 32-bit integer rrlp.INTEGER_0_255
rrlp.alamanacWNa alamanacWNa Unsigned 32-bit integer rrlp.INTEGER_0_255
rrlp.alert alert Unsigned 32-bit integer rrlp.AlertFlag
rrlp.alfa0 alfa0 Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.alfa1 alfa1 Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.alfa2 alfa2 Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.alfa3 alfa3 Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.almanac almanac No value rrlp.Almanac
rrlp.almanacAF0 almanacAF0 Signed 32-bit integer rrlp.INTEGER_M1024_1023
rrlp.almanacAF1 almanacAF1 Signed 32-bit integer rrlp.INTEGER_M1024_1023
rrlp.almanacAPowerHalf almanacAPowerHalf Unsigned 32-bit integer rrlp.INTEGER_0_16777215
rrlp.almanacE almanacE Unsigned 32-bit integer rrlp.INTEGER_0_65535
rrlp.almanacKsii almanacKsii Signed 32-bit integer rrlp.INTEGER_M32768_32767
rrlp.almanacList almanacList Unsigned 32-bit integer rrlp.SeqOfAlmanacElement
rrlp.almanacM0 almanacM0 Signed 32-bit integer rrlp.INTEGER_M8388608_8388607
rrlp.almanacOmega0 almanacOmega0 Signed 32-bit integer rrlp.INTEGER_M8388608_8388607
rrlp.almanacOmegaDot almanacOmegaDot Signed 32-bit integer rrlp.INTEGER_M32768_32767
rrlp.almanacSVhealth almanacSVhealth Unsigned 32-bit integer rrlp.INTEGER_0_255
rrlp.almanacW almanacW Signed 32-bit integer rrlp.INTEGER_M8388608_8388607
rrlp.antiSpoof antiSpoof Unsigned 32-bit integer rrlp.AntiSpoofFlag
rrlp.assistanceData assistanceData No value rrlp.AssistanceData
rrlp.assistanceDataAck assistanceDataAck No value rrlp.NULL
rrlp.azimuth azimuth Unsigned 32-bit integer rrlp.INTEGER_0_31
rrlp.bcchCarrier bcchCarrier Unsigned 32-bit integer rrlp.BCCHCarrier
rrlp.beta0 beta0 Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.beta1 beta1 Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.beta2 beta2 Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.beta3 beta3 Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.bitNumber bitNumber Unsigned 32-bit integer rrlp.BitNumber
rrlp.bsic bsic Unsigned 32-bit integer rrlp.BSIC
rrlp.bsicAndCarrier bsicAndCarrier No value rrlp.BSICAndCarrier
rrlp.btsPosition btsPosition Byte array rrlp.BTSPosition
rrlp.cNo cNo Unsigned 32-bit integer rrlp.INTEGER_0_63
rrlp.calcAssistanceBTS calcAssistanceBTS No value rrlp.CalcAssistanceBTS
rrlp.carrier carrier Unsigned 32-bit integer rrlp.BCCHCarrier
rrlp.ci ci Unsigned 32-bit integer rrlp.CellID
rrlp.ciAndLAC ciAndLAC No value rrlp.CellIDAndLAC
rrlp.codePhase codePhase Unsigned 32-bit integer rrlp.INTEGER_0_1022
rrlp.codePhaseSearchWindow codePhaseSearchWindow Unsigned 32-bit integer rrlp.INTEGER_0_15
rrlp.component component Unsigned 32-bit integer rrlp.RRLP_Component
rrlp.controlHeader controlHeader No value rrlp.ControlHeader
rrlp.deltaPseudoRangeCor2 deltaPseudoRangeCor2 Signed 32-bit integer rrlp.INTEGER_M127_127
rrlp.deltaPseudoRangeCor3 deltaPseudoRangeCor3 Signed 32-bit integer rrlp.INTEGER_M127_127
rrlp.deltaRangeRateCor2 deltaRangeRateCor2 Signed 32-bit integer rrlp.INTEGER_M7_7
rrlp.deltaRangeRateCor3 deltaRangeRateCor3 Signed 32-bit integer rrlp.INTEGER_M7_7
rrlp.deltaTow deltaTow Unsigned 32-bit integer rrlp.INTEGER_0_127
rrlp.dgpsCorrections dgpsCorrections No value rrlp.DGPSCorrections
rrlp.doppler doppler Signed 32-bit integer rrlp.INTEGER_M32768_32767
rrlp.doppler0 doppler0 Signed 32-bit integer rrlp.INTEGER_M2048_2047
rrlp.doppler1 doppler1 Unsigned 32-bit integer rrlp.INTEGER_0_63
rrlp.dopplerUncertainty dopplerUncertainty Unsigned 32-bit integer rrlp.INTEGER_0_7
rrlp.elevation elevation Unsigned 32-bit integer rrlp.INTEGER_0_7
rrlp.environmentCharacter environmentCharacter Unsigned 32-bit integer rrlp.EnvironmentCharacter
rrlp.eotdQuality eotdQuality No value rrlp.EOTDQuality
rrlp.ephemAF0 ephemAF0 Signed 32-bit integer rrlp.INTEGER_M2097152_2097151
rrlp.ephemAF1 ephemAF1 Signed 32-bit integer rrlp.INTEGER_M32768_32767
rrlp.ephemAF2 ephemAF2 Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.ephemAODA ephemAODA Unsigned 32-bit integer rrlp.INTEGER_0_31
rrlp.ephemAPowerHalf ephemAPowerHalf Unsigned 32-bit integer rrlp.INTEGER_0_4294967295
rrlp.ephemCic ephemCic Signed 32-bit integer rrlp.INTEGER_M32768_32767
rrlp.ephemCis ephemCis Signed 32-bit integer rrlp.INTEGER_M32768_32767
rrlp.ephemCodeOnL2 ephemCodeOnL2 Unsigned 32-bit integer rrlp.INTEGER_0_3
rrlp.ephemCrc ephemCrc Signed 32-bit integer rrlp.INTEGER_M32768_32767
rrlp.ephemCrs ephemCrs Signed 32-bit integer rrlp.INTEGER_M32768_32767
rrlp.ephemCuc ephemCuc Signed 32-bit integer rrlp.INTEGER_M32768_32767
rrlp.ephemCus ephemCus Signed 32-bit integer rrlp.INTEGER_M32768_32767
rrlp.ephemDeltaN ephemDeltaN Signed 32-bit integer rrlp.INTEGER_M32768_32767
rrlp.ephemE ephemE Unsigned 32-bit integer rrlp.INTEGER_0_4294967295
rrlp.ephemFitFlag ephemFitFlag Unsigned 32-bit integer rrlp.INTEGER_0_1
rrlp.ephemI0 ephemI0 Signed 32-bit integer rrlp.INTEGER_M2147483648_2147483647
rrlp.ephemIDot ephemIDot Signed 32-bit integer rrlp.INTEGER_M8192_8191
rrlp.ephemIODC ephemIODC Unsigned 32-bit integer rrlp.INTEGER_0_1023
rrlp.ephemL2Pflag ephemL2Pflag Unsigned 32-bit integer rrlp.INTEGER_0_1
rrlp.ephemM0 ephemM0 Signed 32-bit integer rrlp.INTEGER_M2147483648_2147483647
rrlp.ephemOmegaA0 ephemOmegaA0 Signed 32-bit integer rrlp.INTEGER_M2147483648_2147483647
rrlp.ephemOmegaADot ephemOmegaADot Signed 32-bit integer rrlp.INTEGER_M8388608_8388607
rrlp.ephemSF1Rsvd ephemSF1Rsvd No value rrlp.EphemerisSubframe1Reserved
rrlp.ephemSVhealth ephemSVhealth Unsigned 32-bit integer rrlp.INTEGER_0_63
rrlp.ephemTgd ephemTgd Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.ephemToc ephemToc Unsigned 32-bit integer rrlp.INTEGER_0_37799
rrlp.ephemToe ephemToe Unsigned 32-bit integer rrlp.INTEGER_0_37799
rrlp.ephemURA ephemURA Unsigned 32-bit integer rrlp.INTEGER_0_15
rrlp.ephemW ephemW Signed 32-bit integer rrlp.INTEGER_M2147483648_2147483647
rrlp.errorCause errorCause Unsigned 32-bit integer rrlp.ErrorCodes
rrlp.expOTDUncertainty expOTDUncertainty Unsigned 32-bit integer rrlp.ExpOTDUncertainty
rrlp.expOTDuncertainty expOTDuncertainty Unsigned 32-bit integer rrlp.ExpOTDUncertainty
rrlp.expectedOTD expectedOTD Unsigned 32-bit integer rrlp.ExpectedOTD
rrlp.extended_reference extended-reference No value rrlp.Extended_reference
rrlp.extensionContainer extensionContainer Byte array rrlp.ExtensionContainer
rrlp.fineRTD fineRTD Unsigned 32-bit integer rrlp.FineRTD
rrlp.fixType fixType Unsigned 32-bit integer rrlp.FixType
rrlp.fracChips fracChips Unsigned 32-bit integer rrlp.INTEGER_0_1024
rrlp.frameNumber frameNumber Unsigned 32-bit integer rrlp.FrameNumber
rrlp.gpsAssistanceData gpsAssistanceData Byte array rrlp.GPSAssistanceData
rrlp.gpsBitNumber gpsBitNumber Unsigned 32-bit integer rrlp.INTEGER_0_3
rrlp.gpsMsrSetList gpsMsrSetList Unsigned 32-bit integer rrlp.SeqOfGPS_MsrSetElement
rrlp.gpsReferenceTimeUncertainty gpsReferenceTimeUncertainty Unsigned 32-bit integer rrlp.GPSReferenceTimeUncertainty
rrlp.gpsTOW gpsTOW Unsigned 32-bit integer rrlp.INTEGER_0_14399999
rrlp.gpsTOW23b gpsTOW23b Unsigned 32-bit integer rrlp.GPSTOW23b
rrlp.gpsTime gpsTime No value rrlp.GPSTime
rrlp.gpsTimeAssistanceMeasurementRequest gpsTimeAssistanceMeasurementRequest No value rrlp.NULL
rrlp.gpsTowAssist gpsTowAssist Unsigned 32-bit integer rrlp.GPSTOWAssist
rrlp.gpsTowSubms gpsTowSubms Unsigned 32-bit integer rrlp.INTEGER_0_9999
rrlp.gpsWeek gpsWeek Unsigned 32-bit integer rrlp.GPSWeek
rrlp.gps_AssistData gps-AssistData No value rrlp.GPS_AssistData
rrlp.gps_MeasureInfo gps-MeasureInfo No value rrlp.GPS_MeasureInfo
rrlp.gps_msrList gps-msrList Unsigned 32-bit integer rrlp.SeqOfGPS_MsrElement
rrlp.gsmTime gsmTime No value rrlp.GSMTime
rrlp.identityNotPresent identityNotPresent No value rrlp.OTD_Measurement
rrlp.identityPresent identityPresent No value rrlp.OTD_MeasurementWithID
rrlp.intCodePhase intCodePhase Unsigned 32-bit integer rrlp.INTEGER_0_19
rrlp.iode iode Unsigned 32-bit integer rrlp.INTEGER_0_239
rrlp.ionosphericModel ionosphericModel No value rrlp.IonosphericModel
rrlp.locErrorReason locErrorReason Unsigned 32-bit integer rrlp.LocErrorReason
rrlp.locationError locationError No value rrlp.LocationError
rrlp.locationInfo locationInfo No value rrlp.LocationInfo
rrlp.measureResponseTime measureResponseTime Unsigned 32-bit integer rrlp.MeasureResponseTime
rrlp.methodType methodType Unsigned 32-bit integer rrlp.MethodType
rrlp.moreAssDataToBeSent moreAssDataToBeSent Unsigned 32-bit integer rrlp.MoreAssDataToBeSent
rrlp.mpathIndic mpathIndic Unsigned 32-bit integer rrlp.MpathIndic
rrlp.msAssisted msAssisted No value rrlp.AccuracyOpt
rrlp.msAssistedPref msAssistedPref Unsigned 32-bit integer rrlp.Accuracy
rrlp.msBased msBased Unsigned 32-bit integer rrlp.Accuracy
rrlp.msBasedPref msBasedPref Unsigned 32-bit integer rrlp.Accuracy
rrlp.msrAssistData msrAssistData No value rrlp.MsrAssistData
rrlp.msrAssistData_R98_ExpOTD msrAssistData-R98-ExpOTD No value rrlp.MsrAssistData_R98_ExpOTD
rrlp.msrAssistList msrAssistList Unsigned 32-bit integer rrlp.SeqOfMsrAssistBTS
rrlp.msrAssistList_R98_ExpOTD msrAssistList-R98-ExpOTD Unsigned 32-bit integer rrlp.SeqOfMsrAssistBTS_R98_ExpOTD
rrlp.msrPositionReq msrPositionReq No value rrlp.MsrPosition_Req
rrlp.msrPositionRsp msrPositionRsp No value rrlp.MsrPosition_Rsp
rrlp.multiFrameCarrier multiFrameCarrier No value rrlp.MultiFrameCarrier
rrlp.multiFrameOffset multiFrameOffset Unsigned 32-bit integer rrlp.MultiFrameOffset
rrlp.multipleSets multipleSets No value rrlp.MultipleSets
rrlp.navModelList navModelList Unsigned 32-bit integer rrlp.SeqOfNavModelElement
rrlp.navigationModel navigationModel No value rrlp.NavigationModel
rrlp.nborTimeSlot nborTimeSlot Unsigned 32-bit integer rrlp.ModuloTimeSlot
rrlp.nbrOfMeasurements nbrOfMeasurements Unsigned 32-bit integer rrlp.INTEGER_0_7
rrlp.nbrOfReferenceBTSs nbrOfReferenceBTSs Unsigned 32-bit integer rrlp.INTEGER_1_3
rrlp.nbrOfSets nbrOfSets Unsigned 32-bit integer rrlp.INTEGER_2_3
rrlp.neighborIdentity neighborIdentity Unsigned 32-bit integer rrlp.NeighborIdentity
rrlp.newNaviModelUC newNaviModelUC No value rrlp.UncompressedEphemeris
rrlp.newSatelliteAndModelUC newSatelliteAndModelUC No value rrlp.UncompressedEphemeris
rrlp.notPresent notPresent No value rrlp.NULL
rrlp.numOfMeasurements numOfMeasurements Unsigned 32-bit integer rrlp.NumOfMeasurements
rrlp.oldSatelliteAndModel oldSatelliteAndModel No value rrlp.NULL
rrlp.otdMsrFirstSets otdMsrFirstSets No value rrlp.OTD_MsrElementFirst
rrlp.otdMsrFirstSets_R98_Ext otdMsrFirstSets-R98-Ext No value rrlp.OTD_MsrElementFirst_R98_Ext
rrlp.otdMsrRestSets otdMsrRestSets Unsigned 32-bit integer rrlp.SeqOfOTD_MsrElementRest
rrlp.otdValue otdValue Unsigned 32-bit integer rrlp.OTDValue
rrlp.otd_FirstSetMsrs otd-FirstSetMsrs Unsigned 32-bit integer rrlp.SeqOfOTD_FirstSetMsrs
rrlp.otd_FirstSetMsrs_R98_Ext otd-FirstSetMsrs-R98-Ext Unsigned 32-bit integer rrlp.SeqOfOTD_FirstSetMsrs_R98_Ext
rrlp.otd_MeasureInfo otd-MeasureInfo No value rrlp.OTD_MeasureInfo
rrlp.otd_MeasureInfo_5_Ext otd-MeasureInfo-5-Ext Unsigned 32-bit integer rrlp.OTD_MeasureInfo_5_Ext
rrlp.otd_MeasureInfo_R98_Ext otd-MeasureInfo-R98-Ext No value rrlp.OTD_MeasureInfo_R98_Ext
rrlp.otd_MsrsOfOtherSets otd-MsrsOfOtherSets Unsigned 32-bit integer rrlp.SeqOfOTD_MsrsOfOtherSets
rrlp.posEstimate posEstimate Byte array rrlp.Ext_GeographicalInformation
rrlp.positionInstruct positionInstruct No value rrlp.PositionInstruct
rrlp.positionMethod positionMethod Unsigned 32-bit integer rrlp.PositionMethod
rrlp.present present No value rrlp.AssistBTSData
rrlp.protocolError protocolError No value rrlp.ProtocolError
rrlp.pseuRangeRMSErr pseuRangeRMSErr Unsigned 32-bit integer rrlp.INTEGER_0_63
rrlp.pseudoRangeCor pseudoRangeCor Signed 32-bit integer rrlp.INTEGER_M2047_2047
rrlp.rangeRateCor rangeRateCor Signed 32-bit integer rrlp.INTEGER_M127_127
rrlp.realTimeIntegrity realTimeIntegrity Unsigned 32-bit integer rrlp.SeqOf_BadSatelliteSet
rrlp.refBTSList refBTSList Unsigned 32-bit integer rrlp.SeqOfReferenceIdentityType
rrlp.refFrame refFrame Unsigned 32-bit integer rrlp.INTEGER_0_65535
rrlp.refFrameNumber refFrameNumber Unsigned 32-bit integer rrlp.INTEGER_0_42431
rrlp.refLocation refLocation No value rrlp.RefLocation
rrlp.refQuality refQuality Unsigned 32-bit integer rrlp.RefQuality
rrlp.referenceAssistData referenceAssistData No value rrlp.ReferenceAssistData
rrlp.referenceCI referenceCI Unsigned 32-bit integer rrlp.CellID
rrlp.referenceFrameMSB referenceFrameMSB Unsigned 32-bit integer rrlp.INTEGER_0_63
rrlp.referenceIdentity referenceIdentity No value rrlp.ReferenceIdentity
rrlp.referenceLAC referenceLAC Unsigned 32-bit integer rrlp.LAC
rrlp.referenceNumber referenceNumber Unsigned 32-bit integer rrlp.INTEGER_0_7
rrlp.referenceRelation referenceRelation Unsigned 32-bit integer rrlp.ReferenceRelation
rrlp.referenceTime referenceTime No value rrlp.ReferenceTime
rrlp.referenceTimeSlot referenceTimeSlot Unsigned 32-bit integer rrlp.ModuloTimeSlot
rrlp.referenceWGS84 referenceWGS84 No value rrlp.ReferenceWGS84
rrlp.rel5_AssistanceData_Extension rel5-AssistanceData-Extension No value rrlp.Rel5_AssistanceData_Extension
rrlp.rel5_MsrPosition_Req_extension rel5-MsrPosition-Req-extension No value rrlp.Rel5_MsrPosition_Req_Extension
rrlp.rel98_AssistanceData_Extension rel98-AssistanceData-Extension No value rrlp.Rel98_AssistanceData_Extension
rrlp.rel98_Ext_ExpOTD rel98-Ext-ExpOTD No value rrlp.Rel98_Ext_ExpOTD
rrlp.rel98_MsrPosition_Req_extension rel98-MsrPosition-Req-extension No value rrlp.Rel98_MsrPosition_Req_Extension
rrlp.rel_5_MsrPosition_Rsp_Extension rel-5-MsrPosition-Rsp-Extension No value rrlp.Rel_5_MsrPosition_Rsp_Extension
rrlp.rel_5_ProtocolError_Extension rel-5-ProtocolError-Extension No value rrlp.Rel_5_ProtocolError_Extension
rrlp.rel_98_Ext_MeasureInfo rel-98-Ext-MeasureInfo No value rrlp.T_rel_98_Ext_MeasureInfo
rrlp.rel_98_MsrPosition_Rsp_Extension rel-98-MsrPosition-Rsp-Extension No value rrlp.Rel_98_MsrPosition_Rsp_Extension
rrlp.relativeAlt relativeAlt Signed 32-bit integer rrlp.RelativeAlt
rrlp.relativeEast relativeEast Signed 32-bit integer rrlp.RelDistance
rrlp.relativeNorth relativeNorth Signed 32-bit integer rrlp.RelDistance
rrlp.requestIndex requestIndex Unsigned 32-bit integer rrlp.RequestIndex
rrlp.reserved1 reserved1 Unsigned 32-bit integer rrlp.INTEGER_0_8388607
rrlp.reserved2 reserved2 Unsigned 32-bit integer rrlp.INTEGER_0_16777215
rrlp.reserved3 reserved3 Unsigned 32-bit integer rrlp.INTEGER_0_16777215
rrlp.reserved4 reserved4 Unsigned 32-bit integer rrlp.INTEGER_0_65535
rrlp.roughRTD roughRTD Unsigned 32-bit integer rrlp.RoughRTD
rrlp.satList satList Unsigned 32-bit integer rrlp.SeqOfSatElement
rrlp.satStatus satStatus Unsigned 32-bit integer rrlp.SatStatus
rrlp.satelliteID satelliteID Unsigned 32-bit integer rrlp.SatelliteID
rrlp.smlc_code smlc-code Unsigned 32-bit integer rrlp.INTEGER_0_63
rrlp.status status Unsigned 32-bit integer rrlp.INTEGER_0_7
rrlp.stdOfEOTD stdOfEOTD Unsigned 32-bit integer rrlp.INTEGER_0_31
rrlp.stdResolution stdResolution Unsigned 32-bit integer rrlp.StdResolution
rrlp.svid svid Unsigned 32-bit integer rrlp.SatelliteID
rrlp.systemInfoAssistData systemInfoAssistData No value rrlp.SystemInfoAssistData
rrlp.systemInfoAssistData_R98_ExpOTD systemInfoAssistData-R98-ExpOTD No value rrlp.SystemInfoAssistData_R98_ExpOTD
rrlp.systemInfoAssistList systemInfoAssistList Unsigned 32-bit integer rrlp.SeqOfSystemInfoAssistBTS
rrlp.systemInfoAssistListR98_ExpOTD systemInfoAssistListR98-ExpOTD Unsigned 32-bit integer rrlp.SeqOfSystemInfoAssistBTS_R98_ExpOTD
rrlp.systemInfoIndex systemInfoIndex Unsigned 32-bit integer rrlp.SystemInfoIndex
rrlp.taCorrection taCorrection Unsigned 32-bit integer rrlp.INTEGER_0_960
rrlp.threeDLocation threeDLocation Byte array rrlp.Ext_GeographicalInformation
rrlp.timeAssistanceMeasurements timeAssistanceMeasurements No value rrlp.GPSTimeAssistanceMeasurements
rrlp.timeRelation timeRelation No value rrlp.TimeRelation
rrlp.timeSlot timeSlot Unsigned 32-bit integer rrlp.TimeSlot
rrlp.timeSlotScheme timeSlotScheme Unsigned 32-bit integer rrlp.TimeSlotScheme
rrlp.tlmRsvdBits tlmRsvdBits Unsigned 32-bit integer rrlp.TLMReservedBits
rrlp.tlmWord tlmWord Unsigned 32-bit integer rrlp.TLMWord
rrlp.toaMeasurementsOfRef toaMeasurementsOfRef No value rrlp.TOA_MeasurementsOfRef
rrlp.transaction_ID transaction-ID Unsigned 32-bit integer rrlp.INTEGER_0_262143
rrlp.udre udre Unsigned 32-bit integer rrlp.INTEGER_0_3
rrlp.ulPseudoSegInd ulPseudoSegInd Unsigned 32-bit integer rrlp.UlPseudoSegInd
rrlp.useMultipleSets useMultipleSets Unsigned 32-bit integer rrlp.UseMultipleSets
rrlp.utcA0 utcA0 Signed 32-bit integer rrlp.INTEGER_M2147483648_2147483647
rrlp.utcA1 utcA1 Signed 32-bit integer rrlp.INTEGER_M8388608_8388607
rrlp.utcDN utcDN Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.utcDeltaTls utcDeltaTls Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.utcDeltaTlsf utcDeltaTlsf Signed 32-bit integer rrlp.INTEGER_M128_127
rrlp.utcModel utcModel No value rrlp.UTCModel
rrlp.utcTot utcTot Unsigned 32-bit integer rrlp.INTEGER_0_255
rrlp.utcWNlsf utcWNlsf Unsigned 32-bit integer rrlp.INTEGER_0_255
rrlp.utcWNt utcWNt Unsigned 32-bit integer rrlp.INTEGER_0_255
rrlp.wholeChips wholeChips Unsigned 32-bit integer rrlp.INTEGER_0_1022
radius.Cosine-Vci Cosine-VCI Unsigned 16-bit integer
radius.Cosine-Vpi Cosine-VPI Unsigned 16-bit integer
radius.Framed-IP-Address Framed-IP-Address IPv4 address
radius.Framed-IPX-Network Framed-IPX-Network IPX network or server name
radius.Login-IP-Host Login-IP-Host IPv4 address
radius.Unknown_Attribute Unknown-Attribute Byte array
radius.Unknown_Attribute.length Unknown-Attribute Length Unsigned 8-bit integer
radius.authenticator Authenticator Byte array
radius.code Code Unsigned 8-bit integer
radius.id Identifier Unsigned 8-bit integer
radius.length Length Unsigned 16-bit integer
rdt.aact-flags RDT asm-action flags 1 String RDT aact flags
rdt.ack-flags RDT ack flags String RDT ack flags
rdt.asm-rule asm rule Unsigned 8-bit integer
rdt.asm-rule-expansion Asm rule expansion Unsigned 16-bit integer Asm rule expansion
rdt.back-to-back Back-to-back Unsigned 8-bit integer
rdt.bandwidth-report-flags RDT bandwidth report flags String RDT bandwidth report flags
rdt.bw-probing-flags RDT bw probing flags String RDT bw probing flags
rdt.bwid-report-bandwidth Bandwidth report bandwidth Unsigned 32-bit integer
rdt.bwid-report-interval Bandwidth report interval Unsigned 16-bit integer
rdt.bwid-report-sequence Bandwidth report sequence Unsigned 16-bit integer
rdt.bwpp-seqno Bandwidth probing packet seqno Unsigned 8-bit integer
rdt.cong-recv-mult Congestion receive multiplier Unsigned 32-bit integer
rdt.cong-xmit-mult Congestion transmit multiplier Unsigned 32-bit integer
rdt.congestion-flags RDT congestion flags String RDT congestion flags
rdt.data Data No value
rdt.data-flags1 RDT data flags 1 String RDT data flags 1
rdt.data-flags2 RDT data flags 2 String RDT data flags2
rdt.feature-level RDT feature level Signed 32-bit integer
rdt.is-reliable Is reliable Unsigned 8-bit integer
rdt.latency-report-flags RDT latency report flags String RDT latency report flags
rdt.length-included Length included Unsigned 8-bit integer
rdt.lost-high Lost high Unsigned 8-bit integer Lost high
rdt.lrpt-server-out-time Latency report server out time Unsigned 32-bit integer
rdt.need-reliable Need reliable Unsigned 8-bit integer
rdt.packet RDT packet String RDT packet
rdt.packet-length Packet length Unsigned 16-bit integer
rdt.packet-type Packet type Unsigned 16-bit integer Packet type
rdt.reliable-seq-no Reliable sequence number Unsigned 16-bit integer
rdt.report-flags RDT report flags String RDT report flags
rdt.rtrp-ts-sec Round trip response timestamp seconds Unsigned 32-bit integer
rdt.rtrp-ts-usec Round trip response timestamp microseconds Unsigned 32-bit integer
rdt.rtt-request-flags RDT rtt request flags String RDT RTT request flags
rdt.rtt-response-flags RDT rtt response flags String RDT RTT response flags
rdt.sequence-number Sequence number Unsigned 16-bit integer
rdt.setup Stream setup String Stream setup, method and frame number
rdt.setup-frame Setup frame Frame number Frame that set up this stream
rdt.setup-method Setup Method String Method used to set up this stream
rdt.slow-data Slow data Unsigned 8-bit integer
rdt.stre-ext-flag Ext flag Unsigned 8-bit integer
rdt.stre-need-reliable Need reliable Unsigned 8-bit integer
rdt.stre-packet-sent Packet sent Unsigned 8-bit integer
rdt.stre-reason-code Stream end reason code Unsigned 32-bit integer
rdt.stre-reason-dummy-flags1 Stream end reason dummy flags1 Unsigned 8-bit integer
rdt.stre-reason-dummy-type Stream end reason dummy type Unsigned 16-bit integer
rdt.stre-seqno Stream end sequence number Unsigned 16-bit integer
rdt.stre-stream-id Stream id Unsigned 8-bit integer
rdt.stream-end-flags RDT stream end flags String RDT stream end flags
rdt.stream-id Stream ID Unsigned 8-bit integer
rdt.stream-id-expansion Stream-id expansion Unsigned 16-bit integer Stream-id expansion
rdt.timestamp Timestamp Unsigned 32-bit integer Timestamp
rdt.tirp-buffer-info RDT buffer info String RDT buffer info
rdt.tirp-buffer-info-bytes-buffered Bytes buffered Unsigned 32-bit integer
rdt.tirp-buffer-info-count Transport info buffer into count Unsigned 16-bit integer
rdt.tirp-buffer-info-highest-timestamp Highest timestamp Unsigned 32-bit integer
rdt.tirp-buffer-info-lowest-timestamp Lowest timestamp Unsigned 32-bit integer
rdt.tirp-buffer-info-stream-id Buffer info stream-id Unsigned 16-bit integer
rdt.tirp-has-buffer-info Transport info response has buffer info Unsigned 8-bit integer
rdt.tirp-has-rtt-info Transport info response has rtt info flag Unsigned 8-bit integer
rdt.tirp-is-delayed Transport info response is delayed Unsigned 8-bit integer
rdt.tirp-request-time-msec Transport info request time msec Unsigned 32-bit integer
rdt.tirp-response-time-msec Transport info response time msec Unsigned 32-bit integer
rdt.tirq-request-buffer-info Transport info request buffer info flag Unsigned 8-bit integer
rdt.tirq-request-rtt-info Transport info request rtt info flag Unsigned 8-bit integer
rdt.tirq-request-time-msec Transport info request time msec Unsigned 32-bit integer
rdt.total-reliable Total reliable Unsigned 16-bit integer Total reliable
rdt.transport-info-request-flags RDT transport info request flags String RDT transport info request flags
rdt.transport-info-response-flags RDT transport info response flags String RDT transport info response flags
rdt.unk-flags1 Unknown packet flags Unsigned 8-bit integer
X_Vig_Msisdn X-Vig-Msisdn String
rtsp.content-length Content-length Unsigned 32-bit integer
rtsp.content-type Content-type String
rtsp.method Method String
rtsp.rdt-feature-level RDTFeatureLevel Unsigned 32-bit integer
rtsp.request Request String
rtsp.response Response String
rtsp.session Session String
rtsp.status Status Unsigned 32-bit integer
rtsp.transport Transport String
rtsp.url URL String
rtps.issue_data User Data Byte array Issue Data
rtps.octets_to_next_header Octets to next header Unsigned 16-bit integer Octets to next header
rtps.parameter_id Parameter Id Unsigned 16-bit integer Parameter Id
rtps.parameter_length Parameter Length Unsigned 16-bit integer Parameter Length
rtps.submessage_flags Submessage flags Unsigned 8-bit integer Submessage flags
rtps.submessage_id Submessage Id Unsigned 8-bit integer Submessage flags
rtp.block-length Block length Unsigned 16-bit integer Block Length
rtp.cc Contributing source identifiers count Unsigned 8-bit integer
rtp.csrc.item CSRC item Unsigned 32-bit integer
rtp.ext Extension Boolean
rtp.ext.len Extension length Unsigned 16-bit integer
rtp.ext.profile Defined by profile Unsigned 16-bit integer
rtp.follow Follow Boolean Next header follows
rtp.hdr_ext Header extension Unsigned 32-bit integer
rtp.marker Marker Boolean
rtp.p_type Payload type Unsigned 8-bit integer
rtp.padding Padding Boolean
rtp.padding.count Padding count Unsigned 8-bit integer
rtp.padding.data Padding data Byte array
rtp.payload Payload Byte array
rtp.seq Sequence number Unsigned 16-bit integer
rtp.setup Stream setup String Stream setup, method and frame number
rtp.setup-frame Setup frame Frame number Frame that set up this stream
rtp.setup-method Setup Method String Method used to set up this stream
rtp.ssrc Synchronization Source identifier Unsigned 32-bit integer
rtp.timestamp Timestamp Unsigned 32-bit integer
rtp.timestamp-offset Timestamp offset Unsigned 16-bit integer Timestamp Offset
rtp.version Version Unsigned 8-bit integer
rtcp.app.PoC1.subtype Subtype Unsigned 8-bit integer
rtcp.app.data Application specific data Byte array
rtcp.app.name Name (ASCII) String
rtcp.app.poc1 PoC1 Application specific data No value
rtcp.app.poc1.ack.reason.code Reason code Unsigned 16-bit integer
rtcp.app.poc1.ack.subtype Subtype Unsigned 8-bit integer
rtcp.app.poc1.conn.add.ind.mao Manual answer override Boolean
rtcp.app.poc1.conn.content.a.dn Nick name of inviting client Boolean
rtcp.app.poc1.conn.content.a.id Identity of inviting client Boolean
rtcp.app.poc1.conn.content.grp.dn Group name Boolean
rtcp.app.poc1.conn.content.grp.id Group identity Boolean
rtcp.app.poc1.conn.content.sess.id Session identity Boolean
rtcp.app.poc1.conn.sdes.a.dn Nick name of inviting client String
rtcp.app.poc1.conn.sdes.a.id Identity of inviting client String
rtcp.app.poc1.conn.sdes.grp.dn Group Name String
rtcp.app.poc1.conn.sdes.grp.id Group identity String
rtcp.app.poc1.conn.sdes.sess.id Session identity String
rtcp.app.poc1.conn.session.type Session type Unsigned 8-bit integer
rtcp.app.poc1.disp.name Display Name String
rtcp.app.poc1.ignore.seq.no Ignore sequence number field Unsigned 16-bit integer
rtcp.app.poc1.item.len Item length Unsigned 8-bit integer
rtcp.app.poc1.last.pkt.seq.no Sequence number of last RTP packet Unsigned 16-bit integer
rtcp.app.poc1.new.time.request New time client can request (seconds) Unsigned 16-bit integer Time in seconds client can request for
rtcp.app.poc1.participants Number of participants Unsigned 16-bit integer
rtcp.app.poc1.priority Priority Unsigned 8-bit integer
rtcp.app.poc1.qsresp.position Position (number of clients ahead) Unsigned 16-bit integer
rtcp.app.poc1.qsresp.priority Priority Unsigned 8-bit integer
rtcp.app.poc1.reason.code Reason code Unsigned 8-bit integer
rtcp.app.poc1.reason.phrase Reason Phrase String
rtcp.app.poc1.request.ts Talk Burst Requst Timestamp String
rtcp.app.poc1.sip.uri SIP URI String
rtcp.app.poc1.ssrc.granted SSRC of client granted permission to talk Unsigned 32-bit integer
rtcp.app.poc1.stt Stop talking timer Unsigned 16-bit integer
rtcp.app.subtype Subtype Unsigned 8-bit integer
rtcp.length Length Unsigned 16-bit integer 32-bit words (-1) in packet
rtcp.length_check RTCP frame length check Boolean RTCP frame length check
rtcp.lsr-frame Frame matching Last SR timestamp Frame number Frame matching LSR field (used to calculate roundtrip delay)
rtcp.nack.blp Bitmask of following lost packets Unsigned 16-bit integer
rtcp.nack.fsn First sequence number Unsigned 16-bit integer
rtcp.padding Padding Boolean
rtcp.padding.count Padding count Unsigned 8-bit integer
rtcp.padding.data Padding data Byte array
rtcp.profile-specific-extension Profile-specific extension Byte array Profile-specific extension
rtcp.pt Packet type Unsigned 8-bit integer
rtcp.rc Reception report count Unsigned 8-bit integer
rtcp.roundtrip-delay Roundtrip Delay(ms) Unsigned 32-bit integer Calculated roundtrip delay in ms
rtcp.sc Source count Unsigned 8-bit integer
rtcp.sdes.length Length Unsigned 32-bit integer
rtcp.sdes.prefix.length Prefix length Unsigned 8-bit integer
rtcp.sdes.prefix.string Prefix string String
rtcp.sdes.ssrc_csrc SSRC / CSRC identifier Unsigned 32-bit integer
rtcp.sdes.text Text String
rtcp.sdes.type Type Unsigned 8-bit integer
rtcp.sender.octetcount Sender's octet count Unsigned 32-bit integer
rtcp.sender.packetcount Sender's packet count Unsigned 32-bit integer
rtcp.senderssrc Sender SSRC Unsigned 32-bit integer
rtcp.setup Stream setup String Stream setup, method and frame number
rtcp.setup-frame Setup frame Frame number Frame that set up this stream
rtcp.setup-method Setup Method String Method used to set up this stream
rtcp.ssrc.cum_nr Cumulative number of packets lost Unsigned 32-bit integer
rtcp.ssrc.discarded Fraction discarded Unsigned 8-bit integer Discard Rate
rtcp.ssrc.dlsr Delay since last SR timestamp Unsigned 32-bit integer
rtcp.ssrc.ext_high Extended highest sequence number received Unsigned 32-bit integer
rtcp.ssrc.fraction Fraction lost Unsigned 8-bit integer
rtcp.ssrc.high_cycles Sequence number cycles count Unsigned 16-bit integer
rtcp.ssrc.high_seq Highest sequence number received Unsigned 16-bit integer
rtcp.ssrc.identifier Identifier Unsigned 32-bit integer
rtcp.ssrc.jitter Interarrival jitter Unsigned 32-bit integer
rtcp.ssrc.lsr Last SR timestamp Unsigned 32-bit integer
rtcp.timestamp.ntp NTP timestamp String
rtcp.timestamp.ntp.lsw Timestamp, LSW Unsigned 32-bit integer
rtcp.timestamp.ntp.msw Timestamp, MSW Unsigned 32-bit integer
rtcp.timestamp.rtp RTP timestamp Unsigned 32-bit integer
rtcp.version Version Unsigned 8-bit integer
rtcp.xr.beginseq Begin Sequence Number Unsigned 16-bit integer
rtcp.xr.bl Length Unsigned 16-bit integer Block Length
rtcp.xr.bs Type Specific Unsigned 8-bit integer Reserved
rtcp.xr.bt Type Unsigned 8-bit integer Block Type
rtcp.xr.dlrr Delay since last RR timestamp Unsigned 32-bit integer
rtcp.xr.endseq End Sequence Number Unsigned 16-bit integer
rtcp.xr.lrr Last RR timestamp Unsigned 32-bit integer
rtcp.xr.stats.devjitter Standard Deviation of Jitter Unsigned 32-bit integer
rtcp.xr.stats.devttl Standard Deviation of TTL Unsigned 8-bit integer
rtcp.xr.stats.dupflag Duplicates Report Flag Boolean
rtcp.xr.stats.dups Duplicate Packets Unsigned 32-bit integer
rtcp.xr.stats.jitterflag Jitter Report Flag Boolean
rtcp.xr.stats.lost Lost Packets Unsigned 32-bit integer
rtcp.xr.stats.lrflag Loss Report Flag Boolean
rtcp.xr.stats.maxjitter Maximum Jitter Unsigned 32-bit integer
rtcp.xr.stats.maxttl Maximum TTL or Hop Limit Unsigned 8-bit integer
rtcp.xr.stats.meanjitter Mean Jitter Unsigned 32-bit integer
rtcp.xr.stats.meanttl Mean TTL or Hop Limit Unsigned 8-bit integer
rtcp.xr.stats.minjitter Minimum Jitter Unsigned 32-bit integer
rtcp.xr.stats.minttl Minimum TTL or Hop Limit Unsigned 8-bit integer
rtcp.xr.stats.ttl TTL or Hop Limit Flag Unsigned 8-bit integer
rtcp.xr.tf Thinning factor Unsigned 8-bit integer
rtcp.xr.voipmetrics.burstdensity Burst Density Unsigned 8-bit integer
rtcp.xr.voipmetrics.burstduration Burst Duration(ms) Unsigned 16-bit integer
rtcp.xr.voipmetrics.esdelay End System Delay(ms) Unsigned 16-bit integer
rtcp.xr.voipmetrics.extrfactor External R Factor Unsigned 8-bit integer R Factor is in the range of 0 to 100; 127 indicates this parameter is unavailable
rtcp.xr.voipmetrics.gapdensity Gap Density Unsigned 8-bit integer
rtcp.xr.voipmetrics.gapduration Gap Duration(ms) Unsigned 16-bit integer
rtcp.xr.voipmetrics.gmin Gmin Unsigned 8-bit integer
rtcp.xr.voipmetrics.jba Adaptive Jitter Buffer Algorithm Unsigned 8-bit integer
rtcp.xr.voipmetrics.jbabsmax Absolute Maximum Jitter Buffer Size Unsigned 16-bit integer
rtcp.xr.voipmetrics.jbmax Maximum Jitter Buffer Size Unsigned 16-bit integer
rtcp.xr.voipmetrics.jbnominal Nominal Jitter Buffer Size Unsigned 16-bit integer
rtcp.xr.voipmetrics.jbrate Jitter Buffer Rate Unsigned 8-bit integer
rtcp.xr.voipmetrics.moscq MOS - Conversational Quality MOS is in the range of 1 to 5; 127 indicates this parameter is unavailable
rtcp.xr.voipmetrics.moslq MOS - Listening Quality MOS is in the range of 1 to 5; 127 indicates this parameter is unavailable
rtcp.xr.voipmetrics.noiselevel Noise Level Signed 8-bit integer Noise level of 127 indicates this parameter is unavailable
rtcp.xr.voipmetrics.plc Packet Loss Conealment Algorithm Unsigned 8-bit integer
rtcp.xr.voipmetrics.rerl Residual Echo Return Loss Unsigned 8-bit integer
rtcp.xr.voipmetrics.rfactor R Factor Unsigned 8-bit integer R Factor is in the range of 0 to 100; 127 indicates this parameter is unavailable
rtcp.xr.voipmetrics.rtdelay Round Trip Delay(ms) Unsigned 16-bit integer
rtcp.xr.voipmetrics.signallevel Signal Level Signed 8-bit integer Signal level of 127 indicates this parameter is unavailable
rs_attr.opnum Operation Unsigned 16-bit integer Operation
rs_repadmin.opnum Operation Unsigned 16-bit integer Operation
rmcp.class Class Unsigned 8-bit integer RMCP Class
rmcp.sequence Sequence Unsigned 8-bit integer RMCP Sequence
rmcp.type Message Type Unsigned 8-bit integer RMCP Message Type
rmcp.version Version Unsigned 8-bit integer RMCP Version
roverride.opnum Operation Unsigned 16-bit integer Operation
rpc.array.len num Unsigned 32-bit integer Length of RPC array
rpc.auth.flavor Flavor Unsigned 32-bit integer Flavor
rpc.auth.gid GID Unsigned 32-bit integer GID
rpc.auth.length Length Unsigned 32-bit integer Length
rpc.auth.machinename Machine Name String Machine Name
rpc.auth.stamp Stamp Unsigned 32-bit integer Stamp
rpc.auth.uid UID Unsigned 32-bit integer UID
rpc.authdes.convkey Conversation Key (encrypted) Unsigned 32-bit integer Conversation Key (encrypted)
rpc.authdes.namekind Namekind Unsigned 32-bit integer Namekind
rpc.authdes.netname Netname String Netname
rpc.authdes.nickname Nickname Unsigned 32-bit integer Nickname
rpc.authdes.timestamp Timestamp (encrypted) Unsigned 32-bit integer Timestamp (encrypted)
rpc.authdes.timeverf Timestamp verifier (encrypted) Unsigned 32-bit integer Timestamp verifier (encrypted)
rpc.authdes.window Window (encrypted) Unsigned 32-bit integer Windows (encrypted)
rpc.authdes.windowverf Window verifier (encrypted) Unsigned 32-bit integer Window verifier (encrypted)
rpc.authgss.checksum GSS Checksum Byte array GSS Checksum
rpc.authgss.context GSS Context Byte array GSS Context
rpc.authgss.data GSS Data Byte array GSS Data
rpc.authgss.data.length Length Unsigned 32-bit integer Length
rpc.authgss.major GSS Major Status Unsigned 32-bit integer GSS Major Status
rpc.authgss.minor GSS Minor Status Unsigned 32-bit integer GSS Minor Status
rpc.authgss.procedure GSS Procedure Unsigned 32-bit integer GSS Procedure
rpc.authgss.seqnum GSS Sequence Number Unsigned 32-bit integer GSS Sequence Number
rpc.authgss.service GSS Service Unsigned 32-bit integer GSS Service
rpc.authgss.token_length GSS Token Length Unsigned 32-bit integer GSS Token Length
rpc.authgss.version GSS Version Unsigned 32-bit integer GSS Version
rpc.authgss.window GSS Sequence Window Unsigned 32-bit integer GSS Sequence Window
rpc.authgssapi.handle Client Handle Byte array Client Handle
rpc.authgssapi.isn Signed ISN Byte array Signed ISN
rpc.authgssapi.message AUTH_GSSAPI Message Boolean AUTH_GSSAPI Message
rpc.authgssapi.msgversion Msg Version Unsigned 32-bit integer Msg Version
rpc.authgssapi.version AUTH_GSSAPI Version Unsigned 32-bit integer AUTH_GSSAPI Version
rpc.call.dup Duplicate to the call in Frame number This is a duplicate to the call in frame
rpc.dup Duplicate Call/Reply No value Duplicate Call/Reply
rpc.fraglen Fragment Length Unsigned 32-bit integer Fragment Length
rpc.fragment RPC Fragment Frame number RPC Fragment
rpc.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
rpc.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
rpc.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
rpc.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
rpc.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
rpc.fragments RPC Fragments No value RPC Fragments
rpc.lastfrag Last Fragment Boolean Last Fragment
rpc.msgtyp Message Type Unsigned 32-bit integer Message Type
rpc.procedure Procedure Unsigned 32-bit integer Procedure
rpc.program Program Unsigned 32-bit integer Program
rpc.programversion Program Version Unsigned 32-bit integer Program Version
rpc.programversion.max Program Version (Maximum) Unsigned 32-bit integer Program Version (Maximum)
rpc.programversion.min Program Version (Minimum) Unsigned 32-bit integer Program Version (Minimum)
rpc.repframe Reply Frame Frame number Reply Frame
rpc.reply.dup Duplicate to the reply in Frame number This is a duplicate to the reply in frame
rpc.replystat Reply State Unsigned 32-bit integer Reply State
rpc.reqframe Request Frame Frame number Request Frame
rpc.state_accept Accept State Unsigned 32-bit integer Accept State
rpc.state_auth Auth State Unsigned 32-bit integer Auth State
rpc.state_reject Reject State Unsigned 32-bit integer Reject State
rpc.time Time from request Time duration Time between Request and Reply for ONC-RPC calls
rpc.value_follows Value Follows Boolean Value Follows
rpc.version RPC Version Unsigned 32-bit integer RPC Version
rpc.version.max RPC Version (Maximum) Unsigned 32-bit integer RPC Version (Maximum)
rpc.version.min RPC Version (Minimum) Unsigned 32-bit integer Program Version (Minimum)
rpc.xid XID Unsigned 32-bit integer XID
exec.command Command to execute String Command client is requesting the server to run.
exec.password Client password String Password client uses to log in to the server.
exec.stderr_port Stderr port (optional) String Client port that is listening for stderr stream from server
exec.username Client username String Username client uses to log in to the server.
rpl.adapterid Adapter ID Unsigned 16-bit integer RPL Adapter ID
rpl.bsmversion BSM Version Unsigned 16-bit integer RPL Version of BSM.obj
rpl.config Configuration Byte array RPL Configuration
rpl.connclass Connection Class Unsigned 16-bit integer RPL Connection Class
rpl.corrval Correlator Value Unsigned 32-bit integer RPL Correlator Value
rpl.data Data Byte array RPL Binary File Data
rpl.ec EC Byte array RPL EC
rpl.equipment Equipment Unsigned 16-bit integer RPL Equipment - AX from INT 11h
rpl.flags Flags Unsigned 8-bit integer RPL Bit Significant Option Flags
rpl.laddress Locate Address Unsigned 32-bit integer RPL Locate Address
rpl.lmac Loader MAC Address 6-byte Hardware (MAC) Address RPL Loader MAC Address
rpl.maxframe Maximum Frame Size Unsigned 16-bit integer RPL Maximum Frame Size
rpl.memsize Memory Size Unsigned 16-bit integer RPL Memory Size - AX from INT 12h MINUS 32k MINUS the Boot ROM Size
rpl.respval Response Code Unsigned 8-bit integer RPL Response Code
rpl.sap SAP Unsigned 8-bit integer RPL SAP
rpl.sequence Sequence Number Unsigned 32-bit integer RPL Sequence Number
rpl.shortname Short Name Byte array RPL BSM Short Name
rpl.smac Set MAC Address 6-byte Hardware (MAC) Address RPL Set MAC Address
rpl.type Type Unsigned 16-bit integer RPL Packet Type
rpl.xaddress XFER Address Unsigned 32-bit integer RPL Transfer Control Address
rquota.active active Boolean Indicates whether quota is active
rquota.bhardlimit bhardlimit Unsigned 32-bit integer Hard limit for blocks
rquota.bsize bsize Unsigned 32-bit integer Block size
rquota.bsoftlimit bsoftlimit Unsigned 32-bit integer Soft limit for blocks
rquota.btimeleft btimeleft Unsigned 32-bit integer Time left for excessive disk use
rquota.curblocks curblocks Unsigned 32-bit integer Current block count
rquota.curfiles curfiles Unsigned 32-bit integer Current # allocated files
rquota.fhardlimit fhardlimit Unsigned 32-bit integer Hard limit on allocated files
rquota.fsoftlimit fsoftlimit Unsigned 32-bit integer Soft limit of allocated files
rquota.ftimeleft ftimeleft Unsigned 32-bit integer Time left for excessive files
rquota.pathp pathp String Filesystem of interest
rquota.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
rquota.rquota rquota No value Rquota structure
rquota.status status Unsigned 32-bit integer Status code
rquota.uid uid Unsigned 32-bit integer User ID
winreg.KeySecurityData.data Data Unsigned 8-bit integer
winreg.KeySecurityData.len Len Unsigned 32-bit integer
winreg.KeySecurityData.size Size Unsigned 32-bit integer
winreg.QueryMultipleValue.length Length Unsigned 32-bit integer
winreg.QueryMultipleValue.name Name No value
winreg.QueryMultipleValue.offset Offset Unsigned 32-bit integer
winreg.QueryMultipleValue.type Type Unsigned 32-bit integer
winreg.access_mask Access Mask Unsigned 32-bit integer
winreg.handle Handle Byte array
winreg.opnum Operation Unsigned 16-bit integer
winreg.sd KeySecurityData No value
winreg.sd.actual_size Actual Size Unsigned 32-bit integer
winreg.sd.max_size Max Size Unsigned 32-bit integer
winreg.sd.offset Offset Unsigned 32-bit integer
winreg.system_name System Name Unsigned 16-bit integer
winreg.werror Windows Error Unsigned 32-bit integer
winreg.winreg_AbortSystemShutdown.server Server Unsigned 16-bit integer
winreg.winreg_AccessMask.CANT_HAVE_EMPTY_BITMAP_PIDL_BUG Cant Have Empty Bitmap Pidl Bug Boolean
winreg.winreg_CreateKey.action_taken Action Taken Unsigned 32-bit integer
winreg.winreg_CreateKey.class Class No value
winreg.winreg_CreateKey.name Name No value
winreg.winreg_CreateKey.new_handle New Handle Byte array
winreg.winreg_CreateKey.options Options Unsigned 32-bit integer
winreg.winreg_CreateKey.secdesc Secdesc No value
winreg.winreg_DeleteKey.key Key No value
winreg.winreg_DeleteValue.value Value No value
winreg.winreg_EnumKey.class Class No value
winreg.winreg_EnumKey.enum_index Enum Index Unsigned 32-bit integer
winreg.winreg_EnumKey.last_changed_time Last Changed Time Date/Time stamp
winreg.winreg_EnumKey.name Name No value
winreg.winreg_EnumValue.enum_index Enum Index Unsigned 32-bit integer
winreg.winreg_EnumValue.length Length Unsigned 32-bit integer
winreg.winreg_EnumValue.name Name No value
winreg.winreg_EnumValue.size Size Unsigned 32-bit integer
winreg.winreg_EnumValue.type Type Unsigned 32-bit integer
winreg.winreg_EnumValue.value Value Unsigned 8-bit integer
winreg.winreg_GetKeySecurity.sec_info Sec Info No value
winreg.winreg_GetVersion.version Version Unsigned 32-bit integer
winreg.winreg_InitiateSystemShutdown.force_apps Force Apps Unsigned 8-bit integer
winreg.winreg_InitiateSystemShutdown.hostname Hostname Unsigned 16-bit integer
winreg.winreg_InitiateSystemShutdown.message Message No value
winreg.winreg_InitiateSystemShutdown.reboot Reboot Unsigned 8-bit integer
winreg.winreg_InitiateSystemShutdown.timeout Timeout Unsigned 32-bit integer
winreg.winreg_InitiateSystemShutdownEx.force_apps Force Apps Unsigned 8-bit integer
winreg.winreg_InitiateSystemShutdownEx.hostname Hostname Unsigned 16-bit integer
winreg.winreg_InitiateSystemShutdownEx.message Message No value
winreg.winreg_InitiateSystemShutdownEx.reason Reason Unsigned 32-bit integer
winreg.winreg_InitiateSystemShutdownEx.reboot Reboot Unsigned 8-bit integer
winreg.winreg_InitiateSystemShutdownEx.timeout Timeout Unsigned 32-bit integer
winreg.winreg_LoadKey.filename Filename No value
winreg.winreg_LoadKey.keyname Keyname No value
winreg.winreg_NotifyChangeKeyValue.notify_filter Notify Filter Unsigned 32-bit integer
winreg.winreg_NotifyChangeKeyValue.string1 String1 No value
winreg.winreg_NotifyChangeKeyValue.string2 String2 No value
winreg.winreg_NotifyChangeKeyValue.unknown Unknown Unsigned 32-bit integer
winreg.winreg_NotifyChangeKeyValue.unknown2 Unknown2 Unsigned 32-bit integer
winreg.winreg_NotifyChangeKeyValue.watch_subtree Watch Subtree Unsigned 8-bit integer
winreg.winreg_OpenHKCU.access_mask Access Mask Unsigned 32-bit integer
winreg.winreg_OpenHKPD.access_mask Access Mask Unsigned 32-bit integer
winreg.winreg_OpenKey.access_mask Access Mask Unsigned 32-bit integer
winreg.winreg_OpenKey.keyname Keyname No value
winreg.winreg_OpenKey.new_handle New Handle Byte array
winreg.winreg_OpenKey.unknown Unknown Unsigned 32-bit integer
winreg.winreg_QueryInfoKey.class_in Class In No value
winreg.winreg_QueryInfoKey.class_out Class Out No value
winreg.winreg_QueryInfoKey.last_changed_time Last Changed Time Date/Time stamp
winreg.winreg_QueryInfoKey.max_subkeylen Max Subkeylen Unsigned 32-bit integer
winreg.winreg_QueryInfoKey.max_subkeysize Max Subkeysize Unsigned 32-bit integer
winreg.winreg_QueryInfoKey.max_valbufsize Max Valbufsize Unsigned 32-bit integer
winreg.winreg_QueryInfoKey.max_valnamelen Max Valnamelen Unsigned 32-bit integer
winreg.winreg_QueryInfoKey.num_subkeys Num Subkeys Unsigned 32-bit integer
winreg.winreg_QueryInfoKey.num_values Num Values Unsigned 32-bit integer
winreg.winreg_QueryInfoKey.secdescsize Secdescsize Unsigned 32-bit integer
winreg.winreg_QueryMultipleValues.buffer Buffer Unsigned 8-bit integer
winreg.winreg_QueryMultipleValues.buffer_size Buffer Size Unsigned 32-bit integer
winreg.winreg_QueryMultipleValues.key_handle Key Handle Byte array
winreg.winreg_QueryMultipleValues.num_values Num Values Unsigned 32-bit integer
winreg.winreg_QueryMultipleValues.values Values No value
winreg.winreg_QueryValue.data Data Unsigned 8-bit integer
winreg.winreg_QueryValue.length Length Unsigned 32-bit integer
winreg.winreg_QueryValue.size Size Unsigned 32-bit integer
winreg.winreg_QueryValue.type Type Unsigned 32-bit integer
winreg.winreg_QueryValue.value_name Value Name No value
winreg.winreg_SecBuf.inherit Inherit Unsigned 8-bit integer
winreg.winreg_SecBuf.length Length Unsigned 32-bit integer
winreg.winreg_SecBuf.sd Sd No value
winreg.winreg_SetKeySecurity.access_mask Access Mask Unsigned 32-bit integer
winreg.winreg_SetValue.data Data Unsigned 8-bit integer
winreg.winreg_SetValue.name Name No value
winreg.winreg_SetValue.size Size Unsigned 32-bit integer
winreg.winreg_SetValue.type Type Unsigned 32-bit integer
winreg.winreg_String.name Name String
winreg.winreg_String.name_len Name Len Unsigned 16-bit integer
winreg.winreg_String.name_size Name Size Unsigned 16-bit integer
winreg.winreg_StringBuf.length Length Unsigned 16-bit integer
winreg.winreg_StringBuf.name Name Unsigned 16-bit integer
winreg.winreg_StringBuf.size Size Unsigned 16-bit integer
rsh.request Request Boolean TRUE if rsh request
rsh.response Response Boolean TRUE if rsh response
rwall.message Message String Message
rwall.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
rsec_login.opnum Operation Unsigned 16-bit integer Operation
rsvp.acceptable_label_set ACCEPTABLE LABEL SET No value
rsvp.ack Ack Message Boolean
rsvp.admin_status ADMIN STATUS No value
rsvp.adspec ADSPEC No value
rsvp.association ASSOCIATION No value
rsvp.bundle Bundle Message Boolean
rsvp.call_id CALL ID No value
rsvp.confirm CONFIRM No value
rsvp.dclass DCLASS No value
rsvp.diffserv DIFFSERV No value
rsvp.diffserv.map MAP No value MAP entry
rsvp.diffserv.map.exp EXP Unsigned 8-bit integer EXP bit code
rsvp.diffserv.mapnb MAPnb Unsigned 8-bit integer Number of MAP entries
rsvp.diffserv.phbid PHBID No value PHBID
rsvp.diffserv.phbid.bit14 Bit 14 Unsigned 16-bit integer Bit 14
rsvp.diffserv.phbid.bit15 Bit 15 Unsigned 16-bit integer Bit 15
rsvp.diffserv.phbid.code PHB id code Unsigned 16-bit integer PHB id code
rsvp.diffserv.phbid.dscp DSCP Unsigned 16-bit integer DSCP
rsvp.dste CLASSTYPE No value
rsvp.dste.classtype CT Unsigned 8-bit integer
rsvp.error ERROR No value
rsvp.explicit_route EXPLICIT ROUTE No value
rsvp.filter FILTERSPEC No value
rsvp.flowspec FLOWSPEC No value
rsvp.generalized_uni GENERALIZED UNI No value
rsvp.hello HELLO Message Boolean
rsvp.hello_obj HELLO Request/Ack No value
rsvp.hop HOP No value
rsvp.integrity INTEGRITY No value
rsvp.label LABEL No value
rsvp.label_request LABEL REQUEST No value
rsvp.label_set LABEL SET No value
rsvp.lsp_tunnel_if_id LSP INTERFACE-ID No value
rsvp.msg Message Type Unsigned 8-bit integer
rsvp.msgid MESSAGE-ID No value
rsvp.msgid_list MESSAGE-ID LIST No value
rsvp.notify_request NOTIFY REQUEST No value
rsvp.obj_unknown Unknown object No value
rsvp.object Object class Unsigned 8-bit integer
rsvp.path Path Message Boolean
rsvp.perr Path Error Message Boolean
rsvp.policy POLICY No value
rsvp.protection PROTECTION No value
rsvp.ptear Path Tear Message Boolean
rsvp.record_route RECORD ROUTE No value
rsvp.recovery_label RECOVERY LABEL No value
rsvp.rerr Resv Error Message Boolean
rsvp.restart RESTART CAPABILITY No value
rsvp.resv Resv Message Boolean
rsvp.resvconf Resv Confirm Message Boolean
rsvp.rtear Resv Tear Message Boolean
rsvp.rtearconf Resv Tear Confirm Message Boolean
rsvp.scope SCOPE No value
rsvp.sender SENDER TEMPLATE No value
rsvp.sender.ip Sender IPv4 address IPv4 address
rsvp.sender.lsp_id Sender LSP ID Unsigned 16-bit integer
rsvp.sender.port Sender port number Unsigned 16-bit integer
rsvp.session SESSION No value
rsvp.session.ext_tunnel_id Extended tunnel ID Unsigned 32-bit integer
rsvp.session.ip Destination address IPv4 address
rsvp.session.port Port number Unsigned 16-bit integer
rsvp.session.proto Protocol Unsigned 8-bit integer
rsvp.session.tunnel_id Tunnel ID Unsigned 16-bit integer
rsvp.session_attribute SESSION ATTRIBUTE No value
rsvp.srefresh Srefresh Message Boolean
rsvp.style STYLE No value
rsvp.suggested_label SUGGESTED LABEL No value
rsvp.time TIME VALUES No value
rsvp.tspec SENDER TSPEC No value
rsvp.upstream_label UPSTREAM LABEL No value
rstp.bridge.hw Bridge MAC 6-byte Hardware (MAC) Address
rstp.forward Forward Delay Unsigned 16-bit integer
rstp.hello Hello Time Unsigned 16-bit integer
rstp.maxage Max Age Unsigned 16-bit integer
rstp.root.hw Root MAC 6-byte Hardware (MAC) Address
rlogin.client_startup_flag Client startup flag Unsigned 8-bit integer
rlogin.client_user_name Client-user-name String
rlogin.control_message Control message Unsigned 8-bit integer
rlogin.data Data String
rlogin.server_user_name Server-user-name String
rlogin.startup_info_received_flag Startup info received flag Unsigned 8-bit integer
rlogin.terminal_speed Terminal-speed Unsigned 32-bit integer
rlogin.terminal_type Terminal-type String
rlogin.user_info User Info String
rlogin.window_size Window Info No value
rlogin.window_size.cols Columns Unsigned 16-bit integer
rlogin.window_size.rows Rows Unsigned 16-bit integer
rlogin.window_size.ss Window size marker String
rlogin.window_size.x_pixels X Pixels Unsigned 16-bit integer
rlogin.window_size.y_pixels Y Pixels Unsigned 16-bit integer
rip.auth.passwd Password String Authentication password
rip.auth.type Authentication type Unsigned 16-bit integer Type of authentication
rip.command Command Unsigned 8-bit integer What type of RIP Command is this
rip.family Address Family Unsigned 16-bit integer Address family
rip.ip IP Address IPv4 address IP Address
rip.metric Metric Unsigned 16-bit integer Metric for this route
rip.netmask Netmask IPv4 address Netmask
rip.next_hop Next Hop IPv4 address Next Hop router for this route
rip.route_tag Route Tag Unsigned 16-bit integer Route Tag
rip.routing_domain Routing Domain Unsigned 16-bit integer RIPv2 Routing Domain
rip.version Version Unsigned 8-bit integer Version of the RIP protocol
nbp.nodeid Node Unsigned 8-bit integer Node
nbp.nodeid.length Node Length Unsigned 8-bit integer Node Length
rtmp.function Function Unsigned 8-bit integer Request Function
rtmp.net Net Unsigned 16-bit integer Net
rtmp.tuple.dist Distance Unsigned 16-bit integer Distance
rtmp.tuple.net Net Unsigned 16-bit integer Net
rtmp.tuple.range_end Range End Unsigned 16-bit integer Range End
rtmp.tuple.range_start Range Start Unsigned 16-bit integer Range Start
sadmind.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
sadmind.procedure_v2 V2 Procedure Unsigned 32-bit integer V2 Procedure
sadmind.procedure_v3 V3 Procedure Unsigned 32-bit integer V3 Procedure
scsi.cdb.alloclen Allocation Length Unsigned 8-bit integer
scsi.cdb.alloclen16 Allocation Length Unsigned 16-bit integer
scsi.cdb.alloclen32 Allocation Length Unsigned 32-bit integer
scsi.cdb.control Control Unsigned 8-bit integer
scsi.cdb.defectfmt Defect List Format Unsigned 8-bit integer
scsi.cdb.mode.flags Mode Sense/Select Flags Unsigned 8-bit integer
scsi.cdb.paramlen Parameter Length Unsigned 8-bit integer
scsi.cdb.paramlen16 Parameter Length Unsigned 16-bit integer
scsi.cdb.paramlen24 Paremeter List Length Unsigned 24-bit integer
scsi.data_length Data Length Unsigned 32-bit integer
scsi.disc_info.bgfs BG Format Status Unsigned 8-bit integer
scsi.disc_info.dac_v DAC_V Boolean
scsi.disc_info.dbc_v DBC_V Boolean
scsi.disc_info.dbit Dbit Boolean
scsi.disc_info.did_v DID_V Boolean
scsi.disc_info.disc_bar_code Disc Bar Code Unsigned 64-bit integer
scsi.disc_info.disc_identification Disc Identification Unsigned 32-bit integer
scsi.disc_info.disc_type Disc Type Unsigned 8-bit integer
scsi.disc_info.disk_status Disk Status Unsigned 8-bit integer
scsi.disc_info.erasable Erasable Boolean
scsi.disc_info.first_track_in_last_session First Track In Last Session Unsigned 16-bit integer
scsi.disc_info.last_possible_lead_out_start_address Last Possible Lead-Out Start Address Unsigned 32-bit integer
scsi.disc_info.last_session_lead_in_start_address Last Session Lead-In Start Address Unsigned 32-bit integer
scsi.disc_info.last_track_in_last_session Last Track In Last Session Unsigned 16-bit integer
scsi.disc_info.number_of_sessions Number Of Sessions Unsigned 16-bit integer
scsi.disc_info.state_of_last_session State Of Last Session Unsigned 8-bit integer
scsi.disc_info.uru URU Boolean
scsi.feature Feature Unsigned 16-bit integer
scsi.feature.additional_length Additional Length Unsigned 8-bit integer
scsi.feature.cdread.c2flag C2 Flag Boolean
scsi.feature.cdread.cdtext CD-Text Boolean
scsi.feature.cdread.dap DAP Boolean
scsi.feature.current Current Unsigned 8-bit integer
scsi.feature.dts Data Type Supported Unsigned 16-bit integer
scsi.feature.dvdr.buf BUF Boolean
scsi.feature.dvdr.dvdrw DVD-RW Boolean
scsi.feature.dvdr.testwrite Test Write Boolean
scsi.feature.dvdr.write Write Boolean
scsi.feature.dvdrw.closeonly Close Only Boolean
scsi.feature.dvdrw.quickstart Quick Start Boolean
scsi.feature.dvdrw.write Write Boolean
scsi.feature.isw.buf BUF Boolean
scsi.feature.isw.linksize Link Size Unsigned 8-bit integer
scsi.feature.isw.num_linksize Number of Link Sizes Unsigned 8-bit integer
scsi.feature.lun_sn LUN Serial Number String
scsi.feature.persistent Persistent Unsigned 8-bit integer
scsi.feature.profile Profile Unsigned 16-bit integer
scsi.feature.profile.current Current Boolean
scsi.feature.sao.buf BUF Boolean
scsi.feature.sao.cdrw CD-RW Boolean
scsi.feature.sao.mcsl Maximum Cue Sheet Length Unsigned 24-bit integer
scsi.feature.sao.raw Raw Boolean
scsi.feature.sao.rawms Raw MS Boolean
scsi.feature.sao.rw R-W Boolean
scsi.feature.sao.sao SAO Boolean
scsi.feature.sao.testwrite Test Write Boolean
scsi.feature.tao.buf BUF Boolean
scsi.feature.tao.cdrw CD-RW Boolean
scsi.feature.tao.rwpack R-W Pack Boolean
scsi.feature.tao.rwraw R-W Raw Boolean
scsi.feature.tao.rwsubcode R-W Subcode Boolean
scsi.feature.tao.testwrite Test Write Boolean
scsi.feature.version Version Unsigned 8-bit integer
scsi.first_track First Track Unsigned 8-bit integer
scsi.fixed_packet_size Fixed Packet Size Unsigned 32-bit integer
scsi.formatunit.flags Flags Unsigned 8-bit integer
scsi.formatunit.interleave Interleave Unsigned 16-bit integer
scsi.formatunit.vendor Vendor Unique Unsigned 8-bit integer
scsi.free_blocks Free Blocks Unsigned 32-bit integer
scsi.getconf.current_profile Current Profile Unsigned 16-bit integer
scsi.getconf.rt RT Unsigned 8-bit integer
scsi.getconf.starting_feature Starting Feature Unsigned 16-bit integer
scsi.inquiry.acaflags Flags Unsigned 8-bit integer
scsi.inquiry.acc ACC Boolean
scsi.inquiry.add_len Additional Length Unsigned 8-bit integer
scsi.inquiry.aerc AERC Boolean AERC is obsolete from SPC-3 and forward
scsi.inquiry.bque BQue Boolean
scsi.inquiry.bqueflags Flags Unsigned 8-bit integer
scsi.inquiry.cmdque CmdQue Boolean
scsi.inquiry.cmdt.pagecode CMDT Page Code Unsigned 8-bit integer
scsi.inquiry.devtype Peripheral Device Type Unsigned 8-bit integer
scsi.inquiry.encserv EncServ Boolean
scsi.inquiry.evpd.pagecode EVPD Page Code Unsigned 8-bit integer
scsi.inquiry.flags Flags Unsigned 8-bit integer
scsi.inquiry.hisup HiSup Boolean
scsi.inquiry.linked Linked Boolean
scsi.inquiry.mchngr MChngr Boolean
scsi.inquiry.multip MultiP Boolean
scsi.inquiry.normaca NormACA Boolean
scsi.inquiry.product_id Product Id String
scsi.inquiry.product_rev Product Revision Level String
scsi.inquiry.protect Protect Boolean
scsi.inquiry.qualifier Peripheral Qualifier Unsigned 8-bit integer
scsi.inquiry.rdf Response Data Format Unsigned 8-bit integer
scsi.inquiry.reladr RelAdr Boolean
scsi.inquiry.reladrflags Flags Unsigned 8-bit integer
scsi.inquiry.removable Removable Boolean
scsi.inquiry.sccs SCCS Boolean
scsi.inquiry.sccsflags Flags Unsigned 8-bit integer
scsi.inquiry.sync Sync Boolean
scsi.inquiry.tpc 3PC Boolean
scsi.inquiry.tpgs TPGS Unsigned 8-bit integer
scsi.inquiry.trmtsk TrmTsk Boolean TRMTSK is obsolete from SPC-2 and forward
scsi.inquiry.vendor_id Vendor Id String
scsi.inquiry.version Version Unsigned 8-bit integer
scsi.inquiry.version_desc Version Description Unsigned 16-bit integer
scsi.last_recorded_address Last Recorded Address Unsigned 32-bit integer
scsi.lba Logical Block Address Unsigned 32-bit integer
scsi.locate10.loid Logical Object Identifier Unsigned 32-bit integer
scsi.locate16.loid Logical Identifier Unsigned 64-bit integer
scsi.logsel.flags Flags Unsigned 8-bit integer
scsi.logsel.pc Page Control Unsigned 8-bit integer
scsi.logsns.flags Flags Unsigned 16-bit integer
scsi.logsns.pagecode Page Code Unsigned 8-bit integer
scsi.logsns.pc Page Control Unsigned 8-bit integer
scsi.lun LUN Unsigned 16-bit integer LUN
scsi.mmc.opcode MMC Opcode Unsigned 8-bit integer
scsi.mmc4.agid AGID Unsigned 8-bit integer
scsi.mmc4.key_class Key Class Unsigned 8-bit integer
scsi.mmc4.key_format Key Format Unsigned 8-bit integer
scsi.mode.flags Flags Unsigned 8-bit integer
scsi.mode.mmc.pagecode MMC-5 Page Code Unsigned 8-bit integer
scsi.mode.mrie MRIE Unsigned 8-bit integer
scsi.mode.pc Page Control Unsigned 8-bit integer
scsi.mode.qerr Queue Error Management Boolean
scsi.mode.qmod Queue Algorithm Modifier Unsigned 8-bit integer
scsi.mode.sbc.pagecode SBC-2 Page Code Unsigned 8-bit integer
scsi.mode.smc.pagecode SMC-2 Page Code Unsigned 8-bit integer
scsi.mode.spc.pagecode SPC-2 Page Code Unsigned 8-bit integer
scsi.mode.ssc.pagecode SSC-2 Page Code Unsigned 8-bit integer
scsi.mode.tac Task Aborted Status Boolean
scsi.mode.tst Task Set Type Unsigned 8-bit integer
scsi.next_writable_address Next Writable Address Unsigned 32-bit integer
scsi.num_blocks Number of Blocks Unsigned 32-bit integer
scsi.persresv.scope Reservation Scope Unsigned 8-bit integer
scsi.persresv.type Reservation Type Unsigned 8-bit integer
scsi.persresvin.svcaction Service Action Unsigned 8-bit integer
scsi.persresvout.svcaction Service Action Unsigned 8-bit integer
scsi.proto Protocol Unsigned 8-bit integer
scsi.q.subchannel.adr Q Subchannel ADR Unsigned 8-bit integer
scsi.q.subchannel.control Q Subchannel Control Unsigned 8-bit integer
scsi.rbc.alob_blocks Available Buffer Len (blocks) Unsigned 32-bit integer
scsi.rbc.alob_bytes Available Buffer Len (bytes) Unsigned 32-bit integer
scsi.rbc.block BLOCK Boolean
scsi.rbc.lob_blocks Buffer Len (blocks) Unsigned 32-bit integer
scsi.rbc.lob_bytes Buffer Len (bytes) Unsigned 32-bit integer
scsi.rdwr10.lba Logical Block Address (LBA) Unsigned 32-bit integer
scsi.rdwr10.xferlen Transfer Length Unsigned 16-bit integer
scsi.rdwr12.xferlen Transfer Length Unsigned 32-bit integer
scsi.rdwr16.lba Logical Block Address (LBA) Byte array
scsi.rdwr6.lba Logical Block Address (LBA) Unsigned 24-bit integer
scsi.rdwr6.xferlen Transfer Length Unsigned 24-bit integer
scsi.read.flags Flags Unsigned 8-bit integer
scsi.read_compatibility_lba Read Compatibility LBA Unsigned 32-bit integer
scsi.readcapacity.flags Flags Unsigned 8-bit integer
scsi.readcapacity.lba Logical Block Address Unsigned 32-bit integer
scsi.readcapacity.pmi PMI Unsigned 8-bit integer
scsi.readdefdata.flags Flags Unsigned 8-bit integer
scsi.readtoc.first_session First Session Unsigned 8-bit integer
scsi.readtoc.format Format Unsigned 8-bit integer
scsi.readtoc.last_session Last Session Unsigned 8-bit integer
scsi.readtoc.last_track Last Track Unsigned 8-bit integer
scsi.readtoc.time Time Boolean
scsi.reassignblks.flags Flags Unsigned 8-bit integer
scsi.release.flags Release Flags Unsigned 8-bit integer
scsi.release.thirdpartyid Third-Party ID Byte array
scsi.report_key.region_mask Region Mask Unsigned 8-bit integer
scsi.report_key.rpc_scheme RPC Scheme Unsigned 8-bit integer
scsi.report_key.type_code Type Code Unsigned 8-bit integer
scsi.report_key.user_changes User Changes Unsigned 8-bit integer
scsi.report_key.vendor_resets Vendor Resets Unsigned 8-bit integer
scsi.reportluns.lun LUN Unsigned 8-bit integer
scsi.reportluns.mlun Multi-level LUN Byte array
scsi.request_frame Request in Frame number The request to this transaction is in this frame
scsi.reservation_size Reservation Size Unsigned 32-bit integer
scsi.response_frame Response in Frame number The response to this transaction is in this frame
scsi.rti.address_type Address Type Unsigned 8-bit integer
scsi.rti.blank Blank Boolean
scsi.rti.copy Copy Boolean
scsi.rti.damage Damage Boolean
scsi.rti.data_mode Data Mode Unsigned 8-bit integer
scsi.rti.fp FP Boolean
scsi.rti.lra_v LRA_V Boolean
scsi.rti.nwa_v NWA_V Boolean
scsi.rti.packet Packet/Inc Boolean
scsi.rti.rt RT Boolean
scsi.rti.track_mode Track Mode Unsigned 8-bit integer
scsi.sbc.opcode SBC-2 Opcode Unsigned 8-bit integer
scsi.sbc2.ssu.immediate Immediate Boolean
scsi.sbc2.ssu.loej LOEJ Boolean
scsi.sbc2.ssu.pwr Power Conditions Unsigned 8-bit integer
scsi.sbc2.ssu.start Start Boolean
scsi.sbc2.verify.blkvfy BLKVFY Boolean
scsi.sbc2.verify.bytchk BYTCHK Boolean
scsi.sbc2.verify.dpo DPO Boolean
scsi.sbc2.verify.lba LBA Unsigned 32-bit integer
scsi.sbc2.verify.lba64 LBA Unsigned 64-bit integer
scsi.sbc2.verify.reladdr RELADDR Boolean
scsi.sbc2.verify.vlen Verification Length Unsigned 16-bit integer
scsi.sbc2.verify.vlen32 Verification Length Unsigned 32-bit integer
scsi.sbc2.wrverify.ebp EBP Boolean
scsi.sbc2.wrverify.lba LBA Unsigned 32-bit integer
scsi.sbc2.wrverify.lba64 LBA Unsigned 64-bit integer
scsi.sbc2.wrverify.xferlen Transfer Length Unsigned 16-bit integer
scsi.sbc2.wrverify.xferlen32 Transfer Length Unsigned 32-bit integer
scsi.session Session Unsigned 32-bit integer
scsi.setcdspeed.rc Rotational Control Unsigned 8-bit integer
scsi.setstreaming.end_lba End LBA Unsigned 32-bit integer
scsi.setstreaming.exact Exact Boolean
scsi.setstreaming.param_len Parameter Length Unsigned 16-bit integer
scsi.setstreaming.ra RA Boolean
scsi.setstreaming.rdd RDD Boolean
scsi.setstreaming.read_size Read Size Unsigned 32-bit integer
scsi.setstreaming.read_time Read Time Unsigned 32-bit integer
scsi.setstreaming.start_lbs Start LBA Unsigned 32-bit integer
scsi.setstreaming.type Type Unsigned 8-bit integer
scsi.setstreaming.wrc WRC Unsigned 8-bit integer
scsi.setstreaming.write_size Write Size Unsigned 32-bit integer
scsi.setstreaming.write_time Write Time Unsigned 32-bit integer
scsi.smc.opcode SMC-2 Opcode Unsigned 8-bit integer
scsi.sns.addlen Additional Sense Length Unsigned 8-bit integer
scsi.sns.asc Additional Sense Code Unsigned 8-bit integer
scsi.sns.ascascq Additional Sense Code+Qualifier Unsigned 16-bit integer
scsi.sns.ascq Additional Sense Code Qualifier Unsigned 8-bit integer
scsi.sns.errtype SNS Error Type Unsigned 8-bit integer
scsi.sns.fru Field Replaceable Unit Code Unsigned 8-bit integer
scsi.sns.info Sense Info Unsigned 32-bit integer
scsi.sns.key Sense Key Unsigned 8-bit integer
scsi.sns.sksv SKSV Boolean
scsi.space16.count Count Unsigned 64-bit integer
scsi.space6.count Count Unsigned 24-bit integer
scsi.spc.opcode SPC-2 Opcode Unsigned 8-bit integer
scsi.spc2.addcdblen Additional CDB Length Unsigned 8-bit integer
scsi.spc2.resv.key Reservation Key Byte array
scsi.spc2.resv.scopeaddr Scope Address Byte array
scsi.spc2.sb.bufid Buffer ID Unsigned 8-bit integer
scsi.spc2.select_report Select Report Unsigned 8-bit integer
scsi.spc2.senddiag.code Self-Test Code Unsigned 8-bit integer
scsi.spc2.senddiag.devoff Device Offline Boolean
scsi.spc2.senddiag.pf PF Boolean
scsi.spc2.senddiag.st Self Test Boolean
scsi.spc2.senddiag.unitoff Unit Offline Boolean
scsi.spc2.svcaction Service Action Unsigned 16-bit integer
scsi.spc2.wb.bufoff Buffer Offset Unsigned 24-bit integer
scsi.spc2.wb.mode Mode Unsigned 8-bit integer
scsi.ssc.opcode SSC-2 Opcode Unsigned 8-bit integer
scsi.status Status Unsigned 8-bit integer SCSI command status value
scsi.synccache.immed IMMED Boolean
scsi.synccache.reladr RelAdr Boolean
scsi.time Time from request Time duration Time between the Command and the Response
scsi.track Track Unsigned 32-bit integer
scsi.track_size Track Size Unsigned 32-bit integer
scsi.track_start_address Track Start Address Unsigned 32-bit integer
scsi.track_start_time Track Start Time Unsigned 32-bit integer
ssci.mode.rac Report a Check Boolean
sebek.cmd Command Name String Command Name
sebek.counter Counter Unsigned 32-bit integer Counter
sebek.data Data String Data
sebek.fd File Descriptor Unsigned 32-bit integer File Descriptor Number
sebek.inode Inode ID Unsigned 32-bit integer Process ID
sebek.len Data Length Unsigned 32-bit integer Data Length
sebek.magic Magic Unsigned 32-bit integer Magic Number
sebek.pid Process ID Unsigned 32-bit integer Process ID
sebek.ppid Parent Process ID Unsigned 32-bit integer Process ID
sebek.socket.call Socket.Call_id Unsigned 16-bit integer Socket.call
sebek.socket.dst_ip Socket.remote_ip IPv4 address Socket.dst_ip
sebek.socket.dst_port Socket.remote_port Unsigned 16-bit integer Socket.dst_port
sebek.socket.ip_proto Socket.ip_proto Unsigned 8-bit integer Socket.ip_proto
sebek.socket.src_ip Socket.local_ip IPv4 address Socket.src_ip
sebek.socket.src_port Socket.local_port Unsigned 16-bit integer Socket.src_port
sebek.time.sec Time Date/Time stamp Time
sebek.type Type Unsigned 16-bit integer Type
sebek.uid User ID Unsigned 32-bit integer User ID
sebek.version Version Unsigned 16-bit integer Version Number
nt.access_mask Access required Unsigned 32-bit integer Access mask
nt.access_mask.access_sacl Access SACL Boolean Access SACL
nt.access_mask.delete Delete Boolean Delete
nt.access_mask.generic_all Generic all Boolean Generic all
nt.access_mask.generic_execute Generic execute Boolean Generic execute
nt.access_mask.generic_read Generic read Boolean Generic read
nt.access_mask.generic_write Generic write Boolean Generic write
nt.access_mask.maximum_allowed Maximum allowed Boolean Maximum allowed
nt.access_mask.read_control Read control Boolean Read control
nt.access_mask.specific_0 Specific access, bit 0 Boolean Specific access, bit 0
nt.access_mask.specific_1 Specific access, bit 1 Boolean Specific access, bit 1
nt.access_mask.specific_10 Specific access, bit 10 Boolean Specific access, bit 10
nt.access_mask.specific_11 Specific access, bit 11 Boolean Specific access, bit 11
nt.access_mask.specific_12 Specific access, bit 12 Boolean Specific access, bit 12
nt.access_mask.specific_13 Specific access, bit 13 Boolean Specific access, bit 13
nt.access_mask.specific_14 Specific access, bit 14 Boolean Specific access, bit 14
nt.access_mask.specific_15 Specific access, bit 15 Boolean Specific access, bit 15
nt.access_mask.specific_2 Specific access, bit 2 Boolean Specific access, bit 2
nt.access_mask.specific_3 Specific access, bit 3 Boolean Specific access, bit 3
nt.access_mask.specific_4 Specific access, bit 4 Boolean Specific access, bit 4
nt.access_mask.specific_5 Specific access, bit 5 Boolean Specific access, bit 5
nt.access_mask.specific_6 Specific access, bit 6 Boolean Specific access, bit 6
nt.access_mask.specific_7 Specific access, bit 7 Boolean Specific access, bit 7
nt.access_mask.specific_8 Specific access, bit 8 Boolean Specific access, bit 8
nt.access_mask.specific_9 Specific access, bit 9 Boolean Specific access, bit 9
nt.access_mask.synchronise Synchronise Boolean Synchronise
nt.access_mask.write_dac Write DAC Boolean Write DAC
nt.access_mask.write_owner Write owner Boolean Write owner
nt.ace.flags.container_inherit Container Inherit Boolean Will subordinate containers inherit this ACE?
nt.ace.flags.failed_access Audit Failed Accesses Boolean Should failed accesses be audited?
nt.ace.flags.inherit_only Inherit Only Boolean Does this ACE apply to the current object?
nt.ace.flags.inherited_ace Inherited ACE Boolean Was this ACE inherited from its parent object?
nt.ace.flags.non_propagate_inherit Non-Propagate Inherit Boolean Will subordinate object propagate this ACE further?
nt.ace.flags.object_inherit Object Inherit Boolean Will subordinate files inherit this ACE?
nt.ace.flags.successful_access Audit Successful Accesses Boolean Should successful accesses be audited?
nt.ace.object.flags.inherited_object_type_present Inherited Object Type Present Boolean
nt.ace.object.flags.object_type_present Object Type Present Boolean
nt.ace.object.guid GUID
nt.ace.object.inherited_guid Inherited GUID
nt.ace.size Size Unsigned 16-bit integer Size of this ACE
nt.ace.type Type Unsigned 8-bit integer Type of ACE
nt.acl.num_aces Num ACEs Unsigned 32-bit integer Number of ACE structures for this ACL
nt.acl.revision Revision Unsigned 16-bit integer Version of NT ACL structure
nt.acl.size Size Unsigned 16-bit integer Size of NT ACL structure
nt.sec_desc.revision Revision Unsigned 16-bit integer Version of NT Security Descriptor structure
nt.sec_desc.type.dacl_auto_inherit_req DACL Auto Inherit Required Boolean Does this SecDesc have DACL Auto Inherit Required set?
nt.sec_desc.type.dacl_auto_inherited DACL Auto Inherited Boolean Is this DACL auto inherited
nt.sec_desc.type.dacl_defaulted DACL Defaulted Boolean Does this SecDesc have DACL Defaulted?
nt.sec_desc.type.dacl_present DACL Present Boolean Does this SecDesc have DACL present?
nt.sec_desc.type.dacl_protected DACL Protected Boolean Is the DACL structure protected?
nt.sec_desc.type.dacl_trusted DACL Trusted Boolean Does this SecDesc have DACL TRUSTED set?
nt.sec_desc.type.group_defaulted Group Defaulted Boolean Is Group Defaulted?
nt.sec_desc.type.owner_defaulted Owner Defaulted Boolean Is Owner Defaulted set?
nt.sec_desc.type.rm_control_valid RM Control Valid Boolean Is RM Control Valid set?
nt.sec_desc.type.sacl_auto_inherit_req SACL Auto Inherit Required Boolean Does this SecDesc have SACL Auto Inherit Required set?
nt.sec_desc.type.sacl_auto_inherited SACL Auto Inherited Boolean Is this SACL auto inherited
nt.sec_desc.type.sacl_defaulted SACL Defaulted Boolean Does this SecDesc have SACL Defaulted?
nt.sec_desc.type.sacl_present SACL Present Boolean Is the SACL present?
nt.sec_desc.type.sacl_protected SACL Protected Boolean Is the SACL structure protected?
nt.sec_desc.type.self_relative Self Relative Boolean Is this SecDesc self relative?
nt.sec_desc.type.server_security Server Security Boolean Does this SecDesc have SERVER SECURITY set?
nt.sid SID String SID: Security Identifier
nt.sid.num_auth Num Auth Unsigned 8-bit integer Number of authorities for this SID
nt.sid.revision Revision Unsigned 8-bit integer Version of SID structure
smb.access.append Append Boolean Can object's contents be appended to
smb.access.caching Caching Boolean Caching mode?
smb.access.delete Delete Boolean Can object be deleted
smb.access.delete_child Delete Child Boolean Can object's subdirectories be deleted
smb.access.execute Execute Boolean Can object be executed (if file) or traversed (if directory)
smb.access.generic_all Generic All Boolean Is generic all allowed for this attribute
smb.access.generic_execute Generic Execute Boolean Is generic execute allowed for this object?
smb.access.generic_read Generic Read Boolean Is generic read allowed for this object?
smb.access.generic_write Generic Write Boolean Is generic write allowed for this object?
smb.access.locality Locality Unsigned 16-bit integer Locality of reference
smb.access.maximum_allowed Maximum Allowed Boolean ?
smb.access.mode Access Mode Unsigned 16-bit integer Access Mode
smb.access.read Read Boolean Can object's contents be read
smb.access.read_attributes Read Attributes Boolean Can object's attributes be read
smb.access.read_control Read Control Boolean Are reads allowed of owner, group and ACL data of the SID?
smb.access.read_ea Read EA Boolean Can object's extended attributes be read
smb.access.sharing Sharing Mode Unsigned 16-bit integer Sharing Mode
smb.access.smb.date Last Access Date Unsigned 16-bit integer Last Access Date, SMB_DATE format
smb.access.smb.time Last Access Time Unsigned 16-bit integer Last Access Time, SMB_TIME format
smb.access.synchronize Synchronize Boolean Windows NT: synchronize access
smb.access.system_security System Security Boolean Access to a system ACL?
smb.access.time Last Access Date/Time stamp Last Access Time
smb.access.write Write Boolean Can object's contents be written
smb.access.write_attributes Write Attributes Boolean Can object's attributes be written
smb.access.write_dac Write DAC Boolean Is write allowed to the owner group or ACLs?
smb.access.write_ea Write EA Boolean Can object's extended attributes be written
smb.access.write_owner Write Owner Boolean Can owner write to the object?
smb.access.writethrough Writethrough Boolean Writethrough mode?
smb.account Account String Account, username
smb.actual_free_alloc_units Actual Free Units Unsigned 64-bit integer Number of actual free allocation units
smb.alignment Alignment Unsigned 32-bit integer What alignment do we require for buffers
smb.alloc.count Allocation Block Count Unsigned 32-bit integer Allocation Block Count
smb.alloc.size Allocation Block Count Unsigned 32-bit integer Allocation Block Size
smb.alloc_size Allocation Size Unsigned 32-bit integer Number of bytes to reserve on create or truncate
smb.andxoffset AndXOffset Unsigned 16-bit integer Offset to next command in this SMB packet
smb.ansi_password ANSI Password Byte array ANSI Password
smb.ansi_pwlen ANSI Password Length Unsigned 16-bit integer Length of ANSI password
smb.attribute Attribute Unsigned 32-bit integer
smb.avail.units Available Units Unsigned 32-bit integer Total number of available units on this filesystem
smb.backup.time Backed-up Date/Time stamp Backup time
smb.bcc Byte Count (BCC) Unsigned 16-bit integer Byte Count, count of data bytes
smb.blocksize Block Size Unsigned 16-bit integer Block size (in bytes) at server
smb.bpu Blocks Per Unit Unsigned 16-bit integer Blocks per unit at server
smb.buffer_format Buffer Format Unsigned 8-bit integer Buffer Format, type of buffer
smb.caller_free_alloc_units Caller Free Units Unsigned 64-bit integer Number of caller free allocation units
smb.cancel_to Cancel to Frame number This packet is a cancellation of the packet in this frame
smb.change.time Change Date/Time stamp Last Change Time
smb.change_count Change Count Unsigned 16-bit integer Number of changes to wait for
smb.cmd SMB Command Unsigned 8-bit integer SMB Command
smb.compressed.chunk_shift Chunk Shift Unsigned 8-bit integer Allocated size of the stream in number of bytes
smb.compressed.cluster_shift Cluster Shift Unsigned 8-bit integer Allocated size of the stream in number of bytes
smb.compressed.file_size Compressed Size Unsigned 64-bit integer Size of the compressed file
smb.compressed.format Compression Format Unsigned 16-bit integer Compression algorithm used
smb.compressed.unit_shift Unit Shift Unsigned 8-bit integer Size of the stream in number of bytes
smb.connect.flags.dtid Disconnect TID Boolean Disconnect TID?
smb.connect.support.dfs In Dfs Boolean Is this in a Dfs tree?
smb.connect.support.search Search Bits Boolean Exclusive Search Bits supported?
smb.continuation_to Continuation to Frame number This packet is a continuation to the packet in this frame
smb.copy.flags.dest_mode Destination mode Boolean Is destination in ASCII?
smb.copy.flags.dir Must be directory Boolean Must target be a directory?
smb.copy.flags.ea_action EA action if EAs not supported on dest Boolean Fail copy if source file has EAs and dest doesn't support EAs?
smb.copy.flags.file Must be file Boolean Must target be a file?
smb.copy.flags.source_mode Source mode Boolean Is source in ASCII?
smb.copy.flags.tree_copy Tree copy Boolean Is copy a tree copy?
smb.copy.flags.verify Verify writes Boolean Verify all writes?
smb.count Count Unsigned 32-bit integer Count number of items/bytes
smb.count_high Count High (multiply with 64K) Unsigned 16-bit integer Count number of items/bytes, High 16 bits
smb.count_low Count Low Unsigned 16-bit integer Count number of items/bytes, Low 16 bits
smb.create.action Create action Unsigned 32-bit integer Type of action taken
smb.create.disposition Disposition Unsigned 32-bit integer Create disposition, what to do if the file does/does not exist
smb.create.file_id Server unique file ID Unsigned 32-bit integer Server unique file ID
smb.create.smb.date Create Date Unsigned 16-bit integer Create Date, SMB_DATE format
smb.create.smb.time Create Time Unsigned 16-bit integer Create Time, SMB_TIME format
smb.create.time Created Date/Time stamp Creation Time
smb.data_disp Data Displacement Unsigned 16-bit integer Data Displacement
smb.data_len Data Length Unsigned 16-bit integer Length of data
smb.data_len_high Data Length High (multiply with 64K) Unsigned 16-bit integer Length of data, High 16 bits
smb.data_len_low Data Length Low Unsigned 16-bit integer Length of data, Low 16 bits
smb.data_offset Data Offset Unsigned 16-bit integer Data Offset
smb.data_size Data Size Unsigned 32-bit integer Data Size
smb.dc Data Count Unsigned 16-bit integer Number of data bytes in this buffer
smb.dcm Data Compaction Mode Unsigned 16-bit integer Data Compaction Mode
smb.delete_pending Delete Pending Unsigned 16-bit integer Is this object about to be deleted?
smb.destination_name Destination Name String Name of recipient of message
smb.device.floppy Floppy Boolean Is this a floppy disk
smb.device.mounted Mounted Boolean Is this a mounted device
smb.device.read_only Read Only Boolean Is this a read-only device
smb.device.remote Remote Boolean Is this a remote device
smb.device.removable Removable Boolean Is this a removable device
smb.device.type Device Type Unsigned 32-bit integer Type of device
smb.device.virtual Virtual Boolean Is this a virtual device
smb.device.write_once Write Once Boolean Is this a write-once device
smb.dfs.flags.fielding Fielding Boolean The servers in referrals are capable of fielding
smb.dfs.flags.server_hold_storage Hold Storage Boolean The servers in referrals should hold storage for the file
smb.dfs.num_referrals Num Referrals Unsigned 16-bit integer Number of referrals in this pdu
smb.dfs.path_consumed Path Consumed Unsigned 16-bit integer Number of RequestFilename bytes client
smb.dfs.referral.alt_path Alt Path String Alternative(8.3) Path that matched pathconsumed
smb.dfs.referral.alt_path_offset Alt Path Offset Unsigned 16-bit integer Offset of alternative(8.3) Path that matched pathconsumed
smb.dfs.referral.flags.strip Strip Boolean Should we strip off pathconsumed characters before submitting?
smb.dfs.referral.node Node String Name of entity to visit next
smb.dfs.referral.node_offset Node Offset Unsigned 16-bit integer Offset of name of entity to visit next
smb.dfs.referral.path Path String Dfs Path that matched pathconsumed
smb.dfs.referral.path_offset Path Offset Unsigned 16-bit integer Offset of Dfs Path that matched pathconsumed
smb.dfs.referral.proximity Proximity Unsigned 16-bit integer Hint describing proximity of this server to the client
smb.dfs.referral.server.type Server Type Unsigned 16-bit integer Type of referral server
smb.dfs.referral.size Size Unsigned 16-bit integer Size of referral element
smb.dfs.referral.ttl TTL Unsigned 16-bit integer Number of seconds the client can cache this referral
smb.dfs.referral.version Version Unsigned 16-bit integer Version of referral element
smb.dialect.index Selected Index Unsigned 16-bit integer Index of selected dialect
smb.dialect.name Name String Name of dialect
smb.dir.accessmask.add_file Add File Boolean
smb.dir.accessmask.add_subdir Add Subdir Boolean
smb.dir.accessmask.delete_child Delete Child Boolean
smb.dir.accessmask.list List Boolean
smb.dir.accessmask.read_attribute Read Attribute Boolean
smb.dir.accessmask.read_ea Read EA Boolean
smb.dir.accessmask.traverse Traverse Boolean
smb.dir.accessmask.write_attribute Write Attribute Boolean
smb.dir.accessmask.write_ea Write EA Boolean
smb.dir.count Root Directory Count Unsigned 32-bit integer Directory Count
smb.dir_name Directory String SMB Directory Name
smb.disposition.delete_on_close Delete on close Boolean
smb.ea.data EA Data Byte array EA Data
smb.ea.data_length EA Data Length Unsigned 16-bit integer EA Data Length
smb.ea.error_offset EA Error offset Unsigned 32-bit integer Offset into EA list if EA error
smb.ea.flags EA Flags Unsigned 8-bit integer EA Flags
smb.ea.list_length EA List Length Unsigned 32-bit integer Total length of extended attributes
smb.ea.name EA Name String EA Name
smb.ea.name_length EA Name Length Unsigned 8-bit integer EA Name Length
smb.echo.count Echo Count Unsigned 16-bit integer Number of times to echo data back
smb.echo.data Echo Data Byte array Data for SMB Echo Request/Response
smb.echo.seq_num Echo Seq Num Unsigned 16-bit integer Sequence number for this echo response
smb.encryption_key Encryption Key Byte array Challenge/Response Encryption Key (for LM2.1 dialect)
smb.encryption_key_length Key Length Unsigned 16-bit integer Encryption key length (must be 0 if not LM2.1 dialect)
smb.end_of_file End Of File Unsigned 64-bit integer Offset to the first free byte in the file
smb.end_of_search End Of Search Unsigned 16-bit integer Was last entry returned?
smb.error_class Error Class Unsigned 8-bit integer DOS Error Class
smb.error_code Error Code Unsigned 16-bit integer DOS Error Code
smb.ext_attr Extended Attributes Byte array Extended Attributes
smb.ff2_loi Level of Interest Unsigned 16-bit integer Level of interest for FIND_FIRST2 command
smb.fid FID Unsigned 16-bit integer FID: File ID
smb.fid.closed_in Closed in Frame number The frame this fid was closed
smb.fid.mapped_in Mapped in Frame number The frame this share was mapped
smb.fid.opened_in Opened in Frame number The frame this fid was opened
smb.fid.unmapped_in Unmapped in Frame number The frame this share was unmapped
smb.file File Name String File Name
smb.file.accessmask.append_data Append Data Boolean
smb.file.accessmask.execute Execute Boolean
smb.file.accessmask.read_attribute Read Attribute Boolean
smb.file.accessmask.read_data Read Data Boolean
smb.file.accessmask.read_ea Read EA Boolean
smb.file.accessmask.write_attribute Write Attribute Boolean
smb.file.accessmask.write_data Write Data Boolean
smb.file.accessmask.write_ea Write EA Boolean
smb.file.count Root File Count Unsigned 32-bit integer File Count
smb.file_attribute.archive Archive Boolean ARCHIVE file attribute
smb.file_attribute.compressed Compressed Boolean Is this file compressed?
smb.file_attribute.device Device Boolean Is this file a device?
smb.file_attribute.directory Directory Boolean DIRECTORY file attribute
smb.file_attribute.encrypted Encrypted Boolean Is this file encrypted?
smb.file_attribute.hidden Hidden Boolean HIDDEN file attribute
smb.file_attribute.normal Normal Boolean Is this a normal file?
smb.file_attribute.not_content_indexed Content Indexed Boolean May this file be indexed by the content indexing service
smb.file_attribute.offline Offline Boolean Is this file offline?
smb.file_attribute.read_only Read Only Boolean READ ONLY file attribute
smb.file_attribute.reparse Reparse Point Boolean Does this file have an associated reparse point?
smb.file_attribute.sparse Sparse Boolean Is this a sparse file?
smb.file_attribute.system System Boolean SYSTEM file attribute
smb.file_attribute.temporary Temporary Boolean Is this a temporary file?
smb.file_attribute.volume Volume ID Boolean VOLUME file attribute
smb.file_data File Data Byte array Data read/written to the file
smb.file_index File Index Unsigned 32-bit integer File index
smb.file_name_len File Name Len Unsigned 32-bit integer Length of File Name
smb.file_size File Size Unsigned 32-bit integer File Size
smb.file_type File Type Unsigned 16-bit integer Type of file
smb.files_moved Files Moved Unsigned 16-bit integer Number of files moved
smb.find_first2.flags.backup Backup Intent Boolean Find with backup intent
smb.find_first2.flags.close Close Boolean Close search after this request
smb.find_first2.flags.continue Continue Boolean Continue search from previous ending place
smb.find_first2.flags.eos Close on EOS Boolean Close search if end of search reached
smb.find_first2.flags.resume Resume Boolean Return resume keys for each entry found
smb.flags.canon Canonicalized Pathnames Boolean Are pathnames canonicalized?
smb.flags.caseless Case Sensitivity Boolean Are pathnames caseless or casesensitive?
smb.flags.lock Lock and Read Boolean Are Lock&Read and Write&Unlock operations supported?
smb.flags.notify Notify Boolean Notify on open or all?
smb.flags.oplock Oplocks Boolean Is an oplock requested/granted?
smb.flags.receive_buffer Receive Buffer Posted Boolean Have receive buffers been reported?
smb.flags.response Request/Response Boolean Is this a request or a response?
smb.flags2.dfs Dfs Boolean Can pathnames be resolved using Dfs?
smb.flags2.ea Extended Attributes Boolean Are extended attributes supported?
smb.flags2.esn Extended Security Negotiation Boolean Is extended security negotiation supported?
smb.flags2.long_names_allowed Long Names Allowed Boolean Are long file names allowed in the response?
smb.flags2.long_names_used Long Names Used Boolean Are pathnames in this request long file names?
smb.flags2.nt_error Error Code Type Boolean Are error codes NT or DOS format?
smb.flags2.roe Execute-only Reads Boolean Will reads be allowed for execute-only files?
smb.flags2.sec_sig Security Signatures Boolean Are security signatures supported?
smb.flags2.string Unicode Strings Boolean Are strings ASCII or Unicode?
smb.fn_loi Level of Interest Unsigned 16-bit integer Level of interest for FIND_NOTIFY command
smb.forwarded_name Forwarded Name String Recipient name being forwarded
smb.free_alloc_units Free Units Unsigned 64-bit integer Number of free allocation units
smb.free_block.count Free Block Count Unsigned 32-bit integer Free Block Count
smb.free_units Free Units Unsigned 16-bit integer Number of free units at server
smb.fs_attr.cpn Case Preserving Boolean Will this FS Preserve Name Case?
smb.fs_attr.css Case Sensitive Search Boolean Does this FS support Case Sensitive Search?
smb.fs_attr.fc Compression Boolean Does this FS support File Compression?
smb.fs_attr.ns Named Streams Boolean Does this FS support named streams?
smb.fs_attr.pacls Persistent ACLs Boolean Does this FS support Persistent ACLs?
smb.fs_attr.rov Read Only Volume Boolean Is this FS on a read only volume?
smb.fs_attr.se Supports Encryption Boolean Does this FS support encryption?
smb.fs_attr.sla LFN APIs Boolean Does this FS support LFN APIs?
smb.fs_attr.soids Supports OIDs Boolean Does this FS support OIDs?
smb.fs_attr.srp Reparse Points Boolean Does this FS support REPARSE POINTS?
smb.fs_attr.srs Remote Storage Boolean Does this FS support REMOTE STORAGE?
smb.fs_attr.ssf Sparse Files Boolean Does this FS support SPARSE FILES?
smb.fs_attr.uod Unicode On Disk Boolean Does this FS support Unicode On Disk?
smb.fs_attr.vis Volume Is Compressed Boolean Is this FS on a compressed volume?
smb.fs_attr.vq Volume Quotas Boolean Does this FS support Volume Quotas?
smb.fs_bytes_per_sector Bytes per Sector Unsigned 32-bit integer Bytes per sector
smb.fs_id FS Id Unsigned 32-bit integer File System ID (NT Server always returns 0)
smb.fs_max_name_len Max name length Unsigned 32-bit integer Maximum length of each file name component in number of bytes
smb.fs_name FS Name String Name of filesystem
smb.fs_name.len Label Length Unsigned 32-bit integer Length of filesystem name in bytes
smb.fs_sector_per_unit Sectors/Unit Unsigned 32-bit integer Sectors per allocation unit
smb.fs_units Total Units Unsigned 32-bit integer Total number of units on this filesystem
smb.group_id Group ID Unsigned 16-bit integer SMB-over-IPX Group ID
smb.impersonation.level Impersonation Unsigned 32-bit integer Impersonation level
smb.index_number Index Number Unsigned 64-bit integer File system unique identifier
smb.ipc_state.endpoint Endpoint Unsigned 16-bit integer Which end of the pipe this is
smb.ipc_state.icount Icount Unsigned 16-bit integer Count to control pipe instancing
smb.ipc_state.nonblocking Nonblocking Boolean Is I/O to this pipe nonblocking?
smb.ipc_state.pipe_type Pipe Type Unsigned 16-bit integer What type of pipe this is
smb.ipc_state.read_mode Read Mode Unsigned 16-bit integer How this pipe should be read
smb.is_directory Is Directory Unsigned 8-bit integer Is this object a directory?
smb.key Key Unsigned 32-bit integer SMB-over-IPX Key
smb.last_name_offset Last Name Offset Unsigned 16-bit integer If non-0 this is the offset into the datablock for the file name of the last entry
smb.last_write.smb.date Last Write Date Unsigned 16-bit integer Last Write Date, SMB_DATE format
smb.last_write.smb.time Last Write Time Unsigned 16-bit integer Last Write Time, SMB_TIME format
smb.last_write.time Last Write Date/Time stamp Time this file was last written to
smb.link_count Link Count Unsigned 32-bit integer Number of hard links to the file
smb.lock.length Length Unsigned 64-bit integer Length of lock/unlock region
smb.lock.offset Offset Unsigned 64-bit integer Offset in the file of lock/unlock region
smb.lock.type.cancel Cancel Boolean Cancel outstanding lock requests?
smb.lock.type.change Change Boolean Change type of lock?
smb.lock.type.large Large Files Boolean Large file locking requested?
smb.lock.type.oplock_release Oplock Break Boolean Is this a notification of, or a response to, an oplock break?
smb.lock.type.shared Shared Boolean Shared or exclusive lock requested?
smb.locking.num_locks Number of Locks Unsigned 16-bit integer Number of lock requests in this request
smb.locking.num_unlocks Number of Unlocks Unsigned 16-bit integer Number of unlock requests in this request
smb.locking.oplock.level Oplock Level Unsigned 8-bit integer Level of existing oplock at client (if any)
smb.mac.access_control Mac Access Control Boolean Are Mac Access Control Supported
smb.mac.desktop_db_calls Desktop DB Calls Boolean Are Macintosh Desktop DB Calls Supported?
smb.mac.finderinfo Finder Info Byte array Finder Info
smb.mac.get_set_comments Get Set Comments Boolean Are Mac Get Set Comments supported?
smb.mac.streams_support Mac Streams Boolean Are Mac Extensions and streams supported?
smb.mac.support.flags Mac Support Flags Unsigned 32-bit integer Mac Support Flags
smb.mac.uids Macintosh Unique IDs Boolean Are Unique IDs supported
smb.machine_name Machine Name String Name of target machine
smb.marked_for_deletion Marked for Deletion Boolean Marked for deletion?
smb.max_buf Max Buffer Unsigned 16-bit integer Max client buffer size
smb.max_bufsize Max Buffer Size Unsigned 32-bit integer Maximum transmit buffer size
smb.max_mpx_count Max Mpx Count Unsigned 16-bit integer Maximum pending multiplexed requests
smb.max_raw Max Raw Buffer Unsigned 32-bit integer Maximum raw buffer size
smb.max_referral_level Max Referral Level Unsigned 16-bit integer Latest referral version number understood
smb.max_vcs Max VCs Unsigned 16-bit integer Maximum VCs between client and server
smb.maxcount Max Count Unsigned 16-bit integer Maximum Count
smb.maxcount_high Max Count High (multiply with 64K) Unsigned 16-bit integer Maximum Count, High 16 bits
smb.maxcount_low Max Count Low Unsigned 16-bit integer Maximum Count, Low 16 bits
smb.mdc Max Data Count Unsigned 32-bit integer Maximum number of data bytes to return
smb.message Message String Message text
smb.message.len Message Len Unsigned 16-bit integer Length of message
smb.mgid Message Group ID Unsigned 16-bit integer Message group ID for multi-block messages
smb.mid Multiplex ID Unsigned 16-bit integer Multiplex ID
smb.mincount Min Count Unsigned 16-bit integer Minimum Count
smb.mode Mode Unsigned 32-bit integer
smb.modify.time Modified Date/Time stamp Modification Time
smb.monitor_handle Monitor Handle Unsigned 16-bit integer Handle for Find Notify operations
smb.move.flags.dir Must be directory Boolean Must target be a directory?
smb.move.flags.file Must be file Boolean Must target be a file?
smb.move.flags.verify Verify writes Boolean Verify all writes?
smb.mpc Max Parameter Count Unsigned 32-bit integer Maximum number of parameter bytes to return
smb.msc Max Setup Count Unsigned 8-bit integer Maximum number of setup words to return
smb.native_fs Native File System String Native File System
smb.native_lanman Native LAN Manager String Which LANMAN protocol we are running
smb.native_os Native OS String Which OS we are running
smb.next_entry_offset Next Entry Offset Unsigned 32-bit integer Offset to next entry
smb.nt.create.batch_oplock Batch Oplock Boolean Is a batch oplock requested?
smb.nt.create.dir Create Directory Boolean Must target of open be a directory?
smb.nt.create.ext Extended Response Boolean Extended response required?
smb.nt.create.oplock Exclusive Oplock Boolean Is an oplock requested
smb.nt.create_options.backup_intent Backup Intent Boolean Is this opened by BACKUP ADMIN for backup intent?
smb.nt.create_options.complete_if_oplocked Complete If Oplocked Boolean Complete if oplocked flag
smb.nt.create_options.create_tree_connection Create Tree Connection Boolean Create Tree Connection flag
smb.nt.create_options.delete_on_close Delete On Close Boolean Should the file be deleted when closed?
smb.nt.create_options.directory Directory Boolean Should file being opened/created be a directory?
smb.nt.create_options.eight_dot_three_only 8.3 Only Boolean Does the client understand only 8.3 filenames?
smb.nt.create_options.intermediate_buffering Intermediate Buffering Boolean Is intermediate buffering allowed?
smb.nt.create_options.no_compression No Compression Boolean Is compression allowed?
smb.nt.create_options.no_ea_knowledge No EA Knowledge Boolean Does the client not understand extended attributes?
smb.nt.create_options.non_directory Non-Directory Boolean Should file being opened/created be a non-directory?
smb.nt.create_options.open_by_fileid Open By FileID Boolean Open file by inode
smb.nt.create_options.open_for_free_space_query Open For Free Space query Boolean Open For Free Space Query flag
smb.nt.create_options.open_no_recall Open No Recall Boolean Open no recall flag
smb.nt.create_options.open_reparse_point Open Reparse Point Boolean Is this an open of a reparse point or of the normal file?
smb.nt.create_options.random_access Random Access Boolean Will the client be accessing the file randomly?
smb.nt.create_options.reserve_opfilter Reserve Opfilter Boolean Reserve Opfilter flag
smb.nt.create_options.sequential_only Sequential Only Boolean Will accees to thsis file only be sequential?
smb.nt.create_options.sync_io_alert Sync I/O Alert Boolean All operations are performed synchronous
smb.nt.create_options.sync_io_nonalert Sync I/O Nonalert Boolean All operations are synchronous and may block
smb.nt.create_options.write_through Write Through Boolean Should writes to the file write buffered data out before completing?
smb.nt.function Function Unsigned 16-bit integer Function for NT Transaction
smb.nt.ioctl.data IOCTL Data Byte array Data for the IOCTL call
smb.nt.ioctl.flags.root_handle Root Handle Boolean Apply to this share or root Dfs share
smb.nt.ioctl.function Function Unsigned 32-bit integer NT IOCTL function code
smb.nt.ioctl.isfsctl IsFSctl Unsigned 8-bit integer Is this a device IOCTL (FALSE) or FS Control (TRUE)
smb.nt.notify.action Action Unsigned 32-bit integer Which action caused this notify response
smb.nt.notify.attributes Attribute Change Boolean Notify on changes to attributes
smb.nt.notify.creation Created Change Boolean Notify on changes to creation time
smb.nt.notify.dir_name Directory Name Change Boolean Notify on changes to directory name
smb.nt.notify.ea EA Change Boolean Notify on changes to Extended Attributes
smb.nt.notify.file_name File Name Change Boolean Notify on changes to file name
smb.nt.notify.last_access Last Access Change Boolean Notify on changes to last access
smb.nt.notify.last_write Last Write Change Boolean Notify on changes to last write
smb.nt.notify.security Security Change Boolean Notify on changes to security settings
smb.nt.notify.size Size Change Boolean Notify on changes to size
smb.nt.notify.stream_name Stream Name Change Boolean Notify on changes to stream name?
smb.nt.notify.stream_size Stream Size Change Boolean Notify on changes of stream size
smb.nt.notify.stream_write Stream Write Boolean Notify on stream write?
smb.nt.notify.watch_tree Watch Tree Unsigned 8-bit integer Should Notify watch subdirectories also?
smb.nt_qsd.dacl DACL Boolean Is DACL security informaton being queried?
smb.nt_qsd.group Group Boolean Is group security informaton being queried?
smb.nt_qsd.owner Owner Boolean Is owner security informaton being queried?
smb.nt_qsd.sacl SACL Boolean Is SACL security informaton being queried?
smb.nt_status NT Status Unsigned 32-bit integer NT Status code
smb.ntr_clu Cluster count Unsigned 32-bit integer Number of clusters
smb.ntr_loi Level of Interest Unsigned 16-bit integer NT Rename level
smb.offset Offset Unsigned 32-bit integer Offset in file
smb.offset_high High Offset Unsigned 32-bit integer High 32 Bits Of File Offset
smb.open.action.lock Exclusive Open Boolean Is this file opened by another user?
smb.open.action.open Open Action Unsigned 16-bit integer Open Action, how the file was opened
smb.open.flags.add_info Additional Info Boolean Additional Information Requested?
smb.open.flags.batch_oplock Batch Oplock Boolean Batch Oplock Requested?
smb.open.flags.ealen Total EA Len Boolean Total EA Len Requested?
smb.open.flags.ex_oplock Exclusive Oplock Boolean Exclusive Oplock Requested?
smb.open.function.create Create Boolean Create file if it doesn't exist?
smb.open.function.open Open Unsigned 16-bit integer Action to be taken on open if file exists
smb.oplock.level Oplock level Unsigned 8-bit integer Level of oplock granted
smb.originator_name Originator Name String Name of sender of message
smb.padding Padding Byte array Padding or unknown data
smb.password Password Byte array Password
smb.path Path String Path. Server name and share name
smb.pc Parameter Count Unsigned 16-bit integer Number of parameter bytes in this buffer
smb.pd Parameter Displacement Unsigned 16-bit integer Displacement of these parameter bytes
smb.pid Process ID Unsigned 16-bit integer Process ID
smb.pid.high Process ID High Unsigned 16-bit integer Process ID High Bytes
smb.pipe.write_len Pipe Write Len Unsigned 16-bit integer Number of bytes written to pipe
smb.pipe_info_flag Pipe Info Boolean
smb.po Parameter Offset Unsigned 16-bit integer Offset (from header start) to parameters
smb.position Position Unsigned 64-bit integer File position
smb.primary_domain Primary Domain String The server's primary domain
smb.print.identifier Identifier String Identifier string for this print job
smb.print.mode Mode Unsigned 16-bit integer Text or Graphics mode
smb.print.queued.date Queued Date/Time stamp Date when this entry was queued
smb.print.queued.smb.date Queued Date Unsigned 16-bit integer Date when this print job was queued, SMB_DATE format
smb.print.queued.smb.time Queued Time Unsigned 16-bit integer Time when this print job was queued, SMB_TIME format
smb.print.restart_index Restart Index Unsigned 16-bit integer Index of entry after last returned
smb.print.setup.len Setup Len Unsigned 16-bit integer Length of printer setup data
smb.print.spool.file_number Spool File Number Unsigned 16-bit integer Spool File Number, assigned by the spooler
smb.print.spool.file_size Spool File Size Unsigned 32-bit integer Number of bytes in spool file
smb.print.spool.name Name String Name of client that submitted this job
smb.print.start_index Start Index Unsigned 16-bit integer First queue entry to return
smb.print.status Status Unsigned 8-bit integer Status of this entry
smb.pwlen Password Length Unsigned 16-bit integer Length of password
smb.qfi_loi Level of Interest Unsigned 16-bit integer Level of interest for QUERY_FS_INFORMATION2 command
smb.qpi_loi Level of Interest Unsigned 16-bit integer Level of interest for TRANSACTION[2] QUERY_{FILE,PATH}_INFO commands
smb.quota.flags.deny_disk Deny Disk Boolean Is the default quota limit enforced?
smb.quota.flags.enabled Enabled Boolean Is quotas enabled of this FS?
smb.quota.flags.log_limit Log Limit Boolean Should the server log an event when the limit is exceeded?
smb.quota.flags.log_warning Log Warning Boolean Should the server log an event when the warning level is exceeded?
smb.quota.hard.default (Hard) Quota Limit Unsigned 64-bit integer Hard Quota limit
smb.quota.soft.default (Soft) Quota Treshold Unsigned 64-bit integer Soft Quota treshold
smb.quota.used Quota Used Unsigned 64-bit integer How much Quota is used by this user
smb.quota.user.offset Next Offset Unsigned 32-bit integer Relative offset to next user quota structure
smb.remaining Remaining Unsigned 32-bit integer Remaining number of bytes
smb.reparse_tag Reparse Tag Unsigned 32-bit integer
smb.replace Replace Boolean Remove target if it exists?
smb.request.mask Request Mask Unsigned 32-bit integer Connectionless mode mask
smb.reserved Reserved Byte array Reserved bytes, must be zero
smb.response.mask Response Mask Unsigned 32-bit integer Connectionless mode mask
smb.response_in Response in Frame number The response to this packet is in this packet
smb.response_to Response to Frame number This packet is a response to the packet in this frame
smb.resume Resume Key Unsigned 32-bit integer Resume Key
smb.resume.client.cookie Client Cookie Byte array Cookie, must not be modified by the server
smb.resume.find_id Find ID Unsigned 8-bit integer Handle for Find operation
smb.resume.key_len Resume Key Length Unsigned 16-bit integer Resume Key length
smb.resume.server.cookie Server Cookie Byte array Cookie, must not be modified by the client
smb.rfid Root FID Unsigned 32-bit integer Open is relative to this FID (if nonzero)
smb.rm.read Read Raw Boolean Is Read Raw supported?
smb.rm.write Write Raw Boolean Is Write Raw supported?
smb.root.dir.count Root Directory Count Unsigned 32-bit integer Root Directory Count
smb.root.file.count Root File Count Unsigned 32-bit integer Root File Count
smb.root_dir_handle Root Directory Handle Unsigned 32-bit integer Root directory handle
smb.sc Setup Count Unsigned 8-bit integer Number of setup words in this buffer
smb.sd.length SD Length Unsigned 32-bit integer Total length of security descriptor
smb.search.attribute.archive Archive Boolean ARCHIVE search attribute
smb.search.attribute.directory Directory Boolean DIRECTORY search attribute
smb.search.attribute.hidden Hidden Boolean HIDDEN search attribute
smb.search.attribute.read_only Read Only Boolean READ ONLY search attribute
smb.search.attribute.system System Boolean SYSTEM search attribute
smb.search.attribute.volume Volume ID Boolean VOLUME ID search attribute
smb.search_count Search Count Unsigned 16-bit integer Maximum number of search entries to return
smb.search_id Search ID Unsigned 16-bit integer Search ID, handle for find operations
smb.search_pattern Search Pattern String Search Pattern
smb.sec_desc_len NT Security Descriptor Length Unsigned 32-bit integer Security Descriptor Length
smb.security.flags.context_tracking Context Tracking Boolean Is security tracking static or dynamic?
smb.security.flags.effective_only Effective Only Boolean Are only enabled or all aspects uf the users SID available?
smb.security_blob Security Blob Byte array Security blob
smb.security_blob_len Security Blob Length Unsigned 16-bit integer Security blob length
smb.seek_mode Seek Mode Unsigned 16-bit integer Seek Mode, what type of seek
smb.segment SMB Segment Frame number SMB Segment
smb.segment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
smb.segment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
smb.segment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
smb.segment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
smb.segment.segments SMB Segments No value SMB Segments
smb.segment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
smb.sequence_num Sequence Number Unsigned 16-bit integer SMB-over-IPX Sequence Number
smb.server Server String The name of the DC/server
smb.server_cap.bulk_transfer Bulk Transfer Boolean Are Bulk Read and Bulk Write supported?
smb.server_cap.compressed_data Compressed Data Boolean Is compressed data transfer supported?
smb.server_cap.dfs Dfs Boolean Is Dfs supported?
smb.server_cap.extended_security Extended Security Boolean Are Extended security exchanges supported?
smb.server_cap.infolevel_passthru Infolevel Passthru Boolean Is NT information level request passthrough supported?
smb.server_cap.large_files Large Files Boolean Are large files (>4GB) supported?
smb.server_cap.large_readx Large ReadX Boolean Is Large Read andX supported?
smb.server_cap.large_writex Large WriteX Boolean Is Large Write andX supported?
smb.server_cap.level_2_oplocks Level 2 Oplocks Boolean Are Level 2 oplocks supported?
smb.server_cap.lock_and_read Lock and Read Boolean Is Lock and Read supported?
smb.server_cap.mpx_mode MPX Mode Boolean Are Read Mpx and Write Mpx supported?
smb.server_cap.nt_find NT Find Boolean Is NT Find supported?
smb.server_cap.nt_smbs NT SMBs Boolean Are NT SMBs supported?
smb.server_cap.nt_status NT Status Codes Boolean Are NT Status Codes supported?
smb.server_cap.raw_mode Raw Mode Boolean Are Raw Read and Raw Write supported?
smb.server_cap.reserved Reserved Boolean RESERVED
smb.server_cap.rpc_remote_apis RPC Remote APIs Boolean Are RPC Remote APIs supported?
smb.server_cap.unicode Unicode Boolean Are Unicode strings supported?
smb.server_cap.unix UNIX Boolean Are UNIX extensions supported?
smb.server_date_time Server Date and Time Date/Time stamp Current date and time at server
smb.server_date_time.smb_date Server Date Unsigned 16-bit integer Current date at server, SMB_DATE format
smb.server_date_time.smb_time Server Time Unsigned 16-bit integer Current time at server, SMB_TIME format
smb.server_fid Server FID Unsigned 32-bit integer Server unique File ID
smb.server_guid Server GUID Byte array Globally unique identifier for this server
smb.server_timezone Time Zone Signed 16-bit integer Current timezone at server.
smb.service Service String Service name
smb.sessid Session ID Unsigned 16-bit integer SMB-over-IPX Session ID
smb.session_key Session Key Unsigned 32-bit integer Unique token identifying this session
smb.setup.action.guest Guest Boolean Client logged in as GUEST?
smb.share.access.delete Delete Boolean
smb.share.access.read Read Boolean Can the object be shared for reading?
smb.share.access.write Write Boolean Can the object be shared for write?
smb.short_file Short File Name String Short (8.3) File Name
smb.short_file_name_len Short File Name Len Unsigned 32-bit integer Length of Short (8.3) File Name
smb.signature Signature Byte array Signature bytes
smb.sm.mode Mode Boolean User or Share security mode?
smb.sm.password Password Boolean Encrypted or plaintext passwords?
smb.sm.sig_required Sig Req Boolean Are security signatures required?
smb.sm.signatures Signatures Boolean Are security signatures enabled?
smb.spi_loi Level of Interest Unsigned 16-bit integer Level of interest for TRANSACTION[2] SET_{FILE,PATH}_INFO commands
smb.storage_type Storage Type Unsigned 32-bit integer Type of storage
smb.stream_name Stream Name String Name of the stream
smb.stream_name_len Stream Name Length Unsigned 32-bit integer Length of stream name
smb.stream_size Stream Size Unsigned 64-bit integer Size of the stream in number of bytes
smb.system.time System Time Date/Time stamp System Time
smb.target_name Target name String Target file name
smb.target_name_len Target name length Unsigned 32-bit integer Length of target file name
smb.tdc Total Data Count Unsigned 32-bit integer Total number of data bytes
smb.tid Tree ID Unsigned 16-bit integer Tree ID
smb.time Time from request Time duration Time between Request and Response for SMB cmds
smb.timeout Timeout Unsigned 32-bit integer Timeout in miliseconds
smb.total_data_len Total Data Length Unsigned 16-bit integer Total length of data
smb.tpc Total Parameter Count Unsigned 32-bit integer Total number of parameter bytes
smb.trans2.cmd Subcommand Unsigned 16-bit integer Subcommand for TRANSACTION2
smb.trans_name Transaction Name String Name of transaction
smb.transaction.flags.dtid Disconnect TID Boolean Disconnect TID?
smb.transaction.flags.owt One Way Transaction Boolean One Way Transaction (no response)?
smb.uid User ID Unsigned 16-bit integer User ID
smb.unicode_password Unicode Password Byte array Unicode Password
smb.unicode_pwlen Unicode Password Length Unsigned 16-bit integer Length of Unicode password
smb.units Total Units Unsigned 16-bit integer Total number of units at server
smb.unix.capability.fcntl FCNTL Capability Boolean
smb.unix.capability.posix_acl POSIX ACL Capability Boolean
smb.unix.file.atime Last access Date/Time stamp
smb.unix.file.dev_major Major device Unsigned 64-bit integer
smb.unix.file.dev_minor Minor device Unsigned 64-bit integer
smb.unix.file.file_type File type Unsigned 32-bit integer
smb.unix.file.gid GID Unsigned 64-bit integer
smb.unix.file.link_dest Link destination String
smb.unix.file.mtime Last modification Date/Time stamp
smb.unix.file.num_bytes Number of bytes Unsigned 64-bit integer Number of bytes used to store the file
smb.unix.file.num_links Num links Unsigned 64-bit integer
smb.unix.file.perms File permissions Unsigned 64-bit integer
smb.unix.file.size File size Unsigned 64-bit integer
smb.unix.file.stime Last status change Date/Time stamp
smb.unix.file.uid UID Unsigned 64-bit integer
smb.unix.file.unique_id Unique ID Unsigned 64-bit integer
smb.unix.find_file.next_offset Next entry offset Unsigned 32-bit integer
smb.unix.find_file.resume_key Resume key Unsigned 32-bit integer
smb.unix.major_version Major Version Unsigned 16-bit integer UNIX Major Version
smb.unix.minor_version Minor Version Unsigned 16-bit integer UNIX Minor Version
smb.unknown Unknown Data Byte array Unknown Data. Should be implemented by someone
smb.vc VC Number Unsigned 16-bit integer VC Number
smb.volume.label Label String Volume label
smb.volume.label.len Label Length Unsigned 32-bit integer Length of volume label
smb.volume.serial Volume Serial Number Unsigned 32-bit integer Volume serial number
smb.wct Word Count (WCT) Unsigned 8-bit integer Word Count, count of parameter words
smb.write.mode.connectionless Connectionless Boolean Connectionless mode requested?
smb.write.mode.message_start Message Start Boolean Is this the start of a message?
smb.write.mode.raw Write Raw Boolean Use WriteRawNamedPipe?
smb.write.mode.return_remaining Return Remaining Boolean Return remaining data responses?
smb.write.mode.write_through Write Through Boolean Write through mode requested?
mailslot.class Class Unsigned 16-bit integer MAILSLOT Class of transaction
mailslot.name Mailslot Name String MAILSLOT Name of mailslot
mailslot.opcode Opcode Unsigned 16-bit integer MAILSLOT OpCode
mailslot.priority Priority Unsigned 16-bit integer MAILSLOT Priority of transaction
mailslot.size Size Unsigned 16-bit integer MAILSLOT Total size of mail data
pipe.fragment Fragment Frame number Pipe Fragment
pipe.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
pipe.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
pipe.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
pipe.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
pipe.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
pipe.fragments Fragments No value Pipe Fragments
pipe.function Function Unsigned 16-bit integer SMB Pipe Function Code
pipe.getinfo.current_instances Current Instances Unsigned 8-bit integer Current number of instances
pipe.getinfo.info_level Information Level Unsigned 16-bit integer Information level of information to return
pipe.getinfo.input_buffer_size Input Buffer Size Unsigned 16-bit integer Actual size of buffer for incoming (client) I/O
pipe.getinfo.maximum_instances Maximum Instances Unsigned 8-bit integer Maximum allowed number of instances
pipe.getinfo.output_buffer_size Output Buffer Size Unsigned 16-bit integer Actual size of buffer for outgoing (server) I/O
pipe.getinfo.pipe_name Pipe Name String Name of pipe
pipe.getinfo.pipe_name_length Pipe Name Length Unsigned 8-bit integer Length of pipe name
pipe.peek.available_bytes Available Bytes Unsigned 16-bit integer Total number of bytes available to be read from the pipe
pipe.peek.remaining_bytes Bytes Remaining Unsigned 16-bit integer Total number of bytes remaining in the message at the head of the pipe
pipe.peek.status Pipe Status Unsigned 16-bit integer Pipe status
pipe.priority Priority Unsigned 16-bit integer SMB Pipe Priority
pipe.reassembled_in This PDU is reassembled in Frame number The DCE/RPC PDU is completely reassembled in this frame
pipe.write_raw.bytes_written Bytes Written Unsigned 16-bit integer Number of bytes written to the pipe
smb2.FILE_OBJECTID_BUFFER FILE_OBJECTID_BUFFER No value A FILE_OBJECTID_BUFFER structure
smb2.acct Account String Account Name
smb2.allocation_size Allocation Size Unsigned 64-bit integer SMB2 Allocation Size for this object
smb2.auth_frame Authenticated in Frame Unsigned 32-bit integer Which frame this user was authenticated in
smb2.birth_object_id BirthObjectId ObjectID for this FID when it was originally created
smb2.birth_volume_id BirthVolumeId ObjectID for the volume where this FID was originally created
smb2.boot_time Boot Time Date/Time stamp Boot Time at server
smb2.buffer_code.dynamic Dynamic Part Boolean Whether a dynamic length blob follows
smb2.buffer_code.length Length Unsigned 16-bit integer Length of fixed portion of PDU
smb2.class Class Unsigned 8-bit integer Info class
smb2.close.flags Close Flags Unsigned 16-bit integer close flags
smb2.cmd Command Unsigned 16-bit integer SMB2 Command Opcode
smb2.compression_format Compression Format Unsigned 16-bit integer Compression to use
smb2.create.action Create Action Unsigned 32-bit integer Create Action
smb2.create.chain_data Data No value Chain Data
smb2.create.chain_offset Chain Offset Unsigned 32-bit integer Offset to next entry in chain or 0
smb2.create.data_length Data Length Unsigned 32-bit integer Length Data or 0
smb2.create.disposition Disposition Unsigned 32-bit integer Create disposition, what to do if the file does/does not exist
smb2.create.extrainfo ExtraInfo No value Create ExtraInfo
smb2.create.flags Create Flags Unsigned 16-bit integer Create flags
smb2.create.time Create Date/Time stamp Time when this object was created
smb2.create_flags.grant_exclusive_oplock Grant Exclusive Oplock Boolean
smb2.create_flags.grant_oplock Grant Oplock Boolean
smb2.create_flags.request_exclusive_oplock Request Exclusive Oplock Boolean
smb2.create_flags.request_oplock Request Oplock Boolean
smb2.current_time Current Time Date/Time stamp Current Time at server
smb2.data_offset Data Offset Unsigned 16-bit integer Offset to data
smb2.delete_pending Delete Pending Unsigned 8-bit integer Delete Pending
smb2.disposition.delete_on_close Delete on close Boolean
smb2.domain Domain String Domain Name
smb2.domain_id DomainId
smb2.ea.data EA Data String EA Data
smb2.ea.data_len EA Data Length Unsigned 8-bit integer EA Data Length
smb2.ea.flags EA Flags Unsigned 8-bit integer EA Flags
smb2.ea.name EA Name String EA Name
smb2.ea.name_len EA Name Length Unsigned 8-bit integer EA Name Length
smb2.ea_size EA Size Unsigned 32-bit integer Size of EA data
smb2.eof End Of File Unsigned 64-bit integer SMB2 End Of File/File size
smb2.fid File Id SMB2 File Id
smb2.file_id File Id Unsigned 64-bit integer SMB2 File Id
smb2.file_info.infolevel InfoLevel Unsigned 8-bit integer File_Info Infolevel
smb2.filename Filename String Name of the file
smb2.filename.len Filename Length Unsigned 16-bit integer Length of the file name
smb2.find.response_size Size of Find Data Unsigned 32-bit integer Size of returned Find data
smb2.flags.pid_valid PID Valid Boolean Whether the PID field is valid or not
smb2.flags.response Response Boolean Whether this is an SMB2 Request or Response
smb2.flags.signature Signing Boolean Whether the pdu is signed or not
smb2.fs_info.infolevel InfoLevel Unsigned 8-bit integer Fs_Info Infolevel
smb2.header_len Header Length Unsigned 16-bit integer SMB2 Size of Header
smb2.host Host String Host Name
smb2.impersonation.level Impersonation Unsigned 32-bit integer Impersonation level
smb2.infolevel InfoLevel Unsigned 8-bit integer Infolevel
smb2.ioctl.function Function Unsigned 32-bit integer Ioctl function
smb2.ioctl.function.access Access Unsigned 32-bit integer Access for Ioctl
smb2.ioctl.function.device Device Unsigned 32-bit integer Device for Ioctl
smb2.ioctl.function.function Function Unsigned 32-bit integer Function for Ioctl
smb2.ioctl.function.method Method Unsigned 32-bit integer Method for Ioctl
smb2.ioctl.in In Data No value Ioctl In
smb2.ioctl.out Out Data No value Ioctl Out
smb2.ioctl.shadow_copy.count Count Unsigned 32-bit integer Number of bytes for shadow copy label strings
smb2.ioctl.shadow_copy.label Label String Shadow copy label
smb2.ioctl.shadow_copy.num_labels Num Labels Unsigned 32-bit integer Number of shadow copy labels
smb2.ioctl.shadow_copy.num_volumes Num Volumes Unsigned 32-bit integer Number of shadow copy volumes
smb2.is_directory Is Directory Unsigned 8-bit integer Is this a directory?
smb2.last_access.time Last Access Date/Time stamp Time when this object was last accessed
smb2.last_change.time Last Change Date/Time stamp Time when this object was last changed
smb2.last_write.time Last Write Date/Time stamp Time when this object was last written to
smb2.max_ioctl_out_size Max Ioctl Out Size Unsigned 32-bit integer SMB2 Maximum ioctl out size
smb2.max_response_size Max Response Size Unsigned 32-bit integer SMB2 Maximum response size
smb2.next_offset Next Offset Unsigned 32-bit integer Offset to next buffer or 0
smb2.nlinks Number of Links Unsigned 32-bit integer Number of links to this object
smb2.nt_status NT Status Unsigned 32-bit integer NT Status code
smb2.object_id ObjectId ObjectID for this FID
smb2.olb.length Length Unsigned 32-bit integer Length of the buffer
smb2.olb.offset Offset Unsigned 32-bit integer Offset to the buffer
smb2.pid Process Id Unsigned 32-bit integer SMB2 Process Id
smb2.read_data Read Data Byte array SMB2 Data that is read
smb2.read_length Read Length Unsigned 32-bit integer Amount of data to read
smb2.read_offset Read Offset Unsigned 64-bit integer At which offset to read the data
smb2.required_size Required Buffer Size Unsigned 32-bit integer SMB2 required buffer size
smb2.response_buffer_offset Response Buffer Offset Unsigned 16-bit integer Offset of the response buffer
smb2.response_in Response in Frame number The response to this packet is in this packet
smb2.response_size Response Size Unsigned 32-bit integer SMB2 response size
smb2.response_to Response to Frame number This packet is a response to the packet in this frame
smb2.search Search Pattern String Search pattern
smb2.sec_info.infolevel InfoLevel Unsigned 8-bit integer Sec_Info Infolevel
smb2.security_blob Security Blob Byte array Security blob
smb2.security_blob_len Security Blob Length Unsigned 16-bit integer Security blob length
smb2.security_blob_offset Security Blob Offset Unsigned 16-bit integer Offset into the SMB2 PDU of the blob
smb2.seq_num Command Sequence Number Signed 64-bit integer SMB2 Command Sequence Number
smb2.server_guid Server Guid Server GUID
smb2.setinfo_offset Setinfo Offset Unsigned 16-bit integer SMB2 setinfo offset
smb2.setinfo_size Setinfo Size Unsigned 32-bit integer SMB2 setinfo size
smb2.share_type Share Type Unsigned 16-bit integer Type of share
smb2.signature Signature Byte array Signature
smb2.smb2_file_access_info SMB2_FILE_ACCESS_INFO No value SMB2_FILE_ACCESS_INFO structure
smb2.smb2_file_alignment_info SMB2_FILE_ALIGNMENT_INFO No value SMB2_FILE_ALIGNMENT_INFO structure
smb2.smb2_file_all_info SMB2_FILE_ALL_INFO No value SMB2_FILE_ALL_INFO structure
smb2.smb2_file_allocation_info SMB2_FILE_ALLOCATION_INFO No value SMB2_FILE_ALLOCATION_INFO structure
smb2.smb2_file_alternate_name_info SMB2_FILE_ALTERNATE_NAME_INFO No value SMB2_FILE_ALTERNATE_NAME_INFO structure
smb2.smb2_file_attribute_tag_info SMB2_FILE_ATTRIBUTE_TAG_INFO No value SMB2_FILE_ATTRIBUTE_TAG_INFO structure
smb2.smb2_file_basic_info SMB2_FILE_BASIC_INFO No value SMB2_FILE_BASIC_INFO structure
smb2.smb2_file_compression_info SMB2_FILE_COMPRESSION_INFO No value SMB2_FILE_COMPRESSION_INFO structure
smb2.smb2_file_disposition_info SMB2_FILE_DISPOSITION_INFO No value SMB2_FILE_DISPOSITION_INFO structure
smb2.smb2_file_ea_info SMB2_FILE_EA_INFO No value SMB2_FILE_EA_INFO structure
smb2.smb2_file_endoffile_info SMB2_FILE_ENDOFFILE_INFO No value SMB2_FILE_ENDOFFILE_INFO structure
smb2.smb2_file_info_0f SMB2_FILE_INFO_0f No value SMB2_FILE_INFO_0f structure
smb2.smb2_file_internal_info SMB2_FILE_INTERNAL_INFO No value SMB2_FILE_INTERNAL_INFO structure
smb2.smb2_file_mode_info SMB2_FILE_MODE_INFO No value SMB2_FILE_MODE_INFO structure
smb2.smb2_file_network_open_info SMB2_FILE_NETWORK_OPEN_INFO No value SMB2_FILE_NETWORK_OPEN_INFO structure
smb2.smb2_file_pipe_info SMB2_FILE_PIPE_INFO No value SMB2_FILE_PIPE_INFO structure
smb2.smb2_file_position_info SMB2_FILE_POSITION_INFO No value SMB2_FILE_POSITION_INFO structure
smb2.smb2_file_rename_info SMB2_FILE_RENAME_INFO No value SMB2_FILE_RENAME_INFO structure
smb2.smb2_file_standard_info SMB2_FILE_STANDARD_INFO No value SMB2_FILE_STANDARD_INFO structure
smb2.smb2_file_stream_info SMB2_FILE_STREAM_INFO No value SMB2_FILE_STREAM_INFO structure
smb2.smb2_fs_info_01 SMB2_FS_INFO_01 No value SMB2_FS_INFO_01 structure
smb2.smb2_fs_info_03 SMB2_FS_INFO_03 No value SMB2_FS_INFO_03 structure
smb2.smb2_fs_info_04 SMB2_FS_INFO_04 No value SMB2_FS_INFO_04 structure
smb2.smb2_fs_info_05 SMB2_FS_INFO_05 No value SMB2_FS_INFO_05 structure
smb2.smb2_fs_info_06 SMB2_FS_INFO_06 No value SMB2_FS_INFO_06 structure
smb2.smb2_fs_info_07 SMB2_FS_INFO_07 No value SMB2_FS_INFO_07 structure
smb2.smb2_fs_objectid_info SMB2_FS_OBJECTID_INFO No value SMB2_FS_OBJECTID_INFO structure
smb2.smb2_sec_info_00 SMB2_SEC_INFO_00 No value SMB2_SEC_INFO_00 structure
smb2.tag Tag String Tag of chain entry
smb2.tcon_frame Connected in Frame Unsigned 32-bit integer Which frame this share was connected in
smb2.tid Tree Id Unsigned 32-bit integer SMB2 Tree Id
smb2.time Time from request Time duration Time between Request and Response for SMB2 cmds
smb2.tree Tree String Name of the Tree/Share
smb2.uid User Id Unsigned 64-bit integer SMB2 User Id
smb2.unknown unknown Byte array Unknown bytes
smb2.unknown.timestamp Timestamp Date/Time stamp Unknown timestamp
smb2.write_data Write Data Byte array SMB2 Data to be written
smb2.write_length Write Length Unsigned 32-bit integer Amount of data to write
smb2.write_offset Write Offset Unsigned 64-bit integer At which offset to write the data
snaeth_len Length Unsigned 16-bit integer Length of LLC payload
smux.pdutype PDU type Unsigned 8-bit integer
smux.version Version Unsigned 8-bit integer
spray.clock clock No value Clock
spray.counter counter Unsigned 32-bit integer Counter
spray.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
spray.sec sec Unsigned 32-bit integer Seconds
spray.sprayarr Data Byte array Sprayarr data
spray.usec usec Unsigned 32-bit integer Microseconds
sua.affected_point_code_mask Mask Unsigned 8-bit integer
sua.affected_pointcode_dpc Affected DPC Unsigned 24-bit integer
sua.asp_capabilities_a_bit Protocol Class 3 Boolean
sua.asp_capabilities_b_bit Protocol Class 2 Boolean
sua.asp_capabilities_c_bit Protocol Class 1 Boolean
sua.asp_capabilities_d_bit Protocol Class 0 Boolean
sua.asp_capabilities_interworking Interworking Unsigned 8-bit integer
sua.asp_capabilities_reserved Reserved Byte array
sua.asp_capabilities_reserved_bits Reserved Bits Unsigned 8-bit integer
sua.asp_identifier ASP Identifier Unsigned 32-bit integer
sua.cause_user_cause Cause Unsigned 16-bit integer
sua.cause_user_user User Unsigned 16-bit integer
sua.congestion_level Congestion Level Unsigned 32-bit integer
sua.correlation_id Correlation ID Unsigned 32-bit integer
sua.credit Credit Unsigned 32-bit integer
sua.data Data Byte array
sua.deregistration_status Deregistration status Unsigned 32-bit integer
sua.destination_address_gt_bit Include GT Boolean
sua.destination_address_pc_bit Include PC Boolean
sua.destination_address_reserved_bits Reserved Bits Unsigned 16-bit integer
sua.destination_address_routing_indicator Routing Indicator Unsigned 16-bit integer
sua.destination_address_ssn_bit Include SSN Boolean
sua.destination_reference_number Destination Reference Number Unsigned 32-bit integer
sua.diagnostic_information Diagnostic Information Byte array
sua.drn_label_end End Unsigned 8-bit integer
sua.drn_label_start Start Unsigned 8-bit integer
sua.drn_label_value Label Value Unsigned 16-bit integer
sua.error_code Error code Unsigned 32-bit integer
sua.global_title_nature_of_address Nature of Address Unsigned 8-bit integer
sua.global_title_number_of_digits Number of Digits Unsigned 8-bit integer
sua.global_title_numbering_plan Numbering Plan Unsigned 8-bit integer
sua.global_title_signals Global Title Byte array
sua.global_title_translation_type Translation Type Unsigned 8-bit integer
sua.gt_reserved Reserved Byte array
sua.gti GTI Unsigned 8-bit integer
sua.heartbeat_data Heartbeat Data Byte array
sua.hostname.name Hostname String
sua.importance_inportance Importance Unsigned 8-bit integer
sua.importance_reserved Reserved Byte array
sua.info_string Info string String
sua.ipv4_address IP Version 4 address IPv4 address
sua.ipv6_address IP Version 6 address IPv6 address
sua.local_routing_key_identifier Local routing key identifier Unsigned 32-bit integer
sua.message_class Message Class Unsigned 8-bit integer
sua.message_length Message Length Unsigned 32-bit integer
sua.message_priority_priority Message Priority Unsigned 8-bit integer
sua.message_priority_reserved Reserved Byte array
sua.message_type Message Type Unsigned 8-bit integer
sua.network_appearance Network Appearance Unsigned 32-bit integer
sua.parameter_length Parameter Length Unsigned 16-bit integer
sua.parameter_padding Padding Byte array
sua.parameter_tag Parameter Tag Unsigned 16-bit integer
sua.parameter_value Parameter Value Byte array
sua.point_code Point Code Unsigned 32-bit integer
sua.protcol_class_reserved Reserved Byte array
sua.protocol_class_class Protocol Class Unsigned 8-bit integer
sua.protocol_class_return_on_error_bit Return On Error Bit Boolean
sua.receive_sequence_number_number Receive Sequence Number P(R) Unsigned 8-bit integer
sua.receive_sequence_number_reserved Reserved Byte array
sua.receive_sequence_number_spare_bit Spare Bit Boolean
sua.registration_status Registration status Unsigned 32-bit integer
sua.reserved Reserved Byte array
sua.routing_context Routing context Unsigned 32-bit integer
sua.routing_key_identifier Local Routing Key Identifier Unsigned 32-bit integer
sua.sccp_cause_reserved Reserved Byte array
sua.sccp_cause_type Cause Type Unsigned 8-bit integer
sua.sccp_cause_value Cause Value Unsigned 8-bit integer
sua.segmentation_first_bit First Segment Bit Boolean
sua.segmentation_number_of_remaining_segments Number of Remaining Segments Unsigned 8-bit integer
sua.segmentation_reference Segmentation Reference Unsigned 24-bit integer
sua.sequence_control_sequence_control Sequence Control Unsigned 32-bit integer
sua.sequence_number_more_data_bit More Data Bit Boolean
sua.sequence_number_receive_sequence_number Receive Sequence Number P(R) Unsigned 8-bit integer
sua.sequence_number_reserved Reserved Byte array
sua.sequence_number_sent_sequence_number Sent Sequence Number P(S) Unsigned 8-bit integer
sua.sequence_number_spare_bit Spare Bit Boolean
sua.smi_reserved Reserved Byte array
sua.smi_smi SMI Unsigned 8-bit integer
sua.source_address_gt_bit Include GT Boolean
sua.source_address_pc_bit Include PC Boolean
sua.source_address_reserved_bits Reserved Bits Unsigned 16-bit integer
sua.source_address_routing_indicator Routing Indicator Unsigned 16-bit integer
sua.source_address_ssn_bit Include SSN Boolean
sua.source_reference_number Source Reference Number Unsigned 32-bit integer
sua.ss7_hop_counter_counter SS7 Hop Counter Unsigned 8-bit integer
sua.ss7_hop_counter_reserved Reserved Byte array
sua.ssn Subsystem Number Unsigned 8-bit integer
sua.ssn_reserved Reserved Byte array
sua.status_info Status info Unsigned 16-bit integer
sua.status_type Status type Unsigned 16-bit integer
sua.tid_label_end End Unsigned 8-bit integer
sua.tid_label_start Start Unsigned 8-bit integer
sua.tid_label_value Label Value Unsigned 16-bit integer
sua.traffic_mode_type Traffic mode Type Unsigned 32-bit integer
sua.version Version Unsigned 8-bit integer
sscf-nni.spare Spare Unsigned 24-bit integer
sscf-nni.status Status Unsigned 8-bit integer
sscop.mr N(MR) Unsigned 24-bit integer
sscop.ps N(PS) Unsigned 24-bit integer
sscop.r N(R) Unsigned 24-bit integer
sscop.s N(S) Unsigned 24-bit integer
sscop.sq N(SQ) Unsigned 8-bit integer
sscop.stat.count Number of NACKed pdus Unsigned 32-bit integer
sscop.stat.s N(S) Unsigned 24-bit integer
sscop.type PDU Type Unsigned 8-bit integer
ssh.compression_algorithms_client_to_server compression_algorithms_client_to_server string String SSH compression_algorithms_client_to_server string
ssh.compression_algorithms_client_to_server_length compression_algorithms_client_to_server length Unsigned 32-bit integer SSH compression_algorithms_client_to_server length
ssh.compression_algorithms_server_to_client compression_algorithms_server_to_client string String SSH compression_algorithms_server_to_client string
ssh.compression_algorithms_server_to_client_length compression_algorithms_server_to_client length Unsigned 32-bit integer SSH compression_algorithms_server_to_client length
ssh.cookie Cookie Byte array SSH Cookie
ssh.encrypted_packet Encrypted Packet Byte array SSH Protocol Packet
ssh.encryption_algorithms_client_to_server encryption_algorithms_client_to_server string String SSH encryption_algorithms_client_to_server string
ssh.encryption_algorithms_client_to_server_length encryption_algorithms_client_to_server length Unsigned 32-bit integer SSH encryption_algorithms_client_to_server length
ssh.encryption_algorithms_server_to_client encryption_algorithms_server_to_client string String SSH encryption_algorithms_server_to_client string
ssh.encryption_algorithms_server_to_client_length encryption_algorithms_server_to_client length Unsigned 32-bit integer SSH encryption_algorithms_server_to_client length
ssh.kex_algorithms kex_algorithms string String SSH kex_algorithms string
ssh.kex_algorithms_length kex_algorithms length Unsigned 32-bit integer SSH kex_algorithms length
ssh.languages_client_to_server languages_client_to_server string String SSH languages_client_to_server string
ssh.languages_client_to_server_length languages_client_to_server length Unsigned 32-bit integer SSH languages_client_to_server length
ssh.languages_server_to_client languages_server_to_client string String SSH languages_server_to_client string
ssh.languages_server_to_client_length languages_server_to_client length Unsigned 32-bit integer SSH languages_server_to_client length
ssh.mac_algorithms_client_to_server mac_algorithms_client_to_server string String SSH mac_algorithms_client_to_server string
ssh.mac_algorithms_client_to_server_length mac_algorithms_client_to_server length Unsigned 32-bit integer SSH mac_algorithms_client_to_server length
ssh.mac_algorithms_server_to_client mac_algorithms_server_to_client string String SSH mac_algorithms_server_to_client string
ssh.mac_algorithms_server_to_client_length mac_algorithms_server_to_client length Unsigned 32-bit integer SSH mac_algorithms_server_to_client length
ssh.mac_string MAC String String SSH MAC String
ssh.message_code Message Code Unsigned 8-bit integer SSH Message Code
ssh.packet_length Packet Length Unsigned 32-bit integer SSH packet length
ssh.padding_length Padding Length Unsigned 8-bit integer SSH Packet Number
ssh.padding_string Padding String String SSH Padding String
ssh.payload Payload Byte array SSH Payload
ssh.protocol Protocol String SSH Protocol
ssh.server_host_key_algorithms server_host_key_algorithms string String SSH server_host_key_algorithms string
ssh.server_host_key_algorithms_length server_host_key_algorithms length Unsigned 32-bit integer SSH server_host_key_algorithms length
s4406.Acp127MessageIdentifier Acp127MessageIdentifier String s4406.Acp127MessageIdentifier
s4406.Acp127NotificationType Acp127NotificationType Byte array s4406.Acp127NotificationType
s4406.AddressListDesignator AddressListDesignator No value s4406.AddressListDesignator
s4406.AddressListDesignatorSeq AddressListDesignatorSeq Unsigned 32-bit integer s4406.AddressListDesignatorSeq
s4406.AddressListDesignatorSeq_item Item No value s4406.AddressListDesignator
s4406.CodressMessage CodressMessage Signed 32-bit integer s4406.CodressMessage
s4406.CopyPrecedence CopyPrecedence Signed 32-bit integer s4406.CopyPrecedence
s4406.DistributionCodes DistributionCodes No value s4406.DistributionCodes
s4406.ExemptedAddress ExemptedAddress No value s4406.ExemptedAddress
s4406.ExemptedAddressSeq ExemptedAddressSeq No value s4406.ExemptedAddressSeq
s4406.ExtendedAuthorisationInfo ExtendedAuthorisationInfo String s4406.ExtendedAuthorisationInfo
s4406.HandlingInstructions HandlingInstructions Unsigned 32-bit integer s4406.HandlingInstructions
s4406.HandlingInstructions_item Item String s4406.MilitaryString
s4406.InformationObject InformationObject Unsigned 32-bit integer s4406.InformationObject
s4406.MMMessageData MMMessageData No value s4406.MMMessageData
s4406.MMMessageParameters MMMessageParameters No value s4406.MMMessageParameters
s4406.MessageInstructions MessageInstructions Unsigned 32-bit integer s4406.MessageInstructions
s4406.MessageInstructions_item Item String s4406.MilitaryString
s4406.MessageType MessageType No value s4406.MessageType
s4406.OriginatorPlad OriginatorPlad String s4406.OriginatorPlad
s4406.OriginatorReference OriginatorReference String s4406.OriginatorReference
s4406.OtherRecipientDesignator OtherRecipientDesignator No value s4406.OtherRecipientDesignator
s4406.OtherRecipientDesignatorSeq OtherRecipientDesignatorSeq Unsigned 32-bit integer s4406.OtherRecipientDesignatorSeq
s4406.OtherRecipientDesignatorSeq_item Item No value s4406.OtherRecipientDesignator
s4406.PilotInformation PilotInformation No value s4406.PilotInformation
s4406.PilotInformationSeq PilotInformationSeq Unsigned 32-bit integer s4406.PilotInformationSeq
s4406.PilotInformationSeq_item Item No value s4406.PilotInformation
s4406.PrimaryPrecedence PrimaryPrecedence Signed 32-bit integer s4406.PrimaryPrecedence
s4406.PriorityLevelQualifier PriorityLevelQualifier Unsigned 32-bit integer s4406.PriorityLevelQualifier
s4406.SecurityInformationLabels SecurityInformationLabels No value s4406.SecurityInformationLabels
s4406.body_part_security_label body-part-security-label No value x411.SecurityLabel
s4406.body_part_security_labels body-part-security-labels Unsigned 32-bit integer s4406.SEQUENCE_OF_BodyPartSecurityLabel
s4406.body_part_security_labels_item Item No value s4406.BodyPartSecurityLabel
s4406.body_part_sequence_number body-part-sequence-number Signed 32-bit integer s4406.BodyPartSequenceNumber
s4406.content_security_label content-security-label No value x411.SecurityLabel
s4406.designator designator String s4406.MilitaryString
s4406.dist_Extensions dist-Extensions Unsigned 32-bit integer s4406.SEQUENCE_OF_DistributionExtensionField
s4406.dist_Extensions_item Item No value s4406.DistributionExtensionField
s4406.dist_type dist-type s4406.OBJECT_IDENTIFIER
s4406.dist_value dist-value No value s4406.T_dist_value
s4406.heading_security_label heading-security-label No value x411.SecurityLabel
s4406.identifier identifier String s4406.MessageIdentifier
s4406.listName listName No value x420.ORDescriptor
s4406.mm mm No value x420.IPM
s4406.mn mn No value x420.IPN
s4406.negative negative Boolean
s4406.notificationRequest notificationRequest Signed 32-bit integer s4406.AddressListRequest
s4406.pilotHandling pilotHandling Unsigned 32-bit integer s4406.SEQUENCE_OF_MilitaryString
s4406.pilotHandling_item Item String s4406.MilitaryString
s4406.pilotPrecedence pilotPrecedence Signed 32-bit integer s4406.PilotPrecedence
s4406.pilotRecipient pilotRecipient Unsigned 32-bit integer s4406.SEQUENCE_OF_ORDescriptor
s4406.pilotRecipient_item Item No value x420.ORDescriptor
s4406.pilotSecurity pilotSecurity No value x411.SecurityLabel
s4406.positive positive Boolean
s4406.replyRequest replyRequest Signed 32-bit integer s4406.AddressListRequest
s4406.sics sics Unsigned 32-bit integer s4406.SEQUENCE_OF_Sic
s4406.sics_item Item String s4406.Sic
s4406.transfer transfer Boolean
s4406.type type Signed 32-bit integer s4406.TypeMessage
s5066.01.rank Rank Unsigned 8-bit integer
s5066.01.sapid Sap ID Unsigned 8-bit integer
s5066.01.unused (Unused) Unsigned 8-bit integer
s5066.03.mtu MTU Unsigned 16-bit integer
s5066.03.sapid Sap ID Unsigned 8-bit integer
s5066.03.unused (Unused) Unsigned 8-bit integer
s5066.04.reason Reason Unsigned 8-bit integer
s5066.05.reason Reason Unsigned 8-bit integer
s5066.06.priority Priority Unsigned 8-bit integer
s5066.06.sapid Remote Sap ID Unsigned 8-bit integer
s5066.06.type Hardlink type Unsigned 8-bit integer
s5066.08.priority Priority Unsigned 8-bit integer
s5066.08.sapid Remote Sap ID Unsigned 8-bit integer
s5066.08.status Remote node status Unsigned 8-bit integer
s5066.08.type Hardlink type Unsigned 8-bit integer
s5066.09.priority Priority Unsigned 8-bit integer
s5066.09.reason Reason Unsigned 8-bit integer
s5066.09.sapid Remote Sap ID Unsigned 8-bit integer
s5066.09.type Hardlink type Unsigned 8-bit integer
s5066.10.priority Priority Unsigned 8-bit integer
s5066.10.reason Reason Unsigned 8-bit integer
s5066.10.sapid Remote Sap ID Unsigned 8-bit integer
s5066.10.type Hardlink type Unsigned 8-bit integer
s5066.11.priority Priority Unsigned 8-bit integer
s5066.11.sapid Remote Sap ID Unsigned 8-bit integer
s5066.11.status Remote node status Unsigned 8-bit integer
s5066.11.type Hardlink type Unsigned 8-bit integer
s5066.12.priority Priority Unsigned 8-bit integer
s5066.12.sapid Remote Sap ID Unsigned 8-bit integer
s5066.12.type Hardlink type Unsigned 8-bit integer
s5066.13.priority Priority Unsigned 8-bit integer
s5066.13.reason Reason Unsigned 8-bit integer
s5066.13.sapid Remote Sap ID Unsigned 8-bit integer
s5066.13.type Hardlink type Unsigned 8-bit integer
s5066.14.reason Reason Unsigned 8-bit integer
s5066.14.status Status Unsigned 8-bit integer
s5066.18.body Message Body Byte array
s5066.18.type Message Type Unsigned 8-bit integer
s5066.19.body Message Body Byte array
s5066.19.type Message Type Unsigned 8-bit integer
s5066.20.priority Priority Unsigned 8-bit integer
s5066.20.sapid Destination Sap ID Unsigned 8-bit integer
s5066.20.size U_PDU Size Unsigned 16-bit integer
s5066.20.ttl Time-To-Live (x2 seconds) Unsigned 24-bit integer
s5066.21.dest_sapid Destination Sap ID Unsigned 8-bit integer
s5066.21.err_blocks Number of errored blocks Unsigned 16-bit integer
s5066.21.nrx_blocks Number of non-received blocks Unsigned 16-bit integer
s5066.21.priority Priority Unsigned 8-bit integer
s5066.21.size U_PDU Size Unsigned 16-bit integer
s5066.21.src_sapid Source Sap ID Unsigned 8-bit integer
s5066.21.txmode Transmission Mode Unsigned 8-bit integer
s5066.22.data (Part of) Confirmed data Byte array
s5066.22.sapid Destination Sap ID Unsigned 8-bit integer
s5066.22.size U_PDU Size Unsigned 16-bit integer
s5066.22.unused (Unused) Unsigned 8-bit integer
s5066.23.data (Part of) Rejected data Byte array
s5066.23.reason Reason Unsigned 8-bit integer
s5066.23.sapid Destination Sap ID Unsigned 8-bit integer
s5066.23.size U_PDU Size Unsigned 16-bit integer
s5066.24.sapid Destination Sap ID Unsigned 8-bit integer
s5066.24.size U_PDU Size Unsigned 16-bit integer
s5066.24.ttl Time-To-Live (x2 seconds) Unsigned 24-bit integer
s5066.24.unused (Unused) Unsigned 8-bit integer
s5066.25.dest_sapid Destination Sap ID Unsigned 8-bit integer
s5066.25.err_blocks Number of errored blocks Unsigned 16-bit integer
s5066.25.nrx_blocks Number of non-received blocks Unsigned 16-bit integer
s5066.25.size U_PDU Size Unsigned 16-bit integer
s5066.25.src_sapid Source Sap ID Unsigned 8-bit integer
s5066.25.txmode Transmission Mode Unsigned 8-bit integer
s5066.25.unused (Unused) Unsigned 8-bit integer
s5066.26.data (Part of) Confirmed data Byte array
s5066.26.sapid Destination Sap ID Unsigned 8-bit integer
s5066.26.size U_PDU Size Unsigned 16-bit integer
s5066.26.unused (Unused) Unsigned 8-bit integer
s5066.27.data (Part of) Rejected data Byte array
s5066.27.reason Reason Unsigned 8-bit integer
s5066.27.sapid Destination Sap ID Unsigned 8-bit integer
s5066.27.size U_PDU Size Unsigned 16-bit integer
s5066.address.address Address IPv4 address
s5066.address.group Group address Unsigned 8-bit integer
s5066.address.size Address size (1/2 Bytes) Unsigned 8-bit integer
s5066.size S_Primitive size Unsigned 16-bit integer
s5066.st.confirm Delivery confirmation Unsigned 8-bit integer
s5066.st.extended Extended field Unsigned 8-bit integer
s5066.st.order Delivery order Unsigned 8-bit integer
s5066.st.retries Minimum number of retransmissions Unsigned 8-bit integer
s5066.st.txmode Transmission mode Unsigned 8-bit integer
s5066.sync Sync preample Unsigned 16-bit integer
s5066.type PDU Type Unsigned 8-bit integer
s5066.version S5066 version Unsigned 8-bit integer
pct.handshake.cert Cert Unsigned 16-bit integer PCT Certificate
pct.handshake.certspec Cert Spec No value PCT Certificate specification
pct.handshake.cipher Cipher Unsigned 16-bit integer PCT Ciper
pct.handshake.cipherspec Cipher Spec No value PCT Cipher specification
pct.handshake.exch Exchange Unsigned 16-bit integer PCT Exchange
pct.handshake.exchspec Exchange Spec No value PCT Exchange specification
pct.handshake.hash Hash Unsigned 16-bit integer PCT Hash
pct.handshake.hashspec Hash Spec No value PCT Hash specification
pct.handshake.server_cert Server Cert No value PCT Server Certificate
pct.handshake.sig Sig Spec Unsigned 16-bit integer PCT Signature
pct.msg_error_code PCT Error Code Unsigned 16-bit integer PCT Error Code
ssl.alert_message Alert Message No value Alert message
ssl.alert_message.desc Description Unsigned 8-bit integer Alert message description
ssl.alert_message.level Level Unsigned 8-bit integer Alert message level
ssl.app_data Encrypted Application Data Byte array Payload is encrypted application data
ssl.change_cipher_spec Change Cipher Spec Message No value Signals a change in cipher specifications
ssl.handshake Handshake Protocol No value Handshake protocol message
ssl.handshake.cert_type Certificate type Unsigned 8-bit integer Certificate type
ssl.handshake.cert_types Certificate types No value List of certificate types
ssl.handshake.cert_types_count Certificate types count Unsigned 8-bit integer Count of certificate types
ssl.handshake.certificate Certificate Byte array Certificate
ssl.handshake.certificate_length Certificate Length Unsigned 24-bit integer Length of certificate
ssl.handshake.certificates Certificates No value List of certificates
ssl.handshake.certificates_length Certificates Length Unsigned 24-bit integer Length of certificates field
ssl.handshake.challenge Challenge No value Challenge data used to authenticate server
ssl.handshake.challenge_length Challenge Length Unsigned 16-bit integer Length of challenge field
ssl.handshake.cipher_spec_len Cipher Spec Length Unsigned 16-bit integer Length of cipher specs field
ssl.handshake.cipher_suites_length Cipher Suites Length Unsigned 16-bit integer Length of cipher suites field
ssl.handshake.cipherspec Cipher Spec Unsigned 24-bit integer Cipher specification
ssl.handshake.ciphersuite Cipher Suite Unsigned 16-bit integer Cipher suite
ssl.handshake.ciphersuites Cipher Suites No value List of cipher suites supported by client
ssl.handshake.clear_key_data Clear Key Data No value Clear portion of MASTER-KEY
ssl.handshake.clear_key_length Clear Key Data Length Unsigned 16-bit integer Length of clear key data
ssl.handshake.comp_method Compression Method Unsigned 8-bit integer Compression Method
ssl.handshake.comp_methods Compression Methods No value List of compression methods supported by client
ssl.handshake.comp_methods_length Compression Methods Length Unsigned 8-bit integer Length of compression methods field
ssl.handshake.connection_id Connection ID No value Server's challenge to client
ssl.handshake.connection_id_length Connection ID Length Unsigned 16-bit integer Length of connection ID
ssl.handshake.dname Distinguished Name Byte array Distinguished name of a CA that server trusts
ssl.handshake.dname_len Distinguished Name Length Unsigned 16-bit integer Length of distinguished name
ssl.handshake.dnames Distinguished Names No value List of CAs that server trusts
ssl.handshake.dnames_len Distinguished Names Length Unsigned 16-bit integer Length of list of CAs that server trusts
ssl.handshake.encrypted_key Encrypted Key No value Secret portion of MASTER-KEY encrypted to server
ssl.handshake.encrypted_key_length Encrypted Key Data Length Unsigned 16-bit integer Length of encrypted key data
ssl.handshake.extension.data Data Byte array Hello Extension data
ssl.handshake.extension.len Length Unsigned 16-bit integer Length of a hello extension
ssl.handshake.extension.type Type Unsigned 16-bit integer Hello extension type
ssl.handshake.extensions_length Extensions Length Unsigned 16-bit integer Length of hello extensions
ssl.handshake.key_arg Key Argument No value Key Argument (e.g., Initialization Vector)
ssl.handshake.key_arg_length Key Argument Length Unsigned 16-bit integer Length of key argument
ssl.handshake.length Length Unsigned 24-bit integer Length of handshake message
ssl.handshake.md5_hash MD5 Hash No value Hash of messages, master_secret, etc.
ssl.handshake.random Random.bytes No value Random challenge used to authenticate server
ssl.handshake.random_time Random.gmt_unix_time Date/Time stamp Unix time field of random structure
ssl.handshake.session_id Session ID Byte array Identifies the SSL session, allowing later resumption
ssl.handshake.session_id_hit Session ID Hit Boolean Did the server find the client's Session ID?
ssl.handshake.session_id_length Session ID Length Unsigned 8-bit integer Length of session ID field
ssl.handshake.sha_hash SHA-1 Hash No value Hash of messages, master_secret, etc.
ssl.handshake.type Handshake Message Type Unsigned 8-bit integer SSLv2 handshake message type
ssl.handshake.verify_data Verify Data No value Opaque verification data
ssl.handshake.version Version Unsigned 16-bit integer Maximum version supported by client
ssl.pct_handshake.type Handshake Message Type Unsigned 8-bit integer PCT handshake message type
ssl.record Record Layer No value Record layer
ssl.record.content_type Content Type Unsigned 8-bit integer Content type
ssl.record.is_escape Is Escape Boolean Indicates a security escape
ssl.record.length Length Unsigned 16-bit integer Length of SSL record data
ssl.record.padding_length Padding Length Unsigned 8-bit integer Length of padding at end of record
ssl.record.version Version Unsigned 16-bit integer Record layer version.
spp.ack Acknowledgment Number Unsigned 16-bit integer
spp.alloc Allocation Number Unsigned 16-bit integer
spp.ctl Connection Control Unsigned 8-bit integer
spp.ctl.attn Attention Boolean
spp.ctl.eom End of Message Boolean
spp.ctl.send_ack Send Ack Boolean
spp.ctl.sys System Packet Boolean
spp.dst Destination Connection ID Unsigned 16-bit integer
spp.rexmt_frame Retransmitted Frame Number Frame number
spp.seq Sequence Number Unsigned 16-bit integer
spp.src Source Connection ID Unsigned 16-bit integer
spp.type Datastream type Unsigned 8-bit integer
spx.ack Acknowledgment Number Unsigned 16-bit integer
spx.alloc Allocation Number Unsigned 16-bit integer
spx.ctl Connection Control Unsigned 8-bit integer
spx.ctl.attn Attention Boolean
spx.ctl.eom End of Message Boolean
spx.ctl.send_ack Send Ack Boolean
spx.ctl.sys System Packet Boolean
spx.dst Destination Connection ID Unsigned 16-bit integer
spx.rexmt_frame Retransmitted Frame Number Frame number
spx.seq Sequence Number Unsigned 16-bit integer
spx.src Source Connection ID Unsigned 16-bit integer
spx.type Datastream type Unsigned 8-bit integer
ipxsap.request Request Boolean TRUE if SAP request
ipxsap.response Response Boolean TRUE if SAP response
srvloc.attrreq.attrlist Attribute List String
srvloc.attrreq.attrlistlen Attribute List Length Unsigned 16-bit integer
srvloc.attrreq.prlist Previous Response List String Previous Response List
srvloc.attrreq.prlistlen Previous Response List Length Unsigned 16-bit integer Length of Previous Response List
srvloc.attrreq.scopelist Scope List String
srvloc.attrreq.scopelistlen Scope List Length Unsigned 16-bit integer Length of the Scope List
srvloc.attrreq.slpspi SLP SPI String
srvloc.attrreq.slpspilen SLP SPI Length Unsigned 16-bit integer Length of the SLP SPI
srvloc.attrreq.taglist Tag List String
srvloc.attrreq.taglistlen Tag List Length Unsigned 16-bit integer
srvloc.attrreq.url Service URL String URL of service
srvloc.attrreq.urllen URL Length Unsigned 16-bit integer
srvloc.attrrply.attrlist Attribute List String
srvloc.attrrply.attrlistlen Attribute List Length Unsigned 16-bit integer Length of Attribute List
srvloc.authblkv2.slpspi SLP SPI String
srvloc.authblkv2.slpspilen SLP SPI Length Unsigned 16-bit integer Length of the SLP SPI
srvloc.authblkv2.timestamp Timestamp Date/Time stamp Timestamp on Authentication Block
srvloc.authblkv2_bsd BSD Unsigned 16-bit integer Block Structure Descriptor
srvloc.authblkv2_len Length Unsigned 16-bit integer Length of Authentication Block
srvloc.daadvert.attrlist Attribute List String
srvloc.daadvert.attrlistlen Attribute List Length Unsigned 16-bit integer
srvloc.daadvert.authcount Auths Unsigned 8-bit integer Number of Authentication Blocks
srvloc.daadvert.scopelist Scope List String
srvloc.daadvert.scopelistlen Scope List Length Unsigned 16-bit integer Length of the Scope List
srvloc.daadvert.slpspi SLP SPI String
srvloc.daadvert.slpspilen SLP SPI Length Unsigned 16-bit integer Length of the SLP SPI
srvloc.daadvert.timestamp DAADVERT Timestamp Date/Time stamp Timestamp on DA Advert
srvloc.daadvert.url URL String
srvloc.daadvert.urllen URL Length Unsigned 16-bit integer
srvloc.err Error Code Unsigned 16-bit integer
srvloc.errv2 Error Code Unsigned 16-bit integer
srvloc.flags_v1 Flags Unsigned 8-bit integer
srvloc.flags_v1.attribute_auth Attribute Authentication Boolean Can whole packet fit into a datagram?
srvloc.flags_v1.fresh Fresh Registration Boolean Is this a new registration?
srvloc.flags_v1.monolingual Monolingual Boolean Can whole packet fit into a datagram?
srvloc.flags_v1.overflow. Overflow Boolean Can whole packet fit into a datagram?
srvloc.flags_v1.url_auth URL Authentication Boolean Can whole packet fit into a datagram?
srvloc.flags_v2 Flags Unsigned 16-bit integer
srvloc.flags_v2.fresh Fresh Registration Boolean Is this a new registration?
srvloc.flags_v2.overflow Overflow Boolean Can whole packet fit into a datagram?
srvloc.flags_v2.reqmulti Multicast requested Boolean Do we want multicast?
srvloc.function Function Unsigned 8-bit integer
srvloc.langtag Lang Tag String
srvloc.langtaglen Lang Tag Len Unsigned 16-bit integer
srvloc.list.ipaddr IP Address IPv4 address IP Address of SLP server
srvloc.nextextoff Next Extension Offset Unsigned 24-bit integer
srvloc.pktlen Packet Length Unsigned 24-bit integer
srvloc.saadvert.attrlist Attribute List String
srvloc.saadvert.attrlistlen Attribute List Length Unsigned 16-bit integer
srvloc.saadvert.authcount Auths Unsigned 8-bit integer Number of Authentication Blocks
srvloc.saadvert.scopelist Scope List String
srvloc.saadvert.scopelistlen Scope List Length Unsigned 16-bit integer Length of the Scope List
srvloc.saadvert.url URL String
srvloc.saadvert.urllen URL Length Unsigned 16-bit integer
srvloc.srvdereq.scopelist Scope List String
srvloc.srvdereq.scopelistlen Scope List Length Unsigned 16-bit integer
srvloc.srvdereq.taglist Tag List String
srvloc.srvdereq.taglistlen Tag List Length Unsigned 16-bit integer
srvloc.srvreq.attrauthcount Attr Auths Unsigned 8-bit integer Number of Attribute Authentication Blocks
srvloc.srvreq.attrlist Attribute List String
srvloc.srvreq.attrlistlen Attribute List Length Unsigned 16-bit integer
srvloc.srvreq.predicate Predicate String
srvloc.srvreq.predicatelen Predicate Length Unsigned 16-bit integer Length of the Predicate
srvloc.srvreq.prlist Previous Response List String Previous Response List
srvloc.srvreq.prlistlen Previous Response List Length Unsigned 16-bit integer Length of Previous Response List
srvloc.srvreq.scopelist Scope List String
srvloc.srvreq.scopelistlen Scope List Length Unsigned 16-bit integer Length of the Scope List
srvloc.srvreq.slpspi SLP SPI String
srvloc.srvreq.slpspilen SLP SPI Length Unsigned 16-bit integer Length of the SLP SPI
srvloc.srvreq.srvtype Service Type String
srvloc.srvreq.srvtypelen Service Type Length Unsigned 16-bit integer Length of Service Type List
srvloc.srvreq.srvtypelist Service Type List String
srvloc.srvreq.urlcount Number of URLs Unsigned 16-bit integer
srvloc.srvtypereq.nameauthlist Naming Authority List String
srvloc.srvtypereq.nameauthlistlen Naming Authority List Length Unsigned 16-bit integer Length of the Naming Authority List
srvloc.srvtypereq.prlist Previous Response List String Previous Response List
srvloc.srvtypereq.prlistlen Previous Response List Length Unsigned 16-bit integer Length of Previous Response List
srvloc.srvtypereq.scopelist Scope List String
srvloc.srvtypereq.scopelistlen Scope List Length Unsigned 16-bit integer Length of the Scope List
srvloc.srvtypereq.srvtypelen Service Type Length Unsigned 16-bit integer Length of the Service Type
srvloc.srvtypereq.srvtypelistlen Service Type List Length Unsigned 16-bit integer Length of the Service Type List
srvloc.srvtyperply.srvtype Service Type String
srvloc.srvtyperply.srvtypelist Service Type List String
srvloc.url.lifetime URL lifetime Unsigned 16-bit integer
srvloc.url.numauths Num Auths Unsigned 8-bit integer
srvloc.url.reserved Reserved Unsigned 8-bit integer
srvloc.url.url URL String
srvloc.url.urllen URL Length Unsigned 16-bit integer
srvloc.version Version Unsigned 8-bit integer
srvloc.xid XID Unsigned 24-bit integer Transaction ID
sap.auth Authentication data No value Auth data
sap.auth.flags Authentication data flags Unsigned 8-bit integer Auth flags
sap.auth.flags.p Padding Bit Boolean Compression
sap.auth.flags.t Authentication Type Unsigned 8-bit integer Auth type
sap.auth.flags.v Version Number Unsigned 8-bit integer Version
sap.flags Flags Unsigned 8-bit integer Bits in the beginning of the SAP header
sap.flags.a Address Type Boolean Originating source address type
sap.flags.c Compression Bit Boolean Compression
sap.flags.e Encryption Bit Boolean Encryption
sap.flags.r Reserved Boolean Reserved
sap.flags.t Message Type Boolean Announcement type
sap.flags.v Version Number Unsigned 8-bit integer 3 bit version field in the SAP header
ipbcp.command IPBCP Command Type String IPBCP Command Type
ipbcp.version IPBCP Protocol Version String IPBCP Protocol Version
sdp.bandwidth Bandwidth Information (b) String Bandwidth Information
sdp.bandwidth.modifier Bandwidth Modifier String Bandwidth Modifier
sdp.bandwidth.value Bandwidth Value String Bandwidth Value (in kbits/s)
sdp.connection_info Connection Information (c) String Connection Information
sdp.connection_info.address Connection Address String Connection Address
sdp.connection_info.address_type Connection Address Type String Connection Address Type
sdp.connection_info.network_type Connection Network Type String Connection Network Type
sdp.connection_info.num_addr Connection Number of Addresses String Connection Number of Addresses
sdp.connection_info.ttl Connection TTL String Connection TTL
sdp.email E-mail Address (e) String E-mail Address
sdp.encryption_key Encryption Key (k) String Encryption Key
sdp.encryption_key.data Key Data String Data
sdp.encryption_key.type Key Type String Type
sdp.fmtp.parameter Media format specific parameters String Format specific parameter(fmtp)
sdp.fmtp.profile_level_id Level Code Unsigned 32-bit integer Level Code
sdp.invalid Invalid line String Invalid line
sdp.media Media Description, name and address (m) String Media Description, name and address
sdp.media.format Media Format String Media Format
sdp.media.media Media Type String Media Type
sdp.media.port Media Port Unsigned 16-bit integer Media Port
sdp.media.portcount Media Port Count String Media Port Count
sdp.media.proto Media Proto String Media Protocol
sdp.media_attr Media Attribute (a) String Media Attribute
sdp.media_attribute.field Media Attribute Fieldname String Media Attribute Fieldname
sdp.media_attribute.value Media Attribute Value String Media Attribute Value
sdp.media_title Media Title (i) String Media Title
sdp.mime.type MIME Type String SDP MIME Type
sdp.owner Owner/Creator, Session Id (o) String Owner/Creator, Session Id
sdp.owner.address Owner Address String Owner Address
sdp.owner.address_type Owner Address Type String Owner Address Type
sdp.owner.network_type Owner Network Type String Owner Network Type
sdp.owner.sessionid Session ID String Session ID
sdp.owner.username Owner Username String Owner Username
sdp.owner.version Session Version String Session Version
sdp.phone Phone Number (p) String Phone Number
sdp.repeat_time Repeat Time (r) String Repeat Time
sdp.repeat_time.duration Repeat Duration String Repeat Duration
sdp.repeat_time.interval Repeat Interval String Repeat Interval
sdp.repeat_time.offset Repeat Offset String Repeat Offset
sdp.session_attr Session Attribute (a) String Session Attribute
sdp.session_attr.field Session Attribute Fieldname String Session Attribute Fieldname
sdp.session_attr.value Session Attribute Value String Session Attribute Value
sdp.session_info Session Information (i) String Session Information
sdp.session_name Session Name (s) String Session Name
sdp.time Time Description, active time (t) String Time Description, active time
sdp.time.start Session Start Time String Session Start Time
sdp.time.stop Session Stop Time String Session Stop Time
sdp.timezone Time Zone Adjustments (z) String Time Zone Adjustments
sdp.timezone.offset Timezone Offset String Timezone Offset
sdp.timezone.time Timezone Time String Timezone Time
sdp.unknown Unknown String Unknown
sdp.uri URI of Description (u) String URI of Description
sdp.version Session Description Protocol Version (v) String Session Description Protocol Version
sip.Accept Accept String RFC 3261: Accept Header
sip.Accept-Contact Accept-Contact String RFC 3841: Accept-Contact Header
sip.Accept-Encoding Accept-Encoding String RFC 3841: Accept-Encoding Header
sip.Accept-Language Accept-Language String RFC 3261: Accept-Language Header
sip.Accept-Resource-Priority Accept-Resource-Priority String Draft: Accept-Resource-Priority Header
sip.Alert-Info Alert-Info String RFC 3261: Alert-Info Header
sip.Allow Allow String RFC 3261: Allow Header
sip.Allow-Events Allow-Events String RFC 3265: Allow-Events Header
sip.Authentication-Info Authentication-Info String RFC 3261: Authentication-Info Header
sip.Authorization Authorization String RFC 3261: Authorization Header
sip.CSeq CSeq String RFC 3261: CSeq Header
sip.Call-ID Call-ID String RFC 3261: Call-ID Header
sip.Call-Info Call-Info String RFC 3261: Call-Info Header
sip.Contact Contact String RFC 3261: Contact Header
sip.Content-Disposition Content-Disposition String RFC 3261: Content-Disposition Header
sip.Content-Encoding Content-Encoding String RFC 3261: Content-Encoding Header
sip.Content-Language Content-Language String RFC 3261: Content-Language Header
sip.Content-Length Content-Length String RFC 3261: Content-Length Header
sip.Content-Type Content-Type String RFC 3261: Content-Type Header
sip.Date Date String RFC 3261: Date Header
sip.ETag ETag String SIP-ETag Header
sip.Error-Info Error-Info String RFC 3261: Error-Info Header
sip.Event Event String RFC 3265: Event Header
sip.Expires Expires String RFC 3261: Expires Header
sip.From From String RFC 3261: From Header
sip.History-Info History-Info String RFC 4244: Request History Information
sip.If_Match If_Match String SIP-If-Match Header
sip.In-Reply-To In-Reply-To String RFC 3261: In-Reply-To Header
sip.Join Join String Draft: Join Header
sip.MIME-Version MIME-Version String RFC 3261: MIME-Version Header
sip.Max-Forwards Max-Forwards String RFC 3261: Max-Forwards Header
sip.Method Method String SIP Method
sip.Min-Expires Min-Expires String RFC 3261: Min-Expires Header
sip.Min-SE Min-SE String Draft: Min-SE Header
sip.Organization Organization String RFC 3261: Organization Header
sip.P-Access-Network-Info P-Access-Network-Info String P-Access-Network-Info Header
sip.P-Asserted-Identity P-Asserted-Identity String P-Asserted-Identity Header
sip.P-Associated-URI P-Associated-URI String P-Associated-URI Header
sip.P-Called-Party-ID P-Called-Party-ID String P-Called-Party-ID Header
sip.P-Charging-Function-Addresses P-Charging-Function-Addresses String P-Charging-Function-Addresses
sip.P-Charging-Vector P-Charging-Vector String P-Charging-Vector Header
sip.P-DCS-Billing-Info P-DCS-Billing-Info String P-DCS-Billing-Info Header
sip.P-DCS-LAES P-DCS-LAES String P-DCS-LAES Header
sip.P-DCS-OSPS P-DCS-OSPS String P-DCS-OSPS Header
sip.P-DCS-Redirect P-DCS-Redirect String P-DCS-Redirect Header
sip.P-DCS-Trace-Party-ID P-DCS-Trace-Party-ID String P-DCS-Trace-Party-ID Header
sip.P-Media-Authorization P-Media-Authorization String P-Media-Authorization Header
sip.P-Preferred-Identity P-Preferred-Identity String P-Preferred-Identity Header
sip.P-Visited-Network-ID P-Visited-Network-ID String P-Visited-Network-ID Header
sip.Path Path String Path Header
sip.Priority Priority String RFC 3261: Priority Header
sip.Privacy Privacy String Privacy Header
sip.Proxy-Authenticate Proxy-Authenticate String RFC 3261: Proxy-Authenticate Header
sip.Proxy-Authorization Proxy-Authorization String RFC 3261: Proxy-Authorization Header
sip.Proxy-Require Proxy-Require String RFC 3261: Proxy-Require Header
sip.RAck RAck String RFC 3262: RAck Header
sip.RSeq RSeq String RFC 3262: RSeq Header
sip.Reason Reason String RFC 3326 Reason Header
sip.Record-Route Record-Route String RFC 3261: Record-Route Header
sip.Refer-To Refer-To String Refer-To Header
sip.Refered-by Refered By String RFC 3892: Refered-by Header
sip.Reject-Contact Reject-Contact String RFC 3841: Reject-Contact Header
sip.Replaces Replaces String RFC 3891: Replaces Header
sip.Reply-To Reply-To String RFC 3261: Reply-To Header
sip.Request-Disposition Request-Disposition String RFC 3841: Request-Disposition Header
sip.Request-Line Request-Line String SIP Request-Line
sip.Require Require String RFC 3261: Require Header
sip.Resource-Priority Resource-Priority String Draft: Resource-Priority Header
sip.Retry-After Retry-After String RFC 3261: Retry-After Header
sip.Route Route String RFC 3261: Route Header
sip.Security-Client Security-Client String RFC 3329 Security-Client Header
sip.Security-Server Security-Server String RFC 3329 Security-Server Header
sip.Security-Verify Security-Verify String RFC 3329 Security-Verify Header
sip.Server Server String RFC 3261: Server Header
sip.Service-Route Service-Route String Service-Route Header
sip.Session-Expires Session-Expires String Session-Expires Header
sip.Status-Code Status-Code Unsigned 32-bit integer SIP Status Code
sip.Status-Line Status-Line String SIP Status-Line
sip.Subject Subject String RFC 3261: Subject Header
sip.Subscription-State Subscription-State String RFC 3265: Subscription-State Header
sip.Supported Supported String RFC 3261: Supported Header
sip.Timestamp Timestamp String RFC 3261: Timestamp Header
sip.To To String RFC 3261: To Header
sip.Unsupported Unsupported String RFC 3261: Unsupported Header
sip.User-Agent User-Agent String RFC 3261: User-Agent Header
sip.Via Via String RFC 3261: Via Header
sip.WWW-Authenticate WWW-Authenticate String RFC 3261: WWW-Authenticate Header
sip.Warning Warning String RFC 3261: Warning Header
sip.auth Authentication String SIP Authentication
sip.auth.algorithm Algorithm String SIP Authentication Algorithm
sip.auth.auts Authentication Token String SIP Authentication Token
sip.auth.cnonce CNonce Value String SIP Authentication Client Nonce value
sip.auth.digest.response Digest Authentication Response String SIP Digest Authentication Response Value
sip.auth.domain Authentication Domain String SIP Authentication Domain
sip.auth.nc Nonce Count String SIP Authentication nonce count
sip.auth.nextnonce Next Nonce String SIP Next Nonce
sip.auth.nonce Nonce Value String SIP Authentication nonce value
sip.auth.opaque Opaque Value String SIP Authentication opaque value
sip.auth.qop QOP String SIP Authentication QOP
sip.auth.realm Realm String Sip Authentication realm
sip.auth.rspauth Response auth String SIP Response auth
sip.auth.scheme Authentication Scheme String SIP Authentication Scheme
sip.auth.stale Stale Flag String SIP Authentication Stale Flag
sip.auth.uri Authentication URI String SIP Authentication URI
sip.auth.username Username String Sip authentication username
sip.contact.addr SIP contact address String RFC 3261: contact addr
sip.contact.binding Contact Binding String RFC 3261: one contact binding
sip.display.info SIP Display info String RFC 3261: Display info
sip.from.addr SIP from address String RFC 3261: from addr
sip.msg_hdr Message Header No value Message Header in SIP message
sip.resend Resent Packet Boolean
sip.resend-original Suspected resend of frame Frame number Original transmission of frame
sip.tag SIP tag String RFC 3261: tag
sip.to.addr SIP to address String RFC 3261: to addr
sip.uri URI String RFC 3261: SIP Uri
smpp.SC_interface_version SMSC-supported version String Version of SMPP interface supported by the SMSC.
smpp.additional_status_info_text Information String Description of the meaning of a response PDU.
smpp.addr_npi Numbering plan indicator Unsigned 8-bit integer Gives the numbering plan this address belongs to.
smpp.addr_ton Type of number Unsigned 8-bit integer Indicates the type of number, given in the address.
smpp.address_range Address String Given address or address range.
smpp.alert_on_message_delivery Alert on delivery No value Instructs the handset to alert user on message delivery.
smpp.callback_num Callback number No value Associates a call back number with the message.
smpp.callback_num.pres Presentation Unsigned 8-bit integer Controls the presentation indication.
smpp.callback_num.scrn Screening Unsigned 8-bit integer Controls screening of the callback-number.
smpp.callback_num_atag Callback number - alphanumeric display tag No value Associates an alphanumeric display with call back number.
smpp.command_id Operation Unsigned 32-bit integer Defines the SMPP PDU.
smpp.command_length Length Unsigned 32-bit integer Total length of the SMPP PDU.
smpp.command_status Result Unsigned 32-bit integer Indicates success or failure of the SMPP request.
smpp.data_coding Data coding Unsigned 8-bit integer Defines the encoding scheme of the message.
smpp.dcs SMPP Data Coding Scheme Unsigned 8-bit integer Data Coding Scheme according to SMPP.
smpp.dcs.cbs_class DCS CBS Message class Unsigned 8-bit integer Specifies the message class for GSM Cell Broadcast Service, for the Data coding / message handling code group.
smpp.dcs.cbs_coding_group DCS Coding Group for CBS Unsigned 8-bit integer Data Coding Scheme coding group for GSM Cell Broadcast Service.
smpp.dcs.cbs_language DCS CBS Message language Unsigned 8-bit integer Language of the GSM Cell Broadcast Service message.
smpp.dcs.charset DCS Character set Unsigned 8-bit integer Specifies the character set used in the message.
smpp.dcs.class DCS Message class Unsigned 8-bit integer Specifies the message class.
smpp.dcs.class_present DCS Class present Boolean Indicates if the message class is present (defined).
smpp.dcs.sms_coding_group DCS Coding Group for SMS Unsigned 8-bit integer Data Coding Scheme coding group for GSM Short Message Service.
smpp.dcs.text_compression DCS Text compression Boolean Indicates if text compression is used.
smpp.dcs.wap_class DCS CBS Message class Unsigned 8-bit integer Specifies the message class for GSM Cell Broadcast Service, as specified by the WAP Forum (WAP over GSM USSD).
smpp.dcs.wap_coding DCS Message coding Unsigned 8-bit integer Specifies the used message encoding, as specified by the WAP Forum (WAP over GSM USSD).
smpp.delivery_failure_reason Delivery failure reason Unsigned 8-bit integer Indicates the reason for a failed delivery attempt.
smpp.dest_addr_npi Numbering plan indicator (recipient) Unsigned 8-bit integer Gives recipient numbering plan this address belongs to.
smpp.dest_addr_subunit Subunit destination Unsigned 8-bit integer Subunit address within mobile to route message to.
smpp.dest_addr_ton Type of number (recipient) Unsigned 8-bit integer Indicates recipient type of number, given in the address.
smpp.dest_bearer_type Destination bearer Unsigned 8-bit integer Desired bearer for delivery of message.
smpp.dest_network_type Destination network Unsigned 8-bit integer Network associated with the destination address.
smpp.dest_subaddress Destination Subaddress String Destination Subaddress
smpp.dest_telematics_id Telematic interworking (dest) Unsigned 16-bit integer Telematic interworking to be used for message delivery.
smpp.destination_addr Recipient address String Address of SME receiving this message.
smpp.destination_port Destination port Unsigned 16-bit integer Application port associated with the destination of the message.
smpp.display_time Display time Unsigned 8-bit integer Associates a display time with the message on the handset.
smpp.dl_name Distr. list name String The name of the distribution list.
smpp.dlist Destination list No value The list of destinations for a short message.
smpp.dlist_resp Unsuccessful delivery list No value The list of unsuccessful deliveries to destinations.
smpp.dpf_result Delivery pending set? Unsigned 8-bit integer Indicates whether Delivery Pending Flag was set.
smpp.error_code Error code Unsigned 8-bit integer Network specific error code defining reason for failure.
smpp.error_status_code Status Unsigned 32-bit integer Indicates success/failure of request for this address.
smpp.esm.submit.features GSM features Unsigned 8-bit integer GSM network specific features.
smpp.esm.submit.msg_mode Messaging mode Unsigned 8-bit integer Mode attribute for this message.
smpp.esm.submit.msg_type Message type Unsigned 8-bit integer Type attribute for this message.
smpp.esme_addr ESME address String Address of ESME originating this message.
smpp.esme_addr_npi Numbering plan indicator (ESME) Unsigned 8-bit integer Gives the numbering plan this address belongs to.
smpp.esme_addr_ton Type of number (ESME) Unsigned 8-bit integer Indicates recipient type of number, given in the address.
smpp.final_date Final date Date/Time stamp Date-time when the queried message reached a final state.
smpp.final_date_r Final date Time duration Date-time when the queried message reached a final state.
smpp.interface_version Version (if) String Version of SMPP interface supported.
smpp.its_reply_type Reply method Unsigned 8-bit integer Indicates the handset reply method on message receipt.
smpp.its_session.ind Session indicator Unsigned 8-bit integer Indicates whether this message is end of conversation.
smpp.its_session.number Session number Unsigned 8-bit integer Session number of interactive teleservice.
smpp.its_session.sequence Sequence number Unsigned 8-bit integer Sequence number of the dialogue unit.
smpp.language_indicator Language Unsigned 8-bit integer Indicates the language of the short message.
smpp.message Message No value The actual message or data.
smpp.message_id Message id. String Identifier of the submitted short message.
smpp.message_payload Payload No value Short message user data.
smpp.message_state Message state Unsigned 8-bit integer Specifies the status of the queried short message.
smpp.more_messages_to_send More messages? Unsigned 8-bit integer Indicates more messages pending for the same destination.
smpp.ms_availability_status Availability status Unsigned 8-bit integer Indicates the availability state of the handset.
smpp.ms_validity Validity info Unsigned 8-bit integer Associates validity info with the message on the handset.
smpp.msg_wait.ind Indication Unsigned 8-bit integer Indicates to the handset that a message is waiting.
smpp.msg_wait.type Type Unsigned 8-bit integer Indicates type of message that is waiting.
smpp.network_error.code Error code Unsigned 16-bit integer Gives the actual network error code.
smpp.network_error.type Error type Unsigned 8-bit integer Indicates the network type.
smpp.number_of_messages Number of messages Unsigned 8-bit integer Indicates number of messages stored in a mailbox.
smpp.opt_param Optional parameters No value The list of optional parameters in this operation.
smpp.password Password String Password used for authentication.
smpp.payload_type Payload Unsigned 8-bit integer PDU type contained in the message payload.
smpp.priority_flag Priority level Unsigned 8-bit integer The priority level of the short message.
smpp.privacy_indicator Privacy indicator Unsigned 8-bit integer Indicates the privacy level of the message.
smpp.protocol_id Protocol id. Unsigned 8-bit integer Protocol identifier according GSM 03.40.
smpp.qos_time_to_live Validity period Unsigned 32-bit integer Number of seconds to retain message before expiry.
smpp.receipted_message_id SMSC identifier String SMSC handle of the message being received.
smpp.regdel.acks Message type Unsigned 8-bit integer SME acknowledgement request.
smpp.regdel.notif Intermediate notif Unsigned 8-bit integer Intermediate notification request.
smpp.regdel.receipt Delivery receipt Unsigned 8-bit integer SMSC delivery receipt request.
smpp.replace_if_present_flag Replace Unsigned 8-bit integer Replace the short message with this one or not.
smpp.reserved_op Optional parameter - Reserved No value An optional parameter that is reserved in this version.
smpp.sar_msg_ref_num SAR reference number Unsigned 16-bit integer Reference number for a concatenated short message.
smpp.sar_segment_seqnum SAR sequence number Unsigned 8-bit integer Segment number within a concatenated short message.
smpp.sar_total_segments SAR size Unsigned 16-bit integer Number of segments of a concatenated short message.
smpp.schedule_delivery_time Scheduled delivery time Date/Time stamp Scheduled time for delivery of short message.
smpp.schedule_delivery_time_r Scheduled delivery time Time duration Scheduled time for delivery of short message.
smpp.sequence_number Sequence # Unsigned 32-bit integer A number to correlate requests with responses.
smpp.service_type Service type String SMS application service associated with the message.
smpp.set_dpf Request DPF set Unsigned 8-bit integer Request to set the DPF for certain failure scenario's.
smpp.sm_default_msg_id Predefined message Unsigned 8-bit integer Index of a predefined ('canned') short message.
smpp.sm_length Message length Unsigned 8-bit integer Length of the message content.
smpp.source_addr Originator address String Address of SME originating this message.
smpp.source_addr_npi Numbering plan indicator (originator) Unsigned 8-bit integer Gives originator numbering plan this address belongs to.
smpp.source_addr_subunit Subunit origin Unsigned 8-bit integer Subunit address within mobile that generated the message.
smpp.source_addr_ton Type of number (originator) Unsigned 8-bit integer Indicates originator type of number, given in the address.
smpp.source_bearer_type Originator bearer Unsigned 8-bit integer Bearer over which the message originated.
smpp.source_network_type Originator network Unsigned 8-bit integer Network associated with the originator address.
smpp.source_port Source port Unsigned 16-bit integer Application port associated with the source of the message.
smpp.source_subaddress Source Subaddress String Source Subaddress
smpp.source_telematics_id Telematic interworking (orig) Unsigned 16-bit integer Telematic interworking used for message submission.
smpp.system_id System ID String Identifies a system.
smpp.system_type System type String Categorises the system.
smpp.user_message_reference Message reference Unsigned 16-bit integer Reference to the message, assigned by the user.
smpp.user_response_code Application response code Unsigned 8-bit integer A response code set by the user.
smpp.ussd_service_op USSD service operation Unsigned 8-bit integer Indicates the USSD service operation.
smpp.validity_period Validity period Date/Time stamp Validity period of this message.
smpp.validity_period_r Validity period Time duration Validity period of this message.
smpp.vendor_op Optional parameter - Vendor-specific No value A supplied optional parameter specific to an SMSC-vendor.
smrse.address_type address-type Signed 32-bit integer smrse.T_address_type
smrse.address_value address-value Unsigned 32-bit integer smrse.T_address_value
smrse.alerting_MS_ISDN alerting-MS-ISDN No value smrse.SMS_Address
smrse.connect_fail_reason connect-fail-reason Signed 32-bit integer smrse.Connect_fail
smrse.error_reason error-reason Signed 32-bit integer smrse.Error_reason
smrse.length Length Unsigned 16-bit integer Length of SMRSE PDU
smrse.message_reference message-reference Unsigned 32-bit integer smrse.RP_MR
smrse.mo_message_reference mo-message-reference Unsigned 32-bit integer smrse.RP_MR
smrse.mo_originating_address mo-originating-address No value smrse.SMS_Address
smrse.mo_user_data mo-user-data Byte array smrse.RP_UD
smrse.moimsi moimsi Byte array smrse.IMSI_Address
smrse.ms_address ms-address No value smrse.SMS_Address
smrse.msg_waiting_set msg-waiting-set Boolean smrse.BOOLEAN
smrse.mt_destination_address mt-destination-address No value smrse.SMS_Address
smrse.mt_message_reference mt-message-reference Unsigned 32-bit integer smrse.RP_MR
smrse.mt_mms mt-mms Boolean smrse.BOOLEAN
smrse.mt_origVMSCAddr mt-origVMSCAddr No value smrse.SMS_Address
smrse.mt_originating_address mt-originating-address No value smrse.SMS_Address
smrse.mt_priority_request mt-priority-request Boolean smrse.BOOLEAN
smrse.mt_tariffClass mt-tariffClass Unsigned 32-bit integer smrse.SM_TC
smrse.mt_user_data mt-user-data Byte array smrse.RP_UD
smrse.numbering_plan numbering-plan Signed 32-bit integer smrse.T_numbering_plan
smrse.octet_Format octet-Format String SMS-Address/address-value/octet-format
smrse.octet_format octet-format Byte array smrse.T_octet_format
smrse.origVMSCAddr origVMSCAddr No value smrse.SMS_Address
smrse.password password String smrse.Password
smrse.reserved Reserved Unsigned 8-bit integer Reserved byte, must be 126
smrse.sc_address sc-address No value smrse.SMS_Address
smrse.sm_diag_info sm-diag-info Byte array smrse.RP_UD
smrse.tag Tag Unsigned 8-bit integer Tag
sigcomp.addr.output.start %Output_start[memory address] Unsigned 16-bit integer Output start
sigcomp.code.len Code length Unsigned 16-bit integer Code length
sigcomp.destination Destination Unsigned 8-bit integer Destination
sigcomp.length Partial state id. len. Unsigned 8-bit integer Sigcomp length
sigcomp.memory_size Memory size Unsigned 16-bit integer Memory size
sigcomp.min.acc.len %Minimum access length Unsigned 16-bit integer Output length
sigcomp.nack.cycles_per_bit Cycles Per Bit Unsigned 8-bit integer NACK Cycles Per Bit
sigcomp.nack.failed_op_code OPCODE of failed instruction Unsigned 8-bit integer NACK OPCODE of failed instruction
sigcomp.nack.pc PC of failed instruction Unsigned 16-bit integer NACK PC of failed instruction
sigcomp.nack.reason Reason Code Unsigned 8-bit integer NACK Reason Code
sigcomp.nack.sha1 SHA-1 Hash of failed message Byte array NACK SHA-1 Hash of failed message
sigcomp.nack.tate_id State ID (6 - 20 bytes) Byte array NACK State ID (6 - 20 bytes)
sigcomp.nack.ver NACK Version Unsigned 8-bit integer NACK Version
sigcomp.output.length %Output_length Unsigned 16-bit integer Output length
sigcomp.output.length.addr %Output_length[memory address] Unsigned 16-bit integer Output length
sigcomp.output.start %Output_start Unsigned 16-bit integer Output start
sigcomp.partial.state.identifier Partial state identifier String Partial state identifier
sigcomp.req.feedback.loc %Requested feedback location Unsigned 16-bit integer Requested feedback location
sigcomp.ret.param.loc %Returned parameters location Unsigned 16-bit integer Output length
sigcomp.returned.feedback.item Returned_feedback item Byte array Returned feedback item
sigcomp.returned.feedback.item.len Returned feedback item length Unsigned 8-bit integer Returned feedback item length
sigcomp.t.bit T bit Unsigned 8-bit integer Sigcomp T bit
sigcomp.udvm.addr.destination %Destination[memory address] Unsigned 16-bit integer Destination
sigcomp.udvm.addr.j %j[memory address] Unsigned 16-bit integer j
sigcomp.udvm.addr.length %Length[memory address] Unsigned 16-bit integer Length
sigcomp.udvm.addr.offset %Offset[memory address] Unsigned 16-bit integer Offset
sigcomp.udvm.at.address @Address(mem_add_of_inst + D) mod 2^16) Unsigned 16-bit integer Address
sigcomp.udvm.bits %Bits Unsigned 16-bit integer Bits
sigcomp.udvm.destination %Destination Unsigned 16-bit integer Destination
sigcomp.udvm.instr UDVM instruction code Unsigned 8-bit integer UDVM instruction code
sigcomp.udvm.j %j Unsigned 16-bit integer j
sigcomp.udvm.length %Length Unsigned 16-bit integer Length
sigcomp.udvm.lit.bytecode UDVM bytecode Unsigned 8-bit integer UDVM bytecode
sigcomp.udvm.literal-num #n Unsigned 16-bit integer Literal number
sigcomp.udvm.lower.bound %Lower bound Unsigned 16-bit integer Lower_bound
sigcomp.udvm.multyt.bytecode UDVM bytecode Unsigned 8-bit integer UDVM bytecode
sigcomp.udvm.offset %Offset Unsigned 16-bit integer Offset
sigcomp.udvm.operand UDVM operand Unsigned 16-bit integer UDVM operand
sigcomp.udvm.operand.1 $Operand 1[memory address] Unsigned 16-bit integer Reference $ Operand 1
sigcomp.udvm.operand.2 %Operand 2 Unsigned 16-bit integer Operand 2
sigcomp.udvm.operand.2.addr %Operand 2[memory address] Unsigned 16-bit integer Operand 2
sigcomp.udvm.partial.identifier.length %Partial identifier length Unsigned 16-bit integer Partial identifier length
sigcomp.udvm.partial.identifier.start %Partial identifier start Unsigned 16-bit integer Partial identifier start
sigcomp.udvm.position %Position Unsigned 16-bit integer Position
sigcomp.udvm.ref.bytecode UDVM bytecode Unsigned 8-bit integer UDVM bytecode
sigcomp.udvm.ref.destination $Destination[memory address] Unsigned 16-bit integer (reference)Destination
sigcomp.udvm.start.address %State address Unsigned 16-bit integer State address
sigcomp.udvm.start.address.addr %State address[memory address] Unsigned 16-bit integer State address
sigcomp.udvm.start.instr %State instruction Unsigned 16-bit integer State instruction
sigcomp.udvm.start.value %Start value Unsigned 16-bit integer Start value
sigcomp.udvm.state.begin %State begin Unsigned 16-bit integer State begin
sigcomp.udvm.state.length %State length Unsigned 16-bit integer State length
sigcomp.udvm.state.length.addr %State length[memory address] Unsigned 16-bit integer State length
sigcomp.udvm.state.ret.pri %State retention priority Unsigned 16-bit integer Output length
sigcomp.udvm.uncompressed %Uncompressed Unsigned 16-bit integer Uncompressed
sigcomp.udvm.upper.bound %Upper bound Unsigned 16-bit integer Upper bound
sigcomp.udvm.value %Value Unsigned 16-bit integer Value
sccp.called.ansi_pc PC String
sccp.called.chinese_pc PC String
sccp.called.cluster PC Cluster Unsigned 24-bit integer
sccp.called.digits GT Digits String
sccp.called.es Encoding Scheme Unsigned 8-bit integer
sccp.called.gti Global Title Indicator Unsigned 8-bit integer
sccp.called.member PC Member Unsigned 24-bit integer
sccp.called.nai Nature of Address Indicator Unsigned 8-bit integer
sccp.called.network PC Network Unsigned 24-bit integer
sccp.called.ni National Indicator Unsigned 8-bit integer
sccp.called.np Numbering Plan Unsigned 8-bit integer
sccp.called.oe Odd/Even Indicator Unsigned 8-bit integer
sccp.called.pc PC Unsigned 16-bit integer
sccp.called.pci Point Code Indicator Unsigned 8-bit integer
sccp.called.ri Routing Indicator Unsigned 8-bit integer
sccp.called.ssn SubSystem Number Unsigned 8-bit integer
sccp.called.ssni SubSystem Number Indicator Unsigned 8-bit integer
sccp.called.tt Translation Type Unsigned 8-bit integer
sccp.calling.ansi_pc PC String
sccp.calling.chinese_pc PC String
sccp.calling.cluster PC Cluster Unsigned 24-bit integer
sccp.calling.digits GT Digits String
sccp.calling.es Encoding Scheme Unsigned 8-bit integer
sccp.calling.gti Global Title Indicator Unsigned 8-bit integer
sccp.calling.member PC Member Unsigned 24-bit integer
sccp.calling.nai Nature of Address Indicator Unsigned 8-bit integer
sccp.calling.network PC Network Unsigned 24-bit integer
sccp.calling.ni National Indicator Unsigned 8-bit integer
sccp.calling.np Numbering Plan Unsigned 8-bit integer
sccp.calling.oe Odd/Even Indicator Unsigned 8-bit integer
sccp.calling.pc PC Unsigned 16-bit integer
sccp.calling.pci Point Code Indicator Unsigned 8-bit integer
sccp.calling.ri Routing Indicator Unsigned 8-bit integer
sccp.calling.ssn SubSystem Number Unsigned 8-bit integer
sccp.calling.ssni SubSystem Number Indicator Unsigned 8-bit integer
sccp.calling.tt Translation Type Unsigned 8-bit integer
sccp.class Class Unsigned 8-bit integer
sccp.credit Credit Unsigned 8-bit integer
sccp.digits Called or Calling GT Digits String
sccp.dlr Destination Local Reference Unsigned 24-bit integer
sccp.error_cause Error Cause Unsigned 8-bit integer
sccp.handling Message handling Unsigned 8-bit integer
sccp.hops Hop Counter Unsigned 8-bit integer
sccp.importance Importance Unsigned 8-bit integer
sccp.isni.counter ISNI Counter Unsigned 8-bit integer
sccp.isni.iri ISNI Routing Indicator Unsigned 8-bit integer
sccp.isni.mi ISNI Mark for Identification Indicator Unsigned 8-bit integer
sccp.isni.netspec ISNI Network Specific (Type 1) Unsigned 8-bit integer
sccp.isni.ti ISNI Type Indicator Unsigned 8-bit integer
sccp.lr Local Reference Unsigned 24-bit integer
sccp.message_type Message Type Unsigned 8-bit integer
sccp.more More data Unsigned 8-bit integer
sccp.optional_pointer Pointer to Optional parameter Unsigned 16-bit integer
sccp.refusal_cause Refusal Cause Unsigned 8-bit integer
sccp.release_cause Release Cause Unsigned 8-bit integer
sccp.reset_cause Reset Cause Unsigned 8-bit integer
sccp.return_cause Return Cause Unsigned 8-bit integer
sccp.rsn Receive Sequence Number Unsigned 8-bit integer
sccp.segmentation.class Segmentation: Class Unsigned 8-bit integer
sccp.segmentation.first Segmentation: First Unsigned 8-bit integer
sccp.segmentation.remaining Segmentation: Remaining Unsigned 8-bit integer
sccp.segmentation.slr Segmentation: Source Local Reference Unsigned 24-bit integer
sccp.sequencing_segmenting.more Sequencing Segmenting: More Unsigned 8-bit integer
sccp.sequencing_segmenting.rsn Sequencing Segmenting: Receive Sequence Number Unsigned 8-bit integer
sccp.sequencing_segmenting.ssn Sequencing Segmenting: Send Sequence Number Unsigned 8-bit integer
sccp.slr Source Local Reference Unsigned 24-bit integer
sccp.ssn Called or Calling SubSystem Number Unsigned 8-bit integer
sccp.variable_pointer1 Pointer to first Mandatory Variable parameter Unsigned 16-bit integer
sccp.variable_pointer2 Pointer to second Mandatory Variable parameter Unsigned 16-bit integer
sccp.variable_pointer3 Pointer to third Mandatory Variable parameter Unsigned 16-bit integer
sccpmg.ansi_pc Affected Point Code String
sccpmg.chinese_pc Affected Point Code String
sccpmg.cluster Affected PC Cluster Unsigned 24-bit integer
sccpmg.congestion SCCP Congestionl Level (ITU) Unsigned 8-bit integer
sccpmg.member Affected PC Member Unsigned 24-bit integer
sccpmg.message_type Message Type Unsigned 8-bit integer
sccpmg.network Affected PC Network Unsigned 24-bit integer
sccpmg.pc Affected Point Code Unsigned 16-bit integer
sccpmg.smi Subsystem Multiplicity Indicator Unsigned 8-bit integer
sccpmg.ssn Affected SubSystem Number Unsigned 8-bit integer
smtp.req Request Boolean
smtp.req.command Command String
smtp.req.parameter Request parameter String
smtp.response.code Response code Unsigned 32-bit integer
smtp.rsp Response Boolean
smtp.rsp.parameter Response parameter String
snmp.SMUX_PDUs SMUX-PDUs Unsigned 32-bit integer snmp.SMUX_PDUs
snmp.VarBindList_item Item No value snmp.VarBind
snmp.agent_addr agent-addr Unsigned 32-bit integer snmp.NetworkAddress
snmp.application_wide application-wide Unsigned 32-bit integer snmp.ApplicationSyntax
snmp.arbitrary_value arbitrary-value Byte array snmp.Opaque
snmp.big_counter_value big-counter-value Unsigned 64-bit integer snmp.Counter64
snmp.close close Signed 32-bit integer snmp.ClosePDU
snmp.commitOrRollback commitOrRollback Signed 32-bit integer snmp.SOutPDU
snmp.community community String snmp.OCTET_STRING
snmp.contextEngineID contextEngineID Byte array snmp.OCTET_STRING
snmp.contextName contextName Byte array snmp.OCTET_STRING
snmp.counter64 Value Signed 64-bit integer A counter64 value
snmp.counter_value counter-value Unsigned 32-bit integer snmp.Counter32
snmp.data data Unsigned 32-bit integer snmp.PDUs
snmp.datav2u datav2u Unsigned 32-bit integer snmp.T_datav2u
snmp.description description Byte array snmp.DisplayString
snmp.empty empty No value snmp.Empty
snmp.encrypted encrypted Byte array snmp.OCTET_STRING
snmp.encryptedPDU encryptedPDU Byte array snmp.OCTET_STRING
snmp.endOfMibView endOfMibView No value snmp.NULL
snmp.engineid.conform Engine ID Conformance Boolean Engine ID RFC3411 Conformance
snmp.engineid.data Engine ID Data Byte array Engine ID Data
snmp.engineid.enterprise Engine Enterprise ID Unsigned 32-bit integer Engine Enterprise ID
snmp.engineid.format Engine ID Format Unsigned 8-bit integer Engine ID Format
snmp.engineid.ipv4 Engine ID Data: IPv4 address IPv4 address Engine ID Data: IPv4 address
snmp.engineid.ipv6 Engine ID Data: IPv6 address IPv6 address Engine ID Data: IPv6 address
snmp.engineid.mac Engine ID Data: MAC address 6-byte Hardware (MAC) Address Engine ID Data: MAC address
snmp.engineid.text Engine ID Data: Text String Engine ID Data: Text
snmp.engineid.time Engine ID Data: Time Date/Time stamp Engine ID Data: Time
snmp.enterprise enterprise snmp.OBJECT_IDENTIFIER
snmp.error_index error-index Signed 32-bit integer snmp.INTEGER
snmp.error_status error-status Signed 32-bit integer snmp.T_error_status
snmp.generic_trap generic-trap Signed 32-bit integer snmp.T_generic_trap
snmp.getBulkRequest getBulkRequest No value snmp.T_getBulkRequest
snmp.get_next_request get-next-request No value snmp.T_get_next_request
snmp.get_request get-request No value snmp.T_get_request
snmp.get_response get-response No value snmp.T_get_response
snmp.identity identity snmp.OBJECT_IDENTIFIER
snmp.informRequest informRequest No value snmp.T_informRequest
snmp.integer_value integer-value Signed 32-bit integer snmp.Integer_value
snmp.internet internet IPv4 address snmp.IpAddress
snmp.ipAddress_value ipAddress-value IPv4 address snmp.IpAddress
snmp.max_repetitions max-repetitions Unsigned 32-bit integer snmp.INTEGER_0_2147483647
snmp.msgAuthenticationParameters msgAuthenticationParameters Byte array snmp.OCTET_STRING
snmp.msgAuthoritativeEngineBoots msgAuthoritativeEngineBoots Unsigned 32-bit integer snmp.INTEGER_0_2147483647
snmp.msgAuthoritativeEngineID msgAuthoritativeEngineID Byte array snmp.SnmpEngineID
snmp.msgAuthoritativeEngineTime msgAuthoritativeEngineTime Unsigned 32-bit integer snmp.INTEGER_0_2147483647
snmp.msgData msgData Unsigned 32-bit integer snmp.ScopedPduData
snmp.msgFlags msgFlags Byte array snmp.T_msgFlags
snmp.msgGlobalData msgGlobalData No value snmp.HeaderData
snmp.msgID msgID Unsigned 32-bit integer snmp.INTEGER_0_2147483647
snmp.msgMaxSize msgMaxSize Unsigned 32-bit integer snmp.INTEGER_484_2147483647
snmp.msgPrivacyParameters msgPrivacyParameters Byte array snmp.OCTET_STRING
snmp.msgSecurityModel msgSecurityModel Unsigned 32-bit integer snmp.T_msgSecurityModel
snmp.msgSecurityParameters msgSecurityParameters Byte array snmp.T_msgSecurityParameters
snmp.msgUserName msgUserName String snmp.OCTET_STRING_SIZE_1_32
snmp.msgVersion msgVersion Signed 32-bit integer snmp.Version
snmp.name name snmp.ObjectName
snmp.noSuchInstance noSuchInstance No value snmp.NULL
snmp.noSuchObject noSuchObject No value snmp.NULL
snmp.non_repeaters non-repeaters Unsigned 32-bit integer snmp.INTEGER_0_2147483647
snmp.objectID_value objectID-value snmp.ObjectID_value
snmp.open open Unsigned 32-bit integer snmp.OpenPDU
snmp.operation operation Signed 32-bit integer snmp.T_operation
snmp.pDUs pDUs Unsigned 32-bit integer snmp.PDUs
snmp.parameters parameters Byte array snmp.OCTET_STRING
snmp.password password Byte array snmp.OCTET_STRING
snmp.plaintext plaintext Unsigned 32-bit integer snmp.PDUs
snmp.priority priority Signed 32-bit integer snmp.INTEGER_M1_2147483647
snmp.rRspPDU rRspPDU Signed 32-bit integer snmp.RRspPDU
snmp.registerRequest registerRequest No value snmp.RReqPDU
snmp.registerResponse registerResponse Unsigned 32-bit integer snmp.RegisterResponse
snmp.report report No value snmp.T_report
snmp.request_id request-id Signed 32-bit integer snmp.INTEGER
snmp.sNMPv2_Trap sNMPv2-Trap No value snmp.T_sNMPv2_Trap
snmp.set_request set-request No value snmp.T_set_request
snmp.simple simple Unsigned 32-bit integer snmp.SimpleSyntax
snmp.smux_simple smux-simple No value snmp.SimpleOpen
snmp.smux_version smux-version Signed 32-bit integer snmp.T_smux_version
snmp.specific_trap specific-trap Signed 32-bit integer snmp.INTEGER
snmp.string_value string-value Byte array snmp.String_value
snmp.subtree subtree snmp.ObjectName
snmp.time_stamp time-stamp Unsigned 32-bit integer snmp.TimeTicks
snmp.timeticks_value timeticks-value Unsigned 32-bit integer snmp.TimeTicks
snmp.trap trap No value snmp.T_trap
snmp.unSpecified unSpecified No value snmp.NULL
snmp.unsigned_integer_value unsigned-integer-value Unsigned 32-bit integer snmp.Unsigned32
snmp.v3.flags.auth Authenticated Boolean
snmp.v3.flags.crypt Encrypted Boolean
snmp.v3.flags.report Reportable Boolean
snmp.value value Unsigned 32-bit integer snmp.ObjectSyntax
snmp.valueType valueType Unsigned 32-bit integer snmp.ValueType
snmp.variable_bindings variable-bindings Unsigned 32-bit integer snmp.VarBindList
snmp.version version Signed 32-bit integer snmp.Version
spnego.MechTypeList_item Item spnego.MechType
spnego.anonFlag anonFlag Boolean
spnego.confFlag confFlag Boolean
spnego.delegFlag delegFlag Boolean
spnego.innerContextToken innerContextToken No value spnego.InnerContextToken
spnego.integFlag integFlag Boolean
spnego.krb5.blob krb5_blob Byte array krb5_blob
spnego.krb5.confounder krb5_confounder Byte array KRB5 Confounder
spnego.krb5.seal_alg krb5_seal_alg Unsigned 16-bit integer KRB5 Sealing Algorithm
spnego.krb5.sgn_alg krb5_sgn_alg Unsigned 16-bit integer KRB5 Signing Algorithm
spnego.krb5.sgn_cksum krb5_sgn_cksum Byte array KRB5 Data Checksum
spnego.krb5.snd_seq krb5_snd_seq Byte array KRB5 Encrypted Sequence Number
spnego.krb5.tok_id krb5_tok_id Unsigned 16-bit integer KRB5 Token Id
spnego.krb5_oid KRB5 OID String KRB5 OID
spnego.mechListMIC mechListMIC Byte array spnego.T_NegTokenInit_mechListMIC
spnego.mechToken mechToken Byte array spnego.T_mechToken
spnego.mechTypes mechTypes Unsigned 32-bit integer spnego.MechTypeList
spnego.mutualFlag mutualFlag Boolean
spnego.negResult negResult Unsigned 32-bit integer spnego.T_negResult
spnego.negTokenInit negTokenInit No value spnego.NegTokenInit
spnego.negTokenTarg negTokenTarg No value spnego.NegTokenTarg
spnego.principal principal String spnego.GeneralString
spnego.replayFlag replayFlag Boolean
spnego.reqFlags reqFlags Byte array spnego.ContextFlags
spnego.responseToken responseToken Byte array spnego.T_responseToken
spnego.sequenceFlag sequenceFlag Boolean
spnego.supportedMech supportedMech spnego.T_supportedMech
spnego.thisMech thisMech spnego.MechType
spnego.wraptoken wrapToken No value SPNEGO wrapToken
stun.att Attributes No value
stun.att.bandwidth Bandwidth Unsigned 32-bit integer
stun.att.change.ip Change IP Boolean
stun.att.change.port Change Port Boolean
stun.att.data Data Byte array
stun.att.error Error Code Unsigned 8-bit integer
stun.att.error.class Error Class Unsigned 8-bit integer
stun.att.error.reason Error Reason Phase String
stun.att.family Protocol Family Unsigned 16-bit integer
stun.att.ipv4 IP IPv4 address
stun.att.ipv4-xord IP (XOR-d) IPv4 address
stun.att.ipv6 IP IPv6 address
stun.att.ipv6-xord IP (XOR-d) IPv6 address
stun.att.length Attribute Length Unsigned 16-bit integer
stun.att.lifetime Lifetime Unsigned 32-bit integer
stun.att.magic.cookie Magic Cookie Unsigned 32-bit integer
stun.att.port Port Unsigned 16-bit integer
stun.att.port-xord Port (XOR-d) Unsigned 16-bit integer
stun.att.server Server version String
stun.att.type Attribute Type Unsigned 16-bit integer
stun.att.unknown Unknown Attribute Unsigned 16-bit integer
stun.att.value Value Byte array
stun.id Message Transaction ID Byte array
stun.length Message Length Unsigned 16-bit integer
stun.type Message Type Unsigned 16-bit integer
h1.dbnr Memory block number Unsigned 8-bit integer
h1.dlen Length in words Signed 16-bit integer
h1.dwnr Address within memory block Unsigned 16-bit integer
h1.empty Empty field Unsigned 8-bit integer
h1.empty_len Empty field length Unsigned 8-bit integer
h1.header H1-Header Unsigned 16-bit integer
h1.len Length indicator Unsigned 16-bit integer
h1.opcode Opcode Unsigned 8-bit integer
h1.opfield Operation identifier Unsigned 8-bit integer
h1.oplen Operation length Unsigned 8-bit integer
h1.org Memory type Unsigned 8-bit integer
h1.reqlen Request length Unsigned 8-bit integer
h1.request Request identifier Unsigned 8-bit integer
h1.reslen Response length Unsigned 8-bit integer
h1.response Response identifier Unsigned 8-bit integer
h1.resvalue Response value Unsigned 8-bit integer
sipfrag.line Line String Line
skinny.DSCPValue DSCPValue Unsigned 32-bit integer DSCPValue.
skinny.MPI MPI Unsigned 32-bit integer MPI.
skinny.RTPPayloadFormat RTPPayloadFormat Unsigned 32-bit integer RTPPayloadFormat.
skinny.activeConferenceOnRegistration ActiveConferenceOnRegistration Unsigned 32-bit integer ActiveConferenceOnRegistration.
skinny.activeForward Active Forward Unsigned 32-bit integer This is non zero to indicate that a forward is active on the line
skinny.activeStreamsOnRegistration ActiveStreamsOnRegistration Unsigned 32-bit integer ActiveStreamsOnRegistration.
skinny.addParticipantResults AddParticipantResults Unsigned 32-bit integer The add conference participant results
skinny.alarmParam1 AlarmParam1 Unsigned 32-bit integer An as yet undecoded param1 value from the alarm message
skinny.alarmParam2 AlarmParam2 IPv4 address This is the second alarm parameter i think it's an ip address
skinny.alarmSeverity AlarmSeverity Unsigned 32-bit integer The severity of the reported alarm.
skinny.annPlayMode annPlayMode Unsigned 32-bit integer AnnPlayMode
skinny.annPlayStatus AnnPlayStatus Unsigned 32-bit integer AnnPlayStatus
skinny.annexNandWFutureUse AnnexNandWFutureUse Unsigned 32-bit integer AnnexNandWFutureUse.
skinny.appConfID AppConfID Unsigned 8-bit integer App Conf ID Data.
skinny.appData AppData Unsigned 8-bit integer App data.
skinny.appID AppID Unsigned 32-bit integer AppID.
skinny.appInstanceID AppInstanceID Unsigned 32-bit integer appInstanceID.
skinny.applicationID ApplicationID Unsigned 32-bit integer Application ID.
skinny.audioCapCount AudioCapCount Unsigned 32-bit integer AudioCapCount.
skinny.auditParticipantResults AuditParticipantResults Unsigned 32-bit integer The audit participant results
skinny.bandwidth Bandwidth Unsigned 32-bit integer Bandwidth.
skinny.buttonCount ButtonCount Unsigned 32-bit integer Number of (VALID) button definitions in this message.
skinny.buttonDefinition ButtonDefinition Unsigned 8-bit integer The button type for this instance (ie line, speed dial, ....
skinny.buttonInstanceNumber InstanceNumber Unsigned 8-bit integer The button instance number for a button or the StationKeyPad value, repeats allowed.
skinny.buttonOffset ButtonOffset Unsigned 32-bit integer Offset is the number of the first button referenced by this message.
skinny.callIdentifier Call Identifier Unsigned 32-bit integer Call identifier for this call.
skinny.callSelectStat CallSelectStat Unsigned 32-bit integer CallSelectStat.
skinny.callState CallState Unsigned 32-bit integer The D channel call state of the call
skinny.callType Call Type Unsigned 32-bit integer What type of call, in/out/etc
skinny.calledParty CalledParty String The number called.
skinny.calledPartyName Called Party Name String The name of the party we are calling.
skinny.callingPartyName Calling Party Name String The passed name of the calling party.
skinny.capCount CapCount Unsigned 32-bit integer How many capabilities
skinny.clockConversionCode ClockConversionCode Unsigned 32-bit integer ClockConversionCode.
skinny.clockDivisor ClockDivisor Unsigned 32-bit integer Clock Divisor.
skinny.confServiceNum ConfServiceNum Unsigned 32-bit integer ConfServiceNum.
skinny.conferenceID Conference ID Unsigned 32-bit integer The conference ID
skinny.country Country Unsigned 32-bit integer Country ID (Network locale).
skinny.createConfResults CreateConfResults Unsigned 32-bit integer The create conference results
skinny.customPictureFormatCount CustomPictureFormatCount Unsigned 32-bit integer CustomPictureFormatCount.
skinny.data Data Unsigned 8-bit integer dataPlace holder for unknown data.
skinny.dataCapCount DataCapCount Unsigned 32-bit integer DataCapCount.
skinny.data_length Data Length Unsigned 32-bit integer Number of bytes in the data portion.
skinny.dateMilliseconds Milliseconds Unsigned 32-bit integer Milliseconds
skinny.dateSeconds Seconds Unsigned 32-bit integer Seconds
skinny.dateTemplate DateTemplate String The display format for the date/time on the phone.
skinny.day Day Unsigned 32-bit integer The day of the current month
skinny.dayOfWeek DayOfWeek Unsigned 32-bit integer The day of the week
skinny.deleteConfResults DeleteConfResults Unsigned 32-bit integer The delete conference results
skinny.detectInterval HF Detect Interval Unsigned 32-bit integer The number of milliseconds that determines a hook flash has occured
skinny.deviceName DeviceName String The device name of the phone.
skinny.deviceResetType Reset Type Unsigned 32-bit integer How the devices it to be reset (reset/restart)
skinny.deviceTone Tone Unsigned 32-bit integer Which tone to play
skinny.deviceType DeviceType Unsigned 32-bit integer DeviceType of the station.
skinny.deviceUnregisterStatus Unregister Status Unsigned 32-bit integer The status of the device unregister request (*CAN* be refused)
skinny.directoryNumber Directory Number String The number we are reporting statistics for.
skinny.displayMessage DisplayMessage String The message displayed on the phone.
skinny.displayPriority DisplayPriority Unsigned 32-bit integer Display Priority.
skinny.echoCancelType Echo Cancel Type Unsigned 32-bit integer Is echo cancelling enabled or not
skinny.endOfAnnAck EndOfAnnAck Unsigned 32-bit integer EndOfAnnAck
skinny.featureID FeatureID Unsigned 32-bit integer FeatureID.
skinny.featureIndex FeatureIndex Unsigned 32-bit integer FeatureIndex.
skinny.featureStatus FeatureStatus Unsigned 32-bit integer FeatureStatus.
skinny.featureTextLabel FeatureTextLabel String The feature lable text that is displayed on the phone.
skinny.firstGOB FirstGOB Unsigned 32-bit integer FirstGOB.
skinny.firstMB FirstMB Unsigned 32-bit integer FirstMB.
skinny.format Format Unsigned 32-bit integer Format.
skinny.forwardAllActive Forward All Unsigned 32-bit integer Forward all calls
skinny.forwardBusyActive Forward Busy Unsigned 32-bit integer Forward calls when busy
skinny.forwardNoAnswerActive Forward NoAns Unsigned 32-bit integer Forward only when no answer
skinny.forwardNumber Forward Number String The number to forward calls to.
skinny.fqdn DisplayName String The full display name for this line.
skinny.g723BitRate G723 BitRate Unsigned 32-bit integer The G723 bit rate for this stream/JUNK if not g723 stream
skinny.h263_capability_bitfield H263_capability_bitfield Unsigned 32-bit integer H263_capability_bitfield.
skinny.headsetMode Headset Mode Unsigned 32-bit integer Turns on and off the headset on the set
skinny.hearingConfPartyMask HearingConfPartyMask Unsigned 32-bit integer Bit mask of conference parties to hear media received on this stream. Bit0 = matrixConfPartyID[0], Bit1 = matrixConfPartiID[1].
skinny.hookFlashDetectMode Hook Flash Mode Unsigned 32-bit integer Which method to use to detect that a hook flash has occured
skinny.hour Hour Unsigned 32-bit integer Hour of the day
skinny.ipAddress IP Address IPv4 address An IP address
skinny.isConferenceCreator IsConferenceCreator Unsigned 32-bit integer IsConferenceCreator.
skinny.jitter Jitter Unsigned 32-bit integer Average jitter during the call.
skinny.keepAliveInterval KeepAliveInterval Unsigned 32-bit integer How often are keep alives exchanges between the client and the call manager.
skinny.lampMode LampMode Unsigned 32-bit integer The lamp mode
skinny.last Last Unsigned 32-bit integer Last.
skinny.latency Latency(ms) Unsigned 32-bit integer Average packet latency during the call.
skinny.layout Layout Unsigned 32-bit integer Layout
skinny.layoutCount LayoutCount Unsigned 32-bit integer LayoutCount.
skinny.levelPreferenceCount LevelPreferenceCount Unsigned 32-bit integer LevelPreferenceCount.
skinny.lineDirNumber Line Dir Number String The directory number for this line.
skinny.lineInstance Line Instance Unsigned 32-bit integer The display call plane associated with this call.
skinny.lineNumber LineNumber Unsigned 32-bit integer Line Number
skinny.locale Locale Unsigned 32-bit integer User locale ID.
skinny.longTermPictureIndex LongTermPictureIndex Unsigned 32-bit integer LongTermPictureIndex.
skinny.matrixConfPartyID MatrixConfPartyID Unsigned 32-bit integer existing conference parties.
skinny.maxBW MaxBW Unsigned 32-bit integer MaxBW.
skinny.maxBitRate MaxBitRate Unsigned 32-bit integer MaxBitRate.
skinny.maxConferences MaxConferences Unsigned 32-bit integer MaxConferences.
skinny.maxFramesPerPacket MaxFramesPerPacket Unsigned 16-bit integer Max frames per packet
skinny.maxStreams MaxStreams Unsigned 32-bit integer 32 bit unsigned integer indicating the maximum number of simultansous RTP duplex streams that the client can handle.
skinny.maxStreamsPerConf MaxStreamsPerConf Unsigned 32-bit integer Maximum number of streams per conference.
skinny.mediaEnunciationType Enunciation Type Unsigned 32-bit integer No clue.
skinny.messageTimeOutValue Message Timeout Unsigned 32-bit integer The timeout in seconds for this message
skinny.messageid Message ID Unsigned 32-bit integer The function requested/done with this message.
skinny.microphoneMode Microphone Mode Unsigned 32-bit integer Turns on and off the microphone on the set
skinny.millisecondPacketSize MS/Packet Unsigned 32-bit integer The number of milliseconds of conversation in each packet
skinny.minBitRate MinBitRate Unsigned 32-bit integer MinBitRate.
skinny.minute Minute Unsigned 32-bit integer Minute
skinny.miscCommandType MiscCommandType Unsigned 32-bit integer MiscCommandType
skinny.modelNumber ModelNumber Unsigned 32-bit integer ModelNumber.
skinny.modifyConfResults ModifyConfResults Unsigned 32-bit integer The modify conference results
skinny.month Month Unsigned 32-bit integer The current month
skinny.multicastIpAddress Multicast Ip Address IPv4 address The multicast address for this conference
skinny.multicastPort Multicast Port Unsigned 32-bit integer The multicast port the to listens on.
skinny.notify Notify String The message notify text that is displayed on the phone.
skinny.numberLines Number of Lines Unsigned 32-bit integer How many lines this device has
skinny.numberOfActiveParticipants NumberOfActiveParticipants Unsigned 32-bit integer numberOfActiveParticipants.
skinny.numberOfEntries NumberOfEntries Unsigned 32-bit integer Number of entries in list.
skinny.numberOfGOBs NumberOfGOBs Unsigned 32-bit integer NumberOfGOBs.
skinny.numberOfInServiceStreams NumberOfInServiceStreams Unsigned 32-bit integer Number of in service streams.
skinny.numberOfMBs NumberOfMBs Unsigned 32-bit integer NumberOfMBs.
skinny.numberOfOutOfServiceStreams NumberOfOutOfServiceStreams Unsigned 32-bit integer Number of out of service streams.
skinny.numberOfReservedParticipants NumberOfReservedParticipants Unsigned 32-bit integer numberOfReservedParticipants.
skinny.numberSpeedDials Number of SpeedDials Unsigned 32-bit integer The number of speed dials this device has
skinny.octetsRecv Octets Received Unsigned 32-bit integer Octets received during the call.
skinny.octetsSent Octets Sent Unsigned 32-bit integer Octets sent during the call.
skinny.openReceiveChannelStatus OpenReceiveChannelStatus Unsigned 32-bit integer The status of the opened receive channel.
skinny.originalCalledParty Original Called Party String The number of the original calling party.
skinny.originalCalledPartyName Original Called Party Name String name of the original person who placed the call.
skinny.packetsLost Packets Lost Unsigned 32-bit integer Packets lost during the call.
skinny.packetsRecv Packets Received Unsigned 32-bit integer Packets received during the call.
skinny.packetsSent Packets Sent Unsigned 32-bit integer Packets Sent during the call.
skinny.participantEntry ParticipantEntry Unsigned 32-bit integer Participant Entry.
skinny.passThruData PassThruData Unsigned 8-bit integer Pass Through data.
skinny.passThruPartyID PassThruPartyID Unsigned 32-bit integer The pass thru party id
skinny.payloadCapability PayloadCapability Unsigned 32-bit integer The payload capability for this media capability structure.
skinny.payloadDtmf PayloadDtmf Unsigned 32-bit integer RTP payload type.
skinny.payloadType PayloadType Unsigned 32-bit integer PayloadType.
skinny.payload_rfc_number Payload_rfc_number Unsigned 32-bit integer Payload_rfc_number.
skinny.pictureFormatCount PictureFormatCount Unsigned 32-bit integer PictureFormatCount.
skinny.pictureHeight PictureHeight Unsigned 32-bit integer PictureHeight.
skinny.pictureNumber PictureNumber Unsigned 32-bit integer PictureNumber.
skinny.pictureWidth PictureWidth Unsigned 32-bit integer PictureWidth.
skinny.pixelAspectRatio PixelAspectRatio Unsigned 32-bit integer PixelAspectRatio.
skinny.portNumber Port Number Unsigned 32-bit integer A port number
skinny.precedenceValue Precedence Unsigned 32-bit integer Precedence value
skinny.priority Priority Unsigned 32-bit integer Priority.
skinny.protocolDependentData ProtocolDependentData Unsigned 32-bit integer ProtocolDependentData.
skinny.receptionStatus ReceptionStatus Unsigned 32-bit integer The current status of the multicast media.
skinny.recoveryReferencePictureCount RecoveryReferencePictureCount Unsigned 32-bit integer RecoveryReferencePictureCount.
skinny.remoteIpAddr Remote Ip Address IPv4 address The remote end ip address for this stream
skinny.remotePortNumber Remote Port Unsigned 32-bit integer The remote port number listening for this stream
skinny.reserved Reserved Unsigned 32-bit integer Reserved for future(?) use.
skinny.resourceTypes ResourceType Unsigned 32-bit integer Resource Type
skinny.ringType Ring Type Unsigned 32-bit integer What type of ring to play
skinny.routingID routingID Unsigned 32-bit integer routingID.
skinny.secondaryKeepAliveInterval SecondaryKeepAliveInterval Unsigned 32-bit integer How often are keep alives exchanges between the client and the secondary call manager.
skinny.sequenceFlag SequenceFlag Unsigned 32-bit integer Sequence Flag
skinny.serverIdentifier Server Identifier String Server Identifier.
skinny.serverIpAddress Server Ip Address IPv4 address The IP address for this server
skinny.serverListenPort Server Port Unsigned 32-bit integer The port the server listens on.
skinny.serverName Server Name String The server name for this device.
skinny.serviceNum ServiceNum Unsigned 32-bit integer ServiceNum.
skinny.serviceNumber ServiceNumber Unsigned 32-bit integer ServiceNumber.
skinny.serviceResourceCount ServiceResourceCount Unsigned 32-bit integer ServiceResourceCount.
skinny.serviceURL ServiceURL String ServiceURL.
skinny.serviceURLDisplayName ServiceURLDisplayName String ServiceURLDisplayName.
skinny.serviceURLIndex serviceURLIndex Unsigned 32-bit integer serviceURLIndex.
skinny.sessionType Session Type Unsigned 32-bit integer The type of this session.
skinny.silenceSuppression Silence Suppression Unsigned 32-bit integer Mode for silence suppression
skinny.softKeyCount SoftKeyCount Unsigned 32-bit integer The number of valid softkeys in this message.
skinny.softKeyEvent SoftKeyEvent Unsigned 32-bit integer Which softkey event is being reported.
skinny.softKeyInfoIndex SoftKeyInfoIndex Unsigned 16-bit integer Array of size 16 16-bit unsigned integers containing an index into the soft key description information.
skinny.softKeyLabel SoftKeyLabel String The text label for this soft key.
skinny.softKeyMap SoftKeyMap Unsigned 16-bit integer
skinny.softKeyMap.0 SoftKey0 Boolean
skinny.softKeyMap.1 SoftKey1 Boolean
skinny.softKeyMap.10 SoftKey10 Boolean
skinny.softKeyMap.11 SoftKey11 Boolean
skinny.softKeyMap.12 SoftKey12 Boolean
skinny.softKeyMap.13 SoftKey13 Boolean
skinny.softKeyMap.14 SoftKey14 Boolean
skinny.softKeyMap.15 SoftKey15 Boolean
skinny.softKeyMap.2 SoftKey2 Boolean
skinny.softKeyMap.3 SoftKey3 Boolean
skinny.softKeyMap.4 SoftKey4 Boolean
skinny.softKeyMap.5 SoftKey5 Boolean
skinny.softKeyMap.6 SoftKey6 Boolean
skinny.softKeyMap.7 SoftKey7 Boolean
skinny.softKeyMap.8 SoftKey8 Boolean
skinny.softKeyMap.9 SoftKey9 Boolean
skinny.softKeyOffset SoftKeyOffset Unsigned 32-bit integer The offset for the first soft key in this message.
skinny.softKeySetCount SoftKeySetCount Unsigned 32-bit integer The number of valid softkey sets in this message.
skinny.softKeySetDescription SoftKeySet Unsigned 8-bit integer A text description of what this softkey when this softkey set is displayed
skinny.softKeySetOffset SoftKeySetOffset Unsigned 32-bit integer The offset for the first soft key set in this message.
skinny.softKeyTemplateIndex SoftKeyTemplateIndex Unsigned 8-bit integer Array of size 16 8-bit unsigned ints containing an index into the softKeyTemplate.
skinny.speakerMode Speaker Unsigned 32-bit integer This message sets the speaker mode on/off
skinny.speedDialDirNum SpeedDial Number String the number to dial for this speed dial.
skinny.speedDialDisplay SpeedDial Display String The text to display for this speed dial.
skinny.speedDialNumber SpeedDialNumber Unsigned 32-bit integer Which speed dial number
skinny.stationInstance StationInstance Unsigned 32-bit integer The stations instance.
skinny.stationIpPort StationIpPort Unsigned 16-bit integer The station IP port
skinny.stationKeypadButton KeypadButton Unsigned 32-bit integer The button pressed on the phone.
skinny.stationUserId StationUserId Unsigned 32-bit integer The station user id.
skinny.statsProcessingType StatsProcessingType Unsigned 32-bit integer What do do after you send the stats.
skinny.stillImageTransmission StillImageTransmission Unsigned 32-bit integer StillImageTransmission.
skinny.stimulus Stimulus Unsigned 32-bit integer Reason for the device stimulus message.
skinny.stimulusInstance StimulusInstance Unsigned 32-bit integer The instance of the stimulus
skinny.temporalSpatialTradeOff TemporalSpatialTradeOff Unsigned 32-bit integer TemporalSpatialTradeOff.
skinny.temporalSpatialTradeOffCapability TemporalSpatialTradeOffCapability Unsigned 32-bit integer TemporalSpatialTradeOffCapability.
skinny.timeStamp Timestamp Unsigned 32-bit integer Time stamp for the call reference
skinny.tokenRejWaitTime Retry Wait Time Unsigned 32-bit integer The time to wait before retrying this token request.
skinny.totalButtonCount TotalButtonCount Unsigned 32-bit integer The total number of buttons defined for this phone.
skinny.totalSoftKeyCount TotalSoftKeyCount Unsigned 32-bit integer The total number of softkeys for this device.
skinny.totalSoftKeySetCount TotalSoftKeySetCount Unsigned 32-bit integer The total number of softkey sets for this device.
skinny.transactionID TransactionID Unsigned 32-bit integer Transaction ID.
skinny.transmitOrReceive TransmitOrReceive Unsigned 32-bit integer TransmitOrReceive
skinny.transmitPreference TransmitPreference Unsigned 32-bit integer TransmitPreference.
skinny.unknown Data Unsigned 32-bit integer Place holder for unknown data.
skinny.userName Username String Username for this device.
skinny.version Version String Version.
skinny.videoCapCount VideoCapCount Unsigned 32-bit integer VideoCapCount.
skinny.year Year Unsigned 32-bit integer The current year
slimp3.control Control Packet Boolean SLIMP3 control
slimp3.data Data Boolean SLIMP3 Data
slimp3.data_ack Data Ack Boolean SLIMP3 Data Ack
slimp3.data_req Data Request Boolean SLIMP3 Data Request
slimp3.discovery_req Discovery Request Boolean SLIMP3 Discovery Request
slimp3.discovery_response Discovery Response Boolean SLIMP3 Discovery Response
slimp3.display Display Boolean SLIMP3 display
slimp3.hello Hello Boolean SLIMP3 hello
slimp3.i2c I2C Boolean SLIMP3 I2C
slimp3.ir Infrared Unsigned 32-bit integer SLIMP3 Infrared command
slimp3.opcode Opcode Unsigned 8-bit integer SLIMP3 message type
lacp.actorInfo Actor Information Unsigned 8-bit integer TLV type = Actor
lacp.actorInfoLen Actor Information Length Unsigned 8-bit integer The length of the Actor TLV
lacp.actorKey Actor Key Unsigned 16-bit integer The operational Key value assigned to the port by the Actor
lacp.actorPort Actor Port Unsigned 16-bit integer The port number assigned to the port by the Actor (via Management or Admin)
lacp.actorPortPriority Actor Port Priority Unsigned 16-bit integer The priority assigned to the port by the Actor (via Management or Admin)
lacp.actorState Actor State Unsigned 8-bit integer The Actor's state variables for the port, encoded as bits within a single octet
lacp.actorState.activity LACP Activity Boolean Activity control value for this link. Active = 1, Passive = 0
lacp.actorState.aggregation Aggregation Boolean Aggregatable = 1, Individual = 0
lacp.actorState.collecting Collecting Boolean Collection of incoming frames is: Enabled = 1, Disabled = 0
lacp.actorState.defaulted Defaulted Boolean 1 = Actor Rx machine is using DEFAULT Partner info, 0 = using info in Rx'd LACPDU
lacp.actorState.distributing Distributing Boolean Distribution of outgoing frames is: Enabled = 1, Disabled = 0
lacp.actorState.expired Expired Boolean 1 = Actor Rx machine is EXPIRED, 0 = is NOT EXPIRED
lacp.actorState.synchronization Synchronization Boolean In Sync = 1, Out of Sync = 0
lacp.actorState.timeout LACP Timeout Boolean Timeout control value for this link. Short Timeout = 1, Long Timeout = 0
lacp.actorSysPriority Actor System Priority Unsigned 16-bit integer The priority assigned to this System by management or admin
lacp.actorSystem Actor System 6-byte Hardware (MAC) Address The Actor's System ID encoded as a MAC address
lacp.collectorInfo Collector Information Unsigned 8-bit integer TLV type = Collector
lacp.collectorInfoLen Collector Information Length Unsigned 8-bit integer The length of the Collector TLV
lacp.collectorMaxDelay Collector Max Delay Unsigned 16-bit integer The max delay of the station tx'ing the LACPDU (in tens of usecs)
lacp.partnerInfo Partner Information Unsigned 8-bit integer TLV type = Partner
lacp.partnerInfoLen Partner Information Length Unsigned 8-bit integer The length of the Partner TLV
lacp.partnerKey Partner Key Unsigned 16-bit integer The operational Key value assigned to the port associated with this link by the Partner
lacp.partnerPort Partner Port Unsigned 16-bit integer The port number associated with this link assigned to the port by the Partner (via Management or Admin)
lacp.partnerPortPriority Partner Port Priority Unsigned 16-bit integer The priority assigned to the port by the Partner (via Management or Admin)
lacp.partnerState Partner State Unsigned 8-bit integer The Partner's state variables for the port, encoded as bits within a single octet
lacp.partnerState.activity LACP Activity Boolean Activity control value for this link. Active = 1, Passive = 0
lacp.partnerState.aggregation Aggregation Boolean Aggregatable = 1, Individual = 0
lacp.partnerState.collecting Collecting Boolean Collection of incoming frames is: Enabled = 1, Disabled = 0
lacp.partnerState.defaulted Defaulted Boolean 1 = Actor Rx machine is using DEFAULT Partner info, 0 = using info in Rx'd LACPDU
lacp.partnerState.distributing Distributing Boolean Distribution of outgoing frames is: Enabled = 1, Disabled = 0
lacp.partnerState.expired Expired Boolean 1 = Actor Rx machine is EXPIRED, 0 = is NOT EXPIRED
lacp.partnerState.synchronization Synchronization Boolean In Sync = 1, Out of Sync = 0
lacp.partnerState.timeout LACP Timeout Boolean Timeout control value for this link. Short Timeout = 1, Long Timeout = 0
lacp.partnerSysPriority Partner System Priority Unsigned 16-bit integer The priority assigned to the Partner System by management or admin
lacp.partnerSystem Partner System 6-byte Hardware (MAC) Address The Partner's System ID encoded as a MAC address
lacp.reserved Reserved Byte array
lacp.termInfo Terminator Information Unsigned 8-bit integer TLV type = Terminator
lacp.termLen Terminator Length Unsigned 8-bit integer The length of the Terminator TLV
lacp.version LACP Version Number Unsigned 8-bit integer Identifies the LACP version
marker.requesterPort Requester Port Unsigned 16-bit integer The Requester Port
marker.requesterSystem Requester System 6-byte Hardware (MAC) Address The Requester System ID encoded as a MAC address
marker.requesterTransId Requester Transaction ID Unsigned 32-bit integer The Requester Transaction ID
marker.tlvLen TLV Length Unsigned 8-bit integer The length of the Actor TLV
marker.tlvType TLV Type Unsigned 8-bit integer Marker TLV type
marker.version Version Number Unsigned 8-bit integer Identifies the Marker version
oam.code OAMPDU code Unsigned 8-bit integer Identifies the TLVs code
oam.event.efeErrors Errored Frames Unsigned 32-bit integer Number of symbols in error
oam.event.efeThreshold Errored Frame Threshold Unsigned 32-bit integer Number of frames required to generate the Event
oam.event.efeTotalErrors Error Running Total Unsigned 64-bit integer Number of frames in error since reset of the sublayer
oam.event.efeTotalEvents Event Running Total Unsigned 32-bit integer Total Event generated since reset of the sublayer
oam.event.efeWindow Errored Frame Window Unsigned 16-bit integer Number of symbols in the period
oam.event.efpeThreshold Errored Frame Threshold Unsigned 32-bit integer Number of frames required to generate the Event
oam.event.efpeTotalErrors Error Running Total Unsigned 64-bit integer Number of frames in error since reset of the sublayer
oam.event.efpeTotalEvents Event Running Total Unsigned 32-bit integer Total Event generated since reset of the sublayer
oam.event.efpeWindow Errored Frame Window Unsigned 32-bit integer Number of frame in error during the period
oam.event.efsseThreshold Errored Frame Threshold Unsigned 16-bit integer Number of frames required to generate the Event
oam.event.efsseTotalErrors Error Running Total Unsigned 32-bit integer Number of frames in error since reset of the sublayer
oam.event.efsseTotalEvents Event Running Total Unsigned 32-bit integer Total Event generated since reset of the sublayer
oam.event.efsseWindow Errored Frame Window Unsigned 16-bit integer Number of frame in error during the period
oam.event.espeErrors Errored Symbols Unsigned 64-bit integer Number of symbols in error
oam.event.espeThreshold Errored Symbol Threshold Unsigned 64-bit integer Number of symbols required to generate the Event
oam.event.espeTotalErrors Error Running Total Unsigned 64-bit integer Number of symbols in error since reset of the sublayer
oam.event.espeTotalEvents Event Running Total Unsigned 32-bit integer Total Event generated since reset of the sublayer
oam.event.espeWindow Errored Symbol Window Unsigned 64-bit integer Number of symbols in the period
oam.event.length Event Length Unsigned 8-bit integer This field indicates the length in octets of the TLV-tuple
oam.event.sequence Sequence Number Unsigned 16-bit integer Identifies the Event Notification TLVs
oam.event.timestamp Event Timestamp (100ms) Unsigned 16-bit integer Event Time Stamp in term of 100 ms intervals
oam.event.type Event Type Unsigned 8-bit integer Identifies the TLV type
oam.flags Flags Unsigned 16-bit integer The Flags Field
oam.flags.criticalEvent Critical Event Boolean A critical event has occurred. True = 1, False = 0
oam.flags.dyingGasp Dying Gasp Boolean An unrecoverable local failure occured. True = 1, False = 0
oam.flags.linkFault Link Fault Boolean The PHY detected a fault in the receive direction. True = 1, False = 0
oam.flags.localEvaluating Local Evaluating Boolean Local DTE Discovery process in progress. True = 1, False = 0
oam.flags.localStable Local Stable Boolean Local DTE is Stable. True = 1, False = 0
oam.flags.remoteEvaluating Remote Evaluating Boolean Remote DTE Discovery process in progress. True = 1, False = 0
oam.flags.remoteStable Remote Stable Boolean Remote DTE is Stable. True = 1, False = 0
oam.info.length TLV Length Unsigned 8-bit integer Identifies the TLVs type
oam.info.oamConfig OAM Configuration Unsigned 8-bit integer OAM Configuration
oam.info.oamConfig.mode OAM Mode Boolean
oam.info.oampduConfig Max OAMPDU Size Unsigned 16-bit integer OAMPDU Configuration
oam.info.oui Organizationally Unique Identifier Byte array
oam.info.revision TLV Revision Unsigned 16-bit integer Identifies the TLVs revision
oam.info.state OAM DTE States Unsigned 8-bit integer OAM DTE State of the Mux and the Parser
oam.info.state.muxiplexer Muxiplexer Action Boolean Muxiplexer Action
oam.info.state.parser Parser Action Unsigned 8-bit integer Parser Action
oam.info.type Type Unsigned 8-bit integer Identifies the TLV type
oam.info.vendor Vendor Specific Information Byte array
oam.info.version TLV Version Unsigned 8-bit integer Identifies the TLVs version
oam.lpbk.commands Commands Unsigned 8-bit integer The List of Loopback Commands
oam.lpbk.commands.disable Disable Remote Loopback Boolean Disable Remote Loopback Command
oam.lpbk.commands.enable Enable Remote Loopback Boolean Enable Remote Loopback Command
oam.variable.attribute Leaf Unsigned 16-bit integer Attribute, derived from the CMIP protocol in Annex 30A
oam.variable.binding Leaf Unsigned 16-bit integer Binding, derived from the CMIP protocol in Annex 30A
oam.variable.branch Branch Unsigned 8-bit integer Variable Branch, derived from the CMIP protocol in Annex 30A
oam.variable.indication Variable indication Unsigned 8-bit integer Variable indication
oam.variable.object Leaf Unsigned 16-bit integer Object, derived from the CMIP protocol in Annex 30A
oam.variable.package Leaf Unsigned 16-bit integer Package, derived from the CMIP protocol in Annex 30A
oam.variable.value Variable Value Byte array Value
oam.variable.width Variable Width Unsigned 8-bit integer Width
slow.subtype Slow Protocols subtype Unsigned 8-bit integer Identifies the LACP version
socks.command Command Unsigned 8-bit integer
socks.dst Remote Address IPv4 address
socks.dstV6 Remote Address(ipv6) IPv6 address
socks.dstport Remote Port Unsigned 16-bit integer
socks.results Results(V5) Unsigned 8-bit integer
socks.results_v4 Results(V4) Unsigned 8-bit integer
socks.results_v5 Results(V5) Unsigned 8-bit integer
socks.username User Name String
socks.v4a_dns_name SOCKS v4a Remote Domain Name String
socks.version Version Unsigned 8-bit integer
slsk.average.speed Average Speed Unsigned 32-bit integer Average Speed
slsk.byte Byte Unsigned 8-bit integer Byte
slsk.chat.message Chat Message String Chat Message
slsk.chat.message.id Chat Message ID Unsigned 32-bit integer Chat Message ID
slsk.checksum Checksum Unsigned 32-bit integer Checksum
slsk.code Code Unsigned 32-bit integer Code
slsk.compr.packet [zlib compressed packet] No value zlib compressed packet
slsk.connection.type Connection Type String Connection Type
slsk.day.count Number of Days Unsigned 32-bit integer Number of Days
slsk.directories Directories Unsigned 32-bit integer Directories
slsk.directory Directory String Directory
slsk.download.number Download Number Unsigned 32-bit integer Download Number
slsk.file.count File Count Unsigned 32-bit integer File Count
slsk.filename Filename String Filename
slsk.files Files Unsigned 32-bit integer Files
slsk.folder.count Folder Count Unsigned 32-bit integer Folder Count
slsk.integer Integer Unsigned 32-bit integer Integer
slsk.ip.address IP Address IPv4 address IP Address
slsk.login.message Login Message String Login Message
slsk.login.successful Login successful Unsigned 8-bit integer Login Successful
slsk.message.code Message Code Unsigned 32-bit integer Message Code
slsk.message.length Message Length Unsigned 32-bit integer Message Length
slsk.nodes.in.cache.before.disconnect Nodes In Cache Before Disconnect Unsigned 32-bit integer Nodes In Cache Before Disconnect
slsk.parent.min.speed Parent Min Speed Unsigned 32-bit integer Parent Min Speed
slsk.parent.speed.connection.ratio Parent Speed Connection Ratio Unsigned 32-bit integer Parent Speed Connection Ratio
slsk.password Password String Password
slsk.port.number Port Number Unsigned 32-bit integer Port Number
slsk.queue.place Place in Queue Unsigned 32-bit integer Place in Queue
slsk.ranking Ranking Unsigned 32-bit integer Ranking
slsk.recommendation Recommendation String Recommendation
slsk.room Room String Room
slsk.room.count Number of Rooms Unsigned 32-bit integer Number of Rooms
slsk.room.users Users in Room Unsigned 32-bit integer Number of Users in Room
slsk.search.text Search Text String Search Text
slsk.seconds.before.ping.children Seconds Before Ping Children Unsigned 32-bit integer Seconds Before Ping Children
slsk.seconds.parent.inactivity.before.disconnect Seconds Parent Inactivity Before Disconnect Unsigned 32-bit integer Seconds Parent Inactivity Before Disconnect
slsk.seconds.server.inactivity.before.disconnect Seconds Server Inactivity Before Disconnect Unsigned 32-bit integer Seconds Server Inactivity Before Disconnect
slsk.server.ip Client IP IPv4 address Client IP Address
slsk.size Size Unsigned 32-bit integer File Size
slsk.slots.full Slots full Unsigned 32-bit integer Upload Slots Full
slsk.status.code Status Code Unsigned 32-bit integer Status Code
slsk.string String String String
slsk.string.length String Length Unsigned 32-bit integer String Length
slsk.timestamp Timestamp Unsigned 32-bit integer Timestamp
slsk.token Token Unsigned 32-bit integer Token
slsk.transfer.direction Transfer Direction Unsigned 32-bit integer Transfer Direction
slsk.uploads.available Upload Slots available Unsigned 8-bit integer Upload Slots available
slsk.uploads.queued Queued uploads Unsigned 32-bit integer Queued uploads
slsk.uploads.total Total uploads allowed Unsigned 32-bit integer Total uploads allowed
slsk.uploads.user User uploads Unsigned 32-bit integer User uploads
slsk.user.allowed Download allowed Unsigned 8-bit integer allowed
slsk.user.count Number of Users Unsigned 32-bit integer Number of Users
slsk.user.description User Description String User Description
slsk.user.exists user exists Unsigned 8-bit integer User exists
slsk.user.picture Picture String User Picture
slsk.user.picture.exists Picture exists Unsigned 8-bit integer User has a picture
slsk.username Username String Username
slsk.version Version Unsigned 32-bit integer Version
mstp.cist_bridge.hw CIST Bridge Identifier 6-byte Hardware (MAC) Address
mstp.cist_internal_root_path_cost CIST Internal Root Path Cost Unsigned 32-bit integer
mstp.cist_remaining_hops CIST Remaining hops Unsigned 8-bit integer
mstp.config_digest MST Config digest Byte array
mstp.config_format_selector MST Config ID format selector Unsigned 8-bit integer
mstp.config_name MST Config name String
mstp.config_revision_level MST Config revision Unsigned 16-bit integer
mstp.msti.bridge_priority Bridge Identifier Priority Unsigned 8-bit integer
mstp.msti.flags MSTI flags Unsigned 8-bit integer
mstp.msti.port_priority Port identifier priority Unsigned 8-bit integer
mstp.msti.remaining_hops Remaining hops Unsigned 8-bit integer
mstp.msti.root.hw Regional Root 6-byte Hardware (MAC) Address
mstp.msti.root_cost Internal root path cost Unsigned 32-bit integer
mstp.version_3_length Version 3 Length Unsigned 16-bit integer
stp.bridge.hw Bridge Identifier 6-byte Hardware (MAC) Address
stp.flags BPDU flags Unsigned 8-bit integer
stp.flags.agreement Agreement Boolean
stp.flags.forwarding Forwarding Boolean
stp.flags.learning Learning Boolean
stp.flags.port_role Port Role Unsigned 8-bit integer
stp.flags.proposal Proposal Boolean
stp.flags.tc Topology Change Boolean
stp.flags.tcack Topology Change Acknowledgment Boolean
stp.forward Forward Delay Double-precision floating point
stp.hello Hello Time Double-precision floating point
stp.max_age Max Age Double-precision floating point
stp.msg_age Message Age Double-precision floating point
stp.port Port identifier Unsigned 16-bit integer
stp.protocol Protocol Identifier Unsigned 16-bit integer
stp.root.cost Root Path Cost Unsigned 32-bit integer
stp.root.hw Root Identifier 6-byte Hardware (MAC) Address
stp.type BPDU Type Unsigned 8-bit integer
stp.version Protocol Version Identifier Unsigned 8-bit integer
stp.version_1_length Version 1 Length Unsigned 8-bit integer
sctp.abort_t_bit T-Bit Boolean
sctp.adapation_layer_indication Indication Unsigned 32-bit integer
sctp.asconf_ack_serial_number Serial number Unsigned 32-bit integer
sctp.asconf_serial_number Serial number Unsigned 32-bit integer
sctp.cause_code Cause code Unsigned 16-bit integer
sctp.cause_information Cause information Byte array
sctp.cause_length Cause length Unsigned 16-bit integer
sctp.cause_measure_of_staleness Measure of staleness in usec Unsigned 32-bit integer
sctp.cause_missing_parameter_type Missing parameter type Unsigned 16-bit integer
sctp.cause_nr_of_missing_parameters Number of missing parameters Unsigned 32-bit integer
sctp.cause_padding Cause padding Byte array
sctp.cause_reserved Reserved Unsigned 16-bit integer
sctp.cause_stream_identifier Stream identifier Unsigned 16-bit integer
sctp.cause_tsn TSN Unsigned 32-bit integer
sctp.checksum Checksum Unsigned 32-bit integer
sctp.checksum_bad Bad checksum Boolean
sctp.chunk_bit_1 Bit Boolean
sctp.chunk_bit_2 Bit Boolean
sctp.chunk_flags Chunk flags Unsigned 8-bit integer
sctp.chunk_length Chunk length Unsigned 16-bit integer
sctp.chunk_padding Chunk padding Byte array
sctp.chunk_type Chunk type Unsigned 8-bit integer
sctp.chunk_type_to_auth Chunk type Unsigned 8-bit integer
sctp.chunk_value Chunk value Byte array
sctp.cookie Cookie Byte array
sctp.correlation_id Correlation_id Unsigned 32-bit integer
sctp.cumulative_tsn_ack Cumulative TSN Ack Unsigned 32-bit integer
sctp.cwr_lowest_tsn Lowest TSN Unsigned 32-bit integer
sctp.data_b_bit B-Bit Boolean
sctp.data_e_bit E-Bit Boolean
sctp.data_payload_proto_id Payload protocol identifier Unsigned 32-bit integer
sctp.data_sid Stream Identifier Unsigned 16-bit integer
sctp.data_ssn Stream sequence number Unsigned 16-bit integer
sctp.data_tsn TSN Unsigned 32-bit integer
sctp.data_u_bit U-Bit Boolean
sctp.dstport Destination port Unsigned 16-bit integer
sctp.ecne_lowest_tsn Lowest TSN Unsigned 32-bit integer
sctp.forward_tsn_sid Stream identifier Unsigned 16-bit integer
sctp.forward_tsn_ssn Stream sequence number Unsigned 16-bit integer
sctp.forward_tsn_tsn New cumulative TSN Unsigned 32-bit integer
sctp.hmac HMAC Byte array
sctp.hmac_id HMAC identifier Unsigned 16-bit integer
sctp.init_credit Advertised receiver window credit (a_rwnd) Unsigned 32-bit integer
sctp.init_initial_tsn Initial TSN Unsigned 32-bit integer
sctp.init_initiate_tag Initiate tag Unsigned 32-bit integer
sctp.init_nr_in_streams Number of inbound streams Unsigned 16-bit integer
sctp.init_nr_out_streams Number of outbound streams Unsigned 16-bit integer
sctp.initack_credit Advertised receiver window credit (a_rwnd) Unsigned 32-bit integer
sctp.initack_initial_tsn Initial TSN Unsigned 32-bit integer
sctp.initack_initiate_tag Initiate tag Unsigned 32-bit integer
sctp.initack_nr_in_streams Number of inbound streams Unsigned 16-bit integer
sctp.initack_nr_out_streams Number of outbound streams Unsigned 16-bit integer
sctp.initiate_tag Initiate tag Unsigned 32-bit integer
sctp.parameter_bit_1 Bit Boolean
sctp.parameter_bit_2 Bit Boolean
sctp.parameter_cookie_preservative_incr Suggested Cookie life-span increment (msec) Unsigned 32-bit integer
sctp.parameter_heartbeat_information Heartbeat information Byte array
sctp.parameter_hostname Hostname String
sctp.parameter_ipv4_address IP Version 4 address IPv4 address
sctp.parameter_ipv6_address IP Version 6 address IPv6 address
sctp.parameter_length Parameter length Unsigned 16-bit integer
sctp.parameter_padding Parameter padding Byte array
sctp.parameter_receivers_next_tsn Receivers next TSN Unsigned 32-bit integer
sctp.parameter_senders_last_assigned_tsn Senders last assigned TSN Unsigned 32-bit integer
sctp.parameter_senders_next_tsn Senders next TSN Unsigned 32-bit integer
sctp.parameter_state_cookie State cookie Byte array
sctp.parameter_stream_reset_request_sequence_number Stream reset request sequence number Unsigned 32-bit integer
sctp.parameter_stream_reset_response_result Result Unsigned 32-bit integer
sctp.parameter_stream_reset_response_sequence_number Stream reset response sequence number Unsigned 32-bit integer
sctp.parameter_stream_reset_sid Stream Identifier Unsigned 16-bit integer
sctp.parameter_supported_addres_type Supported address type Unsigned 16-bit integer
sctp.parameter_type Parameter type Unsigned 16-bit integer
sctp.parameter_value Parameter value Byte array
sctp.pckdrop_b_bit B-Bit Boolean
sctp.pckdrop_m_bit M-Bit Boolean
sctp.pckdrop_t_bit T-Bit Boolean
sctp.pktdrop_bandwidth Bandwidth Unsigned 32-bit integer
sctp.pktdrop_datafield Data field Byte array
sctp.pktdrop_queuesize Queuesize Unsigned 32-bit integer
sctp.pktdrop_reserved Reserved Unsigned 16-bit integer
sctp.pktdrop_truncated_length Truncated length Unsigned 16-bit integer
sctp.port Port Unsigned 16-bit integer
sctp.random_number Random number Byte array
sctp.sack_a_rwnd Advertised receiver window credit (a_rwnd) Unsigned 32-bit integer
sctp.sack_cumulative_tsn_ack Cumulative TSN ACK Unsigned 32-bit integer
sctp.sack_duplicate_tsn Duplicate TSN Unsigned 16-bit integer
sctp.sack_gap_block_end End Unsigned 16-bit integer
sctp.sack_gap_block_start Start Unsigned 16-bit integer
sctp.sack_nounce_sum Nounce sum Unsigned 8-bit integer
sctp.sack_number_of_duplicated_tsns Number of duplicated TSNs Unsigned 16-bit integer
sctp.sack_number_of_gap_blocks Number of gap acknowledgement blocks Unsigned 16-bit integer
sctp.shared_key_id Shared key identifier Unsigned 16-bit integer
sctp.shutdown_complete_t_bit T-Bit Boolean
sctp.shutdown_cumulative_tsn_ack Cumulative TSN Ack Unsigned 32-bit integer
sctp.srcport Source port Unsigned 16-bit integer
sctp.supported_chunk_type Supported chunk type Unsigned 8-bit integer
sctp.verification_tag Verification tag Unsigned 32-bit integer
npdu.fragment N-PDU Fragment Frame number N-PDU Fragment
npdu.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
npdu.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
npdu.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
npdu.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
npdu.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
npdu.fragments N-PDU Fragments No value N-PDU Fragments
npdu.reassembled.in Reassembled in Frame number N-PDU fragments are reassembled in the given packet
sndcp.dcomp DCOMP Unsigned 8-bit integer Data compression coding
sndcp.f First segment indicator bit Boolean First segment indicator bit
sndcp.m More bit Boolean More bit
sndcp.npdu N-PDU Unsigned 8-bit integer N-PDU
sndcp.nsapi NSAPI Unsigned 8-bit integer Network Layer Service Access Point Identifier
sndcp.nsapib NSAPI Unsigned 8-bit integer Network Layer Service Access Point Identifier
sndcp.pcomp PCOMP Unsigned 8-bit integer Protocol compression coding
sndcp.segment Segment Unsigned 16-bit integer Segment number
sndcp.t Type Boolean SN-PDU Type
sndcp.x Spare bit Boolean Spare bit (should be 0)
symantec.if Interface IPv4 address Interface
symantec.type Type Unsigned 16-bit integer
sdlc.address Address Field Unsigned 8-bit integer Address
sdlc.control Control Field Unsigned 16-bit integer Control field
sdlc.control.f Final Boolean
sdlc.control.ftype Frame type Unsigned 8-bit integer
sdlc.control.n_r N(R) Unsigned 8-bit integer
sdlc.control.n_s N(S) Unsigned 8-bit integer
sdlc.control.p Poll Boolean
sdlc.control.s_ftype Supervisory frame type Unsigned 8-bit integer
sdlc.control.u_modifier_cmd Command Unsigned 8-bit integer
sdlc.control.u_modifier_resp Response Unsigned 8-bit integer
synergy.ack resolution change acknowledgment No value
synergy.cbye Close Connection No value
synergy.cinn Enter Screen No value
synergy.cinn.mask Modifier Key Mask Unsigned 16-bit integer
synergy.cinn.sequence Sequence Number Unsigned 32-bit integer
synergy.cinn.x Screen X Unsigned 16-bit integer
synergy.cinn.y Screen Y Unsigned 16-bit integer
synergy.clientdata Client Data No value
synergy.clipboard Grab Clipboard No value
synergy.clipboard.identifier Identifier Unsigned 8-bit integer
synergy.clipboard.sequence Sequence Number Unsigned 32-bit integer
synergy.clipboarddata Clipboard Data No value
synergy.clipboarddata.data Clipboard Data String
synergy.clipboarddata.identifier Clipboard Identifier Unsigned 8-bit integer
synergy.clipboarddata.sequence Sequence Number Unsigned 32-bit integer
synergy.clps coordinate of leftmost pixel on secondary screen Unsigned 16-bit integer
synergy.clps.ctp coordinate of topmost pixel on secondary screen Unsigned 16-bit integer
synergy.clps.hsp height of secondary screen in pixels Unsigned 16-bit integer
synergy.clps.swz size of warp zone Unsigned 16-bit integer
synergy.clps.wsp width of secondary screen in pixels Unsigned 16-bit integer
synergy.clps.x x position of the mouse on the secondary screen Unsigned 16-bit integer
synergy.clps.y y position of the mouse on the secondary screen Unsigned 16-bit integer
synergy.cnop No Operation No value
synergy.cout Leave Screen No value
synergy.ebsy Connection Already in Use No value
synergy.eicv incompatible versions No value
synergy.eicv.major Major Version Number Unsigned 16-bit integer
synergy.eicv.minor Minor Version Number Unsigned 16-bit integer
synergy.handshake Handshake No value
synergy.handshake.client Client Name String
synergy.handshake.majorversion Major Version Unsigned 16-bit integer
synergy.handshake.minorversion Minor Version Unsigned 16-bit integer
synergy.keyautorepeat key auto-repeat No value
synergy.keyautorepeat.key Key Button Unsigned 16-bit integer
synergy.keyautorepeat.keyid Key ID Unsigned 16-bit integer
synergy.keyautorepeat.mask Key modifier Mask Unsigned 16-bit integer
synergy.keyautorepeat.repeat Number of Repeats Unsigned 16-bit integer
synergy.keypressed Key Pressed No value
synergy.keypressed.key Key Button Unsigned 16-bit integer
synergy.keypressed.keyid Key Id Unsigned 16-bit integer
synergy.keypressed.mask Key Modifier Mask Unsigned 16-bit integer
synergy.keyreleased key released No value
synergy.keyreleased.key Key Button Unsigned 16-bit integer
synergy.keyreleased.keyid Key Id Unsigned 16-bit integer
synergy.mousebuttonpressed Mouse Button Pressed Unsigned 8-bit integer
synergy.mousebuttonreleased Mouse Button Released Unsigned 8-bit integer
synergy.mousemoved Mouse Moved No value
synergy.mousemoved.x X Axis Unsigned 16-bit integer
synergy.mousemoved.y Y Axis Unsigned 16-bit integer
synergy.qinf Query Screen Info No value
synergy.relativemousemove Relative Mouse Move No value
synergy.relativemousemove.x X Axis Unsigned 16-bit integer
synergy.relativemousemove.y Y Axis Unsigned 16-bit integer
synergy.resetoptions Reset Options No value
synergy.screensaver Screen Saver Change Boolean
synergy.setoptions Set Options Unsigned 32-bit integer
synergy.unknown unknown No value
synergy.violation protocol violation No value
synergykeyreleased.mask Key Modifier Mask Unsigned 16-bit integer
syslog.facility Facility Unsigned 8-bit integer Message facility
syslog.level Level Unsigned 8-bit integer Message level
syslog.msg Message String Message Text
sna.control.05.delay Channel Delay Unsigned 16-bit integer
sna.control.05.ptp Point-to-point Boolean
sna.control.05.type Network Address Type Unsigned 8-bit integer
sna.control.0e.type Type Unsigned 8-bit integer
sna.control.0e.value Value String
sna.control.hprkey Control Vector HPR Key Unsigned 8-bit integer
sna.control.key Control Vector Key Unsigned 8-bit integer
sna.control.len Control Vector Length Unsigned 8-bit integer
sna.gds GDS Variable No value
sna.gds.cont Continuation Flag Boolean
sna.gds.len GDS Variable Length Unsigned 16-bit integer
sna.gds.type Type of Variable Unsigned 16-bit integer
sna.nlp.frh Transmission Priority Field Unsigned 8-bit integer
sna.nlp.nhdr Network Layer Packet Header No value NHDR
sna.nlp.nhdr.0 Network Layer Packet Header Byte 0 Unsigned 8-bit integer
sna.nlp.nhdr.1 Network Layer Packet Header Byte 1 Unsigned 8-bit integer
sna.nlp.nhdr.anr Automatic Network Routing Entry Byte array
sna.nlp.nhdr.fra Function Routing Address Entry Byte array
sna.nlp.nhdr.ft Function Type Unsigned 8-bit integer
sna.nlp.nhdr.slowdn1 Slowdown 1 Boolean
sna.nlp.nhdr.slowdn2 Slowdown 2 Boolean
sna.nlp.nhdr.sm Switching Mode Field Unsigned 8-bit integer
sna.nlp.nhdr.tpf Transmission Priority Field Unsigned 8-bit integer
sna.nlp.nhdr.tspi Time Sensitive Packet Indicator Boolean
sna.nlp.thdr RTP Transport Header No value THDR
sna.nlp.thdr.8 RTP Transport Packet Header Byte 8 Unsigned 8-bit integer
sna.nlp.thdr.9 RTP Transport Packet Header Byte 9 Unsigned 8-bit integer
sna.nlp.thdr.bsn Byte Sequence Number Unsigned 32-bit integer
sna.nlp.thdr.cqfi Connection Qualifyer Field Indicator Boolean
sna.nlp.thdr.dlf Data Length Field Unsigned 32-bit integer
sna.nlp.thdr.eomi End Of Message Indicator Boolean
sna.nlp.thdr.lmi Last Message Indicator Boolean
sna.nlp.thdr.offset Data Offset/4 Unsigned 16-bit integer Data Offset in Words
sna.nlp.thdr.optional.0d.arb ARB Flow Control Boolean
sna.nlp.thdr.optional.0d.dedicated Dedicated RTP Connection Boolean
sna.nlp.thdr.optional.0d.reliable Reliable Connection Boolean
sna.nlp.thdr.optional.0d.target Target Resource ID Present Boolean
sna.nlp.thdr.optional.0d.version Version Unsigned 16-bit integer
sna.nlp.thdr.optional.0e.4 Connection Setup Byte 4 Unsigned 8-bit integer
sna.nlp.thdr.optional.0e.abspbeg ABSP Begin Unsigned 32-bit integer
sna.nlp.thdr.optional.0e.abspend ABSP End Unsigned 32-bit integer
sna.nlp.thdr.optional.0e.echo Status Acknowledge Number Unsigned 16-bit integer
sna.nlp.thdr.optional.0e.gap Gap Detected Boolean
sna.nlp.thdr.optional.0e.idle RTP Idle Packet Boolean
sna.nlp.thdr.optional.0e.nabsp Number Of ABSP Unsigned 8-bit integer
sna.nlp.thdr.optional.0e.rseq Received Sequence Number Unsigned 32-bit integer
sna.nlp.thdr.optional.0e.stat Status Unsigned 8-bit integer
sna.nlp.thdr.optional.0e.sync Status Report Number Unsigned 16-bit integer
sna.nlp.thdr.optional.0f.bits Client Bits Unsigned 8-bit integer
sna.nlp.thdr.optional.10.tcid Transport Connection Identifier Byte array TCID
sna.nlp.thdr.optional.12.sense Sense Data Byte array
sna.nlp.thdr.optional.14.rr.2 Return Route TG Descriptor Byte 2 Unsigned 8-bit integer
sna.nlp.thdr.optional.14.rr.bfe BF Entry Indicator Boolean
sna.nlp.thdr.optional.14.rr.key Key Unsigned 8-bit integer
sna.nlp.thdr.optional.14.rr.len Length Unsigned 8-bit integer
sna.nlp.thdr.optional.14.rr.num Number Of TG Control Vectors Unsigned 8-bit integer
sna.nlp.thdr.optional.14.si.2 Switching Information Byte 2 Unsigned 8-bit integer
sna.nlp.thdr.optional.14.si.alive RTP Alive Timer Unsigned 32-bit integer
sna.nlp.thdr.optional.14.si.dirsearch Directory Search Required on Path Switch Indicator Boolean
sna.nlp.thdr.optional.14.si.key Key Unsigned 8-bit integer
sna.nlp.thdr.optional.14.si.len Length Unsigned 8-bit integer
sna.nlp.thdr.optional.14.si.limitres Limited Resource Link Indicator Boolean
sna.nlp.thdr.optional.14.si.maxpsize Maximum Packet Size On Return Path Unsigned 32-bit integer
sna.nlp.thdr.optional.14.si.mnpsrscv MNPS RSCV Retention Indicator Boolean
sna.nlp.thdr.optional.14.si.mobility Mobility Indicator Boolean
sna.nlp.thdr.optional.14.si.ncescope NCE Scope Indicator Boolean
sna.nlp.thdr.optional.14.si.refifo Resequencing (REFIFO) Indicator Boolean
sna.nlp.thdr.optional.14.si.switch Path Switch Time Unsigned 32-bit integer
sna.nlp.thdr.optional.22.2 Adaptive Rate Based Segment Byte 2 Unsigned 8-bit integer
sna.nlp.thdr.optional.22.3 Adaptive Rate Based Segment Byte 3 Unsigned 8-bit integer
sna.nlp.thdr.optional.22.arb ARB Mode Unsigned 8-bit integer
sna.nlp.thdr.optional.22.field1 Field 1 Unsigned 32-bit integer
sna.nlp.thdr.optional.22.field2 Field 2 Unsigned 32-bit integer
sna.nlp.thdr.optional.22.field3 Field 3 Unsigned 32-bit integer
sna.nlp.thdr.optional.22.field4 Field 4 Unsigned 32-bit integer
sna.nlp.thdr.optional.22.parity Parity Indicator Boolean
sna.nlp.thdr.optional.22.raa Rate Adjustment Action Unsigned 8-bit integer
sna.nlp.thdr.optional.22.raterep Rate Reply Correlator Unsigned 8-bit integer
sna.nlp.thdr.optional.22.ratereq Rate Request Correlator Unsigned 8-bit integer
sna.nlp.thdr.optional.22.type Message Type Unsigned 8-bit integer
sna.nlp.thdr.optional.len Optional Segment Length/4 Unsigned 8-bit integer
sna.nlp.thdr.optional.type Optional Segment Type Unsigned 8-bit integer
sna.nlp.thdr.osi Optional Segments Present Indicator Boolean
sna.nlp.thdr.rasapi Reply ASAP Indicator Boolean
sna.nlp.thdr.retryi Retry Indicator Boolean
sna.nlp.thdr.setupi Setup Indicator Boolean
sna.nlp.thdr.somi Start Of Message Indicator Boolean
sna.nlp.thdr.sri Session Request Indicator Boolean
sna.nlp.thdr.tcid Transport Connection Identifier Byte array TCID
sna.rh Request/Response Header No value
sna.rh.0 Request/Response Header Byte 0 Unsigned 8-bit integer
sna.rh.1 Request/Response Header Byte 1 Unsigned 8-bit integer
sna.rh.2 Request/Response Header Byte 2 Unsigned 8-bit integer
sna.rh.bbi Begin Bracket Indicator Boolean
sna.rh.bci Begin Chain Indicator Boolean
sna.rh.cdi Change Direction Indicator Boolean
sna.rh.cebi Conditional End Bracket Indicator Boolean
sna.rh.csi Code Selection Indicator Unsigned 8-bit integer
sna.rh.dr1 Definite Response 1 Indicator Boolean
sna.rh.dr2 Definite Response 2 Indicator Boolean
sna.rh.ebi End Bracket Indicator Boolean
sna.rh.eci End Chain Indicator Boolean
sna.rh.edi Enciphered Data Indicator Boolean
sna.rh.eri Exception Response Indicator Boolean
sna.rh.fi Format Indicator Boolean
sna.rh.lcci Length-Checked Compression Indicator Boolean
sna.rh.pdi Padded Data Indicator Boolean
sna.rh.pi Pacing Indicator Boolean
sna.rh.qri Queued Response Indicator Boolean
sna.rh.rlwi Request Larger Window Indicator Boolean
sna.rh.rri Request/Response Indicator Unsigned 8-bit integer
sna.rh.rti Response Type Indicator Boolean
sna.rh.ru_category Request/Response Unit Category Unsigned 8-bit integer
sna.rh.sdi Sense Data Included Boolean
sna.th Transmission Header No value
sna.th.0 Transmission Header Byte 0 Unsigned 8-bit integer TH Byte 0
sna.th.cmd_fmt Command Format Unsigned 8-bit integer
sna.th.cmd_sn Command Sequence Number Unsigned 16-bit integer
sna.th.cmd_type Command Type Unsigned 8-bit integer
sna.th.daf Destination Address Field Unsigned 16-bit integer
sna.th.dcf Data Count Field Unsigned 16-bit integer
sna.th.def Destination Element Field Unsigned 16-bit integer
sna.th.dsaf Destination Subarea Address Field Unsigned 32-bit integer
sna.th.efi Expedited Flow Indicator Unsigned 8-bit integer
sna.th.er_vr_supp_ind ER and VR Support Indicator Unsigned 8-bit integer
sna.th.ern Explicit Route Number Unsigned 8-bit integer
sna.th.fid Format Identifer Unsigned 8-bit integer
sna.th.iern Initial Explicit Route Number Unsigned 8-bit integer
sna.th.lsid Local Session Identification Unsigned 8-bit integer
sna.th.mft MPR FID4 Type Boolean
sna.th.mpf Mapping Field Unsigned 8-bit integer
sna.th.nlp_cp NLP Count or Padding Unsigned 8-bit integer
sna.th.nlpoi NLP Offset Indicator Unsigned 8-bit integer
sna.th.ntwk_prty Network Priority Unsigned 8-bit integer
sna.th.oaf Origin Address Field Unsigned 16-bit integer
sna.th.odai ODAI Assignment Indicator Unsigned 8-bit integer
sna.th.oef Origin Element Field Unsigned 16-bit integer
sna.th.osaf Origin Subarea Address Field Unsigned 32-bit integer
sna.th.piubf PIU Blocking Field Unsigned 8-bit integer
sna.th.sa Session Address Byte array
sna.th.snai SNA Indicator Boolean Used to identify whether the PIU originated or is destined for an SNA or non-SNA device.
sna.th.snf Sequence Number Field Unsigned 16-bit integer
sna.th.tg_nonfifo_ind Transmission Group Non-FIFO Indicator Boolean
sna.th.tg_snf Transmission Group Sequence Number Field Unsigned 16-bit integer
sna.th.tg_sweep Transmission Group Sweep Unsigned 8-bit integer
sna.th.tgsf Transmission Group Segmenting Field Unsigned 8-bit integer
sna.th.tpf Transmission Priority Field Unsigned 8-bit integer
sna.th.vr_cwi Virtual Route Change Window Indicator Unsigned 16-bit integer Change Window Indicator
sna.th.vr_cwri Virtual Route Change Window Reply Indicator Unsigned 16-bit integer
sna.th.vr_pac_cnt_ind Virtual Route Pacing Count Indicator Unsigned 8-bit integer
sna.th.vr_rwi Virtual Route Reset Window Indicator Boolean
sna.th.vr_snf_send Virtual Route Send Sequence Number Field Unsigned 16-bit integer Send Sequence Number Field
sna.th.vr_sqti Virtual Route Sequence and Type Indicator Unsigned 16-bit integer Route Sequence and Type
sna.th.vrn Virtual Route Number Unsigned 8-bit integer
sna.th.vrprq Virtual Route Pacing Request Boolean
sna.th.vrprs Virtual Route Pacing Response Boolean
sna.xid XID No value XID Frame
sna.xid.0 XID Byte 0 Unsigned 8-bit integer
sna.xid.format XID Format Unsigned 8-bit integer
sna.xid.id Node Identification Unsigned 32-bit integer
sna.xid.idblock ID Block Unsigned 32-bit integer
sna.xid.idnum ID Number Unsigned 32-bit integer
sna.xid.len XID Length Unsigned 8-bit integer
sna.xid.type XID Type Unsigned 8-bit integer
sna.xid.type3.10 XID Type 3 Byte 10 Unsigned 8-bit integer
sna.xid.type3.11 XID Type 3 Byte 11 Unsigned 8-bit integer
sna.xid.type3.12 XID Type 3 Byte 12 Unsigned 8-bit integer
sna.xid.type3.15 XID Type 3 Byte 15 Unsigned 8-bit integer
sna.xid.type3.8 Characteristics of XID sender Unsigned 16-bit integer
sna.xid.type3.actpu ACTPU suppression indicator Boolean
sna.xid.type3.asend_bind Adaptive BIND pacing support as sender Boolean Pacing support as sender
sna.xid.type3.asend_recv Adaptive BIND pacing support as receiver Boolean Pacing support as receive
sna.xid.type3.branch Branch Indicator Unsigned 8-bit integer
sna.xid.type3.brnn Option Set 1123 Indicator Boolean
sna.xid.type3.cp Control Point Services Boolean
sna.xid.type3.cpchange CP name change support Boolean
sna.xid.type3.cpcp CP-CP session support Boolean
sna.xid.type3.dedsvc Dedicated SVC Idicator Boolean
sna.xid.type3.dlc XID DLC Unsigned 8-bit integer
sna.xid.type3.dlen DLC Dependent Section Length Unsigned 8-bit integer
sna.xid.type3.dlur Dependent LU Requester Indicator Boolean
sna.xid.type3.dlus DLUS Served LU Registration Indicator Boolean
sna.xid.type3.exbn Extended HPR Border Node Boolean
sna.xid.type3.gener_bind Whole BIND PIU generated indicator Boolean Whole BIND PIU generated
sna.xid.type3.genodai Generalized ODAI Usage Option Boolean
sna.xid.type3.initself INIT-SELF support Boolean
sna.xid.type3.negcomp Negotiation Complete Boolean
sna.xid.type3.negcsup Negotiation Complete Supported Boolean
sna.xid.type3.nonact Nonactivation Exchange Boolean
sna.xid.type3.nwnode Sender is network node Boolean
sna.xid.type3.pacing Qualifier for adaptive BIND pacing support Unsigned 8-bit integer
sna.xid.type3.partg Parallel TG Support Boolean
sna.xid.type3.pbn Peripheral Border Node Boolean
sna.xid.type3.pucap PU Capabilities Boolean
sna.xid.type3.quiesce Quiesce TG Request Boolean
sna.xid.type3.recve_bind Whole BIND PIU required indicator Boolean Whole BIND PIU required
sna.xid.type3.stand_bind Stand-Alone BIND Support Boolean
sna.xid.type3.state XID exchange state indicator Unsigned 16-bit integer
sna.xid.type3.tg XID TG Unsigned 8-bit integer
sna.xid.type3.tgshare TG Sharing Prohibited Indicator Boolean
t30.Address Address Unsigned 8-bit integer Address Field
t30.Control Control Unsigned 8-bit integer Address Field
t30.FacsimileControl Facsimile Control Unsigned 8-bit integer Facsimile Control
t30.fif.100x100cg 100 pels/25.4 mm x 100 lines/25.4 mm for colour/gray scale Boolean
t30.fif.1200x1200 1200 pels/25.4 mm x 1200 lines/25.4 mm Boolean
t30.fif.12c 12 bits/pel component Boolean
t30.fif.300x300 300x300 pels/25.4 mm Boolean
t30.fif.300x600 300 pels/25.4 mm x 600 lines/25.4 mm Boolean
t30.fif.3gmn 3rd Generation Mobile Network Boolean
t30.fif.400x800 400 pels/25.4 mm x 800 lines/25.4 mm Boolean
t30.fif.600x1200 600 pels/25.4 mm x 1200 lines/25.4 mm Boolean
t30.fif.600x600 600 pels/25.4 mm x 600 lines/25.4 mm Boolean
t30.fif.acn2c Alternative cipher number 2 capability Boolean
t30.fif.acn3c Alternative cipher number 3 capability Boolean
t30.fif.ahsn2 Alternative hashing system number 2 capability Boolean
t30.fif.ahsn3 Alternative hashing system number 3 capability Boolean
t30.fif.bft Binary File Transfer (BFT) Boolean
t30.fif.btm Basic Transfer Mode (BTM) Boolean
t30.fif.bwmrcp Black and white mixed raster content profile (MRCbw) Boolean
t30.fif.cg1200x1200 Colour/gray scale 1200 pels/25.4 mm x 1200 lines/25.4 mm resolution Boolean
t30.fif.cg300 Colour/gray-scale 300 pels/25.4 mm x 300 lines/25.4 mm or 400 pels/25.4 mm x 400 lines/25.4 mm resolution Boolean
t30.fif.cg600x600 Colour/gray scale 600 pels/25.4 mm x 600 lines/25.4 mm resolution Boolean
t30.fif.cgr Custom gamut range Boolean
t30.fif.ci Custom illuminant Boolean
t30.fif.cm Compress/Uncompress mode Boolean
t30.fif.country_code ITU-T Country code Unsigned 8-bit integer ITU-T Country code
t30.fif.dnc Digital network capability Boolean
t30.fif.do Duplex operation Boolean
t30.fif.dspcam Double sided printing capability (alternate mode) Boolean
t30.fif.dspccm Double sided printing capability (continuous mode) Boolean
t30.fif.dsr Data signalling rate Unsigned 8-bit integer
t30.fif.dsr_dcs Data signalling rate Unsigned 8-bit integer
t30.fif.dtm Document Transfer Mode (DTM) Boolean
t30.fif.ebft Extended BFT Negotiations capability Boolean
t30.fif.ecm Error correction mode Boolean
t30.fif.edi Electronic Data Interchange (EDI) Boolean
t30.fif.ext Extension indicator Boolean
t30.fif.fcm Full colour mode Boolean
t30.fif.fs_dcm Frame size Boolean
t30.fif.fvc Field valid capability Boolean
t30.fif.hfx40 HFX40 cipher capability Boolean
t30.fif.hfx40i HFX40-I hashing capability Boolean
t30.fif.hkm HKM key management capability Boolean
t30.fif.ibrp Inch based resolution preferred Boolean
t30.fif.ira Internet Routing Address (IRA) Boolean
t30.fif.isp Internet Selective Polling Address (ISP) Boolean
t30.fif.jpeg JPEG coding Boolean
t30.fif.mbrp Metric based resolution preferred Boolean
t30.fif.mm Mixed mode (Annex E/T.4) Boolean
t30.fif.mslt_dcs Minimum scan line time Unsigned 8-bit integer
t30.fif.msltchr Minimum scan line time capability for higher resolutions Boolean
t30.fif.msltcr Minimum scan line time capability at the receiver Unsigned 8-bit integer
t30.fif.mspc Multiple selective polling capability Boolean
t30.fif.naleg North American Legal (215.9 x 355.6 mm) capability Boolean
t30.fif.nalet North American Letter (215.9 x 279.4 mm) capability Boolean
t30.fif.non_standard_cap Non-standard capabilities Byte array Non-standard capabilities
t30.fif.ns No subsampling (1:1:1) Boolean
t30.fif.number Number String
t30.fif.oc Override capability Boolean
t30.fif.op Octets preferred Boolean
t30.fif.passw Password Boolean
t30.fif.pht Preferred Huffman tables Boolean
t30.fif.pi Plane interleave Boolean
t30.fif.plmss Page length maximum strip size for T.44 (Mixed Raster Content) Boolean
t30.fif.pm26 Processable mode 26 (ITU T T.505) Boolean
t30.fif.ps Polled Subaddress Boolean
t30.fif.r16x15 R16x15.4 lines/mm and/or 400x400 pels/25.4 mm Boolean
t30.fif.r8x15 R8x15.4 lines/mm Boolean
t30.fif.res R8x7.7 lines/mm and/or 200x200 pels/25.4 mm Boolean
t30.fif.rfo Receiver fax operation Boolean
t30.fif.rl_dcs Recording length capability Unsigned 8-bit integer
t30.fif.rlc Recording length capability Unsigned 8-bit integer
t30.fif.rsa RSA key management capability Boolean
t30.fif.rtfc Ready to transmit a facsimile document (polling) Boolean
t30.fif.rtif Real-time Internet fax (ITU T T.38) Boolean
t30.fif.rts Resolution type selection Boolean
t30.fif.rttcmmd Ready to transmit a character or mixed mode document (polling) Boolean
t30.fif.rttd Ready to transmit a data file (polling) Boolean
t30.fif.rw_dcs Recording width Unsigned 8-bit integer
t30.fif.rwc Recording width capabilities Unsigned 8-bit integer
t30.fif.sc Subaddressing capability Boolean
t30.fif.sdmc SharedDataMemory capacity Unsigned 8-bit integer
t30.fif.sit Sender Identification transmission Boolean
t30.fif.sm Store and forward Internet fax- Simple mode (ITU-T T.37) Boolean
t30.fif.sp Selective polling Boolean
t30.fif.spcbft Simple Phase C BFT Negotiations capability Boolean
t30.fif.spscb Single-progression sequential coding (ITU-T T.85) basic capability Boolean
t30.fif.spsco Single-progression sequential coding (ITU-T T.85) optional L0 capability Boolean
t30.fif.t43 T.43 coding Boolean
t30.fif.t441 T.44 (Mixed Raster Content) Boolean
t30.fif.t442 T.44 (Mixed Raster Content) Boolean
t30.fif.t443 T.44 (Mixed Raster Content) Boolean
t30.fif.t45 T.45 (run length colour encoding) Boolean
t30.fif.t6 T.6 coding capability Boolean
t30.fif.tdcc Two dimensional coding capability Boolean
t30.fif.v8c V.8 capabilities Boolean
t30.fif.vc32k Voice coding with 32k ADPCM (ITU T G.726) Boolean
t30.pps.fcf2 Post-message command Unsigned 8-bit integer Post-message command
t30.t4.block_count Block counter Unsigned 8-bit integer Block counter
t30.t4.data T.4 Facsimile data field Byte array T.4 Facsimile data field
t30.t4.frame_count Frame counter Unsigned 8-bit integer Frame counter
t30.t4.frame_num T.4 Frame number Unsigned 8-bit integer T.4 Frame number
t30.t4.page_count Page counter Unsigned 8-bit integer Page counter
data.fragment Message fragment Frame number
data.fragment.error Message defragmentation error Frame number
data.fragment.multiple_tails Message has multiple tail fragments Boolean
data.fragment.overlap Message fragment overlap Boolean
data.fragment.overlap.conflicts Message fragment overlapping with conflicting data Boolean
data.fragment.too_long_fragment Message fragment too long Boolean
data.fragments Message fragments No value
data.reassembled.in Reassembled in Frame number
h245.fec_npackets Fec npackets Signed 32-bit integer fec_npackets value
t38.Data_Field Data Field No value Data_Field sequence of
t38.Data_Field_field_data Data_Field_field_data Byte array Data_Field_field_data octet string
t38.Data_Field_field_type Data_Field_field_type Unsigned 32-bit integer Data_Field_field_type choice
t38.Data_Field_item Data_Field_item No value Data_Field_item sequence
t38.IFPPacket IFPPacket No value IFPPacket sequence
t38.Type_of_msg_type Type of msg Unsigned 32-bit integer Type_of_msg choice
t38.UDPTLPacket UDPTLPacket No value UDPTLPacket sequence
t38.error_recovery Error recovery Unsigned 32-bit integer error_recovery choice
t38.fec_data Fec data No value fec_data sequence of
t38.fec_info Fec info No value fec_info sequence
t38.primary_ifp_packet Primary IFPPacket Byte array primary_ifp_packet octet string
t38.primary_ifp_packet_length primary_ifp_packet_length Unsigned 32-bit integer primary_ifp_packet_length
t38.secondary_ifp_packets Secondary IFPPackets No value secondary_ifp_packets sequence of
t38.secondary_ifp_packets_item Secondary IFPPackets item Byte array secondary_ifp_packets_item octet string
t38.secondary_ifp_packets_item_length secondary_ifp_packets_item_length Unsigned 32-bit integer secondary_ifp_packets_item_length
t38.seq_number Sequence number Unsigned 32-bit integer seq_number
t38.setup Stream setup String Stream setup, method and frame number
t38.setup-frame Stream frame Frame number Frame that set up this stream
t38.setup-method Stream Method String Method used to set up this stream
t38.t30_indicator T30 indicator Unsigned 32-bit integer t30_indicator
t38.t38_data data Unsigned 32-bit integer data
t38.t38_fec_data_item t38_fec_data_item Byte array t38_fec_data_item octet string
tacacs.destaddr Destination address IPv4 address Destination address
tacacs.destport Destination port Unsigned 16-bit integer Destination port
tacacs.line Line Unsigned 16-bit integer Line
tacacs.nonce Nonce Unsigned 16-bit integer Nonce
tacacs.passlen Password length Unsigned 8-bit integer Password length
tacacs.reason Reason Unsigned 8-bit integer Reason
tacacs.response Response Unsigned 8-bit integer Response
tacacs.result1 Result 1 Unsigned 32-bit integer Result 1
tacacs.result2 Result 2 Unsigned 32-bit integer Result 2
tacacs.result3 Result 3 Unsigned 16-bit integer Result 3
tacacs.type Type Unsigned 8-bit integer Type
tacacs.userlen Username length Unsigned 8-bit integer Username length
tacacs.version Version Unsigned 8-bit integer Version
tacplus.acct.flags Flags Unsigned 8-bit integer Flags
tacplus.flags Flags Unsigned 8-bit integer Flags
tacplus.flags.singleconn Single Connection Boolean Is this a single connection?
tacplus.flags.unencrypted Unencrypted Boolean Is payload unencrypted?
tacplus.majvers Major version Unsigned 8-bit integer Major version number
tacplus.minvers Minor version Unsigned 8-bit integer Minor version number
tacplus.packet_len Packet length Unsigned 32-bit integer Packet length
tacplus.request Request Boolean TRUE if TACACS+ request
tacplus.response Response Boolean TRUE if TACACS+ response
tacplus.seqno Sequence number Unsigned 8-bit integer Sequence number
tacplus.session_id Session ID Unsigned 32-bit integer Session ID
tacplus.type Type Unsigned 8-bit integer Type
tei.action Action Unsigned 8-bit integer Action Indicator
tei.entity Entity Unsigned 8-bit integer Layer Management Entity Identifier
tei.extend Extend Unsigned 8-bit integer Extension Indicator
tei.msg Msg Unsigned 8-bit integer Message Type
tei.reference Reference Unsigned 16-bit integer Reference Number
tpkt.length Length Unsigned 16-bit integer Length of data unit, including this header
tpkt.reserved Reserved Unsigned 8-bit integer Reserved, should be 0
tpkt.version Version Unsigned 8-bit integer Version, only version 3 is defined
tds.channel Channel Unsigned 16-bit integer Channel Number
tds.fragment TDS Fragment Frame number TDS Fragment
tds.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
tds.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
tds.fragment.overlap Segment overlap Boolean Fragment overlaps with other fragments
tds.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
tds.fragment.toolongfragment Segment too long Boolean Segment contained data past end of packet
tds.fragments TDS Fragments No value TDS Fragments
tds.packet_number Packet Number Unsigned 8-bit integer Packet Number
tds.reassembled_in Reassembled TDS in frame Frame number This TDS packet is reassembled in this frame
tds.size Size Unsigned 16-bit integer Packet Size
tds.status Status Unsigned 8-bit integer Frame status
tds.type Type Unsigned 8-bit integer Packet Type
tds.window Window Unsigned 8-bit integer Window
tds7.message Message String
tds7login.client_pid Client PID Unsigned 32-bit integer Client PID
tds7login.client_version Client version Unsigned 32-bit integer Client version
tds7login.collation Collation Unsigned 32-bit integer Collation
tds7login.connection_id Connection ID Unsigned 32-bit integer Connection ID
tds7login.option_flags1 Option Flags 1 Unsigned 8-bit integer Option Flags 1
tds7login.option_flags2 Option Flags 2 Unsigned 8-bit integer Option Flags 2
tds7login.packet_size Packet Size Unsigned 32-bit integer Packet size
tds7login.reserved_flags Reserved Flags Unsigned 8-bit integer reserved flags
tds7login.sql_type_flags SQL Type Flags Unsigned 8-bit integer SQL Type Flags
tds7login.time_zone Time Zone Unsigned 32-bit integer Time Zone
tds7login.total_len Total Packet Length Unsigned 32-bit integer TDS7 Login Packet total packet length
tds7login.version TDS version Unsigned 32-bit integer TDS version
tzsp.encap Encapsulation Unsigned 16-bit integer Encapsulation
tzsp.original_length Original Length Signed 16-bit integer OrigLength
tzsp.sensormac Sensor Address 6-byte Hardware (MAC) Address Sensor MAC
tzsp.type Type Unsigned 8-bit integer Type
tzsp.unknown Unknown tag Byte array Unknown
tzsp.version Version Unsigned 8-bit integer Version
tzsp.wlan.channel Channel Unsigned 8-bit integer Channel
tzsp.wlan.rate Rate Unsigned 8-bit integer Rate
tzsp.wlan.signal Signal Signed 8-bit integer Signal
tzsp.wlan.silence Silence Signed 8-bit integer Silence
tzsp.wlan.status Status Unsigned 16-bit integer Status
tzsp.wlan.status.fcs_err FCS Boolean Frame check sequence
tzsp.wlan.status.mac_port Port Unsigned 8-bit integer MAC port
tzsp.wlan.status.msg_type Type Unsigned 8-bit integer Message type
tzsp.wlan.status.pcf PCF Boolean Point Coordination Function
tzsp.wlan.status.undecrypted Undecrypted Boolean Undecrypted
tzsp.wlan.time Time Unsigned 32-bit integer Time
telkonet.type Type Byte array TELKONET type
telnet.auth.cmd Auth Cmd Unsigned 8-bit integer Authentication Command
telnet.auth.krb5.cmd Command Unsigned 8-bit integer Krb5 Authentication sub-command
telnet.auth.mod.cred_fwd Cred Fwd Boolean Modifier: Whether client will forward creds or not
telnet.auth.mod.enc Encrypt Unsigned 8-bit integer Modifier: How to enable Encryption
telnet.auth.mod.how How Boolean Modifier: How to mask
telnet.auth.mod.who Who Boolean Modifier: Who to mask
telnet.auth.name Name String Name of user being authenticated
telnet.auth.type Auth Type Unsigned 8-bit integer Authentication Type
telnet.enc.cmd Enc Cmd Unsigned 8-bit integer Encryption command
telnet.enc.type Enc Type Unsigned 8-bit integer Encryption type
teredo.auth Teredo Authentication header No value Teredo Authentication header
teredo.auth.aulen Authentication value length Unsigned 8-bit integer Authentication value length (AU-len)
teredo.auth.conf Confirmation byte Byte array Confirmation byte is zero upon successful authentication.
teredo.auth.id Client identifier Byte array Client identifier (ID)
teredo.auth.idlen Client identifier length Unsigned 8-bit integer Client identifier length (ID-len)
teredo.auth.nonce Nonce value Byte array Nonce value prevents spoofing Teredo server.
teredo.auth.value Authentication value Byte array Authentication value (hash)
teredo.orig Teredo Origin Indication header No value Teredo Origin Indication
teredo.orig.addr Origin IPv4 address IPv4 address Origin IPv4 address
teredo.orig.port Origin UDP port Unsigned 16-bit integer Origin UDP port
armagetronad.data Data String The actual data (array of shorts in network order)
armagetronad.data_len DataLen Unsigned 16-bit integer The length of the data (in shorts)
armagetronad.descriptor_id Descriptor Unsigned 16-bit integer The ID of the descriptor (the command)
armagetronad.message Message No value A message
armagetronad.message_id MessageID Unsigned 16-bit integer The ID of the message (to ack it)
armagetronad.sender_id SenderID Unsigned 16-bit integer The ID of the sender (0x0000 for the server)
tivoconnect.flavor Flavor String Protocol Flavor supported by the originator
tivoconnect.identity Identity String Unique serial number for the system
tivoconnect.machine Machine String Human-readable system name
tivoconnect.method Method String Packet was delivered via UDP(broadcast) or TCP(connected)
tivoconnect.platform Platform String System platform, either tcd(TiVo) or pc(Computer)
tivoconnect.services Services String List of available services on the system
tivoconnect.version Version String System software version
time.time Time Unsigned 32-bit integer Seconds since 00:00 (midnight) 1 January 1900 GMT
tsp.hopcnt Hop Count Unsigned 8-bit integer Hop Count
tsp.name Machine Name String Sender Machine Name
tsp.sec Seconds Unsigned 32-bit integer Seconds
tsp.sequence Sequence Unsigned 16-bit integer Sequence Number
tsp.type Type Unsigned 8-bit integer Packet Type
tsp.usec Microseconds Unsigned 32-bit integer Microseconds
tsp.version Version Unsigned 8-bit integer Protocol Version Number
tr.ac Access Control Unsigned 8-bit integer
tr.addr Source or Destination Address 6-byte Hardware (MAC) Address Source or Destination Hardware Address
tr.broadcast Broadcast Type Unsigned 8-bit integer Type of Token-Ring Broadcast
tr.direction Direction Unsigned 8-bit integer Direction of RIF
tr.dst Destination 6-byte Hardware (MAC) Address Destination Hardware Address
tr.fc Frame Control Unsigned 8-bit integer
tr.frame Frame Boolean
tr.frame_pcf Frame PCF Unsigned 8-bit integer
tr.frame_type Frame Type Unsigned 8-bit integer
tr.max_frame_size Maximum Frame Size Unsigned 8-bit integer
tr.monitor_cnt Monitor Count Unsigned 8-bit integer
tr.priority Priority Unsigned 8-bit integer
tr.priority_reservation Priority Reservation Unsigned 8-bit integer
tr.rif Ring-Bridge Pairs String String representing Ring-Bridge Pairs
tr.rif.bridge RIF Bridge Unsigned 8-bit integer
tr.rif.ring RIF Ring Unsigned 16-bit integer
tr.rif_bytes RIF Bytes Unsigned 8-bit integer Number of bytes in Routing Information Fields, including the two bytes of Routing Control Field
tr.sr Source Routed Boolean Source Routed
tr.src Source 6-byte Hardware (MAC) Address Source Hardware Address
trmac.dstclass Destination Class Unsigned 8-bit integer
trmac.errors.abort Abort Delimiter Transmitted Errors Unsigned 8-bit integer
trmac.errors.ac A/C Errors Unsigned 8-bit integer
trmac.errors.burst Burst Errors Unsigned 8-bit integer
trmac.errors.congestion Receiver Congestion Errors Unsigned 8-bit integer
trmac.errors.fc Frame-Copied Errors Unsigned 8-bit integer
trmac.errors.freq Frequency Errors Unsigned 8-bit integer
trmac.errors.internal Internal Errors Unsigned 8-bit integer
trmac.errors.iso Isolating Errors Unsigned 16-bit integer
trmac.errors.line Line Errors Unsigned 8-bit integer
trmac.errors.lost Lost Frame Errors Unsigned 8-bit integer
trmac.errors.noniso Non-Isolating Errors Unsigned 16-bit integer
trmac.errors.token Token Errors Unsigned 8-bit integer
trmac.length Total Length Unsigned 8-bit integer
trmac.mvec Major Vector Unsigned 8-bit integer
trmac.naun NAUN 6-byte Hardware (MAC) Address
trmac.srcclass Source Class Unsigned 8-bit integer
trmac.svec Sub-Vector Unsigned 8-bit integer
tcap.ComponentPortion_item Item Unsigned 32-bit integer tcap.Component
tcap.ComponentSequence_item Item Unsigned 32-bit integer tcap.ComponentPDU
tcap.abort abort No value tcap.Abort
tcap.abortCause abortCause Signed 32-bit integer tcap.P_Abort_cause
tcap.abort_source abort-source Signed 32-bit integer tcap.ABRT_source
tcap.ansiabort ansiabort No value tcap.AbortPDU
tcap.ansiconversationWithPerm ansiconversationWithPerm No value tcap.TransactionPDU
tcap.ansiconversationWithoutPerm ansiconversationWithoutPerm No value tcap.TransactionPDU
tcap.ansiparams ansiparams No value tcap.ANSIParameters
tcap.ansiparams1 ansiparams1 No value tcap.ANSIParameters
tcap.ansiparams10 ansiparams10 No value tcap.ANSIParameters
tcap.ansiparams11 ansiparams11 No value tcap.ANSIParameters
tcap.ansiparams12 ansiparams12 No value tcap.ANSIParameters
tcap.ansiparams13 ansiparams13 No value tcap.ANSIParameters
tcap.ansiparams14 ansiparams14 No value tcap.ANSIParameters
tcap.ansiparams15 ansiparams15 No value tcap.ANSIParameters
tcap.ansiparams16 ansiparams16 No value tcap.ANSIParameters
tcap.ansiparams17 ansiparams17 No value tcap.ANSIParameters
tcap.ansiparams18 ansiparams18 No value tcap.ANSIParameters
tcap.ansiparams19 ansiparams19 No value tcap.ANSIParameters
tcap.ansiparams2 ansiparams2 No value tcap.ANSIParameters
tcap.ansiparams20 ansiparams20 No value tcap.ANSIParameters
tcap.ansiparams21 ansiparams21 No value tcap.ANSIParameters
tcap.ansiparams3 ansiparams3 No value tcap.ANSIParameters
tcap.ansiparams4 ansiparams4 No value tcap.ANSIParameters
tcap.ansiparams5 ansiparams5 No value tcap.ANSIParameters
tcap.ansiparams6 ansiparams6 No value tcap.ANSIParameters
tcap.ansiparams7 ansiparams7 No value tcap.ANSIParameters
tcap.ansiparams8 ansiparams8 No value tcap.ANSIParameters
tcap.ansiparams9 ansiparams9 No value tcap.ANSIParameters
tcap.ansiqueryWithPerm ansiqueryWithPerm No value tcap.TransactionPDU
tcap.ansiqueryWithoutPerm ansiqueryWithoutPerm No value tcap.TransactionPDU
tcap.ansiresponse ansiresponse No value tcap.TransactionPDU
tcap.ansiunidirectional ansiunidirectional No value tcap.UniTransactionPDU
tcap.applicationContext applicationContext Unsigned 32-bit integer tcap.T_applicationContext
tcap.application_context_name application-context-name tcap.Applicationcontext
tcap.begin begin No value tcap.Begin
tcap.causeInformation causeInformation Unsigned 32-bit integer tcap.T_causeInformation
tcap.componentID componentID Byte array tcap.ComponentID
tcap.componentIDs componentIDs Byte array tcap.OCTET_STRING_SIZE_0_2
tcap.componentPortion componentPortion Unsigned 32-bit integer tcap.ComponentSequence
tcap.components components Unsigned 32-bit integer tcap.ComponentPortion
tcap.confidentiality confidentiality No value tcap.Confidentiality
tcap.confidentialityId confidentialityId Unsigned 32-bit integer tcap.T_confidentialityId
tcap.continue continue No value tcap.Continue
tcap.data Data Byte array
tcap.derivable derivable Signed 32-bit integer tcap.InvokeIdType
tcap.dialog dialog Byte array tcap.Dialog1
tcap.dialogueAbort dialogueAbort No value tcap.ABRT_apdu
tcap.dialoguePortion dialoguePortion Byte array tcap.DialoguePortion
tcap.dialoguePortionansi dialoguePortionansi No value tcap.DialoguePortionANSI
tcap.dialogueRequest dialogueRequest No value tcap.AARQ_apdu
tcap.dialogueResponse dialogueResponse No value tcap.AARE_apdu
tcap.dialogue_service_provider dialogue-service-provider Signed 32-bit integer tcap.T_dialogue_service_provider
tcap.dialogue_service_user dialogue-service-user Signed 32-bit integer tcap.T_dialogue_service_user
tcap.dtid dtid Byte array tcap.DestTransactionID
tcap.end end No value tcap.End
tcap.errorCode errorCode Unsigned 32-bit integer tcap.ErrorCode
tcap.externuserinfo externuserinfo Byte array tcap.ExternUserInfo
tcap.generalProblem generalProblem Signed 32-bit integer tcap.GeneralProblem
tcap.globalValue globalValue tcap.OBJECT_IDENTIFIER
tcap.identifier identifier Byte array tcap.TransactionID
tcap.integerApplicationId integerApplicationId Signed 32-bit integer tcap.IntegerApplicationContext
tcap.integerConfidentialityId integerConfidentialityId Signed 32-bit integer tcap.INTEGER
tcap.integerSecurityId integerSecurityId Signed 32-bit integer tcap.INTEGER
tcap.invoke invoke No value tcap.Invoke
tcap.invokeID invokeID Signed 32-bit integer tcap.InvokeIdType
tcap.invokeIDRej invokeIDRej Unsigned 32-bit integer tcap.T_invokeIDRej
tcap.invokeLastansi invokeLastansi No value tcap.InvokePDU
tcap.invokeNotLastansi invokeNotLastansi No value tcap.InvokePDU
tcap.invokeProblem invokeProblem Signed 32-bit integer tcap.InvokeProblem
tcap.len Length Unsigned 8-bit integer
tcap.linkedID linkedID Signed 32-bit integer tcap.InvokeIdType
tcap.localValue localValue Signed 32-bit integer tcap.INTEGER
tcap.msgtype Tag Unsigned 8-bit integer
tcap.national national Signed 32-bit integer tcap.INTEGER_M32768_32767
tcap.nationaler nationaler Signed 32-bit integer tcap.INTEGER_M32768_32767
tcap.not_derivable not-derivable No value tcap.NULL
tcap.objectApplicationId objectApplicationId tcap.ObjectIDApplicationContext
tcap.objectConfidentialityId objectConfidentialityId tcap.OBJECT_IDENTIFIER
tcap.objectSecurityId objectSecurityId tcap.OBJECT_IDENTIFIER
tcap.oid oid tcap.OBJECT_IDENTIFIER
tcap.opCode opCode Unsigned 32-bit integer tcap.OPERATION
tcap.operationCode operationCode Unsigned 32-bit integer tcap.OperationCode
tcap.otid otid Byte array tcap.OrigTransactionID
tcap.p_abortCause p-abortCause Signed 32-bit integer tcap.P_AbortCause
tcap.parameter parameter No value tcap.Parameter
tcap.parameterinv parameterinv No value tcap.ANSIparamch
tcap.parameterre parameterre No value tcap.ANSIparamch
tcap.parameterrj parameterrj No value tcap.ANSIparamch
tcap.parameterrr parameterrr No value tcap.ANSIparamch
tcap.private private Signed 32-bit integer tcap.INTEGER
tcap.privateer privateer Signed 32-bit integer tcap.INTEGER
tcap.problem problem Unsigned 32-bit integer tcap.T_problem
tcap.protocol_version3 protocol-version3 Byte array tcap.T_protocol_version3
tcap.protocol_versionre protocol-versionre Byte array tcap.T_protocol_versionre
tcap.protocol_versionrq protocol-versionrq Byte array tcap.T_protocol_versionrq
tcap.reason reason Unsigned 32-bit integer tcap.Reason
tcap.reasonre reasonre Signed 32-bit integer tcap.Release_response_reason
tcap.reasonrq reasonrq Signed 32-bit integer tcap.Release_request_reason
tcap.reject reject No value tcap.Reject
tcap.rejectProblem rejectProblem Signed 32-bit integer tcap.ProblemPDU
tcap.rejectansi rejectansi No value tcap.RejectPDU
tcap.result result Signed 32-bit integer tcap.Associate_result
tcap.result_source_diagnostic result-source-diagnostic Unsigned 32-bit integer tcap.Associate_source_diagnostic
tcap.resultretres resultretres No value tcap.T_resultretres
tcap.returnError returnError No value tcap.ReturnError
tcap.returnErrorProblem returnErrorProblem Signed 32-bit integer tcap.ReturnErrorProblem
tcap.returnErroransi returnErroransi No value tcap.ReturnErrorPDU
tcap.returnResultLast returnResultLast No value tcap.ReturnResult
tcap.returnResultLastansi returnResultLastansi No value tcap.ReturnResultPDU
tcap.returnResultNotLast returnResultNotLast No value tcap.ReturnResult
tcap.returnResultNotLastansi returnResultNotLastansi No value tcap.ReturnResultPDU
tcap.returnResultProblem returnResultProblem Signed 32-bit integer tcap.ReturnResultProblem
tcap.securityContext securityContext Unsigned 32-bit integer tcap.T_securityContext
tcap.tid Transaction Id Byte array
tcap.u_abortCause u-abortCause Byte array tcap.DialoguePortion
tcap.unidialoguePDU unidialoguePDU No value tcap.AUDT_apdu
tcap.unidirectional unidirectional No value tcap.Unidirectional
tcap.userInformation userInformation No value tcap.UserInformation
tcap.user_information user-information Byte array tcap.User_information
tcap.useroid useroid tcap.UserInfoOID
tcap.version version Byte array tcap.ProtocolVersion
tcap.version1 version1 Boolean
tcp.ack Acknowledgement number Unsigned 32-bit integer
tcp.analysis.ack_lost_segment ACKed Lost Packet No value This frame ACKs a lost segment
tcp.analysis.ack_rtt The RTT to ACK the segment was Time duration How long time it took to ACK the segment (RTT)
tcp.analysis.acks_frame This is an ACK to the segment in frame Frame number Which previous segment is this an ACK for
tcp.analysis.duplicate_ack Duplicate ACK No value This is a duplicate ACK
tcp.analysis.duplicate_ack_frame Duplicate to the ACK in frame Frame number This is a duplicate to the ACK in frame #
tcp.analysis.duplicate_ack_num Duplicate ACK # Unsigned 32-bit integer This is duplicate ACK number #
tcp.analysis.fast_retransmission Fast Retransmission No value This frame is a suspected TCP fast retransmission
tcp.analysis.flags TCP Analysis Flags No value This frame has some of the TCP analysis flags set
tcp.analysis.keep_alive Keep Alive No value This is a keep-alive segment
tcp.analysis.keep_alive_ack Keep Alive ACK No value This is an ACK to a keep-alive segment
tcp.analysis.lost_segment Previous Segment Lost No value A segment before this one was lost from the capture
tcp.analysis.out_of_order Out Of Order No value This frame is a suspected Out-Of-Order segment
tcp.analysis.retransmission Retransmission No value This frame is a suspected TCP retransmission
tcp.analysis.rto The RTO for this segment was Time duration How long transmission was delayed before this segment was retransmitted (RTO)
tcp.analysis.rto_frame RTO based on delta from frame Frame number This is the frame we measure the RTO from
tcp.analysis.window_full Window full No value This segment has caused the allowed window to become 100% full
tcp.analysis.window_update Window update No value This frame is a tcp window update
tcp.analysis.zero_window Zero Window No value This is a zero-window
tcp.analysis.zero_window_probe Zero Window Probe No value This is a zero-window-probe
tcp.analysis.zero_window_probe_ack Zero Window Probe Ack No value This is an ACK to a zero-window-probe
tcp.checksum Checksum Unsigned 16-bit integer Details at: http://www.wireshark.org/docs/wsug_html_chunked/ChAdvChecksums.html
tcp.checksum_bad Bad Checksum Boolean Maybe caused by checksum offloading, see: http://www.wireshark.org/docs/wsug_html_chunked/ChAdvChecksums.html
tcp.continuation_to This is a continuation to the PDU in frame Frame number This is a continuation to the PDU in frame #
tcp.dstport Destination Port Unsigned 16-bit integer
tcp.flags Flags Unsigned 8-bit integer
tcp.flags.ack Acknowledgment Boolean
tcp.flags.cwr Congestion Window Reduced (CWR) Boolean
tcp.flags.ecn ECN-Echo Boolean
tcp.flags.fin Fin Boolean
tcp.flags.push Push Boolean
tcp.flags.reset Reset Boolean
tcp.flags.syn Syn Boolean
tcp.flags.urg Urgent Boolean
tcp.hdr_len Header Length Unsigned 8-bit integer
tcp.len TCP Segment Len Unsigned 32-bit integer
tcp.nxtseq Next sequence number Unsigned 32-bit integer
tcp.options.cc TCP CC Option Boolean TCP CC Option
tcp.options.ccecho TCP CC Echo Option Boolean TCP CC Echo Option
tcp.options.ccnew TCP CC New Option Boolean TCP CC New Option
tcp.options.echo TCP Echo Option Boolean TCP Sack Echo
tcp.options.echo_reply TCP Echo Reply Option Boolean TCP Echo Reply Option
tcp.options.md5 TCP MD5 Option Boolean TCP MD5 Option
tcp.options.mss TCP MSS Option Boolean TCP MSS Option
tcp.options.mss_val TCP MSS Option Value Unsigned 16-bit integer TCP MSS Option Value
tcp.options.sack TCP Sack Option Boolean TCP Sack Option
tcp.options.sack_le TCP Sack Left Edge Unsigned 32-bit integer TCP Sack Left Edge
tcp.options.sack_perm TCP Sack Perm Option Boolean TCP Sack Perm Option
tcp.options.sack_re TCP Sack Right Edge Unsigned 32-bit integer TCP Sack Right Edge
tcp.options.time_stamp TCP Time Stamp Option Boolean TCP Time Stamp Option
tcp.options.wscale TCP Window Scale Option Boolean TCP Window Option
tcp.options.wscale_val TCP Windows Scale Option Value Unsigned 8-bit integer TCP Window Scale Value
tcp.pdu.last_frame Last frame of this PDU Frame number This is the last frame of the PDU starting in this segment
tcp.pdu.time Time until the last segment of this PDU Time duration How long time has passed until the last frame of this PDU
tcp.port Source or Destination Port Unsigned 16-bit integer
tcp.reassembled_in Reassembled PDU in frame Frame number The PDU that doesn't end in this segment is reassembled in this frame
tcp.segment TCP Segment Frame number TCP Segment
tcp.segment.error Reassembling error Frame number Reassembling error due to illegal segments
tcp.segment.multipletails Multiple tail segments found Boolean Several tails were found when reassembling the pdu
tcp.segment.overlap Segment overlap Boolean Segment overlaps with other segments
tcp.segment.overlap.conflict Conflicting data in segment overlap Boolean Overlapping segments contained conflicting data
tcp.segment.toolongfragment Segment too long Boolean Segment contained data past end of the pdu
tcp.segments Reassembled TCP Segments No value TCP Segments
tcp.seq Sequence number Unsigned 32-bit integer
tcp.srcport Source Port Unsigned 16-bit integer
tcp.urgent_pointer Urgent pointer Unsigned 16-bit integer
tcp.window_size Window size Unsigned 32-bit integer
Communication(TIPC)
(tipc)tipc.ack_link_lev_seq Acknowledged link level sequence number Unsigned 32-bit integer TIPC Acknowledged link level sequence number
tipc.act_id Activity identity Unsigned 32-bit integer TIPC Activity identity
tipc.ame_dist_lower Lower bound of published sequence Unsigned 32-bit integer TIPC Lower bound of published sequence
tipc.bearer_id Bearer identity Unsigned 32-bit integer TIPC Bearer identity
tipc.bearer_name Bearer name String TIPC Bearer name
tipc.cng_prot_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipc.data_type Message type Unsigned 32-bit integer TIPC Message type
tipc.destdrop Destination Droppable Unsigned 32-bit integer Destination Droppable Bit
tipc.dist_key Key (Use for verification at withdrawal) Unsigned 32-bit integer TIPC key
tipc.dist_port Random number part of port identity Unsigned 32-bit integer TIPC Random number part of port identity
tipc.dst_port Destination port Unsigned 32-bit integer TIPC Destination port
tipc.dst_proc Destination processor String TIPC Destination processor
tipc.err_code Error code Unsigned 32-bit integer TIPC Error code
tipc.hdr_size Header size Unsigned 32-bit integer TIPC Header size
tipc.hdr_unused Unused Unsigned 32-bit integer TIPC Unused
tipc.importance Importance Unsigned 32-bit integer TIPC Importance
tipc.imsg_cnt Message count Unsigned 32-bit integer TIPC Message count
tipc.link_lev_seq Link level sequence number Unsigned 32-bit integer TIPC Link level sequence number
tipc.link_selector Link selector Unsigned 32-bit integer TIPC Link selector
tipc.lp_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipc.msg.fragment Message fragment Frame number
tipc.msg.fragment.error Message defragmentation error Frame number
tipc.msg.fragment.multiple_tails Message has multiple tail fragments Boolean
tipc.msg.fragment.overlap Message fragment overlap Boolean
tipc.msg.fragment.overlap.conflicts Message fragment overlapping with conflicting data Boolean
tipc.msg.fragment.too_long_fragment Message fragment too long Boolean
tipc.msg.fragments Message fragments No value
tipc.msg.reassembled.in Reassembled in Frame number
tipc.msg_size Message size Unsigned 32-bit integer TIPC Message size
tipc.msg_type Message type Unsigned 32-bit integer TIPC Message type
tipc.name_dist_type Published port name type Unsigned 32-bit integer TIPC Published port name type
tipc.name_dist_upper Upper bound of published sequence Unsigned 32-bit integer TIPC Upper bound of published sequence
tipc.nd_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipc.non_sequenced Non-sequenced Unsigned 32-bit integer Non-sequenced Bit
tipc.nxt_snt_pkg Next sent packet Unsigned 32-bit integer TIPC Next sent packet
tipc.org_port Originating port Unsigned 32-bit integer TIPC Oiginating port
tipc.org_proc Originating processor String TIPC Originating processor
tipc.prev_proc Previous processor String TIPC Previous processor
tipc.probe Probe Unsigned 32-bit integer TIPC Probe
tipc.remote_addr Remote address Unsigned 32-bit integer TIPC Remote address
tipc.rm_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipc.route_cnt Reroute counter Unsigned 32-bit integer TIPC Reroute counter
tipc.seq_gap Sequence gap Unsigned 32-bit integer TIPC Sequence gap
tipc.sm_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipc.srcdrop Source Droppable Unsigned 32-bit integer Destination Droppable Bit
tipc.unknown_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipc.unused2 Unused Unsigned 32-bit integer TIPC Unused
tipc.unused3 Unused Unsigned 32-bit integer TIPC Unused
tipc.usr User Unsigned 32-bit integer TIPC User
tipc.ver Version Unsigned 32-bit integer TIPC protocol version
tipcv2.bcast_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipcv2.bcast_seq_gap Broadcast Sequence Gap Unsigned 32-bit integer Broadcast Sequence Gap
tipcv2.bcast_seq_no Broadcast Sequence Number Unsigned 32-bit integer Broadcast Sequence Number
tipcv2.bearer_instance Bearer Instance String Bearer instance used by the sender node for this link
tipcv2.bearer_level_orig_addr Bearer Level Originating Address Byte array Bearer Level Originating Address
tipcv2.bitmap Bitmap Byte array Bitmap, indicating to which nodes within that cluster the sending node has direct links
tipcv2.broadcast_ack_no Broadcast Acknowledge Number Unsigned 32-bit integer Broadcast Acknowledge Number
tipcv2.changeover_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipcv2.cluster_address Cluster Address String The remote cluster concerned by the table
tipcv2.connmgr_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipcv2.data_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipcv2.dest_node Destination Node String TIPC Destination Node
tipcv2.destination_domain Destination Domain String The domain to which the link request is directed
tipcv2.errorcode Error code Unsigned 32-bit integer Error code
tipcv2.fragment_number Fragment Number Unsigned 32-bit integer Fragment Number
tipcv2.fragmenter_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipcv2.link_level_ack_no link level ack no Unsigned 32-bit integer link level ack no
tipcv2.link_level_seq_no Link Level Sequence Number Unsigned 32-bit integer Link Level Sequence Number
tipcv2.link_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipcv2.link_prio Link Priority Unsigned 32-bit integer Link Priority
tipcv2.link_tolerance Link Tolerance (ms) Unsigned 32-bit integer Link Tolerance in ms
tipcv2.lookup_scope Lookup Scope Unsigned 32-bit integer Lookup Scope
tipcv2.naming_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipcv2.network_id Network Identity String The sender node's network identity
tipcv2.network_plane Network Plane Unsigned 32-bit integer Network Plane
tipcv2.next_sent_broadcast Next Sent Broadcast Unsigned 32-bit integer Next Sent Broadcast
tipcv2.next_sent_packet Next Sent Packet Unsigned 32-bit integer Next Sent Packet
tipcv2.node_address Node Address String Which node the route addition/loss concern
tipcv2.opt_p Options Position Unsigned 32-bit integer Options Position
tipcv2.orig_node Originating Node String TIPC Originating Node
tipcv2.port_name_instance Port name instance Unsigned 32-bit integer Port name instance
tipcv2.port_name_type Port name type Unsigned 32-bit integer Port name type
tipcv2.prev_node Previous Node String TIPC Previous Node
tipcv2.probe Probe Unsigned 32-bit integer probe
tipcv2.rer_cnt Reroute Counter Unsigned 32-bit integer Reroute Counter
tipcv2.route_msg_type Message type Unsigned 32-bit integer TIPC Message type
tipcv2.seq_gap Sequence Gap Unsigned 32-bit integer Sequence Gap
tipcv2.session_no Session Number Unsigned 32-bit integer Session Number
tns.abort Abort Boolean Abort
tns.abort_data Abort Data String Abort Data
tns.abort_reason_system Abort Reason (User) Unsigned 8-bit integer Abort Reason from System
tns.abort_reason_user Abort Reason (User) Unsigned 8-bit integer Abort Reason from Application
tns.accept Accept Boolean Accept
tns.accept_data Accept Data String Accept Data
tns.accept_data_length Accept Data Length Unsigned 16-bit integer Length of Accept Data
tns.accept_data_offset Offset to Accept Data Unsigned 16-bit integer Offset to Accept Data
tns.compat_version Version (Compatible) Unsigned 16-bit integer Version (Compatible)
tns.connect Connect Boolean Connect
tns.connect_data Connect Data String Connect Data
tns.connect_data_length Length of Connect Data Unsigned 16-bit integer Length of Connect Data
tns.connect_data_max Maximum Receivable Connect Data Unsigned 32-bit integer Maximum Receivable Connect Data
tns.connect_data_offset Offset to Connect Data Unsigned 16-bit integer Offset to Connect Data
tns.connect_flags.enablena NA services enabled Boolean NA services enabled
tns.connect_flags.ichg Interchange is involved Boolean Interchange is involved
tns.connect_flags.nalink NA services linked in Boolean NA services linked in
tns.connect_flags.nareq NA services required Boolean NA services required
tns.connect_flags.wantna NA services wanted Boolean NA services wanted
tns.connect_flags0 Connect Flags 0 Unsigned 8-bit integer Connect Flags 0
tns.connect_flags1 Connect Flags 1 Unsigned 8-bit integer Connect Flags 1
tns.control Control Boolean Control
tns.control.cmd Control Command Unsigned 16-bit integer Control Command
tns.control.data Control Data Byte array Control Data
tns.data Data Boolean Data
tns.data_flag Data Flag Unsigned 16-bit integer Data Flag
tns.data_flag.c Confirmation Boolean Confirmation
tns.data_flag.dic Do Immediate Confirmation Boolean Do Immediate Confirmation
tns.data_flag.eof End of File Boolean End of File
tns.data_flag.more More Data to Come Boolean More Data to Come
tns.data_flag.rc Request Confirmation Boolean Request Confirmation
tns.data_flag.reserved Reserved Boolean Reserved
tns.data_flag.rts Request To Send Boolean Request To Send
tns.data_flag.send Send Token Boolean Send Token
tns.data_flag.sntt Send NT Trailer Boolean Send NT Trailer
tns.header_checksum Header Checksum Unsigned 16-bit integer Checksum of Header Data
tns.length Packet Length Unsigned 16-bit integer Length of TNS packet
tns.line_turnaround Line Turnaround Value Unsigned 16-bit integer Line Turnaround Value
tns.marker Marker Boolean Marker
tns.marker.data Marker Data Unsigned 16-bit integer Marker Data
tns.marker.databyte Marker Data Byte Unsigned 8-bit integer Marker Data Byte
tns.marker.type Marker Type Unsigned 8-bit integer Marker Type
tns.max_tdu_size Maximum Transmission Data Unit Size Unsigned 16-bit integer Maximum Transmission Data Unit Size
tns.nt_proto_characteristics NT Protocol Characteristics Unsigned 16-bit integer NT Protocol Characteristics
tns.ntp_flag.asio ASync IO Supported Boolean ASync IO Supported
tns.ntp_flag.cbio Callback IO supported Boolean Callback IO supported
tns.ntp_flag.crel Confirmed release Boolean Confirmed release
tns.ntp_flag.dfio Full duplex IO supported Boolean Full duplex IO supported
tns.ntp_flag.dtest Data test Boolean Data Test
tns.ntp_flag.grant Can grant connection to another Boolean Can grant connection to another
tns.ntp_flag.handoff Can handoff connection to another Boolean Can handoff connection to another
tns.ntp_flag.hangon Hangon to listener connect Boolean Hangon to listener connect
tns.ntp_flag.pio Packet oriented IO Boolean Packet oriented IO
tns.ntp_flag.sigio Generate SIGIO signal Boolean Generate SIGIO signal
tns.ntp_flag.sigpipe Generate SIGPIPE signal Boolean Generate SIGPIPE signal
tns.ntp_flag.sigurg Generate SIGURG signal Boolean Generate SIGURG signal
tns.ntp_flag.srun Spawner running Boolean Spawner running
tns.ntp_flag.tduio TDU based IO Boolean TDU based IO
tns.ntp_flag.testop Test operation Boolean Test operation
tns.ntp_flag.urgentio Urgent IO supported Boolean Urgent IO supported
tns.packet_checksum Packet Checksum Unsigned 16-bit integer Checksum of Packet Data
tns.redirect Redirect Boolean Redirect
tns.redirect_data Redirect Data String Redirect Data
tns.redirect_data_length Redirect Data Length Unsigned 16-bit integer Length of Redirect Data
tns.refuse Refuse Boolean Refuse
tns.refuse_data Refuse Data String Refuse Data
tns.refuse_data_length Refuse Data Length Unsigned 16-bit integer Length of Refuse Data
tns.refuse_reason_system Refuse Reason (System) Unsigned 8-bit integer Refuse Reason from System
tns.refuse_reason_user Refuse Reason (User) Unsigned 8-bit integer Refuse Reason from Application
tns.request Request Boolean TRUE if TNS request
tns.reserved_byte Reserved Byte Byte array Reserved Byte
tns.response Response Boolean TRUE if TNS response
tns.sdu_size Session Data Unit Size Unsigned 16-bit integer Session Data Unit Size
tns.service_options Service Options Unsigned 16-bit integer Service Options
tns.so_flag.ap Attention Processing Boolean Attention Processing
tns.so_flag.bconn Broken Connect Notify Boolean Broken Connect Notify
tns.so_flag.dc1 Don't Care Boolean Don't Care
tns.so_flag.dc2 Don't Care Boolean Don't Care
tns.so_flag.dio Direct IO to Transport Boolean Direct IO to Transport
tns.so_flag.fd Full Duplex Boolean Full Duplex
tns.so_flag.hc Header Checksum Boolean Header Checksum
tns.so_flag.hd Half Duplex Boolean Half Duplex
tns.so_flag.pc Packet Checksum Boolean Packet Checksum
tns.so_flag.ra Can Receive Attention Boolean Can Receive Attention
tns.so_flag.sa Can Send Attention Boolean Can Send Attention
tns.trace_cf1 Trace Cross Facility Item 1 Unsigned 32-bit integer Trace Cross Facility Item 1
tns.trace_cf2 Trace Cross Facility Item 2 Unsigned 32-bit integer Trace Cross Facility Item 2
tns.trace_cid Trace Unique Connection ID Unsigned 64-bit integer Trace Unique Connection ID
tns.type Packet Type Unsigned 8-bit integer Type of TNS packet
tns.value_of_one Value of 1 in Hardware Byte array Value of 1 in Hardware
tns.version Version Unsigned 16-bit integer Version
tali.msu_length Length Unsigned 16-bit integer TALI MSU Length
tali.opcode Opcode String TALI Operation Code
tali.sync Sync String TALI SYNC
tftp.block Block Unsigned 16-bit integer Block number
tftp.destination_file DESTINATION File String TFTP source file name
tftp.error.code Error code Unsigned 16-bit integer Error code in case of TFTP error message
tftp.error.message Error message String Error string in case of TFTP error message
tftp.opcode Opcode Unsigned 16-bit integer TFTP message type
tftp.source_file Source File String TFTP source file name
tftp.type Type String TFTP transfer type
nbap.AICH_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.AICH_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.AICH_ParametersListIE_CTCH_ReconfRqstFDD_item Item No value nbap.AICH_ParametersItem_CTCH_ReconfRqstFDD
nbap.AllowedSlotFormatInformationList_CTCH_ReconfRqstFDD_item Item No value nbap.AllowedSlotFormatInformationItem_CTCH_ReconfRqstFDD
nbap.AllowedSlotFormatInformationList_CTCH_SetupRqstFDD_item Item No value nbap.AllowedSlotFormatInformationItem_CTCH_SetupRqstFDD
nbap.Best_Cell_Portions_Value_item Item No value nbap.Best_Cell_Portions_Item
nbap.CCP_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.CCP_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.CCTrCH_InformationList_RL_FailureInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.CCTrCH_InformationList_RL_RestoreInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.CCTrCH_TPCAddList_RL_ReconfPrepTDD_item Item No value nbap.CCTrCH_TPCAddItem_RL_ReconfPrepTDD
nbap.CCTrCH_TPCList_RL_SetupRqstTDD_item Item No value nbap.CCTrCH_TPCItem_RL_SetupRqstTDD
nbap.CCTrCH_TPCModifyList_RL_ReconfPrepTDD_item Item No value nbap.CCTrCH_TPCModifyItem_RL_ReconfPrepTDD
nbap.CellAdjustmentInfo_SyncAdjustmentRqstTDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.CellPortion_InformationList_Cell_ReconfRqstFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.CellPortion_InformationList_Cell_SetupRqstFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.CellSyncBurstInfoList_CellSyncReconfRqstTDD_item Item No value nbap.CellSyncBurstInfoItem_CellSyncReconfRqstTDD
nbap.CellSyncBurstMeasInfoListIE_CellSyncReconfRqstTDD_item Item No value nbap.CellSyncBurstMeasInfoItem_CellSyncReconfRqstTDD
nbap.CellSyncBurstMeasInfoList_CellSyncReprtTDD_item Item No value nbap.CellSyncBurstMeasInfoItem_CellSyncReprtTDD
nbap.CellSyncBurstTransReconfInfo_CellSyncReconfRqstTDD_item Item No value nbap.CellSyncBurstTransInfoItem_CellSyncReconfRqstTDD
nbap.CellSyncInfo_CellSyncReprtTDD_item Item No value nbap.CellSyncInfoItemIE_CellSyncReprtTDD
nbap.Cell_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.Cell_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.CommonChannelsCapacityConsumptionLaw_item Item No value nbap.CommonChannelsCapacityConsumptionLaw_item
nbap.CommunicationContextInfoList_Reset_item Item No value nbap.ProtocolIE_Single_Container
nbap.CommunicationControlPortInfoList_Reset_item Item No value nbap.ProtocolIE_Single_Container
nbap.CriticalityDiagnostics_IE_List_item Item No value nbap.CriticalityDiagnostics_IE_List_item
nbap.DCH_DeleteList_RL_ReconfPrepFDD_item Item No value nbap.DCH_DeleteItem_RL_ReconfPrepFDD
nbap.DCH_DeleteList_RL_ReconfPrepTDD_item Item No value nbap.DCH_DeleteItem_RL_ReconfPrepTDD
nbap.DCH_DeleteList_RL_ReconfRqstFDD_item Item No value nbap.DCH_DeleteItem_RL_ReconfRqstFDD
nbap.DCH_DeleteList_RL_ReconfRqstTDD_item Item No value nbap.DCH_DeleteItem_RL_ReconfRqstTDD
nbap.DCH_FDD_Information_item Item No value nbap.DCH_FDD_InformationItem
nbap.DCH_InformationResponse_item Item No value nbap.DCH_InformationResponseItem
nbap.DCH_ModifySpecificInformation_FDD_item Item No value nbap.DCH_ModifySpecificItem_FDD
nbap.DCH_ModifySpecificInformation_TDD_item Item No value nbap.DCH_ModifySpecificItem_TDD
nbap.DCH_RearrangeList_Bearer_RearrangeInd_item Item No value nbap.DCH_RearrangeItem_Bearer_RearrangeInd
nbap.DCH_Specific_FDD_InformationList_item Item No value nbap.DCH_Specific_FDD_Item
nbap.DCH_Specific_TDD_InformationList_item Item No value nbap.DCH_Specific_TDD_Item
nbap.DCH_TDD_Information_item Item No value nbap.DCH_TDD_InformationItem
nbap.DL_CCTrCH_InformationAddList_RL_ReconfPrepTDD_item Item No value nbap.DL_CCTrCH_InformationAddItem_RL_ReconfPrepTDD
nbap.DL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD_item Item No value nbap.DL_CCTrCH_InformationDeleteItem_RL_ReconfPrepTDD
nbap.DL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.DL_CCTrCH_InformationList_RL_AdditionRqstTDD_item Item No value nbap.DL_CCTrCH_InformationItem_RL_AdditionRqstTDD
nbap.DL_CCTrCH_InformationList_RL_SetupRqstTDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.DL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD_item Item No value nbap.DL_CCTrCH_InformationModifyItem_RL_ReconfPrepTDD
nbap.DL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.DL_Code_InformationAddList_LCR_PSCH_ReconfRqst_item Item No value nbap.DL_Code_InformationAddItem_LCR_PSCH_ReconfRqst
nbap.DL_Code_InformationAddList_PSCH_ReconfRqst_item Item No value nbap.DL_Code_InformationAddItem_PSCH_ReconfRqst
nbap.DL_Code_InformationModifyList_PSCH_ReconfRqst_item Item No value nbap.DL_Code_InformationModifyItem_PSCH_ReconfRqst
nbap.DL_Code_InformationModify_ModifyList_RL_ReconfPrepTDD_item Item No value nbap.DL_Code_InformationModify_ModifyItem_RL_ReconfPrepTDD
nbap.DL_Code_LCR_InformationModifyList_PSCH_ReconfRqst_item Item No value nbap.DL_Code_LCR_InformationModifyItem_PSCH_ReconfRqst
nbap.DL_Code_LCR_InformationModify_ModifyList_RL_ReconfPrepTDD_item Item No value nbap.DL_Code_LCR_InformationModify_ModifyItem_RL_ReconfPrepTDD
nbap.DL_DPCH_InformationModify_DeleteListIE_RL_ReconfPrepTDD_item Item No value nbap.DL_DPCH_InformationModify_DeleteItem_RL_ReconfPrepTDD
nbap.DL_HS_PDSCH_Codelist_LCR_PSCH_ReconfRqst_item Item Unsigned 32-bit integer nbap.TDD_ChannelisationCode
nbap.DL_HS_PDSCH_Codelist_PSCH_ReconfRqst_item Item Unsigned 32-bit integer nbap.TDD_ChannelisationCode
nbap.DL_HS_PDSCH_Timeslot_Information_LCR_PSCH_ReconfRqst_item Item No value nbap.DL_HS_PDSCH_Timeslot_InformationItem_LCR_PSCH_ReconfRqst
nbap.DL_HS_PDSCH_Timeslot_Information_PSCH_ReconfRqst_item Item No value nbap.DL_HS_PDSCH_Timeslot_InformationItem_PSCH_ReconfRqst
nbap.DL_ReferencePowerInformationList_DL_PC_Rqst_item Item No value nbap.ProtocolIE_Single_Container
nbap.DL_ReferencePowerInformationList_item Item No value nbap.DL_ReferencePowerInformationItem
nbap.DL_TimeslotISCPInfoLCR_item Item No value nbap.DL_TimeslotISCPInfoItemLCR
nbap.DL_TimeslotISCPInfo_item Item No value nbap.DL_TimeslotISCPInfoItem
nbap.DL_TimeslotLCR_Information_item Item No value nbap.DL_TimeslotLCR_InformationItem
nbap.DL_Timeslot_InformationAddList_LCR_PSCH_ReconfRqst_item Item No value nbap.DL_Timeslot_InformationAddItem_LCR_PSCH_ReconfRqst
nbap.DL_Timeslot_InformationAddList_PSCH_ReconfRqst_item Item No value nbap.DL_Timeslot_InformationAddItem_PSCH_ReconfRqst
nbap.DL_Timeslot_InformationModifyList_PSCH_ReconfRqst_item Item No value nbap.DL_Timeslot_InformationModifyItem_PSCH_ReconfRqst
nbap.DL_Timeslot_InformationModify_ModifyList_RL_ReconfPrepTDD_item Item No value nbap.DL_Timeslot_InformationModify_ModifyItem_RL_ReconfPrepTDD
nbap.DL_Timeslot_Information_item Item No value nbap.DL_Timeslot_InformationItem
nbap.DL_Timeslot_LCR_InformationModifyList_PSCH_ReconfRqst_item Item No value nbap.DL_Timeslot_LCR_InformationModifyItem_PSCH_ReconfRqst
nbap.DL_Timeslot_LCR_InformationModify_ModifyList_RL_ReconfPrepTDD_item Item No value nbap.DL_Timeslot_LCR_InformationModify_ModifyItem_RL_ReconfPrepTDD
nbap.DL_Timeslot_LCR_InformationModify_ModifyList_RL_ReconfRqstTDD_item Item No value nbap.DL_Timeslot_LCR_InformationModify_ModifyItem_RL_ReconfRqstTDD
nbap.DSCH_InformationResponse_item Item No value nbap.DSCH_InformationResponseItem
nbap.DSCH_Information_DeleteList_RL_ReconfPrepTDD_item Item No value nbap.DSCH_Information_DeleteItem_RL_ReconfPrepTDD
nbap.DSCH_Information_ModifyList_RL_ReconfPrepTDD_item Item No value nbap.DSCH_Information_ModifyItem_RL_ReconfPrepTDD
nbap.DSCH_RearrangeList_Bearer_RearrangeInd_item Item No value nbap.DSCH_RearrangeItem_Bearer_RearrangeInd
nbap.DSCH_TDD_Information_item Item No value nbap.DSCH_TDD_InformationItem
nbap.DedicatedChannelsCapacityConsumptionLaw_item Item No value nbap.DedicatedChannelsCapacityConsumptionLaw_item
nbap.DelayedActivationInformationList_RL_ActivationCmdFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.DelayedActivationInformationList_RL_ActivationCmdTDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.Delete_From_HS_SCCH_Resource_Pool_PSCH_ReconfRqst_item Item No value nbap.Delete_From_HS_SCCH_Resource_PoolItem_PSCH_ReconfRqst
nbap.E_AGCH_FDD_Code_List_item Item Unsigned 32-bit integer nbap.FDD_DL_ChannelisationCodeNumber
nbap.E_DCHProvidedBitRate_item Item No value nbap.E_DCHProvidedBitRate_Item
nbap.E_DCH_LogicalChannelInformation_item Item No value nbap.E_DCH_LogicalChannelInformationItem
nbap.E_DCH_LogicalChannelToDelete_item Item No value nbap.E_DCH_LogicalChannelToDeleteItem
nbap.E_DCH_LogicalChannelToModify_item Item No value nbap.E_DCH_LogicalChannelToModifyItem
nbap.E_DCH_MACdFlow_Specific_InfoList_item Item No value nbap.E_DCH_MACdFlow_Specific_InfoItem
nbap.E_DCH_MACdFlow_Specific_InfoList_to_Modify_item Item No value nbap.E_DCH_MACdFlow_Specific_InfoItem_to_Modify
nbap.E_DCH_MACdFlow_Specific_InformationResp_item Item No value nbap.E_DCH_MACdFlow_Specific_InformationResp_Item
nbap.E_DCH_MACdFlows_to_Delete_item Item No value nbap.E_DCH_MACdFlow_to_Delete_Item
nbap.E_DCH_MACdPDU_SizeList_item Item No value nbap.E_DCH_MACdPDU_SizeListItem
nbap.E_DCH_MACdPDU_SizeToModifyList_item Item No value nbap.E_DCH_MACdPDU_SizeListItem
nbap.E_DCH_RearrangeList_Bearer_RearrangeInd_item Item No value nbap.E_DCH_RearrangeItem_Bearer_RearrangeInd
nbap.E_RGCH_E_HICH_FDD_Code_List_item Item Unsigned 32-bit integer nbap.FDD_DL_ChannelisationCodeNumber
nbap.FACH_CommonTransportChannel_InformationResponse_item Item No value nbap.CommonTransportChannel_InformationResponse
nbap.FACH_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.FACH_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.FACH_ParametersListIE_CTCH_ReconfRqstFDD_item Item No value nbap.FACH_ParametersItem_CTCH_ReconfRqstFDD
nbap.FACH_ParametersListIE_CTCH_SetupRqstFDD_item Item No value nbap.FACH_ParametersItem_CTCH_SetupRqstFDD
nbap.FACH_ParametersListIE_CTCH_SetupRqstTDD_item Item No value nbap.FACH_ParametersItem_CTCH_SetupRqstTDD
nbap.FACH_ParametersList_CTCH_ReconfRqstTDD_item Item No value nbap.FACH_ParametersItem_CTCH_ReconfRqstTDD
nbap.FDD_DCHs_to_Modify_item Item No value nbap.FDD_DCHs_to_ModifyItem
nbap.FDD_DL_CodeInformation_item Item No value nbap.FDD_DL_CodeInformationItem
nbap.FPACH_LCR_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.FPACH_LCR_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.GPS_Information_item Item Unsigned 32-bit integer nbap.GPS_Information_Item
nbap.GPS_NavigationModel_and_TimeRecovery_item Item No value nbap.GPS_NavandRecovery_Item
nbap.HARQ_MemoryPartitioningList_item Item No value nbap.HARQ_MemoryPartitioningItem
nbap.HSDPA_And_EDCH_CellPortion_InformationList_PSCH_ReconfRqst_item Item No value nbap.HSDPA_And_EDCH_CellPortion_InformationItem_PSCH_ReconfRqst
nbap.HSDSCH_Initial_Capacity_Allocation_item Item No value nbap.HSDSCH_Initial_Capacity_AllocationItem
nbap.HSDSCH_MACdFlow_Specific_InfoList_item Item No value nbap.HSDSCH_MACdFlow_Specific_InfoItem
nbap.HSDSCH_MACdFlow_Specific_InfoList_to_Modify_item Item No value nbap.HSDSCH_MACdFlow_Specific_InfoItem_to_Modify
nbap.HSDSCH_MACdFlow_Specific_InformationResp_item Item No value nbap.HSDSCH_MACdFlow_Specific_InformationResp_Item
nbap.HSDSCH_MACdFlows_to_Delete_item Item No value nbap.HSDSCH_MACdFlows_to_Delete_Item
nbap.HSDSCH_RearrangeList_Bearer_RearrangeInd_item Item No value nbap.HSDSCH_RearrangeItem_Bearer_RearrangeInd
nbap.HSSCCH_Specific_InformationRespListFDD_item Item No value nbap.HSSCCH_Codes
nbap.HSSCCH_Specific_InformationRespListTDDLCR_item Item No value nbap.HSSCCH_Specific_InformationRespItemTDDLCR
nbap.HSSCCH_Specific_InformationRespListTDD_item Item No value nbap.HSSCCH_Specific_InformationRespItemTDD
nbap.HSSICH_Info_DM_Rqst_item Item Unsigned 32-bit integer nbap.HS_SICH_ID
nbap.HS_DSCHProvidedBitRateValueInformation_For_CellPortion_item Item No value nbap.HS_DSCHProvidedBitRateValueInformation_For_CellPortion_Item
nbap.HS_DSCHProvidedBitRate_item Item No value nbap.HS_DSCHProvidedBitRate_Item
nbap.HS_DSCHRequiredPowerPerUEInformation_item Item No value nbap.HS_DSCHRequiredPowerPerUEInformation_Item
nbap.HS_DSCHRequiredPowerValueInformation_For_CellPortion_item Item No value nbap.HS_DSCHRequiredPowerValueInformation_For_CellPortion_Item
nbap.HS_DSCHRequiredPower_item Item No value nbap.HS_DSCHRequiredPower_Item
nbap.HS_SCCH_FDD_Code_List_item Item Unsigned 32-bit integer nbap.HS_SCCH_FDD_Code_Information_Item
nbap.HS_SCCH_InformationModify_LCR_PSCH_ReconfRqst_item Item No value nbap.HS_SCCH_InformationModifyItem_LCR_PSCH_ReconfRqst
nbap.HS_SCCH_InformationModify_PSCH_ReconfRqst_item Item No value nbap.HS_SCCH_InformationModifyItem_PSCH_ReconfRqst
nbap.HS_SCCH_Information_LCR_PSCH_ReconfRqst_item Item No value nbap.HS_SCCH_InformationItem_LCR_PSCH_ReconfRqst
nbap.HS_SCCH_Information_PSCH_ReconfRqst_item Item No value nbap.HS_SCCH_InformationItem_PSCH_ReconfRqst
nbap.Local_Cell_Group_InformationList2_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.Local_Cell_Group_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.Local_Cell_Group_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.Local_Cell_InformationList2_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.Local_Cell_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.Local_Cell_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.MACdPDU_Size_Indexlist_item Item No value nbap.MACdPDU_Size_IndexItem
nbap.MACdPDU_Size_Indexlist_to_Modify_item Item No value nbap.MACdPDU_Size_IndexItem_to_Modify
nbap.MIB_SB_SIB_InformationList_SystemInfoUpdateRqst_item Item No value nbap.MIB_SB_SIB_InformationItem_SystemInfoUpdateRqst
nbap.MessageStructure_item Item No value nbap.MessageStructure_item
nbap.MultipleRL_DL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD_item Item No value nbap.MultipleRL_DL_CCTrCH_InformationModifyListIE_RL_ReconfRqstTDD
nbap.MultipleRL_DL_DPCH_InformationAddList_RL_ReconfPrepTDD_item Item No value nbap.MultipleRL_DL_DPCH_InformationAddListIE_RL_ReconfPrepTDD
nbap.MultipleRL_DL_DPCH_InformationModifyList_RL_ReconfPrepTDD_item Item No value nbap.MultipleRL_DL_DPCH_InformationModifyListIE_RL_ReconfPrepTDD
nbap.MultipleRL_Information_RL_ReconfPrepTDD_item Item No value nbap.RL_Information_RL_ReconfPrepTDD
nbap.MultipleRL_UL_DPCH_InformationAddList_RL_ReconfPrepTDD_item Item No value nbap.MultipleRL_UL_DPCH_InformationAddListIE_RL_ReconfPrepTDD
nbap.MultipleRL_UL_DPCH_InformationModifyList_RL_ReconfPrepTDD_item Item No value nbap.MultipleRL_UL_DPCH_InformationModifyListIE_RL_ReconfPrepTDD
nbap.Multiple_DedicatedMeasurementValueList_LCR_TDD_DM_Rsp_item Item No value nbap.Multiple_DedicatedMeasurementValueItem_LCR_TDD_DM_Rsp
nbap.Multiple_DedicatedMeasurementValueList_TDD_DM_Rsp_item Item No value nbap.Multiple_DedicatedMeasurementValueItem_TDD_DM_Rsp
nbap.Multiple_PUSCH_InfoList_DM_Rprt_item Item No value nbap.Multiple_PUSCH_InfoListIE_DM_Rprt
nbap.Multiple_PUSCH_InfoList_DM_Rsp_item Item No value nbap.Multiple_PUSCH_InfoListIE_DM_Rsp
nbap.Multiple_RL_Information_RL_ReconfRqstTDD_item Item No value nbap.RL_Information_RL_ReconfRqstTDD
nbap.NBAP_PDU NBAP-PDU Unsigned 32-bit integer nbap.NBAP_PDU
nbap.NI_Information_item Item Unsigned 32-bit integer nbap.Notification_Indicator
nbap.NeighbouringCellMeasurementInformation_item Item Unsigned 32-bit integer nbap.NeighbouringCellMeasurementInformation_item
nbap.PDSCHSets_AddList_PSCH_ReconfRqst_item Item No value nbap.PDSCHSets_AddItem_PSCH_ReconfRqst
nbap.PDSCHSets_DeleteList_PSCH_ReconfRqst_item Item No value nbap.PDSCHSets_DeleteItem_PSCH_ReconfRqst
nbap.PDSCHSets_ModifyList_PSCH_ReconfRqst_item Item No value nbap.PDSCHSets_ModifyItem_PSCH_ReconfRqst
nbap.PRACH_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.PRACH_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.PRACH_LCR_ParametersList_CTCH_SetupRqstTDD_item Item No value nbap.PRACH_LCR_ParametersItem_CTCH_SetupRqstTDD
nbap.PRACH_ParametersListIE_CTCH_ReconfRqstFDD_item Item No value nbap.PRACH_ParametersItem_CTCH_ReconfRqstFDD
nbap.PUSCHSets_AddList_PSCH_ReconfRqst_item Item No value nbap.PUSCHSets_AddItem_PSCH_ReconfRqst
nbap.PUSCHSets_DeleteList_PSCH_ReconfRqst_item Item No value nbap.PUSCHSets_DeleteItem_PSCH_ReconfRqst
nbap.PUSCHSets_ModifyList_PSCH_ReconfRqst_item Item No value nbap.PUSCHSets_ModifyItem_PSCH_ReconfRqst
nbap.PUSCH_Info_DM_Rprt_item Item Unsigned 32-bit integer nbap.PUSCH_ID
nbap.PUSCH_Info_DM_Rqst_item Item Unsigned 32-bit integer nbap.PUSCH_ID
nbap.PUSCH_Info_DM_Rsp_item Item Unsigned 32-bit integer nbap.PUSCH_ID
nbap.Power_Local_Cell_Group_InformationList2_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.Power_Local_Cell_Group_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.Power_Local_Cell_Group_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.PriorityQueue_InfoList_item Item No value nbap.PriorityQueue_InfoItem
nbap.PriorityQueue_InfoList_to_Modify_Unsynchronised_item Item No value nbap.PriorityQueue_InfoItem_to_Modify_Unsynchronised
nbap.PriorityQueue_InfoList_to_Modify_item Item Unsigned 32-bit integer nbap.ModifyPriorityQueue
nbap.PrivateIE_Container_item Item No value nbap.PrivateIE_Field
nbap.ProtocolExtensionContainer_item Item No value nbap.ProtocolExtensionField
nbap.ProtocolIE_ContainerList_item Item Unsigned 32-bit integer nbap.ProtocolIE_Container
nbap.ProtocolIE_ContainerPairList_item Item Unsigned 32-bit integer nbap.ProtocolIE_ContainerPair
nbap.ProtocolIE_ContainerPair_item Item No value nbap.ProtocolIE_FieldPair
nbap.ProtocolIE_Container_item Item No value nbap.ProtocolIE_Field
nbap.RACH_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.RACH_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationList_DM_Rprt_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationList_DM_Rqst_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationList_DM_Rsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationList_RL_AdditionRqstFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationList_RL_FailureInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationList_RL_PreemptRequiredInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationList_RL_ReconfPrepFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationList_RL_ReconfRqstFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationList_RL_RestoreInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationList_RL_SetupRqstFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationResponseList_RL_AdditionRspFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationResponseList_RL_ReconfReady_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationResponseList_RL_ReconfRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_InformationResponseList_RL_SetupRspFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_ReconfigurationFailureList_RL_ReconfFailure_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_Set_InformationList_DM_Rprt_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_Set_InformationList_DM_Rqst_item Item No value nbap.RL_Set_InformationItem_DM_Rqst
nbap.RL_Set_InformationList_DM_Rsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_Set_InformationList_RL_FailureInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_Set_InformationList_RL_RestoreInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.RL_Specific_DCH_Info_item Item No value nbap.RL_Specific_DCH_Info_Item
nbap.RL_Specific_E_DCH_Info_item Item No value nbap.RL_Specific_E_DCH_Info_Item
nbap.RL_informationList_RL_DeletionRqst_item Item No value nbap.ProtocolIE_Single_Container
nbap.Received_total_wide_band_power_For_CellPortion_Value_item Item No value nbap.Received_total_wide_band_power_For_CellPortion_Value_Item
nbap.Reference_E_TFCI_Information_item Item No value nbap.Reference_E_TFCI_Information_Item
nbap.SATInfo_RealTime_Integrity_item Item No value nbap.SAT_Info_RealTime_Integrity_Item
nbap.SAT_Info_Almanac_ExtList_item Item No value nbap.SAT_Info_Almanac_ExtItem
nbap.SAT_Info_Almanac_item Item No value nbap.SAT_Info_Almanac_Item
nbap.SAT_Info_DGPSCorrections_item Item No value nbap.SAT_Info_DGPSCorrections_Item
nbap.SYNCDlCodeIdInfoListLCR_CellSyncReconfRqstTDD_item Item No value nbap.SYNCDlCodeIdInfoItemLCR_CellSyncReconfRqstTDD
nbap.SYNCDlCodeIdMeasInfoList_CellSyncReconfRqstTDD_item Item No value nbap.SYNCDlCodeIdMeasInfoItem_CellSyncReconfRqstTDD
nbap.SYNCDlCodeIdTransReconfInfoLCR_CellSyncReconfRqstTDD_item Item No value nbap.SYNCDlCodeIdTransReconfItemLCR_CellSyncReconfRqstTDD
nbap.S_CCPCH_InformationListExt_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.S_CCPCH_InformationListExt_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.S_CCPCH_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.S_CCPCH_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.S_CCPCH_LCR_InformationListExt_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.S_CCPCH_LCR_InformationListExt_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.S_CPICH_InformationList_AuditRsp_item Item No value nbap.ProtocolIE_Single_Container
nbap.S_CPICH_InformationList_ResourceStatusInd_item Item No value nbap.ProtocolIE_Single_Container
nbap.SecondaryCPICH_InformationList_Cell_ReconfRqstFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.SecondaryCPICH_InformationList_Cell_SetupRqstFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.Secondary_CCPCHListIE_CTCH_ReconfRqstTDD_item Item No value nbap.Secondary_CCPCHItem_CTCH_ReconfRqstTDD
nbap.Secondary_CCPCH_LCR_parameterExtendedList_CTCH_ReconfRqstTDD_item Item No value nbap.Secondary_CCPCHItem_CTCH_ReconfRqstTDD
nbap.Secondary_CCPCH_LCR_parameterExtendedList_CTCH_SetupRqstTDD_item Item No value nbap.Secondary_CCPCH_LCR_parameterItem_CTCH_SetupRqstTDD
nbap.Secondary_CCPCH_LCR_parameterList_CTCH_SetupRqstTDD_item Item No value nbap.Secondary_CCPCH_LCR_parameterItem_CTCH_SetupRqstTDD
nbap.Secondary_CCPCH_parameterExtendedList_CTCH_ReconfRqstTDD_item Item No value nbap.Secondary_CCPCHItem_CTCH_ReconfRqstTDD
nbap.Secondary_CCPCH_parameterExtendedList_CTCH_SetupRqstTDD_item Item No value nbap.Secondary_CCPCH_parameterItem_CTCH_SetupRqstTDD
nbap.Secondary_CCPCH_parameterListIE_CTCH_SetupRqstTDD_item Item No value nbap.Secondary_CCPCH_parameterItem_CTCH_SetupRqstTDD
nbap.SegmentInformationListIE_SystemInfoUpdate_item Item No value nbap.SegmentInformationItem_SystemInfoUpdate
nbap.Successful_RL_InformationRespList_RL_AdditionFailureFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.Successful_RL_InformationRespList_RL_SetupFailureFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.SyncDLCodeIdInfo_CellSyncReprtTDD_item Item Unsigned 32-bit integer nbap.SyncDLCodeIdItem_CellSyncReprtTDD
nbap.SyncDLCodeIdThreInfoLCR_item Item No value nbap.SyncDLCodeIdThreInfoList
nbap.SyncDLCodeIdsMeasInfoList_CellSyncReprtTDD_item Item No value nbap.SyncDLCodeIdsMeasInfoItem_CellSyncReprtTDD
nbap.SyncDLCodeInfoListLCR_item Item No value nbap.SyncDLCodeInfoItemLCR
nbap.SynchronisationReportCharactThreExc_item Item No value nbap.SynchronisationReportCharactThreInfoItem
nbap.TDD_DCHs_to_Modify_item Item No value nbap.DCH_ModifyItem_TDD
nbap.TDD_DL_Code_Information_item Item No value nbap.TDD_DL_Code_InformationItem
nbap.TDD_DL_Code_LCR_Information_item Item No value nbap.TDD_DL_Code_LCR_InformationItem
nbap.TDD_UL_Code_Information_item Item No value nbap.TDD_UL_Code_InformationItem
nbap.TDD_UL_Code_LCR_Information_item Item No value nbap.TDD_UL_Code_LCR_InformationItem
nbap.TFCS_TFCSList_item Item No value nbap.TFCS_TFCSList_item
nbap.TimeSlotConfigurationList_Cell_ReconfRqstTDD_item Item No value nbap.TimeSlotConfigurationItem_Cell_ReconfRqstTDD
nbap.TimeSlotConfigurationList_Cell_SetupRqstTDD_item Item No value nbap.TimeSlotConfigurationItem_Cell_SetupRqstTDD
nbap.TimeSlotConfigurationList_LCR_Cell_ReconfRqstTDD_item Item No value nbap.TimeSlotConfigurationItem_LCR_Cell_ReconfRqstTDD
nbap.TimeSlotConfigurationList_LCR_Cell_SetupRqstTDD_item Item No value nbap.TimeSlotConfigurationItem_LCR_Cell_SetupRqstTDD
nbap.TimeslotInfo_CellSyncInitiationRqstTDD_item Item Unsigned 32-bit integer nbap.TimeSlot
nbap.TransmissionTimeIntervalInformation_item Item No value nbap.TransmissionTimeIntervalInformation_item
nbap.Transmission_Gap_Pattern_Sequence_Information_item Item No value nbap.Transmission_Gap_Pattern_Sequence_Information_item
nbap.Transmission_Gap_Pattern_Sequence_Status_List_item Item No value nbap.Transmission_Gap_Pattern_Sequence_Status_List_item
nbap.TransmittedCarrierPowerOfAllCodesNotUsedForHS_PDSCH_HS_SCCH_E_AGCH_E_RGCHOrE_HICHTransmissionCellPortionValue_item Item No value nbap.TransmittedCarrierPowerOfAllCodesNotUsedForHS_PDSCH_HS_SCCH_E_AGCH_E_RGCHOrE_HICHTransmissionCellPortionValue_Item
nbap.Transmitted_Carrier_Power_For_CellPortion_Value_item Item No value nbap.Transmitted_Carrier_Power_For_CellPortion_Value_Item
nbap.TransportFormatSet_DynamicPartList_item Item No value nbap.TransportFormatSet_DynamicPartList_item
nbap.UL_CCTrCH_InformationAddList_RL_ReconfPrepTDD_item Item No value nbap.UL_CCTrCH_InformationAddItem_RL_ReconfPrepTDD
nbap.UL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD_item Item No value nbap.UL_CCTrCH_InformationDeleteItem_RL_ReconfPrepTDD
nbap.UL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.UL_CCTrCH_InformationList_RL_AdditionRqstTDD_item Item No value nbap.UL_CCTrCH_InformationItem_RL_AdditionRqstTDD
nbap.UL_CCTrCH_InformationList_RL_SetupRqstTDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.UL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD_item Item No value nbap.UL_CCTrCH_InformationModifyItem_RL_ReconfPrepTDD
nbap.UL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.UL_Code_InformationAddList_LCR_PSCH_ReconfRqst_item Item No value nbap.UL_Code_InformationAddItem_LCR_PSCH_ReconfRqst
nbap.UL_Code_InformationAddList_PSCH_ReconfRqst_item Item No value nbap.UL_Code_InformationAddItem_PSCH_ReconfRqst
nbap.UL_Code_InformationModifyList_PSCH_ReconfRqst_item Item No value nbap.UL_Code_InformationModifyItem_PSCH_ReconfRqst
nbap.UL_Code_InformationModify_ModifyList_RL_ReconfPrepTDDLCR_item Item No value nbap.UL_Code_InformationModify_ModifyItem_RL_ReconfPrepTDDLCR
nbap.UL_Code_InformationModify_ModifyList_RL_ReconfPrepTDD_item Item No value nbap.UL_Code_InformationModify_ModifyItem_RL_ReconfPrepTDD
nbap.UL_Code_LCR_InformationModifyList_PSCH_ReconfRqst_item Item No value nbap.UL_Code_LCR_InformationModifyItem_PSCH_ReconfRqst
nbap.UL_DPCH_InformationModify_DeleteListIE_RL_ReconfPrepTDD_item Item No value nbap.UL_DPCH_InformationModify_DeleteItem_RL_ReconfPrepTDD
nbap.UL_TimeSlot_ISCP_Info_item Item No value nbap.UL_TimeSlot_ISCP_InfoItem
nbap.UL_TimeSlot_ISCP_LCR_Info_item Item No value nbap.UL_TimeSlot_ISCP_LCR_InfoItem
nbap.UL_TimeslotLCR_InformationModify_ModifyList_RL_ReconfPrepTDD_item Item No value nbap.UL_Timeslot_LCR_InformationModify_ModifyItem_RL_ReconfPrepTDD
nbap.UL_TimeslotLCR_Information_item Item No value nbap.UL_TimeslotLCR_InformationItem
nbap.UL_Timeslot_InformationAddList_LCR_PSCH_ReconfRqst_item Item No value nbap.UL_Timeslot_InformationAddItem_LCR_PSCH_ReconfRqst
nbap.UL_Timeslot_InformationAddList_PSCH_ReconfRqst_item Item No value nbap.UL_Timeslot_InformationAddItem_PSCH_ReconfRqst
nbap.UL_Timeslot_InformationModifyList_PSCH_ReconfRqst_item Item No value nbap.UL_Timeslot_InformationModifyItem_PSCH_ReconfRqst
nbap.UL_Timeslot_InformationModify_ModifyList_RL_ReconfPrepTDD_item Item No value nbap.UL_Timeslot_InformationModify_ModifyItem_RL_ReconfPrepTDD
nbap.UL_Timeslot_Information_item Item No value nbap.UL_Timeslot_InformationItem
nbap.UL_Timeslot_LCR_InformationModifyList_PSCH_ReconfRqst_item Item No value nbap.UL_Timeslot_LCR_InformationModifyItem_PSCH_ReconfRqst
nbap.USCH_InformationResponse_item Item No value nbap.USCH_InformationResponseItem
nbap.USCH_Information_DeleteList_RL_ReconfPrepTDD_item Item No value nbap.USCH_Information_DeleteItem_RL_ReconfPrepTDD
nbap.USCH_Information_ModifyList_RL_ReconfPrepTDD_item Item No value nbap.USCH_Information_ModifyItem_RL_ReconfPrepTDD
nbap.USCH_Information_item Item No value nbap.USCH_InformationItem
nbap.USCH_RearrangeList_Bearer_RearrangeInd_item Item No value nbap.USCH_RearrangeItem_Bearer_RearrangeInd
nbap.Unsuccessful_PDSCHSetList_PSCH_ReconfFailureTDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.Unsuccessful_PUSCHSetList_PSCH_ReconfFailureTDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.Unsuccessful_RL_InformationRespList_RL_AdditionFailureFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.Unsuccessful_RL_InformationRespList_RL_SetupFailureFDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.Unsuccessful_cell_InformationRespList_SyncAdjustmntFailureTDD_item Item No value nbap.ProtocolIE_Single_Container
nbap.aICH_InformationList aICH-InformationList Unsigned 32-bit integer nbap.AICH_InformationList_AuditRsp
nbap.aICH_Parameters aICH-Parameters No value nbap.AICH_Parameters_CTCH_SetupRqstFDD
nbap.aICH_ParametersList_CTCH_ReconfRqstFDD aICH-ParametersList-CTCH-ReconfRqstFDD No value nbap.AICH_ParametersList_CTCH_ReconfRqstFDD
nbap.aICH_Power aICH-Power Signed 32-bit integer nbap.AICH_Power
nbap.aICH_TransmissionTiming aICH-TransmissionTiming Unsigned 32-bit integer nbap.AICH_TransmissionTiming
nbap.aOA_LCR aOA-LCR Unsigned 32-bit integer nbap.AOA_LCR
nbap.aOA_LCR_Accuracy_Class aOA-LCR-Accuracy-Class Unsigned 32-bit integer nbap.AOA_LCR_Accuracy_Class
nbap.a_f_1_nav a-f-1-nav Byte array nbap.BIT_STRING_SIZE_16
nbap.a_f_2_nav a-f-2-nav Byte array nbap.BIT_STRING_SIZE_8
nbap.a_f_zero_nav a-f-zero-nav Byte array nbap.BIT_STRING_SIZE_22
nbap.a_one_utc a-one-utc Byte array nbap.BIT_STRING_SIZE_24
nbap.a_sqrt_nav a-sqrt-nav Byte array nbap.BIT_STRING_SIZE_32
nbap.a_zero_utc a-zero-utc Byte array nbap.BIT_STRING_SIZE_32
nbap.ackNackRepetitionFactor ackNackRepetitionFactor Unsigned 32-bit integer nbap.AckNack_RepetitionFactor
nbap.ackPowerOffset ackPowerOffset Unsigned 32-bit integer nbap.Ack_Power_Offset
nbap.acknowledged_prach_preambles acknowledged-prach-preambles Unsigned 32-bit integer nbap.Acknowledged_PRACH_preambles_Value
nbap.activate activate No value nbap.Activate_Info
nbap.activation_type activation-type Unsigned 32-bit integer nbap.Execution_Type
nbap.addPriorityQueue addPriorityQueue No value nbap.PriorityQueue_InfoItem_to_Add
nbap.addorDeleteIndicator addorDeleteIndicator Unsigned 32-bit integer nbap.AddorDeleteIndicator
nbap.adjustmentPeriod adjustmentPeriod Unsigned 32-bit integer nbap.AdjustmentPeriod
nbap.adjustmentRatio adjustmentRatio Unsigned 32-bit integer nbap.ScaledAdjustmentRatio
nbap.all_RL all-RL No value nbap.AllRL_DM_Rqst
nbap.all_RLS all-RLS No value nbap.AllRL_Set_DM_Rqst
nbap.allocationRetentionPriority allocationRetentionPriority No value nbap.AllocationRetentionPriority
nbap.allowedSlotFormatInformation allowedSlotFormatInformation Unsigned 32-bit integer nbap.AllowedSlotFormatInformationList_CTCH_SetupRqstFDD
nbap.alpha_one_ionos alpha-one-ionos Byte array nbap.BIT_STRING_SIZE_8
nbap.alpha_three_ionos alpha-three-ionos Byte array nbap.BIT_STRING_SIZE_8
nbap.alpha_two_ionos alpha-two-ionos Byte array nbap.BIT_STRING_SIZE_8
nbap.alpha_zero_ionos alpha-zero-ionos Byte array nbap.BIT_STRING_SIZE_8
nbap.altitude altitude Unsigned 32-bit integer nbap.INTEGER_0_32767
nbap.aodo_nav aodo-nav Byte array nbap.BIT_STRING_SIZE_5
nbap.associatedHSDSCH_MACdFlow associatedHSDSCH-MACdFlow Unsigned 32-bit integer nbap.HSDSCH_MACdFlow_ID
nbap.associatedSecondaryCPICH associatedSecondaryCPICH Unsigned 32-bit integer nbap.CommonPhysicalChannelID
nbap.availabilityStatus availabilityStatus Unsigned 32-bit integer nbap.AvailabilityStatus
nbap.bCH_Information bCH-Information No value nbap.BCH_Information_AuditRsp
nbap.bCH_Power bCH-Power Signed 32-bit integer nbap.DL_Power
nbap.bCH_information bCH-information No value nbap.BCH_Information_Cell_SetupRqstFDD
nbap.bad_sat_id bad-sat-id Unsigned 32-bit integer nbap.SAT_ID
nbap.bad_satellites bad-satellites No value nbap.GPSBadSat_Info_RealTime_Integrity
nbap.betaC betaC Unsigned 32-bit integer nbap.BetaCD
nbap.betaD betaD Unsigned 32-bit integer nbap.BetaCD
nbap.beta_one_ionos beta-one-ionos Byte array nbap.BIT_STRING_SIZE_8
nbap.beta_three_ionos beta-three-ionos Byte array nbap.BIT_STRING_SIZE_8
nbap.beta_two_ionos beta-two-ionos Byte array nbap.BIT_STRING_SIZE_8
nbap.beta_zero_ionos beta-zero-ionos Byte array nbap.BIT_STRING_SIZE_8
nbap.bindingID bindingID Byte array nbap.BindingID
nbap.bundlingModeIndicator bundlingModeIndicator Unsigned 32-bit integer nbap.BundlingModeIndicator
nbap.burstFreq burstFreq Unsigned 32-bit integer nbap.INTEGER_1_16
nbap.burstLength burstLength Unsigned 32-bit integer nbap.INTEGER_10_25
nbap.burstModeParams burstModeParams No value nbap.BurstModeParams
nbap.burstStart burstStart Unsigned 32-bit integer nbap.INTEGER_0_15
nbap.cCP_InformationList cCP-InformationList Unsigned 32-bit integer nbap.CCP_InformationList_ResourceStatusInd
nbap.cCTrCH cCTrCH No value nbap.CCTrCH_RL_FailureInd
nbap.cCTrCH_ID cCTrCH-ID Unsigned 32-bit integer nbap.CCTrCH_ID
nbap.cCTrCH_InformationList_RL_FailureInd cCTrCH-InformationList-RL-FailureInd Unsigned 32-bit integer nbap.CCTrCH_InformationList_RL_FailureInd
nbap.cCTrCH_InformationList_RL_RestoreInd cCTrCH-InformationList-RL-RestoreInd Unsigned 32-bit integer nbap.CCTrCH_InformationList_RL_RestoreInd
nbap.cCTrCH_Initial_DL_Power cCTrCH-Initial-DL-Power Signed 32-bit integer nbap.DL_Power
nbap.cCTrCH_Maximum_DL_Power_InformationAdd_RL_ReconfPrepTDD cCTrCH-Maximum-DL-Power-InformationAdd-RL-ReconfPrepTDD Signed 32-bit integer nbap.DL_Power
nbap.cCTrCH_Maximum_DL_Power_InformationModify_RL_ReconfPrepTDD cCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfPrepTDD Signed 32-bit integer nbap.DL_Power
nbap.cCTrCH_Maximum_DL_Power_InformationModify_RL_ReconfRqstTDD cCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.cCTrCH_Minimum_DL_Power_InformationAdd_RL_ReconfPrepTDD cCTrCH-Minimum-DL-Power-InformationAdd-RL-ReconfPrepTDD Signed 32-bit integer nbap.DL_Power
nbap.cCTrCH_Minimum_DL_Power_InformationModify_RL_ReconfPrepTDD cCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfPrepTDD Signed 32-bit integer nbap.DL_Power
nbap.cCTrCH_Minimum_DL_Power_InformationModify_RL_ReconfRqstTDD cCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.cCTrCH_TPCList cCTrCH-TPCList Unsigned 32-bit integer nbap.CCTrCH_TPCList_RL_SetupRqstTDD
nbap.cFN cFN Unsigned 32-bit integer nbap.CFN
nbap.cMConfigurationChangeCFN cMConfigurationChangeCFN Unsigned 32-bit integer nbap.CFN
nbap.cRC_Size cRC-Size Unsigned 32-bit integer nbap.TransportFormatSet_CRC_Size
nbap.cRNC_CommunicationContextID cRNC-CommunicationContextID Unsigned 32-bit integer nbap.CRNC_CommunicationContextID
nbap.cSBMeasurementID cSBMeasurementID Unsigned 32-bit integer nbap.CSBMeasurementID
nbap.cSBTransmissionID cSBTransmissionID Unsigned 32-bit integer nbap.CSBTransmissionID
nbap.cTFC cTFC Unsigned 32-bit integer nbap.TFCS_CTFC
nbap.c_ID c-ID Unsigned 32-bit integer nbap.C_ID
nbap.c_ID_CellSyncReprtTDD c-ID-CellSyncReprtTDD No value nbap.C_ID_IE_CellSyncReprtTDD
nbap.c_ic_nav c-ic-nav Byte array nbap.BIT_STRING_SIZE_16
nbap.c_is_nav c-is-nav Byte array nbap.BIT_STRING_SIZE_16
nbap.c_rc_nav c-rc-nav Byte array nbap.BIT_STRING_SIZE_16
nbap.c_rs_nav c-rs-nav Byte array nbap.BIT_STRING_SIZE_16
nbap.c_uc_nav c-uc-nav Byte array nbap.BIT_STRING_SIZE_16
nbap.c_us_nav c-us-nav Byte array nbap.BIT_STRING_SIZE_16
nbap.ca_or_p_on_l2_nav ca-or-p-on-l2-nav Byte array nbap.BIT_STRING_SIZE_2
nbap.case1 case1 No value nbap.Case1_Cell_SetupRqstTDD
nbap.case2 case2 No value nbap.Case2_Cell_SetupRqstTDD
nbap.cause cause Unsigned 32-bit integer nbap.Cause
nbap.cell cell No value nbap.Cell_CM_Rqst
nbap.cellParameterID cellParameterID Unsigned 32-bit integer nbap.CellParameterID
nbap.cellPortionID cellPortionID Unsigned 32-bit integer nbap.CellPortionID
nbap.cellSpecificCause cellSpecificCause No value nbap.CellSpecificCauseList_SyncAdjustmntFailureTDD
nbap.cellSyncBurstAvailable cellSyncBurstAvailable No value nbap.CellSyncBurstAvailable_CellSyncReprtTDD
nbap.cellSyncBurstCode cellSyncBurstCode Unsigned 32-bit integer nbap.CellSyncBurstCode
nbap.cellSyncBurstCodeShift cellSyncBurstCodeShift Unsigned 32-bit integer nbap.CellSyncBurstCodeShift
nbap.cellSyncBurstInfo_CellSyncReprtTDD cellSyncBurstInfo-CellSyncReprtTDD Unsigned 32-bit integer nbap.SEQUENCE_SIZE_1_16_OF_CellSyncBurstInfo_CellSyncReprtTDD
nbap.cellSyncBurstInfo_CellSyncReprtTDD_item Item Unsigned 32-bit integer nbap.CellSyncBurstInfo_CellSyncReprtTDD
nbap.cellSyncBurstInformation cellSyncBurstInformation Unsigned 32-bit integer nbap.SEQUENCE_SIZE_1_16_OF_SynchronisationReportCharactCellSyncBurstInfoItem
nbap.cellSyncBurstInformation_item Item No value nbap.SynchronisationReportCharactCellSyncBurstInfoItem
nbap.cellSyncBurstMeasInfoList_CellSyncReconfRqstTDD cellSyncBurstMeasInfoList-CellSyncReconfRqstTDD No value nbap.CellSyncBurstMeasInfoList_CellSyncReconfRqstTDD
nbap.cellSyncBurstMeasuredInfo cellSyncBurstMeasuredInfo Unsigned 32-bit integer nbap.CellSyncBurstMeasInfoList_CellSyncReprtTDD
nbap.cellSyncBurstNotAvailable cellSyncBurstNotAvailable No value nbap.NULL
nbap.cellSyncBurstSIR cellSyncBurstSIR Unsigned 32-bit integer nbap.CellSyncBurstSIR
nbap.cellSyncBurstTiming cellSyncBurstTiming Unsigned 32-bit integer nbap.CellSyncBurstTiming
nbap.cellSyncBurstTimingThreshold cellSyncBurstTimingThreshold Unsigned 32-bit integer nbap.CellSyncBurstTimingThreshold
nbap.cell_InformationList cell-InformationList Unsigned 32-bit integer nbap.Cell_InformationList_ResourceStatusInd
nbap.cfn cfn Unsigned 32-bit integer nbap.CFN
nbap.channelCoding channelCoding Unsigned 32-bit integer nbap.TransportFormatSet_ChannelCodingType
nbap.chipOffset chipOffset Unsigned 32-bit integer nbap.ChipOffset
nbap.codeNumber codeNumber Unsigned 32-bit integer nbap.INTEGER_0_127
nbap.codingRate codingRate Unsigned 32-bit integer nbap.TransportFormatSet_CodingRate
nbap.combining combining No value nbap.Combining_RL_SetupRspFDD
nbap.commonChannelsCapacityConsumptionLaw commonChannelsCapacityConsumptionLaw Unsigned 32-bit integer nbap.CommonChannelsCapacityConsumptionLaw
nbap.commonMeasurementValue commonMeasurementValue Unsigned 32-bit integer nbap.CommonMeasurementValue
nbap.commonMeasurementValueInformation commonMeasurementValueInformation Unsigned 32-bit integer nbap.CommonMeasurementValueInformation
nbap.commonMidamble commonMidamble No value nbap.NULL
nbap.commonPhysicalChannelID commonPhysicalChannelID Unsigned 32-bit integer nbap.CommonPhysicalChannelID
nbap.commonPhysicalChannelId commonPhysicalChannelId Unsigned 32-bit integer nbap.CommonPhysicalChannelID
nbap.commonTransportChannelID commonTransportChannelID Unsigned 32-bit integer nbap.CommonTransportChannelID
nbap.commonmeasurementValue commonmeasurementValue Unsigned 32-bit integer nbap.CommonMeasurementValue
nbap.communicationContext communicationContext No value nbap.CommunicationContextList_Reset
nbap.communicationContextInfoList_Reset communicationContextInfoList-Reset Unsigned 32-bit integer nbap.CommunicationContextInfoList_Reset
nbap.communicationContextType_Reset communicationContextType-Reset Unsigned 32-bit integer nbap.CommunicationContextType_Reset
nbap.communicationControlPort communicationControlPort No value nbap.CommunicationControlPortList_Reset
nbap.communicationControlPortID communicationControlPortID Unsigned 32-bit integer nbap.CommunicationControlPortID
nbap.communicationControlPortInfoList_Reset communicationControlPortInfoList-Reset Unsigned 32-bit integer nbap.CommunicationControlPortInfoList_Reset
nbap.computedGainFactors computedGainFactors Unsigned 32-bit integer nbap.RefTFCNumber
nbap.configurationGenerationID configurationGenerationID Unsigned 32-bit integer nbap.ConfigurationGenerationID
nbap.cqiFeedback_CycleK cqiFeedback-CycleK Unsigned 32-bit integer nbap.CQI_Feedback_Cycle
nbap.cqiPowerOffset cqiPowerOffset Unsigned 32-bit integer nbap.CQI_Power_Offset
nbap.cqiRepetitionFactor cqiRepetitionFactor Unsigned 32-bit integer nbap.CQI_RepetitionFactor
nbap.criticality criticality Unsigned 32-bit integer nbap.Criticality
nbap.ctfc12bit ctfc12bit Unsigned 32-bit integer nbap.INTEGER_0_4095
nbap.ctfc16bit ctfc16bit Unsigned 32-bit integer nbap.INTEGER_0_65535
nbap.ctfc2bit ctfc2bit Unsigned 32-bit integer nbap.INTEGER_0_3
nbap.ctfc4bit ctfc4bit Unsigned 32-bit integer nbap.INTEGER_0_15
nbap.ctfc6bit ctfc6bit Unsigned 32-bit integer nbap.INTEGER_0_63
nbap.ctfc8bit ctfc8bit Unsigned 32-bit integer nbap.INTEGER_0_255
nbap.ctfcmaxbit ctfcmaxbit Unsigned 32-bit integer nbap.INTEGER_0_16777215
nbap.dCH_ID dCH-ID Unsigned 32-bit integer nbap.DCH_ID
nbap.dCH_Information dCH-Information No value nbap.DCH_Information_RL_AdditionRspTDD
nbap.dCH_InformationResponse dCH-InformationResponse Unsigned 32-bit integer nbap.DCH_InformationResponse
nbap.dCH_InformationResponseList dCH-InformationResponseList No value nbap.DCH_InformationResponseList_RL_SetupRspTDD
nbap.dCH_InformationResponseList_RL_ReconfReady dCH-InformationResponseList-RL-ReconfReady No value nbap.DCH_InformationResponseList_RL_ReconfReady
nbap.dCH_InformationResponseList_RL_ReconfRsp dCH-InformationResponseList-RL-ReconfRsp No value nbap.DCH_InformationResponseList_RL_ReconfRsp
nbap.dCH_SpecificInformationList dCH-SpecificInformationList Unsigned 32-bit integer nbap.DCH_Specific_FDD_InformationList
nbap.dCH_id dCH-id Unsigned 32-bit integer nbap.DCH_ID
nbap.dLPowerAveragingWindowSize dLPowerAveragingWindowSize Unsigned 32-bit integer nbap.DLPowerAveragingWindowSize
nbap.dLReferencePower dLReferencePower Signed 32-bit integer nbap.DL_Power
nbap.dLReferencePowerList_DL_PC_Rqst dLReferencePowerList-DL-PC-Rqst Unsigned 32-bit integer nbap.DL_ReferencePowerInformationList
nbap.dLTransPower dLTransPower Signed 32-bit integer nbap.DL_Power
nbap.dL_Code_Information dL-Code-Information Unsigned 32-bit integer nbap.TDD_DL_Code_Information
nbap.dL_Code_InformationAddList_LCR_PSCH_ReconfRqst dL-Code-InformationAddList-LCR-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_Code_InformationAddList_LCR_PSCH_ReconfRqst
nbap.dL_Code_InformationAddList_PSCH_ReconfRqst dL-Code-InformationAddList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_Code_InformationAddList_PSCH_ReconfRqst
nbap.dL_Code_InformationModifyList_PSCH_ReconfRqst dL-Code-InformationModifyList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_Code_InformationModifyList_PSCH_ReconfRqst
nbap.dL_Code_InformationModify_ModifyList_RL_ReconfPrepTDD dL-Code-InformationModify-ModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.DL_Code_InformationModify_ModifyList_RL_ReconfPrepTDD
nbap.dL_Code_LCR_Information dL-Code-LCR-Information Unsigned 32-bit integer nbap.TDD_DL_Code_LCR_Information
nbap.dL_Code_LCR_InformationModifyList_PSCH_ReconfRqst dL-Code-LCR-InformationModifyList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_Code_LCR_InformationModifyList_PSCH_ReconfRqst
nbap.dL_Code_LCR_InformationModify_ModifyList_RL_ReconfPrepTDD dL-Code-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.DL_Code_LCR_InformationModify_ModifyList_RL_ReconfPrepTDD
nbap.dL_DPCH_Information dL-DPCH-Information No value nbap.DL_DPCH_Information_RL_SetupRqstTDD
nbap.dL_FrameType dL-FrameType Unsigned 32-bit integer nbap.DL_FrameType
nbap.dL_HS_PDSCH_Timeslot_Information_LCR_PSCH_ReconfRqst dL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_HS_PDSCH_Timeslot_Information_LCR_PSCH_ReconfRqst
nbap.dL_HS_PDSCH_Timeslot_Information_PSCH_ReconfRqst dL-HS-PDSCH-Timeslot-Information-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_HS_PDSCH_Timeslot_Information_PSCH_ReconfRqst
nbap.dL_TimeSlotISCPInfo dL-TimeSlotISCPInfo Unsigned 32-bit integer nbap.DL_TimeslotISCPInfo
nbap.dL_TimeslotISCP dL-TimeslotISCP Unsigned 32-bit integer nbap.DL_TimeslotISCP
nbap.dL_TimeslotLCR_Information dL-TimeslotLCR-Information Unsigned 32-bit integer nbap.DL_TimeslotLCR_Information
nbap.dL_Timeslot_Information dL-Timeslot-Information Unsigned 32-bit integer nbap.DL_Timeslot_Information
nbap.dL_Timeslot_InformationAddList_LCR_PSCH_ReconfRqst dL-Timeslot-InformationAddList-LCR-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_Timeslot_InformationAddList_LCR_PSCH_ReconfRqst
nbap.dL_Timeslot_InformationAddList_PSCH_ReconfRqst dL-Timeslot-InformationAddList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_Timeslot_InformationAddList_PSCH_ReconfRqst
nbap.dL_Timeslot_InformationAddModify_ModifyList_RL_ReconfPrepTDD dL-Timeslot-InformationAddModify-ModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.DL_Timeslot_InformationModify_ModifyList_RL_ReconfPrepTDD
nbap.dL_Timeslot_InformationLCR dL-Timeslot-InformationLCR Unsigned 32-bit integer nbap.DL_TimeslotLCR_Information
nbap.dL_Timeslot_InformationModifyList_PSCH_ReconfRqst dL-Timeslot-InformationModifyList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_Timeslot_InformationModifyList_PSCH_ReconfRqst
nbap.dL_Timeslot_LCR_InformationModifyList_PSCH_ReconfRqst dL-Timeslot-LCR-InformationModifyList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_Timeslot_LCR_InformationModifyList_PSCH_ReconfRqst
nbap.dL_Timeslot_LCR_InformationModify_ModifyList_RL_ReconfRqstTDD dL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD Unsigned 32-bit integer nbap.DL_Timeslot_LCR_InformationModify_ModifyList_RL_ReconfRqstTDD
nbap.dPCH_ID dPCH-ID Unsigned 32-bit integer nbap.DPCH_ID
nbap.dSCH_ID dSCH-ID Unsigned 32-bit integer nbap.DSCH_ID
nbap.dSCH_InformationResponseList dSCH-InformationResponseList No value nbap.DSCH_InformationResponseList_RL_SetupRspTDD
nbap.dSCH_InformationResponseList_RL_ReconfReady dSCH-InformationResponseList-RL-ReconfReady No value nbap.DSCH_InformationResponseList_RL_ReconfReady
nbap.data_id data-id Unsigned 32-bit integer nbap.DATA_ID
nbap.ddMode ddMode Unsigned 32-bit integer nbap.T_ddMode
nbap.deactivate deactivate No value nbap.Deactivate_Info
nbap.deactivation_type deactivation-type Unsigned 32-bit integer nbap.Execution_Type
nbap.dedicatedChannelsCapacityConsumptionLaw dedicatedChannelsCapacityConsumptionLaw Unsigned 32-bit integer nbap.DedicatedChannelsCapacityConsumptionLaw
nbap.dedicatedMeasurementValue dedicatedMeasurementValue Unsigned 32-bit integer nbap.DedicatedMeasurementValue
nbap.dedicatedMeasurementValueInformation dedicatedMeasurementValueInformation Unsigned 32-bit integer nbap.DedicatedMeasurementValueInformation
nbap.dedicatedmeasurementValue dedicatedmeasurementValue Unsigned 32-bit integer nbap.DedicatedMeasurementValue
nbap.defaultMidamble defaultMidamble No value nbap.NULL
nbap.delayed_activation_update delayed-activation-update Unsigned 32-bit integer nbap.DelayedActivationUpdate
nbap.deletePriorityQueue deletePriorityQueue Unsigned 32-bit integer nbap.PriorityQueue_Id
nbap.deletionIndicator deletionIndicator Unsigned 32-bit integer nbap.DeletionIndicator_SystemInfoUpdate
nbap.delta_SIR1 delta-SIR1 Unsigned 32-bit integer nbap.DeltaSIR
nbap.delta_SIR2 delta-SIR2 Unsigned 32-bit integer nbap.DeltaSIR
nbap.delta_SIR_after1 delta-SIR-after1 Unsigned 32-bit integer nbap.DeltaSIR
nbap.delta_SIR_after2 delta-SIR-after2 Unsigned 32-bit integer nbap.DeltaSIR
nbap.delta_n_nav delta-n-nav Byte array nbap.BIT_STRING_SIZE_16
nbap.delta_t_ls_utc delta-t-ls-utc Byte array nbap.BIT_STRING_SIZE_8
nbap.delta_t_lsf_utc delta-t-lsf-utc Byte array nbap.BIT_STRING_SIZE_8
nbap.dgps dgps No value nbap.DGPSThresholds
nbap.dgps_corrections dgps-corrections No value nbap.DGPSCorrections
nbap.directionOfAltitude directionOfAltitude Unsigned 32-bit integer nbap.T_directionOfAltitude
nbap.discardTimer discardTimer Unsigned 32-bit integer nbap.DiscardTimer
nbap.diversityControlField diversityControlField Unsigned 32-bit integer nbap.DiversityControlField
nbap.diversityIndication diversityIndication Unsigned 32-bit integer nbap.DiversityIndication_RL_SetupRspFDD
nbap.diversityMode diversityMode Unsigned 32-bit integer nbap.DiversityMode
nbap.dlTransPower dlTransPower Signed 32-bit integer nbap.DL_Power
nbap.dl_CCTrCH_ID dl-CCTrCH-ID Unsigned 32-bit integer nbap.CCTrCH_ID
nbap.dl_CodeInformation dl-CodeInformation Unsigned 32-bit integer nbap.FDD_DL_CodeInformation
nbap.dl_Cost dl-Cost Unsigned 32-bit integer nbap.INTEGER_0_65535
nbap.dl_Cost_1 dl-Cost-1 Unsigned 32-bit integer nbap.INTEGER_0_65535
nbap.dl_Cost_2 dl-Cost-2 Unsigned 32-bit integer nbap.INTEGER_0_65535
nbap.dl_DPCH_InformationAddList dl-DPCH-InformationAddList No value nbap.DL_DPCH_InformationModify_AddList_RL_ReconfPrepTDD
nbap.dl_DPCH_InformationAddListLCR dl-DPCH-InformationAddListLCR No value nbap.DL_DPCH_LCR_InformationModify_AddList_RL_ReconfPrepTDD
nbap.dl_DPCH_InformationDeleteList dl-DPCH-InformationDeleteList No value nbap.DL_DPCH_InformationModify_DeleteList_RL_ReconfPrepTDD
nbap.dl_DPCH_InformationList dl-DPCH-InformationList No value nbap.DL_DPCH_InformationAddList_RL_ReconfPrepTDD
nbap.dl_DPCH_InformationListLCR dl-DPCH-InformationListLCR No value nbap.DL_DPCH_LCR_InformationAddList_RL_ReconfPrepTDD
nbap.dl_DPCH_InformationModifyList dl-DPCH-InformationModifyList No value nbap.DL_DPCH_InformationModify_ModifyList_RL_ReconfPrepTDD
nbap.dl_DPCH_LCR_InformationModifyList dl-DPCH-LCR-InformationModifyList No value nbap.DL_DPCH_LCR_InformationModify_ModifyList_RL_ReconfRqstTDD
nbap.dl_DPCH_SlotFormat dl-DPCH-SlotFormat Unsigned 32-bit integer nbap.DL_DPCH_SlotFormat
nbap.dl_HS_PDSCH_Codelist_LCR_PSCH_ReconfRqst dl-HS-PDSCH-Codelist-LCR-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_HS_PDSCH_Codelist_LCR_PSCH_ReconfRqst
nbap.dl_HS_PDSCH_Codelist_PSCH_ReconfRqst dl-HS-PDSCH-Codelist-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_HS_PDSCH_Codelist_PSCH_ReconfRqst
nbap.dl_ReferencePower dl-ReferencePower Signed 32-bit integer nbap.DL_Power
nbap.dl_Reference_Power dl-Reference-Power Signed 32-bit integer nbap.DL_Power
nbap.dl_ScramblingCode dl-ScramblingCode Unsigned 32-bit integer nbap.DL_ScramblingCode
nbap.dl_TFCS dl-TFCS No value nbap.TFCS
nbap.dl_TransportFormatSet dl-TransportFormatSet No value nbap.TransportFormatSet
nbap.dl_or_global_capacityCredit dl-or-global-capacityCredit Unsigned 32-bit integer nbap.DL_or_Global_CapacityCredit
nbap.dn_utc dn-utc Byte array nbap.BIT_STRING_SIZE_8
nbap.downlink_Compressed_Mode_Method downlink-Compressed-Mode-Method Unsigned 32-bit integer nbap.Downlink_Compressed_Mode_Method
nbap.dsField dsField Byte array nbap.DsField
nbap.dwPCH_Power dwPCH-Power Signed 32-bit integer nbap.DwPCH_Power
nbap.dynamicParts dynamicParts Unsigned 32-bit integer nbap.TransportFormatSet_DynamicPartList
nbap.eDCHLogicalChannelInformation eDCHLogicalChannelInformation Unsigned 32-bit integer nbap.E_DCH_LogicalChannelInformation
nbap.eDCH_Grant_Type_Information eDCH-Grant-Type-Information Unsigned 32-bit integer nbap.E_DCH_Grant_Type_Information
nbap.eDCH_HARQ_PO_FDD eDCH-HARQ-PO-FDD Unsigned 32-bit integer nbap.E_DCH_HARQ_PO_FDD
nbap.eDCH_LogicalChannelToAdd eDCH-LogicalChannelToAdd Unsigned 32-bit integer nbap.E_DCH_LogicalChannelInformation
nbap.eDCH_LogicalChannelToDelete eDCH-LogicalChannelToDelete Unsigned 32-bit integer nbap.E_DCH_LogicalChannelToDelete
nbap.eDCH_LogicalChannelToModify eDCH-LogicalChannelToModify Unsigned 32-bit integer nbap.E_DCH_LogicalChannelToModify
nbap.eDCH_MACdFlow_Multiplexing_List eDCH-MACdFlow-Multiplexing-List Byte array nbap.E_DCH_MACdFlow_Multiplexing_List
nbap.e_AGCH_And_E_RGCH_E_HICH_FDD_Scrambling_Code e-AGCH-And-E-RGCH-E-HICH-FDD-Scrambling-Code Unsigned 32-bit integer nbap.DL_ScramblingCode
nbap.e_AGCH_Channelisation_Code e-AGCH-Channelisation-Code Unsigned 32-bit integer nbap.FDD_DL_ChannelisationCodeNumber
nbap.e_DCHProvidedBitRateValue e-DCHProvidedBitRateValue Unsigned 32-bit integer nbap.E_DCHProvidedBitRateValue
nbap.e_DCH_DDI_Value e-DCH-DDI-Value Unsigned 32-bit integer nbap.E_DCH_DDI_Value
nbap.e_DCH_MACdFlow_ID e-DCH-MACdFlow-ID Unsigned 32-bit integer nbap.E_DCH_MACdFlow_ID
nbap.e_DCH_MACdFlow_Specific_Info e-DCH-MACdFlow-Specific-Info Unsigned 32-bit integer nbap.E_DCH_MACdFlow_Specific_InfoList
nbap.e_DCH_MACdFlow_Specific_Info_to_Modify e-DCH-MACdFlow-Specific-Info-to-Modify Unsigned 32-bit integer nbap.E_DCH_MACdFlow_Specific_InfoList_to_Modify
nbap.e_DCH_MACdFlow_Specific_InformationResp e-DCH-MACdFlow-Specific-InformationResp Unsigned 32-bit integer nbap.E_DCH_MACdFlow_Specific_InformationResp
nbap.e_DCH_MACdFlows_Information e-DCH-MACdFlows-Information No value nbap.E_DCH_MACdFlows_Information
nbap.e_DCH_Min_Set_E_TFCI e-DCH-Min-Set-E-TFCI Unsigned 32-bit integer nbap.E_TFCI
nbap.e_DCH_Non_Scheduled_Transmission_Grant e-DCH-Non-Scheduled-Transmission-Grant No value nbap.E_DCH_Non_Scheduled_Transmission_Grant_Items
nbap.e_DCH_Scheduled_Transmission_Grant e-DCH-Scheduled-Transmission-Grant No value nbap.NULL
nbap.e_DCH_TFCI_Table_Index e-DCH-TFCI-Table-Index Unsigned 32-bit integer nbap.E_DCH_TFCI_Table_Index
nbap.e_DPCCH_PO e-DPCCH-PO Unsigned 32-bit integer nbap.E_DPCCH_PO
nbap.e_HICH_Signature_Sequence e-HICH-Signature-Sequence Unsigned 32-bit integer nbap.E_HICH_Signature_Sequence
nbap.e_RGCH_E_HICH_Channelisation_Code e-RGCH-E-HICH-Channelisation-Code Unsigned 32-bit integer nbap.FDD_DL_ChannelisationCodeNumber
nbap.e_RGCH_Release_Indicator e-RGCH-Release-Indicator Unsigned 32-bit integer nbap.E_RGCH_Release_Indicator
nbap.e_RGCH_Signature_Sequence e-RGCH-Signature-Sequence Unsigned 32-bit integer nbap.E_RGCH_Signature_Sequence
nbap.e_TFCS_Information e-TFCS-Information No value nbap.E_TFCS_Information
nbap.e_TTI e-TTI Unsigned 32-bit integer nbap.E_TTI
nbap.eightPSK eightPSK Unsigned 32-bit integer nbap.EightPSK_DL_DPCH_TimeSlotFormatTDD_LCR
nbap.event_a event-a No value nbap.ReportCharacteristicsType_EventA
nbap.event_b event-b No value nbap.ReportCharacteristicsType_EventB
nbap.event_c event-c No value nbap.ReportCharacteristicsType_EventC
nbap.event_d event-d No value nbap.ReportCharacteristicsType_EventD
nbap.event_e event-e No value nbap.ReportCharacteristicsType_EventE
nbap.event_f event-f No value nbap.ReportCharacteristicsType_EventF
nbap.explicit explicit No value nbap.HARQ_MemoryPartitioning_Explicit
nbap.extensionValue extensionValue No value nbap.Extension
nbap.extension_CommonMeasurementObjectType_CM_Rprt extension-CommonMeasurementObjectType-CM-Rprt No value nbap.Extension_CommonMeasurementObjectType_CM_Rprt
nbap.extension_CommonMeasurementObjectType_CM_Rqst extension-CommonMeasurementObjectType-CM-Rqst No value nbap.Extension_CommonMeasurementObjectType_CM_Rqst
nbap.extension_CommonMeasurementObjectType_CM_Rsp extension-CommonMeasurementObjectType-CM-Rsp No value nbap.Extension_CommonMeasurementObjectType_CM_Rsp
nbap.extension_CommonMeasurementValue extension-CommonMeasurementValue No value nbap.Extension_CommonMeasurementValue
nbap.extension_DedicatedMeasurementValue extension-DedicatedMeasurementValue No value nbap.Extension_DedicatedMeasurementValue
nbap.extension_ReportCharacteristics extension-ReportCharacteristics No value nbap.Extension_ReportCharacteristics
nbap.extension_ReportCharacteristicsType_MeasurementIncreaseDecreaseThreshold extension-ReportCharacteristicsType-MeasurementIncreaseDecreaseThreshold No value nbap.Extension_ReportCharacteristicsType_MeasurementIncreaseDecreaseThreshold
nbap.extension_ReportCharacteristicsType_MeasurementThreshold extension-ReportCharacteristicsType-MeasurementThreshold No value nbap.Extension_ReportCharacteristicsType_MeasurementThreshold
nbap.extension_neighbouringCellMeasurementInformation extension-neighbouringCellMeasurementInformation No value nbap.Extension_neighbouringCellMeasurementInformation
nbap.fACH_CCTrCH_ID fACH-CCTrCH-ID Unsigned 32-bit integer nbap.CCTrCH_ID
nbap.fACH_InformationList fACH-InformationList Unsigned 32-bit integer nbap.FACH_InformationList_AuditRsp
nbap.fACH_Parameters fACH-Parameters No value nbap.FACH_ParametersList_CTCH_SetupRqstFDD
nbap.fACH_ParametersList fACH-ParametersList No value nbap.FACH_ParametersList_CTCH_SetupRqstTDD
nbap.fACH_ParametersList_CTCH_ReconfRqstFDD fACH-ParametersList-CTCH-ReconfRqstFDD No value nbap.FACH_ParametersList_CTCH_ReconfRqstFDD
nbap.fDD_DL_ChannelisationCodeNumber fDD-DL-ChannelisationCodeNumber Unsigned 32-bit integer nbap.FDD_DL_ChannelisationCodeNumber
nbap.fPACHPower fPACHPower Signed 32-bit integer nbap.FPACH_Power
nbap.fPACH_Power fPACH-Power Signed 32-bit integer nbap.FPACH_Power
nbap.failed_HS_SICH failed-HS-SICH Unsigned 32-bit integer nbap.HS_SICH_failed
nbap.fdd fdd No value nbap.T_fdd
nbap.fdd_DL_ChannelisationCodeNumber fdd-DL-ChannelisationCodeNumber Unsigned 32-bit integer nbap.FDD_DL_ChannelisationCodeNumber
nbap.fdd_S_CCPCH_Offset fdd-S-CCPCH-Offset Unsigned 32-bit integer nbap.FDD_S_CCPCH_Offset
nbap.fdd_TPC_DownlinkStepSize fdd-TPC-DownlinkStepSize Unsigned 32-bit integer nbap.FDD_TPC_DownlinkStepSize
nbap.fdd_dl_ChannelisationCodeNumber fdd-dl-ChannelisationCodeNumber Unsigned 32-bit integer nbap.FDD_DL_ChannelisationCodeNumber
nbap.firstCriticality firstCriticality Unsigned 32-bit integer nbap.Criticality
nbap.firstRLS_Indicator firstRLS-Indicator Unsigned 32-bit integer nbap.FirstRLS_Indicator
nbap.firstRLS_indicator firstRLS-indicator Unsigned 32-bit integer nbap.FirstRLS_Indicator
nbap.firstValue firstValue No value nbap.FirstValue
nbap.first_TDD_ChannelisationCode first-TDD-ChannelisationCode Unsigned 32-bit integer nbap.TDD_ChannelisationCode
nbap.fit_interval_flag_nav fit-interval-flag-nav Byte array nbap.BIT_STRING_SIZE_1
nbap.frameAdjustmentValue frameAdjustmentValue Unsigned 32-bit integer nbap.FrameAdjustmentValue
nbap.frameHandlingPriority frameHandlingPriority Unsigned 32-bit integer nbap.FrameHandlingPriority
nbap.frameOffset frameOffset Unsigned 32-bit integer nbap.FrameOffset
nbap.frequencyAcquisition frequencyAcquisition No value nbap.NULL
nbap.gPSInformation gPSInformation Unsigned 32-bit integer nbap.GPS_Information
nbap.gainFactor gainFactor Unsigned 32-bit integer nbap.T_gainFactor
nbap.generalCause generalCause No value nbap.GeneralCauseList_RL_SetupFailureFDD
nbap.genericTrafficCategory genericTrafficCategory Byte array nbap.GenericTrafficCategory
nbap.global global nbap.OBJECT_IDENTIFIER
nbap.gps_a_sqrt_alm gps-a-sqrt-alm Byte array nbap.BIT_STRING_SIZE_24
nbap.gps_af_one_alm gps-af-one-alm Byte array nbap.BIT_STRING_SIZE_11
nbap.gps_af_zero_alm gps-af-zero-alm Byte array nbap.BIT_STRING_SIZE_11
nbap.gps_almanac gps-almanac No value nbap.GPS_Almanac
nbap.gps_delta_I_alm gps-delta-I-alm Byte array nbap.BIT_STRING_SIZE_16
nbap.gps_e_alm gps-e-alm Byte array nbap.BIT_STRING_SIZE_16
nbap.gps_e_nav gps-e-nav Byte array nbap.BIT_STRING_SIZE_32
nbap.gps_ionos_model gps-ionos-model No value nbap.GPS_Ionospheric_Model
nbap.gps_navandrecovery gps-navandrecovery Unsigned 32-bit integer nbap.GPS_NavigationModel_and_TimeRecovery
nbap.gps_omega_alm gps-omega-alm Byte array nbap.BIT_STRING_SIZE_24
nbap.gps_omega_nav gps-omega-nav Byte array nbap.BIT_STRING_SIZE_32
nbap.gps_rt_integrity gps-rt-integrity Unsigned 32-bit integer nbap.GPS_RealTime_Integrity
nbap.gps_toa_alm gps-toa-alm Byte array nbap.BIT_STRING_SIZE_8
nbap.gps_utc_model gps-utc-model No value nbap.GPS_UTC_Model
nbap.gpsrxpos gpsrxpos No value nbap.GPS_RX_POS
nbap.gpstow gpstow Unsigned 32-bit integer nbap.GPSTOW
nbap.hARQ_MemoryPartitioning hARQ-MemoryPartitioning Unsigned 32-bit integer nbap.HARQ_MemoryPartitioning
nbap.hARQ_MemoryPartitioningList hARQ-MemoryPartitioningList Unsigned 32-bit integer nbap.HARQ_MemoryPartitioningList
nbap.hARQ_Process_Allocation_2ms hARQ-Process-Allocation-2ms Byte array nbap.HARQ_Process_Allocation_2ms_EDCH
nbap.hCR_TDD hCR-TDD No value nbap.MICH_HCR_Parameters_CTCH_SetupRqstTDD
nbap.hSDSCH_InitialWindowSize hSDSCH-InitialWindowSize Unsigned 32-bit integer nbap.HSDSCH_InitialWindowSize
nbap.hSDSCH_Initial_Capacity_Allocation hSDSCH-Initial-Capacity-Allocation Unsigned 32-bit integer nbap.HSDSCH_Initial_Capacity_Allocation
nbap.hSDSCH_MACdFlow_Specific_Info hSDSCH-MACdFlow-Specific-Info Unsigned 32-bit integer nbap.HSDSCH_MACdFlow_Specific_InfoList
nbap.hSDSCH_MACdFlows_Information hSDSCH-MACdFlows-Information No value nbap.HSDSCH_MACdFlows_Information
nbap.hSDSCH_Physical_Layer_Category hSDSCH-Physical-Layer-Category Unsigned 32-bit integer nbap.INTEGER_1_64_
nbap.hSSCCHCodeChangeGrant hSSCCHCodeChangeGrant Unsigned 32-bit integer nbap.HSSCCH_Code_Change_Grant
nbap.hSSICH_Info hSSICH-Info No value nbap.HSSICH_Info
nbap.hSSICH_InfoLCR hSSICH-InfoLCR No value nbap.HSSICH_InfoLCR
nbap.hS_DSCHProvidedBitRateValue hS-DSCHProvidedBitRateValue Unsigned 32-bit integer nbap.HS_DSCHProvidedBitRateValue
nbap.hS_DSCHRequiredPowerPerUEInformation hS-DSCHRequiredPowerPerUEInformation Unsigned 32-bit integer nbap.HS_DSCHRequiredPowerPerUEInformation
nbap.hS_DSCHRequiredPowerPerUEWeight hS-DSCHRequiredPowerPerUEWeight Unsigned 32-bit integer nbap.HS_DSCHRequiredPowerPerUEWeight
nbap.hS_DSCHRequiredPowerValue hS-DSCHRequiredPowerValue Unsigned 32-bit integer nbap.HS_DSCHRequiredPowerValue
nbap.hS_PDSCH_FDD_Code_Information_PSCH_ReconfRqst hS-PDSCH-FDD-Code-Information-PSCH-ReconfRqst No value nbap.HS_PDSCH_FDD_Code_Information
nbap.hS_PDSCH_HS_SCCH_E_AGCH_E_RGCH_E_HICH_MaxPower_PSCH_ReconfRqst hS-PDSCH-HS-SCCH-E-AGCH-E-RGCH-E-HICH-MaxPower-PSCH-ReconfRqst Unsigned 32-bit integer nbap.MaximumTransmissionPower
nbap.hS_PDSCH_HS_SCCH_ScramblingCode_PSCH_ReconfRqst hS-PDSCH-HS-SCCH-ScramblingCode-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_ScramblingCode
nbap.hS_PDSCH_Start_code_number hS-PDSCH-Start-code-number Unsigned 32-bit integer nbap.HS_PDSCH_Start_code_number
nbap.hS_SCCH_FDD_Code_Information_PSCH_ReconfRqst hS-SCCH-FDD-Code-Information-PSCH-ReconfRqst Unsigned 32-bit integer nbap.HS_SCCH_FDD_Code_Information
nbap.hS_SCCH_ID hS-SCCH-ID Unsigned 32-bit integer nbap.HS_SCCH_ID
nbap.hS_SCCH_InformationModify_LCR_PSCH_ReconfRqst hS-SCCH-InformationModify-LCR-PSCH-ReconfRqst Unsigned 32-bit integer nbap.HS_SCCH_InformationModify_LCR_PSCH_ReconfRqst
nbap.hS_SCCH_InformationModify_PSCH_ReconfRqst hS-SCCH-InformationModify-PSCH-ReconfRqst Unsigned 32-bit integer nbap.HS_SCCH_InformationModify_PSCH_ReconfRqst
nbap.hS_SCCH_Information_LCR_PSCH_ReconfRqst hS-SCCH-Information-LCR-PSCH-ReconfRqst Unsigned 32-bit integer nbap.HS_SCCH_Information_LCR_PSCH_ReconfRqst
nbap.hS_SCCH_Information_PSCH_ReconfRqst hS-SCCH-Information-PSCH-ReconfRqst Unsigned 32-bit integer nbap.HS_SCCH_Information_PSCH_ReconfRqst
nbap.hS_SCCH_MaxPower hS-SCCH-MaxPower Signed 32-bit integer nbap.DL_Power
nbap.hS_SICH_Information hS-SICH-Information No value nbap.HS_SICH_Information_PSCH_ReconfRqst
nbap.hS_SICH_Information_LCR hS-SICH-Information-LCR No value nbap.HS_SICH_Information_LCR_PSCH_ReconfRqst
nbap.ho_word_nav ho-word-nav Byte array nbap.BIT_STRING_SIZE_22
nbap.hours hours Unsigned 32-bit integer nbap.ReportPeriodicity_Scaledhour
nbap.hsDSCHMacdFlow_Id hsDSCHMacdFlow-Id Unsigned 32-bit integer nbap.HSDSCH_MACdFlow_ID
nbap.hsDSCH_MACdFlow_ID hsDSCH-MACdFlow-ID Unsigned 32-bit integer nbap.HSDSCH_MACdFlow_ID
nbap.hsDSCH_MACdFlow_Specific_Info_to_Modify hsDSCH-MACdFlow-Specific-Info-to-Modify Unsigned 32-bit integer nbap.HSDSCH_MACdFlow_Specific_InfoList_to_Modify
nbap.hsDSCH_MACdFlow_Specific_InformationResp hsDSCH-MACdFlow-Specific-InformationResp Unsigned 32-bit integer nbap.HSDSCH_MACdFlow_Specific_InformationResp
nbap.hsSCCHCodeChangeIndicator hsSCCHCodeChangeIndicator Unsigned 32-bit integer nbap.HSSCCH_CodeChangeIndicator
nbap.hsSCCH_Specific_Information_ResponseFDD hsSCCH-Specific-Information-ResponseFDD Unsigned 32-bit integer nbap.HSSCCH_Specific_InformationRespListFDD
nbap.hsSCCH_Specific_Information_ResponseTDD hsSCCH-Specific-Information-ResponseTDD Unsigned 32-bit integer nbap.HSSCCH_Specific_InformationRespListTDD
nbap.hsSCCH_Specific_Information_ResponseTDDLCR hsSCCH-Specific-Information-ResponseTDDLCR Unsigned 32-bit integer nbap.HSSCCH_Specific_InformationRespListTDDLCR
nbap.hsSICH_ID hsSICH-ID Unsigned 32-bit integer nbap.HS_SICH_ID
nbap.hsscch_PowerOffset hsscch-PowerOffset Unsigned 32-bit integer nbap.HSSCCH_PowerOffset
nbap.iB_OC_ID iB-OC-ID Unsigned 32-bit integer nbap.IB_OC_ID
nbap.iB_SG_DATA iB-SG-DATA Byte array nbap.IB_SG_DATA
nbap.iB_SG_POS iB-SG-POS Unsigned 32-bit integer nbap.IB_SG_POS
nbap.iB_SG_REP iB-SG-REP Unsigned 32-bit integer nbap.IB_SG_REP
nbap.iB_Type iB-Type Unsigned 32-bit integer nbap.IB_Type
nbap.iECriticality iECriticality Unsigned 32-bit integer nbap.Criticality
nbap.iE_Extensions iE-Extensions Unsigned 32-bit integer nbap.ProtocolExtensionContainer
nbap.iE_ID iE-ID Unsigned 32-bit integer nbap.ProtocolIE_ID
nbap.iEsCriticalityDiagnostics iEsCriticalityDiagnostics Unsigned 32-bit integer nbap.CriticalityDiagnostics_IE_List
nbap.iPDL_FDD_Parameters iPDL-FDD-Parameters No value nbap.IPDL_FDD_Parameters
nbap.iPDL_Indicator iPDL-Indicator Unsigned 32-bit integer nbap.IPDL_Indicator
nbap.iPDL_TDD_Parameters iPDL-TDD-Parameters No value nbap.IPDL_TDD_Parameters
nbap.iPDL_TDD_Parameters_LCR iPDL-TDD-Parameters-LCR No value nbap.IPDL_TDD_Parameters_LCR
nbap.iP_Length iP-Length Unsigned 32-bit integer nbap.T_iP_Length
nbap.iP_Offset iP-Offset Unsigned 32-bit integer nbap.INTEGER_0_9
nbap.iP_PCCPCH iP-PCCPCH Unsigned 32-bit integer nbap.T_iP_PCCPCH
nbap.iP_Slot iP-Slot Unsigned 32-bit integer nbap.INTEGER_0_14
nbap.iP_SpacingFDD iP-SpacingFDD Unsigned 32-bit integer nbap.T_iP_SpacingFDD
nbap.iP_SpacingTDD iP-SpacingTDD Unsigned 32-bit integer nbap.T_iP_SpacingTDD
nbap.iP_Start iP-Start Unsigned 32-bit integer nbap.INTEGER_0_4095
nbap.iP_Sub iP-Sub Unsigned 32-bit integer nbap.T_iP_Sub
nbap.iSCP iSCP Unsigned 32-bit integer nbap.UL_TimeslotISCP_Value
nbap.i_zero_nav i-zero-nav Byte array nbap.BIT_STRING_SIZE_32
nbap.id id Unsigned 32-bit integer nbap.ProtocolIE_ID
nbap.id_AICH_Information id-AICH-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_AICH_ParametersListIE_CTCH_ReconfRqstFDD id-AICH-ParametersListIE-CTCH-ReconfRqstFDD Unsigned 32-bit integer nbap.AICH_ParametersListIE_CTCH_ReconfRqstFDD
nbap.id_AccumulatedClockupdate_CellSyncReprtTDD id-AccumulatedClockupdate-CellSyncReprtTDD Unsigned 32-bit integer nbap.TimingAdjustmentValue
nbap.id_Active_Pattern_Sequence_Information id-Active-Pattern-Sequence-Information No value nbap.Active_Pattern_Sequence_Information
nbap.id_Add_To_HS_SCCH_Resource_Pool_PSCH_ReconfRqst id-Add-To-HS-SCCH-Resource-Pool-PSCH-ReconfRqst No value nbap.Add_To_HS_SCCH_Resource_Pool_PSCH_ReconfRqst
nbap.id_Additional_S_CCPCH_LCR_Parameters_CTCH_ReconfRqstTDD id-Additional-S-CCPCH-LCR-Parameters-CTCH-ReconfRqstTDD Unsigned 32-bit integer nbap.Secondary_CCPCH_LCR_parameterExtendedList_CTCH_ReconfRqstTDD
nbap.id_Additional_S_CCPCH_LCR_Parameters_CTCH_SetupRqstTDD id-Additional-S-CCPCH-LCR-Parameters-CTCH-SetupRqstTDD Unsigned 32-bit integer nbap.Secondary_CCPCH_LCR_parameterExtendedList_CTCH_SetupRqstTDD
nbap.id_Additional_S_CCPCH_Parameters_CTCH_ReconfRqstTDD id-Additional-S-CCPCH-Parameters-CTCH-ReconfRqstTDD Unsigned 32-bit integer nbap.Secondary_CCPCH_parameterExtendedList_CTCH_ReconfRqstTDD
nbap.id_Additional_S_CCPCH_Parameters_CTCH_SetupRqstTDD id-Additional-S-CCPCH-Parameters-CTCH-SetupRqstTDD Unsigned 32-bit integer nbap.Secondary_CCPCH_parameterExtendedList_CTCH_SetupRqstTDD
nbap.id_AdjustmentPeriod id-AdjustmentPeriod Unsigned 32-bit integer nbap.AdjustmentPeriod
nbap.id_AdjustmentRatio id-AdjustmentRatio Unsigned 32-bit integer nbap.ScaledAdjustmentRatio
nbap.id_Angle_Of_Arrival_Value_LCR id-Angle-Of-Arrival-Value-LCR No value nbap.Angle_Of_Arrival_Value_LCR
nbap.id_BCCH_ModificationTime id-BCCH-ModificationTime Unsigned 32-bit integer nbap.BCCH_ModificationTime
nbap.id_BCH_Information id-BCH-Information No value nbap.Common_TransportChannel_Status_Information
nbap.id_BearerRearrangement id-BearerRearrangement No value nbap.BearerRearrangementIndication
nbap.id_Best_Cell_Portions_Value id-Best-Cell-Portions-Value Unsigned 32-bit integer nbap.Best_Cell_Portions_Value
nbap.id_BlockingPriorityIndicator id-BlockingPriorityIndicator Unsigned 32-bit integer nbap.BlockingPriorityIndicator
nbap.id_CCP_InformationItem_AuditRsp id-CCP-InformationItem-AuditRsp No value nbap.CCP_InformationItem_AuditRsp
nbap.id_CCP_InformationItem_ResourceStatusInd id-CCP-InformationItem-ResourceStatusInd No value nbap.CCP_InformationItem_ResourceStatusInd
nbap.id_CCP_InformationList_AuditRsp id-CCP-InformationList-AuditRsp Unsigned 32-bit integer nbap.CCP_InformationList_AuditRsp
nbap.id_CCTrCH_InformationItem_RL_FailureInd id-CCTrCH-InformationItem-RL-FailureInd No value nbap.CCTrCH_InformationItem_RL_FailureInd
nbap.id_CCTrCH_InformationItem_RL_RestoreInd id-CCTrCH-InformationItem-RL-RestoreInd No value nbap.CCTrCH_InformationItem_RL_RestoreInd
nbap.id_CCTrCH_Initial_DL_Power_RL_AdditionRqstTDD id-CCTrCH-Initial-DL-Power-RL-AdditionRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Initial_DL_Power_RL_ReconfPrepTDD id-CCTrCH-Initial-DL-Power-RL-ReconfPrepTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Initial_DL_Power_RL_SetupRqstTDD id-CCTrCH-Initial-DL-Power-RL-SetupRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Maximum_DL_Power_InformationAdd_RL_ReconfPrepTDD id-CCTrCH-Maximum-DL-Power-InformationAdd-RL-ReconfPrepTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Maximum_DL_Power_InformationModify_RL_ReconfPrepTDD id-CCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfPrepTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Maximum_DL_Power_InformationModify_RL_ReconfRqstTDD id-CCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Maximum_DL_Power_RL_AdditionRqstTDD id-CCTrCH-Maximum-DL-Power-RL-AdditionRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Maximum_DL_Power_RL_SetupRqstTDD id-CCTrCH-Maximum-DL-Power-RL-SetupRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Minimum_DL_Power_InformationAdd_RL_ReconfPrepTDD id-CCTrCH-Minimum-DL-Power-InformationAdd-RL-ReconfPrepTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Minimum_DL_Power_InformationModify_RL_ReconfPrepTDD id-CCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfPrepTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Minimum_DL_Power_InformationModify_RL_ReconfRqstTDD id-CCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Minimum_DL_Power_RL_AdditionRqstTDD id-CCTrCH-Minimum-DL-Power-RL-AdditionRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CCTrCH_Minimum_DL_Power_RL_SetupRqstTDD id-CCTrCH-Minimum-DL-Power-RL-SetupRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_CFN id-CFN Unsigned 32-bit integer nbap.CFN
nbap.id_CFNReportingIndicator id-CFNReportingIndicator Unsigned 32-bit integer nbap.FNReportingIndicator
nbap.id_CRNC_CommunicationContextID id-CRNC-CommunicationContextID Unsigned 32-bit integer nbap.CRNC_CommunicationContextID
nbap.id_CSBMeasurementID id-CSBMeasurementID Unsigned 32-bit integer nbap.CSBMeasurementID
nbap.id_CSBTransmissionID id-CSBTransmissionID Unsigned 32-bit integer nbap.CSBTransmissionID
nbap.id_C_ID id-C-ID Unsigned 32-bit integer nbap.C_ID
nbap.id_Cause id-Cause Unsigned 32-bit integer nbap.Cause
nbap.id_CauseLevel_PSCH_ReconfFailure id-CauseLevel-PSCH-ReconfFailure Unsigned 32-bit integer nbap.CauseLevel_PSCH_ReconfFailure
nbap.id_CauseLevel_RL_AdditionFailureFDD id-CauseLevel-RL-AdditionFailureFDD Unsigned 32-bit integer nbap.CauseLevel_RL_AdditionFailureFDD
nbap.id_CauseLevel_RL_AdditionFailureTDD id-CauseLevel-RL-AdditionFailureTDD Unsigned 32-bit integer nbap.CauseLevel_RL_AdditionFailureTDD
nbap.id_CauseLevel_RL_ReconfFailure id-CauseLevel-RL-ReconfFailure Unsigned 32-bit integer nbap.CauseLevel_RL_ReconfFailure
nbap.id_CauseLevel_RL_SetupFailureFDD id-CauseLevel-RL-SetupFailureFDD Unsigned 32-bit integer nbap.CauseLevel_RL_SetupFailureFDD
nbap.id_CauseLevel_RL_SetupFailureTDD id-CauseLevel-RL-SetupFailureTDD Unsigned 32-bit integer nbap.CauseLevel_RL_SetupFailureTDD
nbap.id_CauseLevel_SyncAdjustmntFailureTDD id-CauseLevel-SyncAdjustmntFailureTDD Unsigned 32-bit integer nbap.CauseLevel_SyncAdjustmntFailureTDD
nbap.id_CellAdjustmentInfoItem_SyncAdjustmentRqstTDD id-CellAdjustmentInfoItem-SyncAdjustmentRqstTDD No value nbap.CellAdjustmentInfoItem_SyncAdjustmentRqstTDD
nbap.id_CellAdjustmentInfo_SyncAdjustmntRqstTDD id-CellAdjustmentInfo-SyncAdjustmntRqstTDD Unsigned 32-bit integer nbap.CellAdjustmentInfo_SyncAdjustmentRqstTDD
nbap.id_CellParameterID id-CellParameterID Unsigned 32-bit integer nbap.CellParameterID
nbap.id_CellPortion_InformationItem_Cell_ReconfRqstFDD id-CellPortion-InformationItem-Cell-ReconfRqstFDD No value nbap.CellPortion_InformationItem_Cell_ReconfRqstFDD
nbap.id_CellPortion_InformationItem_Cell_SetupRqstFDD id-CellPortion-InformationItem-Cell-SetupRqstFDD No value nbap.CellPortion_InformationItem_Cell_SetupRqstFDD
nbap.id_CellPortion_InformationList_Cell_ReconfRqstFDD id-CellPortion-InformationList-Cell-ReconfRqstFDD Unsigned 32-bit integer nbap.CellPortion_InformationList_Cell_ReconfRqstFDD
nbap.id_CellPortion_InformationList_Cell_SetupRqstFDD id-CellPortion-InformationList-Cell-SetupRqstFDD Unsigned 32-bit integer nbap.CellPortion_InformationList_Cell_SetupRqstFDD
nbap.id_CellSyncBurstInfoList_CellSyncReconfRqstTDD id-CellSyncBurstInfoList-CellSyncReconfRqstTDD Unsigned 32-bit integer nbap.CellSyncBurstInfoList_CellSyncReconfRqstTDD
nbap.id_CellSyncBurstMeasInfoList_CellSyncReconfRqstTDD id-CellSyncBurstMeasInfoList-CellSyncReconfRqstTDD No value nbap.CellSyncBurstMeasInfoList_CellSyncReconfRqstTDD
nbap.id_CellSyncBurstMeasReconfiguration_CellSyncReconfRqstTDD id-CellSyncBurstMeasReconfiguration-CellSyncReconfRqstTDD No value nbap.CellSyncBurstMeasInfo_CellSyncReconfRqstTDD
nbap.id_CellSyncBurstMeasureInit_CellSyncInitiationRqstTDD id-CellSyncBurstMeasureInit-CellSyncInitiationRqstTDD No value nbap.CellSyncBurstMeasureInit_CellSyncInitiationRqstTDD
nbap.id_CellSyncBurstTransInit_CellSyncInitiationRqstTDD id-CellSyncBurstTransInit-CellSyncInitiationRqstTDD No value nbap.CellSyncBurstTransInit_CellSyncInitiationRqstTDD
nbap.id_CellSyncBurstTransReconfInfo_CellSyncReconfRqstTDD id-CellSyncBurstTransReconfInfo-CellSyncReconfRqstTDD Unsigned 32-bit integer nbap.CellSyncBurstTransReconfInfo_CellSyncReconfRqstTDD
nbap.id_CellSyncInfo_CellSyncReprtTDD id-CellSyncInfo-CellSyncReprtTDD Unsigned 32-bit integer nbap.CellSyncInfo_CellSyncReprtTDD
nbap.id_Cell_InformationItem_AuditRsp id-Cell-InformationItem-AuditRsp No value nbap.Cell_InformationItem_AuditRsp
nbap.id_Cell_InformationItem_ResourceStatusInd id-Cell-InformationItem-ResourceStatusInd No value nbap.Cell_InformationItem_ResourceStatusInd
nbap.id_Cell_InformationList_AuditRsp id-Cell-InformationList-AuditRsp Unsigned 32-bit integer nbap.Cell_InformationList_AuditRsp
nbap.id_Closed_Loop_Timing_Adjustment_Mode id-Closed-Loop-Timing-Adjustment-Mode Unsigned 32-bit integer nbap.Closedlooptimingadjustmentmode
nbap.id_CommonMeasurementAccuracy id-CommonMeasurementAccuracy Unsigned 32-bit integer nbap.CommonMeasurementAccuracy
nbap.id_CommonMeasurementObjectType_CM_Rprt id-CommonMeasurementObjectType-CM-Rprt Unsigned 32-bit integer nbap.CommonMeasurementObjectType_CM_Rprt
nbap.id_CommonMeasurementObjectType_CM_Rqst id-CommonMeasurementObjectType-CM-Rqst Unsigned 32-bit integer nbap.CommonMeasurementObjectType_CM_Rqst
nbap.id_CommonMeasurementObjectType_CM_Rsp id-CommonMeasurementObjectType-CM-Rsp Unsigned 32-bit integer nbap.CommonMeasurementObjectType_CM_Rsp
nbap.id_CommonMeasurementType id-CommonMeasurementType Unsigned 32-bit integer nbap.CommonMeasurementType
nbap.id_CommonPhysicalChannelID id-CommonPhysicalChannelID Unsigned 32-bit integer nbap.CommonPhysicalChannelID
nbap.id_CommonPhysicalChannelType_CTCH_ReconfRqstFDD id-CommonPhysicalChannelType-CTCH-ReconfRqstFDD Unsigned 32-bit integer nbap.CommonPhysicalChannelType_CTCH_ReconfRqstFDD
nbap.id_CommonPhysicalChannelType_CTCH_SetupRqstFDD id-CommonPhysicalChannelType-CTCH-SetupRqstFDD Unsigned 32-bit integer nbap.CommonPhysicalChannelType_CTCH_SetupRqstFDD
nbap.id_CommonPhysicalChannelType_CTCH_SetupRqstTDD id-CommonPhysicalChannelType-CTCH-SetupRqstTDD Unsigned 32-bit integer nbap.CommonPhysicalChannelType_CTCH_SetupRqstTDD
nbap.id_CommunicationContextInfoItem_Reset id-CommunicationContextInfoItem-Reset No value nbap.CommunicationContextInfoItem_Reset
nbap.id_CommunicationControlPortID id-CommunicationControlPortID Unsigned 32-bit integer nbap.CommunicationControlPortID
nbap.id_CommunicationControlPortInfoItem_Reset id-CommunicationControlPortInfoItem-Reset No value nbap.CommunicationControlPortInfoItem_Reset
nbap.id_Compressed_Mode_Deactivation_Flag id-Compressed-Mode-Deactivation-Flag Unsigned 32-bit integer nbap.Compressed_Mode_Deactivation_Flag
nbap.id_ConfigurationGenerationID id-ConfigurationGenerationID Unsigned 32-bit integer nbap.ConfigurationGenerationID
nbap.id_CriticalityDiagnostics id-CriticalityDiagnostics No value nbap.CriticalityDiagnostics
nbap.id_DCH_DeleteList_RL_ReconfPrepFDD id-DCH-DeleteList-RL-ReconfPrepFDD Unsigned 32-bit integer nbap.DCH_DeleteList_RL_ReconfPrepFDD
nbap.id_DCH_DeleteList_RL_ReconfPrepTDD id-DCH-DeleteList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.DCH_DeleteList_RL_ReconfPrepTDD
nbap.id_DCH_DeleteList_RL_ReconfRqstFDD id-DCH-DeleteList-RL-ReconfRqstFDD Unsigned 32-bit integer nbap.DCH_DeleteList_RL_ReconfRqstFDD
nbap.id_DCH_DeleteList_RL_ReconfRqstTDD id-DCH-DeleteList-RL-ReconfRqstTDD Unsigned 32-bit integer nbap.DCH_DeleteList_RL_ReconfRqstTDD
nbap.id_DCH_FDD_Information id-DCH-FDD-Information Unsigned 32-bit integer nbap.DCH_FDD_Information
nbap.id_DCH_InformationResponse id-DCH-InformationResponse Unsigned 32-bit integer nbap.DCH_InformationResponse
nbap.id_DCH_RearrangeList_Bearer_RearrangeInd id-DCH-RearrangeList-Bearer-RearrangeInd Unsigned 32-bit integer nbap.DCH_RearrangeList_Bearer_RearrangeInd
nbap.id_DCH_TDD_Information id-DCH-TDD-Information Unsigned 32-bit integer nbap.DCH_TDD_Information
nbap.id_DCHs_to_Add_FDD id-DCHs-to-Add-FDD Unsigned 32-bit integer nbap.DCH_FDD_Information
nbap.id_DCHs_to_Add_TDD id-DCHs-to-Add-TDD Unsigned 32-bit integer nbap.DCH_TDD_Information
nbap.id_DLReferencePower id-DLReferencePower Signed 32-bit integer nbap.DL_Power
nbap.id_DLReferencePowerList_DL_PC_Rqst id-DLReferencePowerList-DL-PC-Rqst Unsigned 32-bit integer nbap.DL_ReferencePowerInformationList_DL_PC_Rqst
nbap.id_DLTransmissionBranchLoadValue id-DLTransmissionBranchLoadValue Unsigned 32-bit integer nbap.DLTransmissionBranchLoadValue
nbap.id_DL_CCTrCH_InformationAddList_RL_ReconfPrepTDD id-DL-CCTrCH-InformationAddList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.DL_CCTrCH_InformationAddList_RL_ReconfPrepTDD
nbap.id_DL_CCTrCH_InformationDeleteItem_RL_ReconfRqstTDD id-DL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD No value nbap.DL_CCTrCH_InformationDeleteItem_RL_ReconfRqstTDD
nbap.id_DL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD id-DL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.DL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD
nbap.id_DL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD id-DL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD Unsigned 32-bit integer nbap.DL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD
nbap.id_DL_CCTrCH_InformationItem_RL_SetupRqstTDD id-DL-CCTrCH-InformationItem-RL-SetupRqstTDD No value nbap.DL_CCTrCH_InformationItem_RL_SetupRqstTDD
nbap.id_DL_CCTrCH_InformationList_RL_AdditionRqstTDD id-DL-CCTrCH-InformationList-RL-AdditionRqstTDD Unsigned 32-bit integer nbap.DL_CCTrCH_InformationList_RL_AdditionRqstTDD
nbap.id_DL_CCTrCH_InformationList_RL_SetupRqstTDD id-DL-CCTrCH-InformationList-RL-SetupRqstTDD Unsigned 32-bit integer nbap.DL_CCTrCH_InformationList_RL_SetupRqstTDD
nbap.id_DL_CCTrCH_InformationModifyItem_RL_ReconfRqstTDD id-DL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD No value nbap.DL_CCTrCH_InformationModifyItem_RL_ReconfRqstTDD
nbap.id_DL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD id-DL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.DL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD
nbap.id_DL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD id-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD Unsigned 32-bit integer nbap.DL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD
nbap.id_DL_DPCH_InformationAddListIE_RL_ReconfPrepTDD id-DL-DPCH-InformationAddListIE-RL-ReconfPrepTDD No value nbap.DL_DPCH_InformationAddItem_RL_ReconfPrepTDD
nbap.id_DL_DPCH_InformationItem_LCR_RL_AdditionRqstTDD id-DL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD No value nbap.DL_DPCH_InformationItem_LCR_RL_AdditionRqstTDD
nbap.id_DL_DPCH_InformationItem_RL_AdditionRqstTDD id-DL-DPCH-InformationItem-RL-AdditionRqstTDD No value nbap.DL_DPCH_InformationItem_RL_AdditionRqstTDD
nbap.id_DL_DPCH_InformationList_RL_SetupRqstTDD id-DL-DPCH-InformationList-RL-SetupRqstTDD No value nbap.DL_DPCH_InformationItem_RL_SetupRqstTDD
nbap.id_DL_DPCH_InformationModify_AddListIE_RL_ReconfPrepTDD id-DL-DPCH-InformationModify-AddListIE-RL-ReconfPrepTDD No value nbap.DL_DPCH_InformationModify_AddItem_RL_ReconfPrepTDD
nbap.id_DL_DPCH_InformationModify_DeleteListIE_RL_ReconfPrepTDD id-DL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD No value nbap.DL_DPCH_InformationModify_DeleteItem_RL_ReconfPrepTDD
nbap.id_DL_DPCH_InformationModify_ModifyListIE_RL_ReconfPrepTDD id-DL-DPCH-InformationModify-ModifyListIE-RL-ReconfPrepTDD No value nbap.DL_DPCH_InformationModify_ModifyItem_RL_ReconfPrepTDD
nbap.id_DL_DPCH_Information_RL_ReconfPrepFDD id-DL-DPCH-Information-RL-ReconfPrepFDD No value nbap.DL_DPCH_Information_RL_ReconfPrepFDD
nbap.id_DL_DPCH_Information_RL_ReconfRqstFDD id-DL-DPCH-Information-RL-ReconfRqstFDD No value nbap.DL_DPCH_Information_RL_ReconfRqstFDD
nbap.id_DL_DPCH_Information_RL_SetupRqstFDD id-DL-DPCH-Information-RL-SetupRqstFDD No value nbap.DL_DPCH_Information_RL_SetupRqstFDD
nbap.id_DL_DPCH_LCR_InformationAddList_RL_ReconfPrepTDD id-DL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD No value nbap.DL_DPCH_LCR_InformationAddList_RL_ReconfPrepTDD
nbap.id_DL_DPCH_LCR_InformationModify_AddList_RL_ReconfPrepTDD id-DL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD No value nbap.DL_DPCH_LCR_InformationModify_AddList_RL_ReconfPrepTDD
nbap.id_DL_DPCH_LCR_InformationModify_ModifyList_RL_ReconfRqstTDD id-DL-DPCH-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD No value nbap.DL_DPCH_LCR_InformationModify_ModifyList_RL_ReconfRqstTDD
nbap.id_DL_DPCH_LCR_Information_RL_SetupRqstTDD id-DL-DPCH-LCR-Information-RL-SetupRqstTDD No value nbap.DL_DPCH_LCR_Information_RL_SetupRqstTDD
nbap.id_DL_DPCH_Power_Information_RL_ReconfPrepFDD id-DL-DPCH-Power-Information-RL-ReconfPrepFDD No value nbap.DL_DPCH_Power_Information_RL_ReconfPrepFDD
nbap.id_DL_DPCH_TimeSlotFormat_LCR_ModifyItem_RL_ReconfPrepTDD id-DL-DPCH-TimeSlotFormat-LCR-ModifyItem-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.TDD_DL_DPCH_TimeSlotFormat_LCR
nbap.id_DL_DPCH_TimingAdjustment id-DL-DPCH-TimingAdjustment Unsigned 32-bit integer nbap.DL_DPCH_TimingAdjustment
nbap.id_DL_PowerBalancing_ActivationIndicator id-DL-PowerBalancing-ActivationIndicator Unsigned 32-bit integer nbap.DL_PowerBalancing_ActivationIndicator
nbap.id_DL_PowerBalancing_Information id-DL-PowerBalancing-Information No value nbap.DL_PowerBalancing_Information
nbap.id_DL_PowerBalancing_UpdatedIndicator id-DL-PowerBalancing-UpdatedIndicator Unsigned 32-bit integer nbap.DL_PowerBalancing_UpdatedIndicator
nbap.id_DL_ReferencePowerInformationItem_DL_PC_Rqst id-DL-ReferencePowerInformationItem-DL-PC-Rqst No value nbap.DL_ReferencePowerInformationItem_DL_PC_Rqst
nbap.id_DL_TPC_Pattern01Count id-DL-TPC-Pattern01Count Unsigned 32-bit integer nbap.DL_TPC_Pattern01Count
nbap.id_DL_Timeslot_LCR_InformationModify_ModifyList_RL_ReconfPrepTDD id-DL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.DL_Timeslot_LCR_InformationModify_ModifyList_RL_ReconfPrepTDD
nbap.id_DPCHConstant id-DPCHConstant Signed 32-bit integer nbap.ConstantValue
nbap.id_DPC_Mode id-DPC-Mode Unsigned 32-bit integer nbap.DPC_Mode
nbap.id_DSCH_InformationResponse id-DSCH-InformationResponse Unsigned 32-bit integer nbap.DSCH_InformationResponse
nbap.id_DSCH_Information_DeleteList_RL_ReconfPrepTDD id-DSCH-Information-DeleteList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.DSCH_Information_DeleteList_RL_ReconfPrepTDD
nbap.id_DSCH_Information_ModifyList_RL_ReconfPrepTDD id-DSCH-Information-ModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.DSCH_Information_ModifyList_RL_ReconfPrepTDD
nbap.id_DSCH_RearrangeList_Bearer_RearrangeInd id-DSCH-RearrangeList-Bearer-RearrangeInd Unsigned 32-bit integer nbap.DSCH_RearrangeList_Bearer_RearrangeInd
nbap.id_DSCH_TDD_Information id-DSCH-TDD-Information Unsigned 32-bit integer nbap.DSCH_TDD_Information
nbap.id_DSCHs_to_Add_TDD id-DSCHs-to-Add-TDD Unsigned 32-bit integer nbap.DSCH_TDD_Information
nbap.id_DedicatedMeasurementObjectType_DM_Rprt id-DedicatedMeasurementObjectType-DM-Rprt Unsigned 32-bit integer nbap.DedicatedMeasurementObjectType_DM_Rprt
nbap.id_DedicatedMeasurementObjectType_DM_Rqst id-DedicatedMeasurementObjectType-DM-Rqst Unsigned 32-bit integer nbap.DedicatedMeasurementObjectType_DM_Rqst
nbap.id_DedicatedMeasurementObjectType_DM_Rsp id-DedicatedMeasurementObjectType-DM-Rsp Unsigned 32-bit integer nbap.DedicatedMeasurementObjectType_DM_Rsp
nbap.id_DedicatedMeasurementType id-DedicatedMeasurementType Unsigned 32-bit integer nbap.DedicatedMeasurementType
nbap.id_DelayedActivation id-DelayedActivation Unsigned 32-bit integer nbap.DelayedActivation
nbap.id_DelayedActivationInformation_RL_ActivationCmdFDD id-DelayedActivationInformation-RL-ActivationCmdFDD No value nbap.DelayedActivationInformation_RL_ActivationCmdFDD
nbap.id_DelayedActivationInformation_RL_ActivationCmdTDD id-DelayedActivationInformation-RL-ActivationCmdTDD No value nbap.DelayedActivationInformation_RL_ActivationCmdTDD
nbap.id_DelayedActivationList_RL_ActivationCmdFDD id-DelayedActivationList-RL-ActivationCmdFDD Unsigned 32-bit integer nbap.DelayedActivationInformationList_RL_ActivationCmdFDD
nbap.id_DelayedActivationList_RL_ActivationCmdTDD id-DelayedActivationList-RL-ActivationCmdTDD Unsigned 32-bit integer nbap.DelayedActivationInformationList_RL_ActivationCmdTDD
nbap.id_Delete_From_HS_SCCH_Resource_Pool_PSCH_ReconfRqst id-Delete-From-HS-SCCH-Resource-Pool-PSCH-ReconfRqst Unsigned 32-bit integer nbap.Delete_From_HS_SCCH_Resource_Pool_PSCH_ReconfRqst
nbap.id_DwPCH_LCR_Information id-DwPCH-LCR-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_DwPCH_LCR_InformationList_AuditRsp id-DwPCH-LCR-InformationList-AuditRsp No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_DwPCH_LCR_Information_Cell_ReconfRqstTDD id-DwPCH-LCR-Information-Cell-ReconfRqstTDD No value nbap.DwPCH_LCR_Information_Cell_ReconfRqstTDD
nbap.id_DwPCH_LCR_Information_Cell_SetupRqstTDD id-DwPCH-LCR-Information-Cell-SetupRqstTDD No value nbap.DwPCH_LCR_Information_Cell_SetupRqstTDD
nbap.id_DwPCH_LCR_Information_ResourceStatusInd id-DwPCH-LCR-Information-ResourceStatusInd No value nbap.DwPCH_LCR_Information_ResourceStatusInd
nbap.id_DwPCH_Power id-DwPCH-Power Signed 32-bit integer nbap.DwPCH_Power
nbap.id_E_AGCH_And_E_RGCH_E_HICH_FDD_Scrambling_Code id-E-AGCH-And-E-RGCH-E-HICH-FDD-Scrambling-Code Unsigned 32-bit integer nbap.DL_ScramblingCode
nbap.id_E_AGCH_FDD_Code_Information id-E-AGCH-FDD-Code-Information Unsigned 32-bit integer nbap.E_AGCH_FDD_Code_Information
nbap.id_E_DCHProvidedBitRateValueInformation id-E-DCHProvidedBitRateValueInformation Unsigned 32-bit integer nbap.E_DCHProvidedBitRate
nbap.id_E_DCH_Capability id-E-DCH-Capability Unsigned 32-bit integer nbap.E_DCH_Capability
nbap.id_E_DCH_CapacityConsumptionLaw id-E-DCH-CapacityConsumptionLaw Unsigned 32-bit integer nbap.DedicatedChannelsCapacityConsumptionLaw
nbap.id_E_DCH_FDD_DL_Control_Channel_Information id-E-DCH-FDD-DL-Control-Channel-Information No value nbap.E_DCH_FDD_DL_Control_Channel_Information
nbap.id_E_DCH_FDD_Information id-E-DCH-FDD-Information No value nbap.E_DCH_FDD_Information
nbap.id_E_DCH_FDD_Information_Response id-E-DCH-FDD-Information-Response No value nbap.E_DCH_FDD_Information_Response
nbap.id_E_DCH_FDD_Information_to_Modify id-E-DCH-FDD-Information-to-Modify No value nbap.E_DCH_FDD_Information_to_Modify
nbap.id_E_DCH_MACdFlows_to_Add id-E-DCH-MACdFlows-to-Add No value nbap.E_DCH_MACdFlows_Information
nbap.id_E_DCH_MACdFlows_to_Delete id-E-DCH-MACdFlows-to-Delete Unsigned 32-bit integer nbap.E_DCH_MACdFlows_to_Delete
nbap.id_E_DCH_RL_Indication id-E-DCH-RL-Indication Unsigned 32-bit integer nbap.E_DCH_RL_Indication
nbap.id_E_DCH_RL_Set_ID id-E-DCH-RL-Set-ID Unsigned 32-bit integer nbap.RL_Set_ID
nbap.id_E_DCH_RearrangeList_Bearer_RearrangeInd id-E-DCH-RearrangeList-Bearer-RearrangeInd Unsigned 32-bit integer nbap.E_DCH_RearrangeList_Bearer_RearrangeInd
nbap.id_E_DCH_Resources_Information_AuditRsp id-E-DCH-Resources-Information-AuditRsp No value nbap.E_DCH_Resources_Information_AuditRsp
nbap.id_E_DCH_Resources_Information_ResourceStatusInd id-E-DCH-Resources-Information-ResourceStatusInd No value nbap.E_DCH_Resources_Information_ResourceStatusInd
nbap.id_E_DPCH_Information_RL_ReconfPrepFDD id-E-DPCH-Information-RL-ReconfPrepFDD No value nbap.E_DPCH_Information_RL_ReconfPrepFDD
nbap.id_E_DPCH_Information_RL_ReconfRqstFDD id-E-DPCH-Information-RL-ReconfRqstFDD No value nbap.E_DPCH_Information_RL_ReconfRqstFDD
nbap.id_E_DPCH_Information_RL_SetupRqstFDD id-E-DPCH-Information-RL-SetupRqstFDD No value nbap.E_DPCH_Information_RL_SetupRqstFDD
nbap.id_E_RGCH_E_HICH_FDD_Code_Information id-E-RGCH-E-HICH-FDD-Code-Information Unsigned 32-bit integer nbap.E_RGCH_E_HICH_FDD_Code_Information
nbap.id_End_Of_Audit_Sequence_Indicator id-End-Of-Audit-Sequence-Indicator Unsigned 32-bit integer nbap.End_Of_Audit_Sequence_Indicator
nbap.id_FACH_Information id-FACH-Information No value nbap.Common_TransportChannel_Status_Information
nbap.id_FACH_ParametersListIE_CTCH_ReconfRqstFDD id-FACH-ParametersListIE-CTCH-ReconfRqstFDD Unsigned 32-bit integer nbap.FACH_ParametersListIE_CTCH_ReconfRqstFDD
nbap.id_FACH_ParametersListIE_CTCH_SetupRqstFDD id-FACH-ParametersListIE-CTCH-SetupRqstFDD Unsigned 32-bit integer nbap.FACH_ParametersListIE_CTCH_SetupRqstFDD
nbap.id_FACH_ParametersListIE_CTCH_SetupRqstTDD id-FACH-ParametersListIE-CTCH-SetupRqstTDD Unsigned 32-bit integer nbap.FACH_ParametersListIE_CTCH_SetupRqstTDD
nbap.id_FACH_ParametersList_CTCH_ReconfRqstTDD id-FACH-ParametersList-CTCH-ReconfRqstTDD Unsigned 32-bit integer nbap.FACH_ParametersList_CTCH_ReconfRqstTDD
nbap.id_FACH_ParametersList_CTCH_SetupRsp id-FACH-ParametersList-CTCH-SetupRsp Unsigned 32-bit integer nbap.FACH_CommonTransportChannel_InformationResponse
nbap.id_FDD_DCHs_to_Modify id-FDD-DCHs-to-Modify Unsigned 32-bit integer nbap.FDD_DCHs_to_Modify
nbap.id_FDD_S_CCPCH_FrameOffset_CTCH_SetupRqstFDD id-FDD-S-CCPCH-FrameOffset-CTCH-SetupRqstFDD Unsigned 32-bit integer nbap.FDD_S_CCPCH_FrameOffset
nbap.id_FPACH_LCR_Information id-FPACH-LCR-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_FPACH_LCR_InformationList_AuditRsp id-FPACH-LCR-InformationList-AuditRsp Unsigned 32-bit integer nbap.FPACH_LCR_InformationList_AuditRsp
nbap.id_FPACH_LCR_InformationList_ResourceStatusInd id-FPACH-LCR-InformationList-ResourceStatusInd Unsigned 32-bit integer nbap.FPACH_LCR_InformationList_ResourceStatusInd
nbap.id_FPACH_LCR_Information_AuditRsp id-FPACH-LCR-Information-AuditRsp No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_FPACH_LCR_Parameters_CTCH_ReconfRqstTDD id-FPACH-LCR-Parameters-CTCH-ReconfRqstTDD No value nbap.FPACH_LCR_Parameters_CTCH_ReconfRqstTDD
nbap.id_FPACH_LCR_Parameters_CTCH_SetupRqstTDD id-FPACH-LCR-Parameters-CTCH-SetupRqstTDD No value nbap.FPACH_LCR_Parameters_CTCH_SetupRqstTDD
nbap.id_F_DPCH_Information_RL_ReconfPrepFDD id-F-DPCH-Information-RL-ReconfPrepFDD No value nbap.F_DPCH_Information_RL_ReconfPrepFDD
nbap.id_F_DPCH_Information_RL_SetupRqstFDD id-F-DPCH-Information-RL-SetupRqstFDD No value nbap.F_DPCH_Information_RL_SetupRqstFDD
nbap.id_HARQ_Preamble_Mode id-HARQ-Preamble-Mode Unsigned 32-bit integer nbap.HARQ_Preamble_Mode
nbap.id_HARQ_Preamble_Mode_Activation_Indicator id-HARQ-Preamble-Mode-Activation-Indicator Unsigned 32-bit integer nbap.HARQ_Preamble_Mode_Activation_Indicator
nbap.id_HSDPA_And_EDCH_CellPortion_InformationList_PSCH_ReconfRqst id-HSDPA-And-EDCH-CellPortion-InformationList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.HSDPA_And_EDCH_CellPortion_InformationList_PSCH_ReconfRqst
nbap.id_HSDPA_And_EDCH_CellPortion_Information_PSCH_ReconfRqst id-HSDPA-And-EDCH-CellPortion-Information-PSCH-ReconfRqst No value nbap.HSDPA_And_EDCH_CellPortion_Information_PSCH_ReconfRqst
nbap.id_HSDPA_Capability id-HSDPA-Capability Unsigned 32-bit integer nbap.HSDPA_Capability
nbap.id_HSDSCH_FDD_Information id-HSDSCH-FDD-Information No value nbap.HSDSCH_FDD_Information
nbap.id_HSDSCH_FDD_Information_Response id-HSDSCH-FDD-Information-Response No value nbap.HSDSCH_FDD_Information_Response
nbap.id_HSDSCH_FDD_Update_Information id-HSDSCH-FDD-Update-Information No value nbap.HSDSCH_FDD_Update_Information
nbap.id_HSDSCH_Information_to_Modify id-HSDSCH-Information-to-Modify No value nbap.HSDSCH_Information_to_Modify
nbap.id_HSDSCH_Information_to_Modify_Unsynchronised id-HSDSCH-Information-to-Modify-Unsynchronised No value nbap.HSDSCH_Information_to_Modify_Unsynchronised
nbap.id_HSDSCH_MACdFlows_to_Add id-HSDSCH-MACdFlows-to-Add No value nbap.HSDSCH_MACdFlows_Information
nbap.id_HSDSCH_MACdFlows_to_Delete id-HSDSCH-MACdFlows-to-Delete Unsigned 32-bit integer nbap.HSDSCH_MACdFlows_to_Delete
nbap.id_HSDSCH_RNTI id-HSDSCH-RNTI Unsigned 32-bit integer nbap.HSDSCH_RNTI
nbap.id_HSDSCH_RearrangeList_Bearer_RearrangeInd id-HSDSCH-RearrangeList-Bearer-RearrangeInd Unsigned 32-bit integer nbap.HSDSCH_RearrangeList_Bearer_RearrangeInd
nbap.id_HSDSCH_Resources_Information_AuditRsp id-HSDSCH-Resources-Information-AuditRsp No value nbap.HS_DSCH_Resources_Information_AuditRsp
nbap.id_HSDSCH_Resources_Information_ResourceStatusInd id-HSDSCH-Resources-Information-ResourceStatusInd No value nbap.HS_DSCH_Resources_Information_ResourceStatusInd
nbap.id_HSDSCH_TDD_Information id-HSDSCH-TDD-Information No value nbap.HSDSCH_TDD_Information
nbap.id_HSDSCH_TDD_Information_Response id-HSDSCH-TDD-Information-Response No value nbap.HSDSCH_TDD_Information_Response
nbap.id_HSDSCH_TDD_Update_Information id-HSDSCH-TDD-Update-Information No value nbap.HSDSCH_TDD_Update_Information
nbap.id_HSPDSCH_RL_ID id-HSPDSCH-RL-ID Unsigned 32-bit integer nbap.RL_ID
nbap.id_HSSICH_Info_DM_Rprt id-HSSICH-Info-DM-Rprt Unsigned 32-bit integer nbap.HS_SICH_ID
nbap.id_HSSICH_Info_DM_Rqst id-HSSICH-Info-DM-Rqst Unsigned 32-bit integer nbap.HSSICH_Info_DM_Rqst
nbap.id_HSSICH_Info_DM_Rsp id-HSSICH-Info-DM-Rsp Unsigned 32-bit integer nbap.HS_SICH_ID
nbap.id_HS_DSCHProvidedBitRateValueInformation id-HS-DSCHProvidedBitRateValueInformation Unsigned 32-bit integer nbap.HS_DSCHProvidedBitRate
nbap.id_HS_DSCHProvidedBitRateValueInformation_For_CellPortion id-HS-DSCHProvidedBitRateValueInformation-For-CellPortion Unsigned 32-bit integer nbap.HS_DSCHProvidedBitRateValueInformation_For_CellPortion
nbap.id_HS_DSCHRequiredPowerValue id-HS-DSCHRequiredPowerValue Unsigned 32-bit integer nbap.HS_DSCHRequiredPowerValue
nbap.id_HS_DSCHRequiredPowerValueInformation id-HS-DSCHRequiredPowerValueInformation Unsigned 32-bit integer nbap.HS_DSCHRequiredPower
nbap.id_HS_DSCHRequiredPowerValueInformation_For_CellPortion id-HS-DSCHRequiredPowerValueInformation-For-CellPortion Unsigned 32-bit integer nbap.HS_DSCHRequiredPowerValueInformation_For_CellPortion
nbap.id_HS_DSCHRequiredPowerValue_For_Cell_Portion id-HS-DSCHRequiredPowerValue-For-Cell-Portion Unsigned 32-bit integer nbap.HS_DSCHRequiredPowerValue
nbap.id_HS_PDSCH_FDD_Code_Information_PSCH_ReconfRqst id-HS-PDSCH-FDD-Code-Information-PSCH-ReconfRqst No value nbap.HS_PDSCH_FDD_Code_Information
nbap.id_HS_PDSCH_HS_SCCH_E_AGCH_E_RGCH_E_HICH_MaxPower_PSCH_ReconfRqst id-HS-PDSCH-HS-SCCH-E-AGCH-E-RGCH-E-HICH-MaxPower-PSCH-ReconfRqst Unsigned 32-bit integer nbap.MaximumTransmissionPower
nbap.id_HS_PDSCH_HS_SCCH_ScramblingCode_PSCH_ReconfRqst id-HS-PDSCH-HS-SCCH-ScramblingCode-PSCH-ReconfRqst Unsigned 32-bit integer nbap.DL_ScramblingCode
nbap.id_HS_PDSCH_TDD_Information_PSCH_ReconfRqst id-HS-PDSCH-TDD-Information-PSCH-ReconfRqst No value nbap.HS_PDSCH_TDD_Information_PSCH_ReconfRqst
nbap.id_HS_SCCH_FDD_Code_Information_PSCH_ReconfRqst id-HS-SCCH-FDD-Code-Information-PSCH-ReconfRqst Unsigned 32-bit integer nbap.HS_SCCH_FDD_Code_Information
nbap.id_HS_SICH_Reception_Quality id-HS-SICH-Reception-Quality No value nbap.HS_SICH_Reception_Quality_Value
nbap.id_HS_SICH_Reception_Quality_Measurement_Value id-HS-SICH-Reception-Quality-Measurement-Value Unsigned 32-bit integer nbap.HS_SICH_Reception_Quality_Measurement_Value
nbap.id_IPDLParameter_Information_Cell_ReconfRqstFDD id-IPDLParameter-Information-Cell-ReconfRqstFDD No value nbap.IPDLParameter_Information_Cell_ReconfRqstFDD
nbap.id_IPDLParameter_Information_Cell_ReconfRqstTDD id-IPDLParameter-Information-Cell-ReconfRqstTDD No value nbap.IPDLParameter_Information_Cell_SetupRqstTDD
nbap.id_IPDLParameter_Information_Cell_SetupRqstFDD id-IPDLParameter-Information-Cell-SetupRqstFDD No value nbap.IPDLParameter_Information_Cell_SetupRqstFDD
nbap.id_IPDLParameter_Information_Cell_SetupRqstTDD id-IPDLParameter-Information-Cell-SetupRqstTDD No value nbap.IPDLParameter_Information_Cell_SetupRqstTDD
nbap.id_IPDLParameter_Information_LCR_Cell_ReconfRqstTDD id-IPDLParameter-Information-LCR-Cell-ReconfRqstTDD No value nbap.IPDLParameter_Information_LCR_Cell_ReconfRqstTDD
nbap.id_IPDLParameter_Information_LCR_Cell_SetupRqstTDD id-IPDLParameter-Information-LCR-Cell-SetupRqstTDD No value nbap.IPDLParameter_Information_LCR_Cell_SetupRqstTDD
nbap.id_IndicationType_ResourceStatusInd id-IndicationType-ResourceStatusInd Unsigned 32-bit integer nbap.IndicationType_ResourceStatusInd
nbap.id_InformationExchangeID id-InformationExchangeID Unsigned 32-bit integer nbap.InformationExchangeID
nbap.id_InformationExchangeObjectType_InfEx_Rprt id-InformationExchangeObjectType-InfEx-Rprt Unsigned 32-bit integer nbap.InformationExchangeObjectType_InfEx_Rprt
nbap.id_InformationExchangeObjectType_InfEx_Rqst id-InformationExchangeObjectType-InfEx-Rqst Unsigned 32-bit integer nbap.InformationExchangeObjectType_InfEx_Rqst
nbap.id_InformationExchangeObjectType_InfEx_Rsp id-InformationExchangeObjectType-InfEx-Rsp Unsigned 32-bit integer nbap.InformationExchangeObjectType_InfEx_Rsp
nbap.id_InformationReportCharacteristics id-InformationReportCharacteristics Unsigned 32-bit integer nbap.InformationReportCharacteristics
nbap.id_InformationType id-InformationType Unsigned 32-bit integer nbap.InformationReportCharacteristics
nbap.id_InitDL_Power id-InitDL-Power Signed 32-bit integer nbap.DL_Power
nbap.id_Initial_DL_DPCH_TimingAdjustment id-Initial-DL-DPCH-TimingAdjustment Unsigned 32-bit integer nbap.DL_DPCH_TimingAdjustment
nbap.id_Initial_DL_DPCH_TimingAdjustment_Allowed id-Initial-DL-DPCH-TimingAdjustment-Allowed Unsigned 32-bit integer nbap.Initial_DL_DPCH_TimingAdjustment_Allowed
nbap.id_Initial_DL_Power_TimeslotLCR_InformationItem id-Initial-DL-Power-TimeslotLCR-InformationItem Signed 32-bit integer nbap.DL_Power
nbap.id_InnerLoopDLPCStatus id-InnerLoopDLPCStatus Unsigned 32-bit integer nbap.InnerLoopDLPCStatus
nbap.id_Limited_power_increase_information_Cell_SetupRqstFDD id-Limited-power-increase-information-Cell-SetupRqstFDD No value nbap.Limited_power_increase_information_Cell_SetupRqstFDD
nbap.id_Local_Cell_Group_InformationItem2_ResourceStatusInd id-Local-Cell-Group-InformationItem2-ResourceStatusInd No value nbap.Local_Cell_Group_InformationItem2_ResourceStatusInd
nbap.id_Local_Cell_Group_InformationItem_AuditRsp id-Local-Cell-Group-InformationItem-AuditRsp No value nbap.Local_Cell_Group_InformationItem_AuditRsp
nbap.id_Local_Cell_Group_InformationItem_ResourceStatusInd id-Local-Cell-Group-InformationItem-ResourceStatusInd No value nbap.Local_Cell_Group_InformationItem_ResourceStatusInd
nbap.id_Local_Cell_Group_InformationList_AuditRsp id-Local-Cell-Group-InformationList-AuditRsp Unsigned 32-bit integer nbap.Local_Cell_Group_InformationList_AuditRsp
nbap.id_Local_Cell_ID id-Local-Cell-ID Unsigned 32-bit integer nbap.Local_Cell_ID
nbap.id_Local_Cell_InformationItem2_ResourceStatusInd id-Local-Cell-InformationItem2-ResourceStatusInd No value nbap.Local_Cell_InformationItem2_ResourceStatusInd
nbap.id_Local_Cell_InformationItem_AuditRsp id-Local-Cell-InformationItem-AuditRsp No value nbap.Local_Cell_InformationItem_AuditRsp
nbap.id_Local_Cell_InformationItem_ResourceStatusInd id-Local-Cell-InformationItem-ResourceStatusInd No value nbap.Local_Cell_InformationItem_ResourceStatusInd
nbap.id_Local_Cell_InformationList_AuditRsp id-Local-Cell-InformationList-AuditRsp Unsigned 32-bit integer nbap.Local_Cell_InformationList_AuditRsp
nbap.id_MIB_SB_SIB_InformationList_SystemInfoUpdateRqst id-MIB-SB-SIB-InformationList-SystemInfoUpdateRqst Unsigned 32-bit integer nbap.MIB_SB_SIB_InformationList_SystemInfoUpdateRqst
nbap.id_MICH_CFN id-MICH-CFN Unsigned 32-bit integer nbap.MICH_CFN
nbap.id_MICH_Information_AuditRsp id-MICH-Information-AuditRsp No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_MICH_Information_ResourceStatusInd id-MICH-Information-ResourceStatusInd No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_MICH_Parameters_CTCH_ReconfRqstFDD id-MICH-Parameters-CTCH-ReconfRqstFDD No value nbap.MICH_Parameters_CTCH_ReconfRqstFDD
nbap.id_MICH_Parameters_CTCH_ReconfRqstTDD id-MICH-Parameters-CTCH-ReconfRqstTDD No value nbap.MICH_Parameters_CTCH_ReconfRqstTDD
nbap.id_MICH_Parameters_CTCH_SetupRqstFDD id-MICH-Parameters-CTCH-SetupRqstFDD No value nbap.MICH_Parameters_CTCH_SetupRqstFDD
nbap.id_MICH_Parameters_CTCH_SetupRqstTDD id-MICH-Parameters-CTCH-SetupRqstTDD No value nbap.MICH_Parameters_CTCH_SetupRqstTDD
nbap.id_MaxAdjustmentStep id-MaxAdjustmentStep Unsigned 32-bit integer nbap.MaxAdjustmentStep
nbap.id_MaximumTransmissionPower id-MaximumTransmissionPower Unsigned 32-bit integer nbap.MaximumTransmissionPower
nbap.id_Maximum_DL_Power_Modify_LCR_InformationModify_RL_ReconfPrepTDD id-Maximum-DL-Power-Modify-LCR-InformationModify-RL-ReconfPrepTDD Signed 32-bit integer nbap.DL_Power
nbap.id_Maximum_DL_Power_TimeslotLCR_InformationItem id-Maximum-DL-Power-TimeslotLCR-InformationItem Signed 32-bit integer nbap.DL_Power
nbap.id_Maximum_Target_ReceivedTotalWideBandPower id-Maximum-Target-ReceivedTotalWideBandPower Unsigned 32-bit integer nbap.Maximum_Target_ReceivedTotalWideBandPower
nbap.id_MeasurementFilterCoefficient id-MeasurementFilterCoefficient Unsigned 32-bit integer nbap.MeasurementFilterCoefficient
nbap.id_MeasurementID id-MeasurementID Unsigned 32-bit integer nbap.MeasurementID
nbap.id_MeasurementRecoveryBehavior id-MeasurementRecoveryBehavior No value nbap.MeasurementRecoveryBehavior
nbap.id_MeasurementRecoveryReportingIndicator id-MeasurementRecoveryReportingIndicator No value nbap.MeasurementRecoveryReportingIndicator
nbap.id_MeasurementRecoverySupportIndicator id-MeasurementRecoverySupportIndicator No value nbap.MeasurementRecoverySupportIndicator
nbap.id_MessageStructure id-MessageStructure Unsigned 32-bit integer nbap.MessageStructure
nbap.id_Minimum_DL_Power_Modify_LCR_InformationModify_RL_ReconfPrepTDD id-Minimum-DL-Power-Modify-LCR-InformationModify-RL-ReconfPrepTDD Signed 32-bit integer nbap.DL_Power
nbap.id_Minimum_DL_Power_TimeslotLCR_InformationItem id-Minimum-DL-Power-TimeslotLCR-InformationItem Signed 32-bit integer nbap.DL_Power
nbap.id_Modification_Period id-Modification-Period Unsigned 32-bit integer nbap.Modification_Period
nbap.id_Modify_HS_SCCH_Resource_Pool_PSCH_ReconfRqst id-Modify-HS-SCCH-Resource-Pool-PSCH-ReconfRqst No value nbap.Modify_HS_SCCH_Resource_Pool_PSCH_ReconfRqst
nbap.id_NCyclesPerSFNperiod id-NCyclesPerSFNperiod Unsigned 32-bit integer nbap.NCyclesPerSFNperiod
nbap.id_NI_Information_NotifUpdateCmd id-NI-Information-NotifUpdateCmd Unsigned 32-bit integer nbap.NI_Information
nbap.id_NRepetitionsPerCyclePeriod id-NRepetitionsPerCyclePeriod Unsigned 32-bit integer nbap.NRepetitionsPerCyclePeriod
nbap.id_NSubCyclesPerCyclePeriod_CellSyncReconfRqstTDD id-NSubCyclesPerCyclePeriod-CellSyncReconfRqstTDD Unsigned 32-bit integer nbap.NSubCyclesPerCyclePeriod
nbap.id_NeighbouringCellMeasurementInformation id-NeighbouringCellMeasurementInformation Unsigned 32-bit integer nbap.NeighbouringCellMeasurementInformation
nbap.id_NodeB_CommunicationContextID id-NodeB-CommunicationContextID Unsigned 32-bit integer nbap.NodeB_CommunicationContextID
nbap.id_NumberOfReportedCellPortions id-NumberOfReportedCellPortions Unsigned 32-bit integer nbap.NumberOfReportedCellPortions
nbap.id_PCCPCH_Information_Cell_ReconfRqstTDD id-PCCPCH-Information-Cell-ReconfRqstTDD No value nbap.PCCPCH_Information_Cell_ReconfRqstTDD
nbap.id_PCCPCH_Information_Cell_SetupRqstTDD id-PCCPCH-Information-Cell-SetupRqstTDD No value nbap.PCCPCH_Information_Cell_SetupRqstTDD
nbap.id_PCCPCH_LCR_Information_Cell_SetupRqstTDD id-PCCPCH-LCR-Information-Cell-SetupRqstTDD No value nbap.PCCPCH_LCR_Information_Cell_SetupRqstTDD
nbap.id_PCH_Information id-PCH-Information No value nbap.Common_TransportChannel_Status_Information
nbap.id_PCH_ParametersItem_CTCH_ReconfRqstFDD id-PCH-ParametersItem-CTCH-ReconfRqstFDD No value nbap.PCH_ParametersItem_CTCH_ReconfRqstFDD
nbap.id_PCH_ParametersItem_CTCH_SetupRqstFDD id-PCH-ParametersItem-CTCH-SetupRqstFDD No value nbap.PCH_ParametersItem_CTCH_SetupRqstFDD
nbap.id_PCH_ParametersItem_CTCH_SetupRqstTDD id-PCH-ParametersItem-CTCH-SetupRqstTDD No value nbap.PCH_ParametersItem_CTCH_SetupRqstTDD
nbap.id_PCH_Parameters_CTCH_ReconfRqstTDD id-PCH-Parameters-CTCH-ReconfRqstTDD No value nbap.PCH_Parameters_CTCH_ReconfRqstTDD
nbap.id_PCH_Parameters_CTCH_SetupRsp id-PCH-Parameters-CTCH-SetupRsp No value nbap.CommonTransportChannel_InformationResponse
nbap.id_PCH_Power_LCR_CTCH_ReconfRqstTDD id-PCH-Power-LCR-CTCH-ReconfRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_PCH_Power_LCR_CTCH_SetupRqstTDD id-PCH-Power-LCR-CTCH-SetupRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_PDSCHSets_AddList_PSCH_ReconfRqst id-PDSCHSets-AddList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.PDSCHSets_AddList_PSCH_ReconfRqst
nbap.id_PDSCHSets_DeleteList_PSCH_ReconfRqst id-PDSCHSets-DeleteList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.PDSCHSets_DeleteList_PSCH_ReconfRqst
nbap.id_PDSCHSets_ModifyList_PSCH_ReconfRqst id-PDSCHSets-ModifyList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.PDSCHSets_ModifyList_PSCH_ReconfRqst
nbap.id_PDSCH_AddInformation_LCR_PSCH_ReconfRqst id-PDSCH-AddInformation-LCR-PSCH-ReconfRqst No value nbap.PDSCH_AddInformation_LCR_AddItem_PSCH_ReconfRqst
nbap.id_PDSCH_Information_AddListIE_PSCH_ReconfRqst id-PDSCH-Information-AddListIE-PSCH-ReconfRqst No value nbap.PDSCH_Information_AddItem_PSCH_ReconfRqst
nbap.id_PDSCH_Information_ModifyListIE_PSCH_ReconfRqst id-PDSCH-Information-ModifyListIE-PSCH-ReconfRqst No value nbap.PDSCH_Information_ModifyItem_PSCH_ReconfRqst
nbap.id_PDSCH_ModifyInformation_LCR_PSCH_ReconfRqst id-PDSCH-ModifyInformation-LCR-PSCH-ReconfRqst No value nbap.PDSCH_ModifyInformation_LCR_ModifyItem_PSCH_ReconfRqst
nbap.id_PDSCH_RL_ID id-PDSCH-RL-ID Unsigned 32-bit integer nbap.RL_ID
nbap.id_PICH_Information id-PICH-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_PICH_LCR_Parameters_CTCH_SetupRqstTDD id-PICH-LCR-Parameters-CTCH-SetupRqstTDD No value nbap.PICH_LCR_Parameters_CTCH_SetupRqstTDD
nbap.id_PICH_ParametersItem_CTCH_ReconfRqstFDD id-PICH-ParametersItem-CTCH-ReconfRqstFDD No value nbap.PICH_ParametersItem_CTCH_ReconfRqstFDD
nbap.id_PICH_ParametersItem_CTCH_SetupRqstTDD id-PICH-ParametersItem-CTCH-SetupRqstTDD No value nbap.PICH_ParametersItem_CTCH_SetupRqstTDD
nbap.id_PICH_Parameters_CTCH_ReconfRqstTDD id-PICH-Parameters-CTCH-ReconfRqstTDD No value nbap.PICH_Parameters_CTCH_ReconfRqstTDD
nbap.id_PRACHConstant id-PRACHConstant Signed 32-bit integer nbap.ConstantValue
nbap.id_PRACH_Information id-PRACH-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_PRACH_LCR_ParametersList_CTCH_SetupRqstTDD id-PRACH-LCR-ParametersList-CTCH-SetupRqstTDD Unsigned 32-bit integer nbap.PRACH_LCR_ParametersList_CTCH_SetupRqstTDD
nbap.id_PRACH_ParametersItem_CTCH_SetupRqstTDD id-PRACH-ParametersItem-CTCH-SetupRqstTDD No value nbap.PRACH_ParametersItem_CTCH_SetupRqstTDD
nbap.id_PRACH_ParametersListIE_CTCH_ReconfRqstFDD id-PRACH-ParametersListIE-CTCH-ReconfRqstFDD Unsigned 32-bit integer nbap.PRACH_ParametersListIE_CTCH_ReconfRqstFDD
nbap.id_PUSCHConstant id-PUSCHConstant Signed 32-bit integer nbap.ConstantValue
nbap.id_PUSCHSets_AddList_PSCH_ReconfRqst id-PUSCHSets-AddList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.PUSCHSets_AddList_PSCH_ReconfRqst
nbap.id_PUSCHSets_DeleteList_PSCH_ReconfRqst id-PUSCHSets-DeleteList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.PUSCHSets_DeleteList_PSCH_ReconfRqst
nbap.id_PUSCHSets_ModifyList_PSCH_ReconfRqst id-PUSCHSets-ModifyList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.PUSCHSets_ModifyList_PSCH_ReconfRqst
nbap.id_PUSCH_AddInformation_LCR_PSCH_ReconfRqst id-PUSCH-AddInformation-LCR-PSCH-ReconfRqst No value nbap.PUSCH_AddInformation_LCR_AddItem_PSCH_ReconfRqst
nbap.id_PUSCH_Info_DM_Rprt id-PUSCH-Info-DM-Rprt Unsigned 32-bit integer nbap.PUSCH_Info_DM_Rprt
nbap.id_PUSCH_Info_DM_Rqst id-PUSCH-Info-DM-Rqst Unsigned 32-bit integer nbap.PUSCH_Info_DM_Rqst
nbap.id_PUSCH_Info_DM_Rsp id-PUSCH-Info-DM-Rsp Unsigned 32-bit integer nbap.PUSCH_Info_DM_Rsp
nbap.id_PUSCH_Information_AddListIE_PSCH_ReconfRqst id-PUSCH-Information-AddListIE-PSCH-ReconfRqst No value nbap.PUSCH_Information_AddItem_PSCH_ReconfRqst
nbap.id_PUSCH_Information_ModifyListIE_PSCH_ReconfRqst id-PUSCH-Information-ModifyListIE-PSCH-ReconfRqst No value nbap.PUSCH_Information_ModifyItem_PSCH_ReconfRqst
nbap.id_PUSCH_ModifyInformation_LCR_PSCH_ReconfRqst id-PUSCH-ModifyInformation-LCR-PSCH-ReconfRqst No value nbap.PUSCH_ModifyInformation_LCR_ModifyItem_PSCH_ReconfRqst
nbap.id_P_CCPCH_Information id-P-CCPCH-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_P_CPICH_Information id-P-CPICH-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_P_SCH_Information id-P-SCH-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_PowerAdjustmentType id-PowerAdjustmentType Unsigned 32-bit integer nbap.PowerAdjustmentType
nbap.id_Power_Local_Cell_Group_ID id-Power-Local-Cell-Group-ID Unsigned 32-bit integer nbap.Local_Cell_ID
nbap.id_Power_Local_Cell_Group_InformationItem2_ResourceStatusInd id-Power-Local-Cell-Group-InformationItem2-ResourceStatusInd No value nbap.Power_Local_Cell_Group_InformationItem2_ResourceStatusInd
nbap.id_Power_Local_Cell_Group_InformationItem_AuditRsp id-Power-Local-Cell-Group-InformationItem-AuditRsp No value nbap.Power_Local_Cell_Group_InformationItem_AuditRsp
nbap.id_Power_Local_Cell_Group_InformationItem_ResourceStatusInd id-Power-Local-Cell-Group-InformationItem-ResourceStatusInd No value nbap.Power_Local_Cell_Group_InformationItem_ResourceStatusInd
nbap.id_Power_Local_Cell_Group_InformationList2_ResourceStatusInd id-Power-Local-Cell-Group-InformationList2-ResourceStatusInd Unsigned 32-bit integer nbap.Power_Local_Cell_Group_InformationList2_ResourceStatusInd
nbap.id_Power_Local_Cell_Group_InformationList_AuditRsp id-Power-Local-Cell-Group-InformationList-AuditRsp Unsigned 32-bit integer nbap.Power_Local_Cell_Group_InformationList_AuditRsp
nbap.id_Power_Local_Cell_Group_InformationList_ResourceStatusInd id-Power-Local-Cell-Group-InformationList-ResourceStatusInd Unsigned 32-bit integer nbap.Power_Local_Cell_Group_InformationList_ResourceStatusInd
nbap.id_Power_Local_Cell_Group_choice_CM_Rprt id-Power-Local-Cell-Group-choice-CM-Rprt No value nbap.PowerLocalCellGroup_CM_Rprt
nbap.id_Power_Local_Cell_Group_choice_CM_Rqst id-Power-Local-Cell-Group-choice-CM-Rqst No value nbap.PowerLocalCellGroup_CM_Rqst
nbap.id_Power_Local_Cell_Group_choice_CM_Rsp id-Power-Local-Cell-Group-choice-CM-Rsp No value nbap.PowerLocalCellGroup_CM_Rsp
nbap.id_PrimCCPCH_RSCP_DL_PC_RqstTDD id-PrimCCPCH-RSCP-DL-PC-RqstTDD Unsigned 32-bit integer nbap.PrimaryCCPCH_RSCP
nbap.id_PrimaryCCPCH_Information_Cell_ReconfRqstFDD id-PrimaryCCPCH-Information-Cell-ReconfRqstFDD No value nbap.PrimaryCCPCH_Information_Cell_ReconfRqstFDD
nbap.id_PrimaryCCPCH_Information_Cell_SetupRqstFDD id-PrimaryCCPCH-Information-Cell-SetupRqstFDD No value nbap.PrimaryCCPCH_Information_Cell_SetupRqstFDD
nbap.id_PrimaryCCPCH_RSCP_Delta id-PrimaryCCPCH-RSCP-Delta Signed 32-bit integer nbap.PrimaryCCPCH_RSCP_Delta
nbap.id_PrimaryCPICH_Information_Cell_ReconfRqstFDD id-PrimaryCPICH-Information-Cell-ReconfRqstFDD No value nbap.PrimaryCPICH_Information_Cell_ReconfRqstFDD
nbap.id_PrimaryCPICH_Information_Cell_SetupRqstFDD id-PrimaryCPICH-Information-Cell-SetupRqstFDD No value nbap.PrimaryCPICH_Information_Cell_SetupRqstFDD
nbap.id_PrimarySCH_Information_Cell_ReconfRqstFDD id-PrimarySCH-Information-Cell-ReconfRqstFDD No value nbap.PrimarySCH_Information_Cell_ReconfRqstFDD
nbap.id_PrimarySCH_Information_Cell_SetupRqstFDD id-PrimarySCH-Information-Cell-SetupRqstFDD No value nbap.PrimarySCH_Information_Cell_SetupRqstFDD
nbap.id_PrimaryScramblingCode id-PrimaryScramblingCode Unsigned 32-bit integer nbap.PrimaryScramblingCode
nbap.id_Primary_CPICH_Usage_for_Channel_Estimation id-Primary-CPICH-Usage-for-Channel-Estimation Unsigned 32-bit integer nbap.Primary_CPICH_Usage_for_Channel_Estimation
nbap.id_RACH_Information id-RACH-Information No value nbap.Common_TransportChannel_Status_Information
nbap.id_RACH_ParameterItem_CTCH_SetupRqstTDD id-RACH-ParameterItem-CTCH-SetupRqstTDD No value nbap.RACH_ParameterItem_CTCH_SetupRqstTDD
nbap.id_RACH_ParametersItem_CTCH_SetupRqstFDD id-RACH-ParametersItem-CTCH-SetupRqstFDD No value nbap.RACH_ParametersItem_CTCH_SetupRqstFDD
nbap.id_RACH_Parameters_CTCH_SetupRsp id-RACH-Parameters-CTCH-SetupRsp No value nbap.CommonTransportChannel_InformationResponse
nbap.id_RL_ID id-RL-ID Unsigned 32-bit integer nbap.RL_ID
nbap.id_RL_InformationItem_DM_Rprt id-RL-InformationItem-DM-Rprt No value nbap.RL_InformationItem_DM_Rprt
nbap.id_RL_InformationItem_DM_Rqst id-RL-InformationItem-DM-Rqst No value nbap.RL_InformationItem_DM_Rqst
nbap.id_RL_InformationItem_DM_Rsp id-RL-InformationItem-DM-Rsp No value nbap.RL_InformationItem_DM_Rsp
nbap.id_RL_InformationItem_RL_AdditionRqstFDD id-RL-InformationItem-RL-AdditionRqstFDD No value nbap.RL_InformationItem_RL_AdditionRqstFDD
nbap.id_RL_InformationItem_RL_FailureInd id-RL-InformationItem-RL-FailureInd No value nbap.RL_InformationItem_RL_FailureInd
nbap.id_RL_InformationItem_RL_PreemptRequiredInd id-RL-InformationItem-RL-PreemptRequiredInd No value nbap.RL_InformationItem_RL_PreemptRequiredInd
nbap.id_RL_InformationItem_RL_ReconfPrepFDD id-RL-InformationItem-RL-ReconfPrepFDD No value nbap.RL_InformationItem_RL_ReconfPrepFDD
nbap.id_RL_InformationItem_RL_ReconfRqstFDD id-RL-InformationItem-RL-ReconfRqstFDD No value nbap.RL_InformationItem_RL_ReconfPrepFDD
nbap.id_RL_InformationItem_RL_RestoreInd id-RL-InformationItem-RL-RestoreInd No value nbap.RL_InformationItem_RL_RestoreInd
nbap.id_RL_InformationItem_RL_SetupRqstFDD id-RL-InformationItem-RL-SetupRqstFDD No value nbap.RL_InformationItem_RL_SetupRqstFDD
nbap.id_RL_InformationList_RL_AdditionRqstFDD id-RL-InformationList-RL-AdditionRqstFDD Unsigned 32-bit integer nbap.RL_InformationList_RL_AdditionRqstFDD
nbap.id_RL_InformationList_RL_PreemptRequiredInd id-RL-InformationList-RL-PreemptRequiredInd Unsigned 32-bit integer nbap.RL_InformationList_RL_PreemptRequiredInd
nbap.id_RL_InformationList_RL_ReconfPrepFDD id-RL-InformationList-RL-ReconfPrepFDD Unsigned 32-bit integer nbap.RL_InformationList_RL_ReconfPrepFDD
nbap.id_RL_InformationList_RL_ReconfRqstFDD id-RL-InformationList-RL-ReconfRqstFDD Unsigned 32-bit integer nbap.RL_InformationList_RL_ReconfRqstFDD
nbap.id_RL_InformationList_RL_SetupRqstFDD id-RL-InformationList-RL-SetupRqstFDD Unsigned 32-bit integer nbap.RL_InformationList_RL_SetupRqstFDD
nbap.id_RL_InformationResponseItem_RL_AdditionRspFDD id-RL-InformationResponseItem-RL-AdditionRspFDD No value nbap.RL_InformationResponseItem_RL_AdditionRspFDD
nbap.id_RL_InformationResponseItem_RL_ReconfReady id-RL-InformationResponseItem-RL-ReconfReady No value nbap.RL_InformationResponseItem_RL_ReconfReady
nbap.id_RL_InformationResponseItem_RL_ReconfRsp id-RL-InformationResponseItem-RL-ReconfRsp No value nbap.RL_InformationResponseItem_RL_ReconfRsp
nbap.id_RL_InformationResponseItem_RL_SetupRspFDD id-RL-InformationResponseItem-RL-SetupRspFDD No value nbap.RL_InformationResponseItem_RL_SetupRspFDD
nbap.id_RL_InformationResponseList_RL_AdditionRspFDD id-RL-InformationResponseList-RL-AdditionRspFDD Unsigned 32-bit integer nbap.RL_InformationResponseList_RL_AdditionRspFDD
nbap.id_RL_InformationResponseList_RL_ReconfReady id-RL-InformationResponseList-RL-ReconfReady Unsigned 32-bit integer nbap.RL_InformationResponseList_RL_ReconfReady
nbap.id_RL_InformationResponseList_RL_ReconfRsp id-RL-InformationResponseList-RL-ReconfRsp Unsigned 32-bit integer nbap.RL_InformationResponseList_RL_ReconfRsp
nbap.id_RL_InformationResponseList_RL_SetupRspFDD id-RL-InformationResponseList-RL-SetupRspFDD Unsigned 32-bit integer nbap.RL_InformationResponseList_RL_SetupRspFDD
nbap.id_RL_InformationResponse_LCR_RL_AdditionRspTDD id-RL-InformationResponse-LCR-RL-AdditionRspTDD No value nbap.RL_InformationResponse_LCR_RL_AdditionRspTDD
nbap.id_RL_InformationResponse_LCR_RL_SetupRspTDD id-RL-InformationResponse-LCR-RL-SetupRspTDD No value nbap.RL_InformationResponse_LCR_RL_SetupRspTDD
nbap.id_RL_InformationResponse_RL_AdditionRspTDD id-RL-InformationResponse-RL-AdditionRspTDD No value nbap.RL_InformationResponse_RL_AdditionRspTDD
nbap.id_RL_InformationResponse_RL_SetupRspTDD id-RL-InformationResponse-RL-SetupRspTDD No value nbap.RL_InformationResponse_RL_SetupRspTDD
nbap.id_RL_Information_RL_AdditionRqstTDD id-RL-Information-RL-AdditionRqstTDD No value nbap.RL_Information_RL_AdditionRqstTDD
nbap.id_RL_Information_RL_ReconfPrepTDD id-RL-Information-RL-ReconfPrepTDD No value nbap.RL_Information_RL_ReconfPrepTDD
nbap.id_RL_Information_RL_ReconfRqstTDD id-RL-Information-RL-ReconfRqstTDD No value nbap.RL_Information_RL_ReconfRqstTDD
nbap.id_RL_Information_RL_SetupRqstTDD id-RL-Information-RL-SetupRqstTDD No value nbap.RL_Information_RL_SetupRqstTDD
nbap.id_RL_ReconfigurationFailureItem_RL_ReconfFailure id-RL-ReconfigurationFailureItem-RL-ReconfFailure No value nbap.RL_ReconfigurationFailureItem_RL_ReconfFailure
nbap.id_RL_Set_InformationItem_DM_Rprt id-RL-Set-InformationItem-DM-Rprt No value nbap.RL_Set_InformationItem_DM_Rprt
nbap.id_RL_Set_InformationItem_DM_Rsp id-RL-Set-InformationItem-DM-Rsp No value nbap.RL_Set_InformationItem_DM_Rsp
nbap.id_RL_Set_InformationItem_RL_FailureInd id-RL-Set-InformationItem-RL-FailureInd No value nbap.RL_Set_InformationItem_RL_FailureInd
nbap.id_RL_Set_InformationItem_RL_RestoreInd id-RL-Set-InformationItem-RL-RestoreInd No value nbap.RL_Set_InformationItem_RL_RestoreInd
nbap.id_RL_Specific_DCH_Info id-RL-Specific-DCH-Info Unsigned 32-bit integer nbap.RL_Specific_DCH_Info
nbap.id_RL_Specific_E_DCH_Info id-RL-Specific-E-DCH-Info Unsigned 32-bit integer nbap.RL_Specific_E_DCH_Info
nbap.id_RL_informationItem_RL_DeletionRqst id-RL-informationItem-RL-DeletionRqst No value nbap.RL_informationItem_RL_DeletionRqst
nbap.id_RL_informationList_RL_DeletionRqst id-RL-informationList-RL-DeletionRqst Unsigned 32-bit integer nbap.RL_informationList_RL_DeletionRqst
nbap.id_Received_total_wide_band_power_For_CellPortion id-Received-total-wide-band-power-For-CellPortion Unsigned 32-bit integer nbap.Received_total_wide_band_power_Value_IncrDecrThres
nbap.id_Received_total_wide_band_power_For_CellPortion_Value id-Received-total-wide-band-power-For-CellPortion-Value Unsigned 32-bit integer nbap.Received_total_wide_band_power_For_CellPortion_Value
nbap.id_ReferenceClockAvailability id-ReferenceClockAvailability Unsigned 32-bit integer nbap.ReferenceClockAvailability
nbap.id_ReferenceSFNoffset id-ReferenceSFNoffset Unsigned 32-bit integer nbap.ReferenceSFNoffset
nbap.id_Reference_ReceivedTotalWideBandPower id-Reference-ReceivedTotalWideBandPower Unsigned 32-bit integer nbap.Reference_ReceivedTotalWideBandPower
nbap.id_ReportCharacteristics id-ReportCharacteristics Unsigned 32-bit integer nbap.ReportCharacteristics
nbap.id_ReportCharacteristicsType_OnModification id-ReportCharacteristicsType-OnModification No value nbap.ReportCharacteristicsType_OnModification
nbap.id_Reporting_Object_RL_FailureInd id-Reporting-Object-RL-FailureInd Unsigned 32-bit integer nbap.Reporting_Object_RL_FailureInd
nbap.id_Reporting_Object_RL_RestoreInd id-Reporting-Object-RL-RestoreInd Unsigned 32-bit integer nbap.Reporting_Object_RL_RestoreInd
nbap.id_ResetIndicator id-ResetIndicator Unsigned 32-bit integer nbap.ResetIndicator
nbap.id_Rx_Timing_Deviation_Value_LCR id-Rx-Timing-Deviation-Value-LCR Unsigned 32-bit integer nbap.Rx_Timing_Deviation_Value_LCR
nbap.id_SAT_Info_Almanac_ExtItem id-SAT-Info-Almanac-ExtItem No value nbap.SAT_Info_Almanac_ExtItem
nbap.id_SCH_Information id-SCH-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_SCH_Information_Cell_ReconfRqstTDD id-SCH-Information-Cell-ReconfRqstTDD No value nbap.SCH_Information_Cell_ReconfRqstTDD
nbap.id_SCH_Information_Cell_SetupRqstTDD id-SCH-Information-Cell-SetupRqstTDD No value nbap.SCH_Information_Cell_SetupRqstTDD
nbap.id_SFN id-SFN Unsigned 32-bit integer nbap.SFN
nbap.id_SFNReportingIndicator id-SFNReportingIndicator Unsigned 32-bit integer nbap.FNReportingIndicator
nbap.id_SFNSFNMeasurementThresholdInformation id-SFNSFNMeasurementThresholdInformation No value nbap.SFNSFNMeasurementThresholdInformation
nbap.id_SFNSFNMeasurementValueInformation id-SFNSFNMeasurementValueInformation No value nbap.SFNSFNMeasurementValueInformation
nbap.id_SYNCDlCodeIdMeasInfoList_CellSyncReconfRqstTDD id-SYNCDlCodeIdMeasInfoList-CellSyncReconfRqstTDD Unsigned 32-bit integer nbap.SYNCDlCodeIdMeasInfoList_CellSyncReconfRqstTDD
nbap.id_SYNCDlCodeIdMeasReconfigurationLCR_CellSyncReconfRqstTDD id-SYNCDlCodeIdMeasReconfigurationLCR-CellSyncReconfRqstTDD No value nbap.SYNCDlCodeIdMeasInfoLCR_CellSyncReconfRqstTDD
nbap.id_SYNCDlCodeIdTransReconfInfoLCR_CellSyncReconfRqstTDD id-SYNCDlCodeIdTransReconfInfoLCR-CellSyncReconfRqstTDD Unsigned 32-bit integer nbap.SYNCDlCodeIdTransReconfInfoLCR_CellSyncReconfRqstTDD
nbap.id_SYNCDlCodeId_MeasureInitLCR_CellSyncInitiationRqstTDD id-SYNCDlCodeId-MeasureInitLCR-CellSyncInitiationRqstTDD No value nbap.SYNCDlCodeId_MeasureInitLCR_CellSyncInitiationRqstTDD
nbap.id_SYNCDlCodeId_TransInitLCR_CellSyncInitiationRqstTDD id-SYNCDlCodeId-TransInitLCR-CellSyncInitiationRqstTDD No value nbap.SYNCDlCodeId_TransInitLCR_CellSyncInitiationRqstTDD
nbap.id_S_CCPCH_Information id-S-CCPCH-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_S_CCPCH_InformationListExt_AuditRsp id-S-CCPCH-InformationListExt-AuditRsp Unsigned 32-bit integer nbap.S_CCPCH_InformationListExt_AuditRsp
nbap.id_S_CCPCH_InformationListExt_ResourceStatusInd id-S-CCPCH-InformationListExt-ResourceStatusInd Unsigned 32-bit integer nbap.S_CCPCH_InformationListExt_ResourceStatusInd
nbap.id_S_CCPCH_LCR_InformationListExt_AuditRsp id-S-CCPCH-LCR-InformationListExt-AuditRsp Unsigned 32-bit integer nbap.S_CCPCH_LCR_InformationListExt_AuditRsp
nbap.id_S_CCPCH_LCR_InformationListExt_ResourceStatusInd id-S-CCPCH-LCR-InformationListExt-ResourceStatusInd Unsigned 32-bit integer nbap.S_CCPCH_LCR_InformationListExt_ResourceStatusInd
nbap.id_S_CPICH_Information id-S-CPICH-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_S_SCH_Information id-S-SCH-Information No value nbap.Common_PhysicalChannel_Status_Information
nbap.id_SecondaryCPICH_InformationItem_Cell_ReconfRqstFDD id-SecondaryCPICH-InformationItem-Cell-ReconfRqstFDD No value nbap.SecondaryCPICH_InformationItem_Cell_ReconfRqstFDD
nbap.id_SecondaryCPICH_InformationItem_Cell_SetupRqstFDD id-SecondaryCPICH-InformationItem-Cell-SetupRqstFDD No value nbap.SecondaryCPICH_InformationItem_Cell_SetupRqstFDD
nbap.id_SecondaryCPICH_InformationList_Cell_ReconfRqstFDD id-SecondaryCPICH-InformationList-Cell-ReconfRqstFDD Unsigned 32-bit integer nbap.SecondaryCPICH_InformationList_Cell_ReconfRqstFDD
nbap.id_SecondaryCPICH_InformationList_Cell_SetupRqstFDD id-SecondaryCPICH-InformationList-Cell-SetupRqstFDD Unsigned 32-bit integer nbap.SecondaryCPICH_InformationList_Cell_SetupRqstFDD
nbap.id_SecondarySCH_Information_Cell_ReconfRqstFDD id-SecondarySCH-Information-Cell-ReconfRqstFDD No value nbap.SecondarySCH_Information_Cell_ReconfRqstFDD
nbap.id_SecondarySCH_Information_Cell_SetupRqstFDD id-SecondarySCH-Information-Cell-SetupRqstFDD No value nbap.SecondarySCH_Information_Cell_SetupRqstFDD
nbap.id_Secondary_CCPCHListIE_CTCH_ReconfRqstTDD id-Secondary-CCPCHListIE-CTCH-ReconfRqstTDD Unsigned 32-bit integer nbap.Secondary_CCPCHListIE_CTCH_ReconfRqstTDD
nbap.id_Secondary_CCPCH_LCR_parameterList_CTCH_SetupRqstTDD id-Secondary-CCPCH-LCR-parameterList-CTCH-SetupRqstTDD Unsigned 32-bit integer nbap.Secondary_CCPCH_LCR_parameterList_CTCH_SetupRqstTDD
nbap.id_Secondary_CCPCH_Parameters_CTCH_ReconfRqstTDD id-Secondary-CCPCH-Parameters-CTCH-ReconfRqstTDD No value nbap.Secondary_CCPCH_Parameters_CTCH_ReconfRqstTDD
nbap.id_Secondary_CCPCH_parameterListIE_CTCH_SetupRqstTDD id-Secondary-CCPCH-parameterListIE-CTCH-SetupRqstTDD Unsigned 32-bit integer nbap.Secondary_CCPCH_parameterListIE_CTCH_SetupRqstTDD
nbap.id_Secondary_CPICH_Information id-Secondary-CPICH-Information Unsigned 32-bit integer nbap.CommonPhysicalChannelID
nbap.id_Secondary_CPICH_Information_Change id-Secondary-CPICH-Information-Change Unsigned 32-bit integer nbap.Secondary_CPICH_Information_Change
nbap.id_SegmentInformationListIE_SystemInfoUpdate id-SegmentInformationListIE-SystemInfoUpdate Unsigned 32-bit integer nbap.SegmentInformationListIE_SystemInfoUpdate
nbap.id_Serving_E_DCH_RL_ID id-Serving-E-DCH-RL-ID Unsigned 32-bit integer nbap.Serving_E_DCH_RL_ID
nbap.id_ShutdownTimer id-ShutdownTimer Unsigned 32-bit integer nbap.ShutdownTimer
nbap.id_SignallingBearerRequestIndicator id-SignallingBearerRequestIndicator Unsigned 32-bit integer nbap.SignallingBearerRequestIndicator
nbap.id_Start_Of_Audit_Sequence_Indicator id-Start-Of-Audit-Sequence-Indicator Unsigned 32-bit integer nbap.Start_Of_Audit_Sequence_Indicator
nbap.id_Successful_RL_InformationRespItem_RL_AdditionFailureFDD id-Successful-RL-InformationRespItem-RL-AdditionFailureFDD No value nbap.Successful_RL_InformationRespItem_RL_AdditionFailureFDD
nbap.id_Successful_RL_InformationRespItem_RL_SetupFailureFDD id-Successful-RL-InformationRespItem-RL-SetupFailureFDD No value nbap.Successful_RL_InformationRespItem_RL_SetupFailureFDD
nbap.id_SyncCase id-SyncCase Unsigned 32-bit integer nbap.SyncCase
nbap.id_SyncCaseIndicatorItem_Cell_SetupRqstTDD_PSCH id-SyncCaseIndicatorItem-Cell-SetupRqstTDD-PSCH Unsigned 32-bit integer nbap.SyncCaseIndicatorItem_Cell_SetupRqstTDD_PSCH
nbap.id_SyncDLCodeIdThreInfoLCR id-SyncDLCodeIdThreInfoLCR Unsigned 32-bit integer nbap.SyncDLCodeIdThreInfoLCR
nbap.id_SyncDLCodeIdsMeasInfoList_CellSyncReprtTDD id-SyncDLCodeIdsMeasInfoList-CellSyncReprtTDD Unsigned 32-bit integer nbap.SyncDLCodeIdsMeasInfoList_CellSyncReprtTDD
nbap.id_SyncFrameNumber id-SyncFrameNumber Unsigned 32-bit integer nbap.SyncFrameNumber
nbap.id_SyncReportType_CellSyncReprtTDD id-SyncReportType-CellSyncReprtTDD Unsigned 32-bit integer nbap.SyncReportType_CellSyncReprtTDD
nbap.id_SynchronisationIndicator id-SynchronisationIndicator Unsigned 32-bit integer nbap.SynchronisationIndicator
nbap.id_SynchronisationReportCharacteristics id-SynchronisationReportCharacteristics No value nbap.SynchronisationReportCharacteristics
nbap.id_SynchronisationReportType id-SynchronisationReportType Unsigned 32-bit integer nbap.SynchronisationReportType
nbap.id_Synchronisation_Configuration_Cell_ReconfRqst id-Synchronisation-Configuration-Cell-ReconfRqst No value nbap.Synchronisation_Configuration_Cell_ReconfRqst
nbap.id_Synchronisation_Configuration_Cell_SetupRqst id-Synchronisation-Configuration-Cell-SetupRqst No value nbap.Synchronisation_Configuration_Cell_SetupRqst
nbap.id_TDD_DCHs_to_Modify id-TDD-DCHs-to-Modify Unsigned 32-bit integer nbap.TDD_DCHs_to_Modify
nbap.id_TDD_TPC_DownlinkStepSize_InformationAdd_RL_ReconfPrepTDD id-TDD-TPC-DownlinkStepSize-InformationAdd-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.TDD_TPC_DownlinkStepSize
nbap.id_TDD_TPC_DownlinkStepSize_InformationModify_RL_ReconfPrepTDD id-TDD-TPC-DownlinkStepSize-InformationModify-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.TDD_TPC_DownlinkStepSize
nbap.id_TDD_TPC_DownlinkStepSize_RL_AdditionRqstTDD id-TDD-TPC-DownlinkStepSize-RL-AdditionRqstTDD Unsigned 32-bit integer nbap.TDD_TPC_DownlinkStepSize
nbap.id_TDD_TPC_UplinkStepSize_InformationAdd_LCR_RL_ReconfPrepTDD id-TDD-TPC-UplinkStepSize-InformationAdd-LCR-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.TDD_TPC_UplinkStepSize_LCR
nbap.id_TDD_TPC_UplinkStepSize_InformationModify_LCR_RL_ReconfPrepTDD id-TDD-TPC-UplinkStepSize-InformationModify-LCR-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.TDD_TPC_UplinkStepSize_LCR
nbap.id_TDD_TPC_UplinkStepSize_LCR_RL_AdditionRqstTDD id-TDD-TPC-UplinkStepSize-LCR-RL-AdditionRqstTDD Unsigned 32-bit integer nbap.TDD_TPC_UplinkStepSize_LCR
nbap.id_TDD_TPC_UplinkStepSize_LCR_RL_SetupRqstTDD id-TDD-TPC-UplinkStepSize-LCR-RL-SetupRqstTDD Unsigned 32-bit integer nbap.TDD_TPC_UplinkStepSize_LCR
nbap.id_TUTRANGPSMeasurementThresholdInformation id-TUTRANGPSMeasurementThresholdInformation No value nbap.TUTRANGPSMeasurementThresholdInformation
nbap.id_TUTRANGPSMeasurementValueInformation id-TUTRANGPSMeasurementValueInformation No value nbap.TUTRANGPSMeasurementValueInformation
nbap.id_T_Cell id-T-Cell Unsigned 32-bit integer nbap.T_Cell
nbap.id_TargetCommunicationControlPortID id-TargetCommunicationControlPortID Unsigned 32-bit integer nbap.CommunicationControlPortID
nbap.id_Target_NonServing_EDCH_To_Total_EDCH_Power_Ratio id-Target-NonServing-EDCH-To-Total-EDCH-Power-Ratio Unsigned 32-bit integer nbap.Target_NonServing_EDCH_To_Total_EDCH_Power_Ratio
nbap.id_TimeSlot id-TimeSlot Unsigned 32-bit integer nbap.TimeSlot
nbap.id_TimeSlotConfigurationList_Cell_ReconfRqstTDD id-TimeSlotConfigurationList-Cell-ReconfRqstTDD Unsigned 32-bit integer nbap.TimeSlotConfigurationList_Cell_ReconfRqstTDD
nbap.id_TimeSlotConfigurationList_Cell_SetupRqstTDD id-TimeSlotConfigurationList-Cell-SetupRqstTDD Unsigned 32-bit integer nbap.TimeSlotConfigurationList_Cell_SetupRqstTDD
nbap.id_TimeSlotConfigurationList_LCR_Cell_ReconfRqstTDD id-TimeSlotConfigurationList-LCR-Cell-ReconfRqstTDD Unsigned 32-bit integer nbap.TimeSlotConfigurationList_LCR_Cell_ReconfRqstTDD
nbap.id_TimeSlotConfigurationList_LCR_Cell_SetupRqstTDD id-TimeSlotConfigurationList-LCR-Cell-SetupRqstTDD Unsigned 32-bit integer nbap.TimeSlotConfigurationList_LCR_Cell_SetupRqstTDD
nbap.id_TimeSlotLCR_CM_Rqst id-TimeSlotLCR-CM-Rqst Unsigned 32-bit integer nbap.TimeSlotLCR
nbap.id_TimeslotISCPInfo id-TimeslotISCPInfo Unsigned 32-bit integer nbap.DL_TimeslotISCPInfo
nbap.id_TimeslotISCPInfoList_LCR_DL_PC_RqstTDD id-TimeslotISCPInfoList-LCR-DL-PC-RqstTDD Unsigned 32-bit integer nbap.DL_TimeslotISCPInfoLCR
nbap.id_TimeslotISCP_InformationList_LCR_RL_AdditionRqstTDD id-TimeslotISCP-InformationList-LCR-RL-AdditionRqstTDD Unsigned 32-bit integer nbap.DL_TimeslotISCPInfoLCR
nbap.id_TimeslotISCP_LCR_InfoList_RL_ReconfPrepTDD id-TimeslotISCP-LCR-InfoList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.DL_TimeslotISCPInfoLCR
nbap.id_TimeslotISCP_LCR_InfoList_RL_SetupRqstTDD id-TimeslotISCP-LCR-InfoList-RL-SetupRqstTDD Unsigned 32-bit integer nbap.DL_TimeslotISCPInfoLCR
nbap.id_TimingAdjustmentValueLCR id-TimingAdjustmentValueLCR Unsigned 32-bit integer nbap.TimingAdjustmentValueLCR
nbap.id_TimingAdvanceApplied id-TimingAdvanceApplied Unsigned 32-bit integer nbap.TimingAdvanceApplied
nbap.id_TnlQos id-TnlQos Unsigned 32-bit integer nbap.TnlQos
nbap.id_TransmissionDiversityApplied id-TransmissionDiversityApplied Boolean nbap.TransmissionDiversityApplied
nbap.id_Transmission_Gap_Pattern_Sequence_Information id-Transmission-Gap-Pattern-Sequence-Information Unsigned 32-bit integer nbap.Transmission_Gap_Pattern_Sequence_Information
nbap.id_TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmission id-TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmission Unsigned 32-bit integer nbap.TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue
nbap.id_TransmittedCarrierPowerOfAllCodesNotUsedForHS_PDSCH_HS_SCCH_E_AGCH_E_RGCHOrE_HICHTransmissionCellPortion id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortion Unsigned 32-bit integer nbap.TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue
nbap.id_TransmittedCarrierPowerOfAllCodesNotUsedForHS_PDSCH_HS_SCCH_E_AGCH_E_RGCHOrE_HICHTransmissionCellPortionValue id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue Unsigned 32-bit integer nbap.TransmittedCarrierPowerOfAllCodesNotUsedForHS_PDSCH_HS_SCCH_E_AGCH_E_RGCHOrE_HICHTransmissionCellPortionValue
nbap.id_Transmitted_Carrier_Power_For_CellPortion id-Transmitted-Carrier-Power-For-CellPortion Unsigned 32-bit integer nbap.Transmitted_Carrier_Power_Value
nbap.id_Transmitted_Carrier_Power_For_CellPortion_Value id-Transmitted-Carrier-Power-For-CellPortion-Value Unsigned 32-bit integer nbap.Transmitted_Carrier_Power_For_CellPortion_Value
nbap.id_Tstd_indicator id-Tstd-indicator Unsigned 32-bit integer nbap.TSTD_Indicator
nbap.id_TypeOfError id-TypeOfError Unsigned 32-bit integer nbap.TypeOfError
nbap.id_UARFCNforNd id-UARFCNforNd Unsigned 32-bit integer nbap.UARFCN
nbap.id_UARFCNforNt id-UARFCNforNt Unsigned 32-bit integer nbap.UARFCN
nbap.id_UARFCNforNu id-UARFCNforNu Unsigned 32-bit integer nbap.UARFCN
nbap.id_UL_CCTrCH_InformationAddList_RL_ReconfPrepTDD id-UL-CCTrCH-InformationAddList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.UL_CCTrCH_InformationAddList_RL_ReconfPrepTDD
nbap.id_UL_CCTrCH_InformationDeleteItem_RL_ReconfRqstTDD id-UL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD No value nbap.UL_CCTrCH_InformationDeleteItem_RL_ReconfRqstTDD
nbap.id_UL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD id-UL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.UL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD
nbap.id_UL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD id-UL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD Unsigned 32-bit integer nbap.UL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD
nbap.id_UL_CCTrCH_InformationItem_RL_SetupRqstTDD id-UL-CCTrCH-InformationItem-RL-SetupRqstTDD No value nbap.UL_CCTrCH_InformationItem_RL_SetupRqstTDD
nbap.id_UL_CCTrCH_InformationList_RL_AdditionRqstTDD id-UL-CCTrCH-InformationList-RL-AdditionRqstTDD Unsigned 32-bit integer nbap.UL_CCTrCH_InformationList_RL_SetupRqstTDD
nbap.id_UL_CCTrCH_InformationList_RL_SetupRqstTDD id-UL-CCTrCH-InformationList-RL-SetupRqstTDD Unsigned 32-bit integer nbap.UL_CCTrCH_InformationList_RL_SetupRqstTDD
nbap.id_UL_CCTrCH_InformationModifyItem_RL_ReconfRqstTDD id-UL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD No value nbap.UL_CCTrCH_InformationModifyItem_RL_ReconfRqstTDD
nbap.id_UL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD id-UL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.UL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD
nbap.id_UL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD id-UL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD Unsigned 32-bit integer nbap.UL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD
nbap.id_UL_DPCH_InformationAddListIE_RL_ReconfPrepTDD id-UL-DPCH-InformationAddListIE-RL-ReconfPrepTDD No value nbap.UL_DPCH_InformationAddItem_RL_ReconfPrepTDD
nbap.id_UL_DPCH_InformationItem_LCR_RL_AdditionRqstTDD id-UL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD No value nbap.UL_DPCH_InformationItem_LCR_RL_AdditionRqstTDD
nbap.id_UL_DPCH_InformationItem_RL_AdditionRqstTDD id-UL-DPCH-InformationItem-RL-AdditionRqstTDD No value nbap.UL_DPCH_InformationItem_RL_AdditionRqstTDD
nbap.id_UL_DPCH_InformationList_RL_SetupRqstTDD id-UL-DPCH-InformationList-RL-SetupRqstTDD No value nbap.UL_DPCH_InformationItem_RL_SetupRqstTDD
nbap.id_UL_DPCH_InformationModify_AddListIE_RL_ReconfPrepTDD id-UL-DPCH-InformationModify-AddListIE-RL-ReconfPrepTDD No value nbap.UL_DPCH_InformationModify_AddItem_RL_ReconfPrepTDD
nbap.id_UL_DPCH_InformationModify_DeleteListIE_RL_ReconfPrepTDD id-UL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.UL_DPCH_InformationModify_DeleteListIE_RL_ReconfPrepTDD
nbap.id_UL_DPCH_InformationModify_ModifyListIE_RL_ReconfPrepTDD id-UL-DPCH-InformationModify-ModifyListIE-RL-ReconfPrepTDD No value nbap.UL_DPCH_InformationModify_ModifyItem_RL_ReconfPrepTDD
nbap.id_UL_DPCH_Information_RL_ReconfPrepFDD id-UL-DPCH-Information-RL-ReconfPrepFDD No value nbap.UL_DPCH_Information_RL_ReconfPrepFDD
nbap.id_UL_DPCH_Information_RL_ReconfRqstFDD id-UL-DPCH-Information-RL-ReconfRqstFDD No value nbap.UL_DPCH_Information_RL_ReconfRqstFDD
nbap.id_UL_DPCH_Information_RL_SetupRqstFDD id-UL-DPCH-Information-RL-SetupRqstFDD No value nbap.UL_DPCH_Information_RL_SetupRqstFDD
nbap.id_UL_DPCH_LCR_InformationAddListIE_RL_ReconfPrepTDD id-UL-DPCH-LCR-InformationAddListIE-RL-ReconfPrepTDD No value nbap.UL_DPCH_LCR_InformationAddList_RL_ReconfPrepTDD
nbap.id_UL_DPCH_LCR_InformationModify_AddList id-UL-DPCH-LCR-InformationModify-AddList No value nbap.UL_DPCH_LCR_InformationModify_AddList_RL_ReconfPrepTDD
nbap.id_UL_DPCH_LCR_Information_RL_SetupRqstTDD id-UL-DPCH-LCR-Information-RL-SetupRqstTDD No value nbap.UL_DPCH_LCR_Information_RL_SetupRqstTDD
nbap.id_UL_DPCH_TimeSlotFormat_LCR_ModifyItem_RL_ReconfPrepTDD id-UL-DPCH-TimeSlotFormat-LCR-ModifyItem-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.TDD_UL_DPCH_TimeSlotFormat_LCR
nbap.id_UL_DPDCH_Indicator_For_E_DCH_Operation id-UL-DPDCH-Indicator-For-E-DCH-Operation Unsigned 32-bit integer nbap.UL_DPDCH_Indicator_For_E_DCH_Operation
nbap.id_UL_SIRTarget id-UL-SIRTarget Signed 32-bit integer nbap.UL_SIR
nbap.id_UL_Synchronisation_Parameters_LCR id-UL-Synchronisation-Parameters-LCR No value nbap.UL_Synchronisation_Parameters_LCR
nbap.id_UL_TimeslotLCR_Information_RL_ReconfPrepTDD id-UL-TimeslotLCR-Information-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.UL_TimeslotLCR_InformationModify_ModifyList_RL_ReconfPrepTDD
nbap.id_USCH_Information id-USCH-Information Unsigned 32-bit integer nbap.USCH_Information
nbap.id_USCH_InformationResponse id-USCH-InformationResponse Unsigned 32-bit integer nbap.USCH_InformationResponse
nbap.id_USCH_Information_Add id-USCH-Information-Add Unsigned 32-bit integer nbap.USCH_Information
nbap.id_USCH_Information_DeleteList_RL_ReconfPrepTDD id-USCH-Information-DeleteList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.USCH_Information_DeleteList_RL_ReconfPrepTDD
nbap.id_USCH_Information_ModifyList_RL_ReconfPrepTDD id-USCH-Information-ModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.USCH_Information_ModifyList_RL_ReconfPrepTDD
nbap.id_USCH_RearrangeList_Bearer_RearrangeInd id-USCH-RearrangeList-Bearer-RearrangeInd Unsigned 32-bit integer nbap.USCH_RearrangeList_Bearer_RearrangeInd
nbap.id_Unidirectional_DCH_Indicator id-Unidirectional-DCH-Indicator Unsigned 32-bit integer nbap.Unidirectional_DCH_Indicator
nbap.id_Unsuccessful_PDSCHSetItem_PSCH_ReconfFailureTDD id-Unsuccessful-PDSCHSetItem-PSCH-ReconfFailureTDD No value nbap.Unsuccessful_PDSCHSetItem_PSCH_ReconfFailureTDD
nbap.id_Unsuccessful_PUSCHSetItem_PSCH_ReconfFailureTDD id-Unsuccessful-PUSCHSetItem-PSCH-ReconfFailureTDD No value nbap.Unsuccessful_PUSCHSetItem_PSCH_ReconfFailureTDD
nbap.id_Unsuccessful_RL_InformationRespItem_RL_AdditionFailureFDD id-Unsuccessful-RL-InformationRespItem-RL-AdditionFailureFDD No value nbap.Unsuccessful_RL_InformationRespItem_RL_AdditionFailureFDD
nbap.id_Unsuccessful_RL_InformationRespItem_RL_SetupFailureFDD id-Unsuccessful-RL-InformationRespItem-RL-SetupFailureFDD No value nbap.Unsuccessful_RL_InformationRespItem_RL_SetupFailureFDD
nbap.id_Unsuccessful_RL_InformationResp_RL_AdditionFailureTDD id-Unsuccessful-RL-InformationResp-RL-AdditionFailureTDD No value nbap.Unsuccessful_RL_InformationResp_RL_AdditionFailureTDD
nbap.id_Unsuccessful_RL_InformationResp_RL_SetupFailureTDD id-Unsuccessful-RL-InformationResp-RL-SetupFailureTDD No value nbap.Unsuccessful_RL_InformationResp_RL_SetupFailureTDD
nbap.id_Unsuccessful_cell_InformationRespItem_SyncAdjustmntFailureTDD id-Unsuccessful-cell-InformationRespItem-SyncAdjustmntFailureTDD No value nbap.Unsuccessful_cell_InformationRespItem_SyncAdjustmntFailureTDD
nbap.id_UpPTSInterferenceValue id-UpPTSInterferenceValue Unsigned 32-bit integer nbap.UpPTSInterferenceValue
nbap.id_audit id-audit No value nbap.AuditRequest
nbap.id_auditRequired id-auditRequired No value nbap.AuditRequiredIndication
nbap.id_bindingID id-bindingID Byte array nbap.BindingID
nbap.id_blockResource id-blockResource No value nbap.BlockResourceRequest
nbap.id_cellDeletion id-cellDeletion No value nbap.CellDeletionRequest
nbap.id_cellReconfiguration id-cellReconfiguration No value nbap.CellReconfigurationRequestFDD
nbap.id_cellReconfiguration_tdd id-cellReconfiguration-tdd No value nbap.CellReconfigurationRequestTDD
nbap.id_cellSetup id-cellSetup No value nbap.CellSetupRequestFDD
nbap.id_cellSetup_tdd id-cellSetup-tdd No value nbap.CellSetupRequestTDD
nbap.id_cellSyncBurstRepetitionPeriod id-cellSyncBurstRepetitionPeriod Unsigned 32-bit integer nbap.CellSyncBurstRepetitionPeriod
nbap.id_cellSynchronisationAdjustment id-cellSynchronisationAdjustment No value nbap.CellSynchronisationAdjustmentRequestTDD
nbap.id_cellSynchronisationFailure id-cellSynchronisationFailure No value nbap.CellSynchronisationFailureIndicationTDD
nbap.id_cellSynchronisationInitiation id-cellSynchronisationInitiation No value nbap.CellSynchronisationInitiationRequestTDD
nbap.id_cellSynchronisationReconfiguration id-cellSynchronisationReconfiguration No value nbap.CellSynchronisationReconfigurationRequestTDD
nbap.id_cellSynchronisationReporting id-cellSynchronisationReporting No value nbap.CellSynchronisationReportTDD
nbap.id_cellSynchronisationTermination id-cellSynchronisationTermination No value nbap.CellSynchronisationTerminationRequestTDD
nbap.id_commonMeasurementFailure id-commonMeasurementFailure No value nbap.CommonMeasurementFailureIndication
nbap.id_commonMeasurementInitiation id-commonMeasurementInitiation No value nbap.CommonMeasurementInitiationRequest
nbap.id_commonMeasurementReport id-commonMeasurementReport No value nbap.CommonMeasurementReport
nbap.id_commonMeasurementTermination id-commonMeasurementTermination No value nbap.CommonMeasurementTerminationRequest
nbap.id_commonTransportChannelDelete id-commonTransportChannelDelete No value nbap.CommonTransportChannelDeletionRequest
nbap.id_commonTransportChannelReconfigure id-commonTransportChannelReconfigure No value nbap.CommonTransportChannelReconfigurationRequestFDD
nbap.id_commonTransportChannelReconfigure_tdd id-commonTransportChannelReconfigure-tdd No value nbap.CommonTransportChannelReconfigurationRequestTDD
nbap.id_commonTransportChannelSetup id-commonTransportChannelSetup No value nbap.CommonTransportChannelSetupRequestFDD
nbap.id_commonTransportChannelSetup_tdd id-commonTransportChannelSetup-tdd No value nbap.CommonTransportChannelSetupRequestTDD
nbap.id_compressedModeCommand id-compressedModeCommand No value nbap.CompressedModeCommand
nbap.id_dedicatedMeasurementFailure id-dedicatedMeasurementFailure No value nbap.DedicatedMeasurementFailureIndication
nbap.id_dedicatedMeasurementInitiation id-dedicatedMeasurementInitiation No value nbap.DedicatedMeasurementInitiationRequest
nbap.id_dedicatedMeasurementReport id-dedicatedMeasurementReport No value nbap.DedicatedMeasurementReport
nbap.id_dedicatedMeasurementTermination id-dedicatedMeasurementTermination No value nbap.DedicatedMeasurementTerminationRequest
nbap.id_downlinkPowerControl id-downlinkPowerControl No value nbap.DL_PowerControlRequest
nbap.id_downlinkPowerTimeslotControl id-downlinkPowerTimeslotControl No value nbap.DL_PowerTimeslotControlRequest
nbap.id_errorIndicationForCommon id-errorIndicationForCommon No value nbap.ErrorIndication
nbap.id_errorIndicationForDedicated id-errorIndicationForDedicated No value nbap.ErrorIndication
nbap.id_informationExchangeFailure id-informationExchangeFailure No value nbap.InformationExchangeFailureIndication
nbap.id_informationExchangeInitiation id-informationExchangeInitiation No value nbap.InformationExchangeInitiationRequest
nbap.id_informationExchangeTermination id-informationExchangeTermination No value nbap.InformationExchangeTerminationRequest
nbap.id_informationReporting id-informationReporting No value nbap.InformationReport
nbap.id_mBMSNotificationUpdate id-mBMSNotificationUpdate No value nbap.MBMSNotificationUpdateCommand
nbap.id_maxFACH_Power_LCR_CTCH_ReconfRqstTDD id-maxFACH-Power-LCR-CTCH-ReconfRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_maxFACH_Power_LCR_CTCH_SetupRqstTDD id-maxFACH-Power-LCR-CTCH-SetupRqstTDD Signed 32-bit integer nbap.DL_Power
nbap.id_multipleRL_dl_CCTrCH_InformationModifyList_RL_ReconfRqstTDD id-multipleRL-dl-CCTrCH-InformationModifyList-RL-ReconfRqstTDD Unsigned 32-bit integer nbap.MultipleRL_DL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD
nbap.id_multipleRL_ul_DPCH_InformationList id-multipleRL-ul-DPCH-InformationList Unsigned 32-bit integer nbap.MultipleRL_UL_DPCH_InformationAddList_RL_ReconfPrepTDD
nbap.id_multipleRL_ul_DPCH_InformationModifyList id-multipleRL-ul-DPCH-InformationModifyList Unsigned 32-bit integer nbap.MultipleRL_UL_DPCH_InformationModifyList_RL_ReconfPrepTDD
nbap.id_multiple_DedicatedMeasurementValueList_LCR_TDD_DM_Rsp id-multiple-DedicatedMeasurementValueList-LCR-TDD-DM-Rsp Unsigned 32-bit integer nbap.Multiple_DedicatedMeasurementValueList_LCR_TDD_DM_Rsp
nbap.id_multiple_DedicatedMeasurementValueList_TDD_DM_Rsp id-multiple-DedicatedMeasurementValueList-TDD-DM-Rsp Unsigned 32-bit integer nbap.Multiple_DedicatedMeasurementValueList_TDD_DM_Rsp
nbap.id_multiple_PUSCH_InfoList_DM_Rprt id-multiple-PUSCH-InfoList-DM-Rprt Unsigned 32-bit integer nbap.Multiple_PUSCH_InfoList_DM_Rprt
nbap.id_multiple_PUSCH_InfoList_DM_Rsp id-multiple-PUSCH-InfoList-DM-Rsp Unsigned 32-bit integer nbap.Multiple_PUSCH_InfoList_DM_Rsp
nbap.id_multiple_RL_Information_RL_ReconfPrepTDD id-multiple-RL-Information-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.MultipleRL_Information_RL_ReconfPrepTDD
nbap.id_multiple_RL_Information_RL_ReconfRqstTDD id-multiple-RL-Information-RL-ReconfRqstTDD Unsigned 32-bit integer nbap.Multiple_RL_Information_RL_ReconfRqstTDD
nbap.id_neighbouringTDDCellMeasurementInformationLCR id-neighbouringTDDCellMeasurementInformationLCR No value nbap.NeighbouringTDDCellMeasurementInformationLCR
nbap.id_physicalSharedChannelReconfiguration id-physicalSharedChannelReconfiguration No value nbap.PhysicalSharedChannelReconfigurationRequestFDD
nbap.id_physicalSharedChannelReconfiguration_tdd id-physicalSharedChannelReconfiguration-tdd No value nbap.PhysicalSharedChannelReconfigurationRequestTDD
nbap.id_privateMessageForCommon id-privateMessageForCommon No value nbap.PrivateMessage
nbap.id_privateMessageForDedicated id-privateMessageForDedicated No value nbap.PrivateMessage
nbap.id_radioLinkActivation id-radioLinkActivation No value nbap.RadioLinkActivationCommandFDD
nbap.id_radioLinkActivation_tdd id-radioLinkActivation-tdd No value nbap.RadioLinkActivationCommandTDD
nbap.id_radioLinkAddition id-radioLinkAddition No value nbap.RadioLinkAdditionRequestFDD
nbap.id_radioLinkAddition_tdd id-radioLinkAddition-tdd No value nbap.RadioLinkAdditionResponseTDD
nbap.id_radioLinkDeletion id-radioLinkDeletion No value nbap.RadioLinkDeletionRequest
nbap.id_radioLinkFailure id-radioLinkFailure No value nbap.RadioLinkFailureIndication
nbap.id_radioLinkParameterUpdate id-radioLinkParameterUpdate No value nbap.RadioLinkParameterUpdateIndicationFDD
nbap.id_radioLinkParameterUpdate_tdd id-radioLinkParameterUpdate-tdd No value nbap.RadioLinkParameterUpdateIndicationTDD
nbap.id_radioLinkPreemption id-radioLinkPreemption No value nbap.RadioLinkPreemptionRequiredIndication
nbap.id_radioLinkRestoration id-radioLinkRestoration No value nbap.RadioLinkRestoreIndication
nbap.id_radioLinkSetup id-radioLinkSetup No value nbap.RadioLinkSetupRequestFDD
nbap.id_radioLinkSetup_tdd id-radioLinkSetup-tdd No value nbap.RadioLinkSetupRequestTDD
nbap.id_reset id-reset No value nbap.ResetRequest
nbap.id_resourceStatusIndication id-resourceStatusIndication No value nbap.ResourceStatusIndication
nbap.id_synchronisedRadioLinkReconfigurationCancellation id-synchronisedRadioLinkReconfigurationCancellation No value nbap.RadioLinkReconfigurationCancel
nbap.id_synchronisedRadioLinkReconfigurationCommit id-synchronisedRadioLinkReconfigurationCommit No value nbap.RadioLinkReconfigurationCommit
nbap.id_synchronisedRadioLinkReconfigurationPreparation id-synchronisedRadioLinkReconfigurationPreparation No value nbap.RadioLinkReconfigurationPrepareFDD
nbap.id_synchronisedRadioLinkReconfigurationPreparation_tdd id-synchronisedRadioLinkReconfigurationPreparation-tdd No value nbap.RadioLinkReconfigurationPrepareTDD
nbap.id_systemInformationUpdate id-systemInformationUpdate No value nbap.SystemInformationUpdateRequest
nbap.id_timeslotInfo_CellSyncInitiationRqstTDD id-timeslotInfo-CellSyncInitiationRqstTDD Unsigned 32-bit integer nbap.TimeslotInfo_CellSyncInitiationRqstTDD
nbap.id_transportlayeraddress id-transportlayeraddress Byte array nbap.TransportLayerAddress
nbap.id_unSynchronisedRadioLinkReconfiguration id-unSynchronisedRadioLinkReconfiguration No value nbap.RadioLinkReconfigurationRequestFDD
nbap.id_unSynchronisedRadioLinkReconfiguration_tdd id-unSynchronisedRadioLinkReconfiguration-tdd No value nbap.RadioLinkReconfigurationRequestTDD
nbap.id_unblockResource id-unblockResource No value nbap.UnblockResourceIndication
nbap.idot_nav idot-nav Byte array nbap.BIT_STRING_SIZE_14
nbap.ie_Extensions ie-Extensions Unsigned 32-bit integer nbap.ProtocolExtensionContainer
nbap.ie_length IE Length Unsigned 32-bit integer Number of octets in the IE
nbap.implicit implicit No value nbap.HARQ_MemoryPartitioning_Implicit
nbap.informationAvailable informationAvailable No value nbap.InformationAvailable
nbap.information_Type_Item information-Type-Item Unsigned 32-bit integer nbap.Information_Type_Item
nbap.information_thresholds information-thresholds Unsigned 32-bit integer nbap.InformationThresholds
nbap.informationnotAvailable informationnotAvailable No value nbap.InformationnotAvailable
nbap.initialDLTransPower initialDLTransPower Signed 32-bit integer nbap.DL_Power
nbap.initialDL_TransmissionPower initialDL-TransmissionPower Signed 32-bit integer nbap.DL_Power
nbap.initialDL_transmissionPower initialDL-transmissionPower Signed 32-bit integer nbap.DL_Power
nbap.initialOffset initialOffset Unsigned 32-bit integer nbap.INTEGER_0_255
nbap.initialPhase initialPhase Unsigned 32-bit integer nbap.INTEGER_0_1048575_
nbap.initial_DL_Transmission_Power initial-DL-Transmission-Power Signed 32-bit integer nbap.DL_Power
nbap.initial_dl_tx_power initial-dl-tx-power Signed 32-bit integer nbap.DL_Power
nbap.initiatingMessage initiatingMessage No value nbap.InitiatingMessage
nbap.initiatingMessageValue initiatingMessageValue No value nbap.InitiatingMessageValue
nbap.innerLoopDLPCStatus innerLoopDLPCStatus Unsigned 32-bit integer nbap.InnerLoopDLPCStatus
nbap.intStdPhSyncInfo_CellSyncReprtTDD intStdPhSyncInfo-CellSyncReprtTDD No value nbap.IntStdPhCellSyncInfo_CellSyncReprtTDD
nbap.iodc_nav iodc-nav Byte array nbap.BIT_STRING_SIZE_10
nbap.iode_dgps iode-dgps Byte array nbap.BIT_STRING_SIZE_8
nbap.l2_p_dataflag_nav l2-p-dataflag-nav Byte array nbap.BIT_STRING_SIZE_1
nbap.lCR_TDD lCR-TDD No value nbap.MICH_LCR_Parameters_CTCH_SetupRqstTDD
nbap.lateEntrantCell lateEntrantCell No value nbap.NULL
nbap.latitude latitude Unsigned 32-bit integer nbap.INTEGER_0_8388607
nbap.latitudeSign latitudeSign Unsigned 32-bit integer nbap.T_latitudeSign
nbap.limitedPowerIncrease limitedPowerIncrease Unsigned 32-bit integer nbap.LimitedPowerIncrease
nbap.local local Unsigned 32-bit integer nbap.INTEGER_0_65535
nbap.local_CellID local-CellID Unsigned 32-bit integer nbap.Local_Cell_ID
nbap.local_Cell_Group_ID local-Cell-Group-ID Unsigned 32-bit integer nbap.Local_Cell_ID
nbap.local_Cell_Group_InformationList local-Cell-Group-InformationList Unsigned 32-bit integer nbap.Local_Cell_Group_InformationList_ResourceStatusInd
nbap.local_Cell_ID local-Cell-ID Unsigned 32-bit integer nbap.Local_Cell_ID
nbap.local_Cell_InformationList local-Cell-InformationList Unsigned 32-bit integer nbap.Local_Cell_InformationList_ResourceStatusInd
nbap.logicalChannelId logicalChannelId Unsigned 32-bit integer nbap.LogicalChannelID
nbap.longTransActionId longTransActionId Unsigned 32-bit integer nbap.INTEGER_0_32767
nbap.longitude longitude Signed 32-bit integer nbap.INTEGER_M8388608_8388607
nbap.ls_part ls-part Unsigned 32-bit integer nbap.INTEGER_0_4294967295
nbap.mAC_hsWindowSize mAC-hsWindowSize Unsigned 32-bit integer nbap.MAC_hsWindowSize
nbap.mACdPDU_Size mACdPDU-Size Unsigned 32-bit integer nbap.MACdPDU_Size
nbap.mACd_PDU_Size_List mACd-PDU-Size-List Unsigned 32-bit integer nbap.E_DCH_MACdPDU_SizeList
nbap.mACesGuaranteedBitRate mACesGuaranteedBitRate Unsigned 32-bit integer nbap.MACesGuaranteedBitRate
nbap.mAChsGuaranteedBitRate mAChsGuaranteedBitRate Unsigned 32-bit integer nbap.MAChsGuaranteedBitRate
nbap.mAChs_Reordering_Buffer_Size_for_RLC_UM mAChs-Reordering-Buffer-Size-for-RLC-UM Unsigned 32-bit integer nbap.MAChsReorderingBufferSize_for_RLC_UM
nbap.mICH_Mode mICH-Mode Unsigned 32-bit integer nbap.MICH_Mode
nbap.mICH_Power mICH-Power Signed 32-bit integer nbap.PICH_Power
nbap.mICH_TDDOption_Specific_Parameters mICH-TDDOption-Specific-Parameters Unsigned 32-bit integer nbap.MICH_TDDOption_Specific_Parameters_CTCH_SetupRqstTDD
nbap.m_zero_alm m-zero-alm Byte array nbap.BIT_STRING_SIZE_24
nbap.m_zero_nav m-zero-nav Byte array nbap.BIT_STRING_SIZE_32
nbap.macdPDU_Size macdPDU-Size Unsigned 32-bit integer nbap.MACdPDU_Size
nbap.macdPDU_Size_Index macdPDU-Size-Index Unsigned 32-bit integer nbap.MACdPDU_Size_Indexlist
nbap.macdPDU_Size_Index_to_Modify macdPDU-Size-Index-to-Modify Unsigned 32-bit integer nbap.MACdPDU_Size_Indexlist_to_Modify
nbap.maxAdjustmentStep maxAdjustmentStep Unsigned 32-bit integer nbap.MaxAdjustmentStep
nbap.maxBits_MACe_PDU_non_scheduled maxBits-MACe-PDU-non-scheduled Unsigned 32-bit integer nbap.Max_Bits_MACe_PDU_non_scheduled
nbap.maxDL_Power maxDL-Power Signed 32-bit integer nbap.DL_Power
nbap.maxFACH_Power maxFACH-Power Signed 32-bit integer nbap.DL_Power
nbap.maxHSDSCH_HSSCCH_Power maxHSDSCH-HSSCCH-Power Unsigned 32-bit integer nbap.MaximumTransmissionPower
nbap.maxNrOfUL_DPDCHs maxNrOfUL-DPDCHs Unsigned 32-bit integer nbap.MaxNrOfUL_DPDCHs
nbap.maxPRACH_MidambleShifts maxPRACH-MidambleShifts Unsigned 32-bit integer nbap.MaxPRACH_MidambleShifts
nbap.maxPowerLCR maxPowerLCR Signed 32-bit integer nbap.DL_Power
nbap.maxSet_E_DPDCHs maxSet-E-DPDCHs Unsigned 32-bit integer nbap.Max_Set_E_DPDCHs
nbap.maximumDL_Power maximumDL-Power Signed 32-bit integer nbap.DL_Power
nbap.maximumDL_PowerCapability maximumDL-PowerCapability Unsigned 32-bit integer nbap.MaximumDL_PowerCapability
nbap.maximumDL_power maximumDL-power Signed 32-bit integer nbap.DL_Power
nbap.maximumTransmissionPowerforCellPortion maximumTransmissionPowerforCellPortion Unsigned 32-bit integer nbap.MaximumTransmissionPower
nbap.maximum_DL_PowerCapability maximum-DL-PowerCapability Unsigned 32-bit integer nbap.MaximumDL_PowerCapability
nbap.maximum_MACdPDU_Size maximum-MACdPDU-Size Unsigned 32-bit integer nbap.MACdPDU_Size
nbap.maximum_Number_of_Retransmissions_For_E_DCH maximum-Number-of-Retransmissions-For-E-DCH Unsigned 32-bit integer nbap.Maximum_Number_of_Retransmissions_For_E_DCH
nbap.measurementAvailable measurementAvailable No value nbap.CommonMeasurementAvailable
nbap.measurementChangeTime measurementChangeTime Unsigned 32-bit integer nbap.ReportCharacteristicsType_ScaledMeasurementChangeTime
nbap.measurementDecreaseThreshold measurementDecreaseThreshold Unsigned 32-bit integer nbap.ReportCharacteristicsType_MeasurementIncreaseDecreaseThreshold
nbap.measurementHysteresisTime measurementHysteresisTime Unsigned 32-bit integer nbap.ReportCharacteristicsType_ScaledMeasurementHysteresisTime
nbap.measurementIncreaseThreshold measurementIncreaseThreshold Unsigned 32-bit integer nbap.ReportCharacteristicsType_MeasurementIncreaseDecreaseThreshold
nbap.measurementThreshold measurementThreshold Unsigned 32-bit integer nbap.ReportCharacteristicsType_MeasurementThreshold
nbap.measurementThreshold1 measurementThreshold1 Unsigned 32-bit integer nbap.ReportCharacteristicsType_MeasurementThreshold
nbap.measurementThreshold2 measurementThreshold2 Unsigned 32-bit integer nbap.ReportCharacteristicsType_MeasurementThreshold
nbap.measurement_Power_Offset measurement-Power-Offset Signed 32-bit integer nbap.Measurement_Power_Offset
nbap.measurementnotAvailable measurementnotAvailable No value nbap.CommonMeasurementnotAvailable
nbap.messageDiscriminator messageDiscriminator Unsigned 32-bit integer nbap.MessageDiscriminator
nbap.midambleAllocationMode midambleAllocationMode Unsigned 32-bit integer nbap.T_midambleAllocationMode
nbap.midambleConfigurationBurstType1And3 midambleConfigurationBurstType1And3 Unsigned 32-bit integer nbap.MidambleConfigurationBurstType1And3
nbap.midambleConfigurationBurstType2 midambleConfigurationBurstType2 Unsigned 32-bit integer nbap.MidambleConfigurationBurstType2
nbap.midambleConfigurationLCR midambleConfigurationLCR Unsigned 32-bit integer nbap.MidambleConfigurationLCR
nbap.midambleShift midambleShift Unsigned 32-bit integer nbap.MidambleShiftLong
nbap.midambleShiftAndBurstType midambleShiftAndBurstType Unsigned 32-bit integer nbap.MidambleShiftAndBurstType
nbap.midambleShiftLCR midambleShiftLCR No value nbap.MidambleShiftLCR
nbap.midambleShiftandBurstType midambleShiftandBurstType Unsigned 32-bit integer nbap.MidambleShiftAndBurstType
nbap.midambleshiftAndBurstType midambleshiftAndBurstType Unsigned 32-bit integer nbap.MidambleShiftAndBurstType
nbap.min min Unsigned 32-bit integer nbap.ReportPeriodicity_Scaledmin
nbap.minDL_Power minDL-Power Signed 32-bit integer nbap.DL_Power
nbap.minPowerLCR minPowerLCR Signed 32-bit integer nbap.DL_Power
nbap.minSpreadingFactor minSpreadingFactor Unsigned 32-bit integer nbap.MinSpreadingFactor
nbap.minUL_ChannelisationCodeLength minUL-ChannelisationCodeLength Unsigned 32-bit integer nbap.MinUL_ChannelisationCodeLength
nbap.minimumDL_Power minimumDL-Power Signed 32-bit integer nbap.DL_Power
nbap.minimumDL_PowerCapability minimumDL-PowerCapability Unsigned 32-bit integer nbap.MinimumDL_PowerCapability
nbap.minimumDL_power minimumDL-power Signed 32-bit integer nbap.DL_Power
nbap.misc misc Unsigned 32-bit integer nbap.CauseMisc
nbap.missed_HS_SICH missed-HS-SICH Unsigned 32-bit integer nbap.HS_SICH_missed
nbap.mode mode Unsigned 32-bit integer nbap.TransportFormatSet_ModeDP
nbap.modifyPriorityQueue modifyPriorityQueue No value nbap.PriorityQueue_InfoItem_to_Modify
nbap.modulation modulation Unsigned 32-bit integer nbap.Modulation
nbap.ms_part ms-part Unsigned 32-bit integer nbap.INTEGER_0_16383
nbap.msec msec Unsigned 32-bit integer nbap.MeasurementChangeTime_Scaledmsec
nbap.multiplexingPosition multiplexingPosition Unsigned 32-bit integer nbap.MultiplexingPosition
nbap.n_INSYNC_IND n-INSYNC-IND Unsigned 32-bit integer nbap.N_INSYNC_IND
nbap.n_OUTSYNC_IND n-OUTSYNC-IND Unsigned 32-bit integer nbap.N_OUTSYNC_IND
nbap.nackPowerOffset nackPowerOffset Unsigned 32-bit integer nbap.Nack_Power_Offset
nbap.neighbouringFDDCellMeasurementInformation neighbouringFDDCellMeasurementInformation No value nbap.NeighbouringFDDCellMeasurementInformation
nbap.neighbouringTDDCellMeasurementInformation neighbouringTDDCellMeasurementInformation No value nbap.NeighbouringTDDCellMeasurementInformation
nbap.new_secondary_CPICH new-secondary-CPICH Unsigned 32-bit integer nbap.CommonPhysicalChannelID
nbap.no_Deletion no-Deletion No value nbap.No_Deletion_SystemInfoUpdate
nbap.no_Failure no-Failure No value nbap.No_Failure_ResourceStatusInd
nbap.no_Split_in_TFCI no-Split-in-TFCI Unsigned 32-bit integer nbap.TFCS_TFCSList
nbap.no_bad_satellites no-bad-satellites No value nbap.NULL
nbap.nodeB nodeB No value nbap.NULL
nbap.nodeB_CommunicationContextID nodeB-CommunicationContextID Unsigned 32-bit integer nbap.NodeB_CommunicationContextID
nbap.noinitialOffset noinitialOffset Unsigned 32-bit integer nbap.INTEGER_0_63
nbap.nonCombiningOrFirstRL nonCombiningOrFirstRL No value nbap.NonCombiningOrFirstRL_RL_SetupRspFDD
nbap.non_Combining non-Combining No value nbap.Non_Combining_RL_AdditionRspTDD
nbap.non_combining non-combining No value nbap.Non_Combining_RL_AdditionRspFDD
nbap.notApplicable notApplicable No value nbap.NULL
nbap.notUsed_1_acknowledged_PCPCH_access_preambles notUsed-1-acknowledged-PCPCH-access-preambles No value nbap.NULL
nbap.notUsed_1_pCPCH_InformationList notUsed-1-pCPCH-InformationList No value nbap.NULL
nbap.notUsed_2_cPCH_InformationList notUsed-2-cPCH-InformationList No value nbap.NULL
nbap.notUsed_2_detected_PCPCH_access_preambles notUsed-2-detected-PCPCH-access-preambles No value nbap.NULL
nbap.notUsed_3_aP_AICH_InformationList notUsed-3-aP-AICH-InformationList No value nbap.NULL
nbap.notUsed_4_cDCA_ICH_InformationList notUsed-4-cDCA-ICH-InformationList No value nbap.NULL
nbap.notUsed_cPCH notUsed-cPCH No value nbap.NULL
nbap.notUsed_cPCH_parameters notUsed-cPCH-parameters No value nbap.NULL
nbap.notUsed_pCPCHes_parameters notUsed-pCPCHes-parameters No value nbap.NULL
nbap.not_Used_dSCH_InformationResponseList not-Used-dSCH-InformationResponseList No value nbap.NULL
nbap.not_Used_lengthOfTFCI2 not-Used-lengthOfTFCI2 No value nbap.NULL
nbap.not_Used_pDSCH_CodeMapping not-Used-pDSCH-CodeMapping No value nbap.NULL
nbap.not_Used_pDSCH_RL_ID not-Used-pDSCH-RL-ID No value nbap.NULL
nbap.not_Used_sSDT_CellIDLength not-Used-sSDT-CellIDLength No value nbap.NULL
nbap.not_Used_sSDT_CellID_Length not-Used-sSDT-CellID-Length No value nbap.NULL
nbap.not_Used_sSDT_CellIdentity not-Used-sSDT-CellIdentity No value nbap.NULL
nbap.not_Used_sSDT_Cell_Identity not-Used-sSDT-Cell-Identity No value nbap.NULL
nbap.not_Used_sSDT_Indication not-Used-sSDT-Indication No value nbap.NULL
nbap.not_Used_s_FieldLength not-Used-s-FieldLength No value nbap.NULL
nbap.not_Used_splitType not-Used-splitType No value nbap.NULL
nbap.not_Used_split_in_TFCI not-Used-split-in-TFCI No value nbap.NULL
nbap.not_Used_tFCI2_BearerInformationResponse not-Used-tFCI2-BearerInformationResponse No value nbap.NULL
nbap.not_to_be_used_1 not-to-be-used-1 Unsigned 32-bit integer nbap.GapDuration
nbap.notificationIndicatorLength notificationIndicatorLength Unsigned 32-bit integer nbap.NotificationIndicatorLength
nbap.nrOfTransportBlocks nrOfTransportBlocks Unsigned 32-bit integer nbap.TransportFormatSet_NrOfTransportBlocks
nbap.number_of_HS_PDSCH_codes number-of-HS-PDSCH-codes Unsigned 32-bit integer nbap.INTEGER_0_15
nbap.number_of_Processes number-of-Processes Unsigned 32-bit integer nbap.INTEGER_1_8_
nbap.omega_zero_nav omega-zero-nav Byte array nbap.BIT_STRING_SIZE_32
nbap.omegadot_alm omegadot-alm Byte array nbap.BIT_STRING_SIZE_16
nbap.omegadot_nav omegadot-nav Byte array nbap.BIT_STRING_SIZE_24
nbap.omegazero_alm omegazero-alm Byte array nbap.BIT_STRING_SIZE_24
nbap.onDemand onDemand No value nbap.NULL
nbap.onModification onModification No value nbap.InformationReportCharacteristicsType_OnModification
nbap.outcome outcome No value nbap.Outcome
nbap.outcomeValue outcomeValue No value nbap.OutcomeValue
nbap.pCCPCH_Power pCCPCH-Power Signed 32-bit integer nbap.PCCPCH_Power
nbap.pCH_CCTrCH_ID pCH-CCTrCH-ID Unsigned 32-bit integer nbap.CCTrCH_ID
nbap.pCH_Information pCH-Information No value nbap.PCH_Information_AuditRsp
nbap.pCH_Parameters pCH-Parameters No value nbap.PCH_Parameters_CTCH_SetupRqstFDD
nbap.pCH_Parameters_CTCH_ReconfRqstFDD pCH-Parameters-CTCH-ReconfRqstFDD No value nbap.PCH_Parameters_CTCH_ReconfRqstFDD
nbap.pCH_Power pCH-Power Signed 32-bit integer nbap.DL_Power
nbap.pDSCHSet_ID pDSCHSet-ID Unsigned 32-bit integer nbap.PDSCHSet_ID
nbap.pDSCH_ID pDSCH-ID Unsigned 32-bit integer nbap.PDSCH_ID
nbap.pDSCH_InformationList pDSCH-InformationList No value nbap.PDSCH_Information_AddList_PSCH_ReconfRqst
nbap.pICH_Information pICH-Information No value nbap.PICH_Information_AuditRsp
nbap.pICH_Mode pICH-Mode Unsigned 32-bit integer nbap.PICH_Mode
nbap.pICH_Parameters pICH-Parameters No value nbap.PICH_Parameters_CTCH_SetupRqstFDD
nbap.pICH_Parameters_CTCH_ReconfRqstFDD pICH-Parameters-CTCH-ReconfRqstFDD No value nbap.PICH_Parameters_CTCH_ReconfRqstFDD
nbap.pICH_Power pICH-Power Signed 32-bit integer nbap.PICH_Power
nbap.pO1_ForTFCI_Bits pO1-ForTFCI-Bits Unsigned 32-bit integer nbap.PowerOffset
nbap.pO2_ForTPC_Bits pO2-ForTPC-Bits Unsigned 32-bit integer nbap.PowerOffset
nbap.pO3_ForPilotBits pO3-ForPilotBits Unsigned 32-bit integer nbap.PowerOffset
nbap.pRACH_InformationList pRACH-InformationList Unsigned 32-bit integer nbap.PRACH_InformationList_AuditRsp
nbap.pRACH_Midamble pRACH-Midamble Unsigned 32-bit integer nbap.PRACH_Midamble
nbap.pRACH_ParametersList_CTCH_ReconfRqstFDD pRACH-ParametersList-CTCH-ReconfRqstFDD No value nbap.PRACH_ParametersList_CTCH_ReconfRqstFDD
nbap.pRACH_Parameters_CTCH_SetupRqstTDD pRACH-Parameters-CTCH-SetupRqstTDD No value nbap.PRACH_Parameters_CTCH_SetupRqstTDD
nbap.pRACH_parameters pRACH-parameters No value nbap.PRACH_CTCH_SetupRqstFDD
nbap.pUSCHSet_ID pUSCHSet-ID Unsigned 32-bit integer nbap.PUSCHSet_ID
nbap.pUSCH_ID pUSCH-ID Unsigned 32-bit integer nbap.PUSCH_ID
nbap.pUSCH_InformationList pUSCH-InformationList No value nbap.PUSCH_Information_AddList_PSCH_ReconfRqst
nbap.pagingIndicatorLength pagingIndicatorLength Unsigned 32-bit integer nbap.PagingIndicatorLength
nbap.payloadCRC_PresenceIndicator payloadCRC-PresenceIndicator Unsigned 32-bit integer nbap.PayloadCRC_PresenceIndicator
nbap.pdu_length PDU Length Unsigned 32-bit integer Number of octets in the PDU
nbap.periodic periodic Unsigned 32-bit integer nbap.InformationReportCharacteristicsType_ReportPeriodicity
nbap.powerAdjustmentType powerAdjustmentType Unsigned 32-bit integer nbap.PowerAdjustmentType
nbap.powerLocalCellGroupID powerLocalCellGroupID Unsigned 32-bit integer nbap.Local_Cell_ID
nbap.powerOffsetInformation powerOffsetInformation No value nbap.PowerOffsetInformation_CTCH_SetupRqstFDD
nbap.powerRaiseLimit powerRaiseLimit Unsigned 32-bit integer nbap.PowerRaiseLimit
nbap.power_Local_Cell_Group_ID power-Local-Cell-Group-ID Unsigned 32-bit integer nbap.Local_Cell_ID
nbap.prc prc Signed 32-bit integer nbap.PRC
nbap.prcdeviation prcdeviation Unsigned 32-bit integer nbap.PRCDeviation
nbap.pre_emptionCapability pre-emptionCapability Unsigned 32-bit integer nbap.Pre_emptionCapability
nbap.pre_emptionVulnerability pre-emptionVulnerability Unsigned 32-bit integer nbap.Pre_emptionVulnerability
nbap.preambleSignatures preambleSignatures Byte array nbap.PreambleSignatures
nbap.preambleThreshold preambleThreshold Unsigned 32-bit integer nbap.PreambleThreshold
nbap.predictedSFNSFNDeviationLimit predictedSFNSFNDeviationLimit Unsigned 32-bit integer nbap.PredictedSFNSFNDeviationLimit
nbap.predictedTUTRANGPSDeviationLimit predictedTUTRANGPSDeviationLimit Unsigned 32-bit integer nbap.PredictedTUTRANGPSDeviationLimit
nbap.primaryCPICH_Power primaryCPICH-Power Signed 32-bit integer nbap.PrimaryCPICH_Power
nbap.primarySCH_Power primarySCH-Power Signed 32-bit integer nbap.DL_Power
nbap.primaryScramblingCode primaryScramblingCode Unsigned 32-bit integer nbap.PrimaryScramblingCode
nbap.primary_CCPCH_Information primary-CCPCH-Information No value nbap.P_CCPCH_Information_AuditRsp
nbap.primary_CPICH_Information primary-CPICH-Information No value nbap.P_CPICH_Information_AuditRsp
nbap.primary_SCH_Information primary-SCH-Information No value nbap.P_SCH_Information_AuditRsp
nbap.primary_Secondary_Grant_Selector primary-Secondary-Grant-Selector Unsigned 32-bit integer nbap.E_Primary_Secondary_Grant_Selector
nbap.primary_e_RNTI primary-e-RNTI Unsigned 32-bit integer nbap.E_RNTI
nbap.priorityLevel priorityLevel Unsigned 32-bit integer nbap.PriorityLevel
nbap.priorityQueueId priorityQueueId Unsigned 32-bit integer nbap.PriorityQueue_Id
nbap.priorityQueueInfotoModify priorityQueueInfotoModify Unsigned 32-bit integer nbap.PriorityQueue_InfoList_to_Modify
nbap.priorityQueueInfotoModifyUnsynchronised priorityQueueInfotoModifyUnsynchronised Unsigned 32-bit integer nbap.PriorityQueue_InfoList_to_Modify_Unsynchronised
nbap.priorityQueue_Info priorityQueue-Info Unsigned 32-bit integer nbap.PriorityQueue_InfoList
nbap.privateIEid privateIEid Unsigned 32-bit integer nbap.PrivateIE_ID
nbap.privateIEs privateIEs Unsigned 32-bit integer nbap.PrivateIE_Container
nbap.privateIEvalue privateIEvalue No value nbap.PrivateIEvalue
nbap.procedureCode procedureCode Unsigned 32-bit integer nbap.ProcedureCode
nbap.procedureCriticality procedureCriticality Unsigned 32-bit integer nbap.Criticality
nbap.procedureID procedureID No value nbap.ProcedureID
nbap.process_Memory_Size process-Memory-Size Unsigned 32-bit integer nbap.T_process_Memory_Size
nbap.propagationDelay propagationDelay Unsigned 32-bit integer nbap.PropagationDelay
nbap.propagationDelayCompensation propagationDelayCompensation Unsigned 32-bit integer nbap.TimingAdjustmentValueLCR
nbap.propagation_delay propagation-delay Unsigned 32-bit integer nbap.PropagationDelay
nbap.protocol protocol Unsigned 32-bit integer nbap.CauseProtocol
nbap.protocolExtensions protocolExtensions Unsigned 32-bit integer nbap.ProtocolExtensionContainer
nbap.protocolIEs protocolIEs Unsigned 32-bit integer nbap.ProtocolIE_Container
nbap.punctureLimit punctureLimit Unsigned 32-bit integer nbap.PunctureLimit
nbap.qE_Selector qE-Selector Unsigned 32-bit integer nbap.QE_Selector
nbap.qPSK qPSK Unsigned 32-bit integer nbap.QPSK_DL_DPCH_TimeSlotFormatTDD_LCR
nbap.rACH rACH No value nbap.RACH_Parameter_CTCH_SetupRqstTDD
nbap.rACHSlotFormat rACHSlotFormat Unsigned 32-bit integer nbap.RACH_SlotFormat
nbap.rACH_InformationList rACH-InformationList Unsigned 32-bit integer nbap.RACH_InformationList_AuditRsp
nbap.rACH_Parameters rACH-Parameters No value nbap.RACH_Parameters_CTCH_SetupRqstFDD
nbap.rACH_SlotFormat rACH-SlotFormat Unsigned 32-bit integer nbap.RACH_SlotFormat
nbap.rACH_SubChannelNumbers rACH-SubChannelNumbers Byte array nbap.RACH_SubChannelNumbers
nbap.rL rL No value nbap.RL_DM_Rqst
nbap.rLC_Mode rLC-Mode Unsigned 32-bit integer nbap.RLC_Mode
nbap.rLS rLS No value nbap.RL_Set_DM_Rqst
nbap.rLSpecificCause rLSpecificCause No value nbap.RLSpecificCauseList_RL_SetupFailureFDD
nbap.rL_ID rL-ID Unsigned 32-bit integer nbap.RL_ID
nbap.rL_InformationList rL-InformationList Unsigned 32-bit integer nbap.RL_InformationList_DM_Rqst
nbap.rL_InformationList_DM_Rprt rL-InformationList-DM-Rprt Unsigned 32-bit integer nbap.RL_InformationList_DM_Rprt
nbap.rL_InformationList_DM_Rsp rL-InformationList-DM-Rsp Unsigned 32-bit integer nbap.RL_InformationList_DM_Rsp
nbap.rL_InformationList_RL_FailureInd rL-InformationList-RL-FailureInd Unsigned 32-bit integer nbap.RL_InformationList_RL_FailureInd
nbap.rL_InformationList_RL_RestoreInd rL-InformationList-RL-RestoreInd Unsigned 32-bit integer nbap.RL_InformationList_RL_RestoreInd
nbap.rL_ReconfigurationFailureList_RL_ReconfFailure rL-ReconfigurationFailureList-RL-ReconfFailure Unsigned 32-bit integer nbap.RL_ReconfigurationFailureList_RL_ReconfFailure
nbap.rL_Set rL-Set No value nbap.RL_Set_RL_FailureInd
nbap.rL_Set_ID rL-Set-ID Unsigned 32-bit integer nbap.RL_Set_ID
nbap.rL_Set_InformationList_DM_Rprt rL-Set-InformationList-DM-Rprt Unsigned 32-bit integer nbap.RL_Set_InformationList_DM_Rprt
nbap.rL_Set_InformationList_DM_Rqst rL-Set-InformationList-DM-Rqst Unsigned 32-bit integer nbap.RL_Set_InformationList_DM_Rqst
nbap.rL_Set_InformationList_DM_Rsp rL-Set-InformationList-DM-Rsp Unsigned 32-bit integer nbap.RL_Set_InformationList_DM_Rsp
nbap.rL_Set_InformationList_RL_FailureInd rL-Set-InformationList-RL-FailureInd Unsigned 32-bit integer nbap.RL_Set_InformationList_RL_FailureInd
nbap.rL_Set_InformationList_RL_RestoreInd rL-Set-InformationList-RL-RestoreInd Unsigned 32-bit integer nbap.RL_Set_InformationList_RL_RestoreInd
nbap.rNC_ID rNC-ID Unsigned 32-bit integer nbap.RNC_ID
nbap.rSCP rSCP Unsigned 32-bit integer nbap.RSCP_Value
nbap.radioNetwork radioNetwork Unsigned 32-bit integer nbap.CauseRadioNetwork
nbap.range_correction_rate range-correction-rate Signed 32-bit integer nbap.Range_Correction_Rate
nbap.rateMatchingAttribute rateMatchingAttribute Unsigned 32-bit integer nbap.TransportFormatSet_RateMatchingAttribute
nbap.received_total_wide_band_power received-total-wide-band-power Unsigned 32-bit integer nbap.Received_total_wide_band_power_Value
nbap.received_total_wide_band_power_value received-total-wide-band-power-value Unsigned 32-bit integer nbap.Received_total_wide_band_power_Value
nbap.refTFCNumber refTFCNumber Unsigned 32-bit integer nbap.RefTFCNumber
nbap.reference_E_TFCI reference-E-TFCI Unsigned 32-bit integer nbap.E_TFCI
nbap.reference_E_TFCI_Information reference-E-TFCI-Information Unsigned 32-bit integer nbap.Reference_E_TFCI_Information
nbap.reference_E_TFCI_PO reference-E-TFCI-PO Unsigned 32-bit integer nbap.Reference_E_TFCI_PO
nbap.remove remove No value nbap.NULL
nbap.repetitionLength repetitionLength Unsigned 32-bit integer nbap.RepetitionLength
nbap.repetitionNumber repetitionNumber Unsigned 32-bit integer nbap.RepetitionNumber0
nbap.repetitionPeriod repetitionPeriod Unsigned 32-bit integer nbap.RepetitionPeriod
nbap.replace replace Unsigned 32-bit integer nbap.E_AGCH_FDD_Code_List
nbap.reportPeriodicity reportPeriodicity Unsigned 32-bit integer nbap.ReportCharacteristicsType_ReportPeriodicity
nbap.requestedDataValue requestedDataValue No value nbap.RequestedDataValue
nbap.requestedDataValueInformation requestedDataValueInformation Unsigned 32-bit integer nbap.RequestedDataValueInformation
nbap.requesteddataValue requesteddataValue No value nbap.RequestedDataValue
nbap.resourceOperationalState resourceOperationalState Unsigned 32-bit integer nbap.ResourceOperationalState
nbap.roundTripTime roundTripTime Unsigned 32-bit integer nbap.Round_Trip_Time_Value
nbap.round_trip_time round-trip-time Unsigned 32-bit integer nbap.Round_Trip_Time_IncrDecrThres
nbap.rscp rscp Unsigned 32-bit integer nbap.RSCP_Value_IncrDecrThres
nbap.rxTimingDeviationValue rxTimingDeviationValue Unsigned 32-bit integer nbap.Rx_Timing_Deviation_Value
nbap.rx_timing_deviation rx-timing-deviation Unsigned 32-bit integer nbap.Rx_Timing_Deviation_Value
nbap.sCCPCH_CCTrCH_ID sCCPCH-CCTrCH-ID Unsigned 32-bit integer nbap.CCTrCH_ID
nbap.sCCPCH_Power sCCPCH-Power Signed 32-bit integer nbap.DL_Power
nbap.sCH_Information sCH-Information No value nbap.SCH_Information_AuditRsp
nbap.sCH_Power sCH-Power Signed 32-bit integer nbap.DL_Power
nbap.sCH_TimeSlot sCH-TimeSlot Unsigned 32-bit integer nbap.SCH_TimeSlot
nbap.sCTD_Indicator sCTD-Indicator Unsigned 32-bit integer nbap.SCTD_Indicator
nbap.sFN sFN Unsigned 32-bit integer nbap.SFN
nbap.sFNSFNChangeLimit sFNSFNChangeLimit Unsigned 32-bit integer nbap.SFNSFNChangeLimit
nbap.sFNSFNDriftRate sFNSFNDriftRate Signed 32-bit integer nbap.SFNSFNDriftRate
nbap.sFNSFNDriftRateQuality sFNSFNDriftRateQuality Unsigned 32-bit integer nbap.SFNSFNDriftRateQuality
nbap.sFNSFNQuality sFNSFNQuality Unsigned 32-bit integer nbap.SFNSFNQuality
nbap.sFNSFNTimeStampInformation sFNSFNTimeStampInformation Unsigned 32-bit integer nbap.SFNSFNTimeStampInformation
nbap.sFNSFNTimeStamp_FDD sFNSFNTimeStamp-FDD Unsigned 32-bit integer nbap.SFN
nbap.sFNSFNTimeStamp_TDD sFNSFNTimeStamp-TDD No value nbap.SFNSFNTimeStamp_TDD
nbap.sFNSFNValue sFNSFNValue Unsigned 32-bit integer nbap.SFNSFNValue
nbap.sFNSFN_FDD sFNSFN-FDD Unsigned 32-bit integer nbap.SFNSFN_FDD
nbap.sFNSFN_TDD sFNSFN-TDD Unsigned 32-bit integer nbap.SFNSFN_TDD
nbap.sIB_Originator sIB-Originator Unsigned 32-bit integer nbap.SIB_Originator
nbap.sID sID Unsigned 32-bit integer nbap.SID
nbap.sIRValue sIRValue Unsigned 32-bit integer nbap.SIR_Value
nbap.sIR_ErrorValue sIR-ErrorValue Unsigned 32-bit integer nbap.SIR_Error_Value
nbap.sIR_Value sIR-Value Unsigned 32-bit integer nbap.SIR_Value
nbap.sSDT_SupportIndicator sSDT-SupportIndicator Unsigned 32-bit integer nbap.SSDT_SupportIndicator
nbap.sTTD_Indicator sTTD-Indicator Unsigned 32-bit integer nbap.STTD_Indicator
nbap.sVGlobalHealth_alm sVGlobalHealth-alm Byte array nbap.BIT_STRING_SIZE_364
nbap.sYNCDlCodeId sYNCDlCodeId Unsigned 32-bit integer nbap.SYNCDlCodeId
nbap.sYNCDlCodeIdInfoLCR sYNCDlCodeIdInfoLCR Unsigned 32-bit integer nbap.SYNCDlCodeIdInfoListLCR_CellSyncReconfRqstTDD
nbap.sYNCDlCodeIdMeasInfoList sYNCDlCodeIdMeasInfoList Unsigned 32-bit integer nbap.SYNCDlCodeIdMeasInfoList_CellSyncReconfRqstTDD
nbap.s_CCPCH_Power s-CCPCH-Power Signed 32-bit integer nbap.DL_Power
nbap.s_CCPCH_TimeSlotFormat_LCR s-CCPCH-TimeSlotFormat-LCR Unsigned 32-bit integer nbap.TDD_DL_DPCH_TimeSlotFormat_LCR
nbap.sat_id sat-id Unsigned 32-bit integer nbap.SAT_ID
nbap.sat_id_nav sat-id-nav Unsigned 32-bit integer nbap.SAT_ID
nbap.sat_info sat-info Unsigned 32-bit integer nbap.SATInfo_RealTime_Integrity
nbap.sat_info_almanac sat-info-almanac Unsigned 32-bit integer nbap.SAT_Info_Almanac
nbap.satelliteinfo satelliteinfo Unsigned 32-bit integer nbap.SAT_Info_DGPSCorrections
nbap.schedulingPriorityIndicator schedulingPriorityIndicator Unsigned 32-bit integer nbap.SchedulingPriorityIndicator
nbap.scramblingCodeNumber scramblingCodeNumber Unsigned 32-bit integer nbap.ScramblingCodeNumber
nbap.secondCriticality secondCriticality Unsigned 32-bit integer nbap.Criticality
nbap.secondValue secondValue No value nbap.SecondValue
nbap.second_TDD_ChannelisationCode second-TDD-ChannelisationCode Unsigned 32-bit integer nbap.TDD_ChannelisationCode
nbap.second_TDD_ChannelisationCodeLCR second-TDD-ChannelisationCodeLCR No value nbap.TDD_ChannelisationCodeLCR
nbap.secondaryCCPCHList secondaryCCPCHList No value nbap.Secondary_CCPCHList_CTCH_ReconfRqstTDD
nbap.secondaryCCPCH_parameterList secondaryCCPCH-parameterList No value nbap.Secondary_CCPCH_parameterList_CTCH_SetupRqstTDD
nbap.secondaryCPICH_Power secondaryCPICH-Power Signed 32-bit integer nbap.DL_Power
nbap.secondarySCH_Power secondarySCH-Power Signed 32-bit integer nbap.DL_Power
nbap.secondary_CCPCH_InformationList secondary-CCPCH-InformationList Unsigned 32-bit integer nbap.S_CCPCH_InformationList_AuditRsp
nbap.secondary_CCPCH_SlotFormat secondary-CCPCH-SlotFormat Unsigned 32-bit integer nbap.SecondaryCCPCH_SlotFormat
nbap.secondary_CCPCH_parameters secondary-CCPCH-parameters No value nbap.Secondary_CCPCH_CTCH_SetupRqstFDD
nbap.secondary_CPICH_Information secondary-CPICH-Information Unsigned 32-bit integer nbap.S_CPICH_InformationList_ResourceStatusInd
nbap.secondary_CPICH_InformationList secondary-CPICH-InformationList Unsigned 32-bit integer nbap.S_CPICH_InformationList_AuditRsp
nbap.secondary_CPICH_shall_not_be_used secondary-CPICH-shall-not-be-used No value nbap.NULL
nbap.secondary_SCH_Information secondary-SCH-Information No value nbap.S_SCH_Information_AuditRsp
nbap.secondary_e_RNTI secondary-e-RNTI Unsigned 32-bit integer nbap.E_RNTI
nbap.seed seed Unsigned 32-bit integer nbap.INTEGER_0_63
nbap.segmentInformationList segmentInformationList No value nbap.SegmentInformationList_SystemInfoUpdate
nbap.segment_Type segment-Type Unsigned 32-bit integer nbap.Segment_Type
nbap.semi_staticPart semi-staticPart No value nbap.TransportFormatSet_Semi_staticPart
nbap.separate_indication separate-indication No value nbap.NULL
nbap.serviceImpacting serviceImpacting No value nbap.ServiceImpacting_ResourceStatusInd
nbap.serving_E_DCH_RL_in_this_NodeB serving-E-DCH-RL-in-this-NodeB No value nbap.Serving_E_DCH_RL_in_this_NodeB
nbap.serving_E_DCH_RL_not_in_this_NodeB serving-E-DCH-RL-not-in-this-NodeB No value nbap.NULL
nbap.serving_Grant_Value serving-Grant-Value Unsigned 32-bit integer nbap.E_Serving_Grant_Value
nbap.setSpecificCause setSpecificCause No value nbap.SetSpecificCauseList_PSCH_ReconfFailureTDD
nbap.sf1_reserved_nav sf1-reserved-nav Byte array nbap.BIT_STRING_SIZE_87
nbap.sfn sfn Unsigned 32-bit integer nbap.SFN
nbap.shortTransActionId shortTransActionId Unsigned 32-bit integer nbap.INTEGER_0_127
nbap.signalledGainFactors signalledGainFactors No value nbap.T_signalledGainFactors
nbap.signature0 signature0 Boolean
nbap.signature1 signature1 Boolean
nbap.signature10 signature10 Boolean
nbap.signature11 signature11 Boolean
nbap.signature12 signature12 Boolean
nbap.signature13 signature13 Boolean
nbap.signature14 signature14 Boolean
nbap.signature15 signature15 Boolean
nbap.signature2 signature2 Boolean
nbap.signature3 signature3 Boolean
nbap.signature4 signature4 Boolean
nbap.signature5 signature5 Boolean
nbap.signature6 signature6 Boolean
nbap.signature7 signature7 Boolean
nbap.signature8 signature8 Boolean
nbap.signature9 signature9 Boolean
nbap.sir sir Unsigned 32-bit integer nbap.SIR_Value_IncrDecrThres
nbap.sir_error sir-error Unsigned 32-bit integer nbap.SIR_Error_Value_IncrDecrThres
nbap.spare_zero_fill spare-zero-fill Byte array nbap.BIT_STRING_SIZE_20
nbap.specialBurstScheduling specialBurstScheduling Unsigned 32-bit integer nbap.SpecialBurstScheduling
nbap.status_health status-health Unsigned 32-bit integer nbap.GPS_Status_Health
nbap.steadyStatePhase steadyStatePhase Unsigned 32-bit integer nbap.INTEGER_0_255_
nbap.subCh0 subCh0 Boolean
nbap.subCh1 subCh1 Boolean
nbap.subCh10 subCh10 Boolean
nbap.subCh11 subCh11 Boolean
nbap.subCh2 subCh2 Boolean
nbap.subCh3 subCh3 Boolean
nbap.subCh4 subCh4 Boolean
nbap.subCh5 subCh5 Boolean
nbap.subCh6 subCh6 Boolean
nbap.subCh7 subCh7 Boolean
nbap.subCh8 subCh8 Boolean
nbap.subCh9 subCh9 Boolean
nbap.succesfulOutcome succesfulOutcome No value nbap.SuccessfulOutcome
nbap.successfulOutcomeValue successfulOutcomeValue No value nbap.SuccessfulOutcomeValue
nbap.successful_RL_InformationRespList_RL_AdditionFailureFDD successful-RL-InformationRespList-RL-AdditionFailureFDD Unsigned 32-bit integer nbap.Successful_RL_InformationRespList_RL_AdditionFailureFDD
nbap.successful_RL_InformationRespList_RL_SetupFailureFDD successful-RL-InformationRespList-RL-SetupFailureFDD Unsigned 32-bit integer nbap.Successful_RL_InformationRespList_RL_SetupFailureFDD
nbap.successfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation successfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation Unsigned 32-bit integer nbap.T_successfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation
nbap.successfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation_item Item No value nbap.T_successfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation_item
nbap.sv_health_nav sv-health-nav Byte array nbap.BIT_STRING_SIZE_6
nbap.svhealth_alm svhealth-alm Byte array nbap.BIT_STRING_SIZE_8
nbap.syncBurstInfo syncBurstInfo Unsigned 32-bit integer nbap.CellSyncBurstInfoList_CellSyncReconfRqstTDD
nbap.syncCaseIndicator syncCaseIndicator No value nbap.SyncCaseIndicator_Cell_SetupRqstTDD_PSCH
nbap.syncDLCodeIDNotAvailable syncDLCodeIDNotAvailable No value nbap.NULL
nbap.syncDLCodeId syncDLCodeId Unsigned 32-bit integer nbap.SYNCDlCodeId
nbap.syncDLCodeIdArrivTime syncDLCodeIdArrivTime Unsigned 32-bit integer nbap.CellSyncBurstTimingLCR
nbap.syncDLCodeIdAvailable syncDLCodeIdAvailable No value nbap.SyncDLCodeIdAvailable_CellSyncReprtTDD
nbap.syncDLCodeIdInfoLCR syncDLCodeIdInfoLCR Unsigned 32-bit integer nbap.SyncDLCodeInfoListLCR
nbap.syncDLCodeIdInfo_CellSyncReprtTDD syncDLCodeIdInfo-CellSyncReprtTDD Unsigned 32-bit integer nbap.SyncDLCodeIdInfo_CellSyncReprtTDD
nbap.syncDLCodeIdSIR syncDLCodeIdSIR Unsigned 32-bit integer nbap.CellSyncBurstSIR
nbap.syncDLCodeIdTiming syncDLCodeIdTiming Unsigned 32-bit integer nbap.CellSyncBurstTimingLCR
nbap.syncDLCodeIdTimingThre syncDLCodeIdTimingThre Unsigned 32-bit integer nbap.CellSyncBurstTimingThreshold
nbap.syncFrameNoToReceive syncFrameNoToReceive Unsigned 32-bit integer nbap.SyncFrameNumber
nbap.syncFrameNrToReceive syncFrameNrToReceive Unsigned 32-bit integer nbap.SyncFrameNumber
nbap.syncFrameNumber syncFrameNumber Unsigned 32-bit integer nbap.SyncFrameNumber
nbap.syncFrameNumberToTransmit syncFrameNumberToTransmit Unsigned 32-bit integer nbap.SyncFrameNumber
nbap.syncFrameNumberforTransmit syncFrameNumberforTransmit Unsigned 32-bit integer nbap.SyncFrameNumber
nbap.syncReportType_CellSyncReprtTDD syncReportType-CellSyncReprtTDD No value nbap.SyncReportTypeIE_CellSyncReprtTDD
nbap.synchronisationReportCharactThreExc synchronisationReportCharactThreExc Unsigned 32-bit integer nbap.SynchronisationReportCharactThreExc
nbap.synchronisationReportCharacteristics synchronisationReportCharacteristics No value nbap.SynchronisationReportCharacteristics
nbap.synchronisationReportCharacteristicsType synchronisationReportCharacteristicsType Unsigned 32-bit integer nbap.SynchronisationReportCharacteristicsType
nbap.synchronisationReportType synchronisationReportType Unsigned 32-bit integer nbap.SynchronisationReportType
nbap.synchronised synchronised Unsigned 32-bit integer nbap.CFN
nbap.t1 t1 Unsigned 32-bit integer nbap.T1
nbap.tDDAckNackPowerOffset tDDAckNackPowerOffset Signed 32-bit integer nbap.TDD_AckNack_Power_Offset
nbap.tDD_AckNack_Power_Offset tDD-AckNack-Power-Offset Signed 32-bit integer nbap.TDD_AckNack_Power_Offset
nbap.tDD_ChannelisationCode tDD-ChannelisationCode Unsigned 32-bit integer nbap.TDD_ChannelisationCode
nbap.tDD_TPC_DownlinkStepSize tDD-TPC-DownlinkStepSize Unsigned 32-bit integer nbap.TDD_TPC_DownlinkStepSize
nbap.tDD_TPC_DownlinkStepSize_InformationModify_RL_ReconfPrepTDD tDD-TPC-DownlinkStepSize-InformationModify-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.TDD_TPC_DownlinkStepSize
nbap.tDD_TPC_UplinkStepSize_LCR tDD-TPC-UplinkStepSize-LCR Unsigned 32-bit integer nbap.TDD_TPC_UplinkStepSize_LCR
nbap.tFCI_Coding tFCI-Coding Unsigned 32-bit integer nbap.TFCI_Coding
nbap.tFCI_Presence tFCI-Presence Unsigned 32-bit integer nbap.TFCI_Presence
nbap.tFCI_SignallingMode tFCI-SignallingMode No value nbap.TFCI_SignallingMode
nbap.tFCI_SignallingOption tFCI-SignallingOption Unsigned 32-bit integer nbap.TFCI_SignallingMode_TFCI_SignallingOption
nbap.tFCS tFCS No value nbap.TFCS
nbap.tFCSvalues tFCSvalues Unsigned 32-bit integer nbap.T_tFCSvalues
nbap.tFC_Beta tFC-Beta Unsigned 32-bit integer nbap.TransportFormatCombination_Beta
nbap.tGCFN tGCFN Unsigned 32-bit integer nbap.CFN
nbap.tGD tGD Unsigned 32-bit integer nbap.TGD
nbap.tGL1 tGL1 Unsigned 32-bit integer nbap.GapLength
nbap.tGL2 tGL2 Unsigned 32-bit integer nbap.GapLength
nbap.tGPL1 tGPL1 Unsigned 32-bit integer nbap.GapDuration
nbap.tGPRC tGPRC Unsigned 32-bit integer nbap.TGPRC
nbap.tGPSID tGPSID Unsigned 32-bit integer nbap.TGPSID
nbap.tGSN tGSN Unsigned 32-bit integer nbap.TGSN
nbap.tSTD_Indicator tSTD-Indicator Unsigned 32-bit integer nbap.TSTD_Indicator
nbap.tUTRANGPS tUTRANGPS No value nbap.TUTRANGPS
nbap.tUTRANGPSChangeLimit tUTRANGPSChangeLimit Unsigned 32-bit integer nbap.TUTRANGPSChangeLimit
nbap.tUTRANGPSDriftRate tUTRANGPSDriftRate Signed 32-bit integer nbap.TUTRANGPSDriftRate
nbap.tUTRANGPSDriftRateQuality tUTRANGPSDriftRateQuality Unsigned 32-bit integer nbap.TUTRANGPSDriftRateQuality
nbap.tUTRANGPSMeasurementAccuracyClass tUTRANGPSMeasurementAccuracyClass Unsigned 32-bit integer nbap.TUTRANGPSAccuracyClass
nbap.tUTRANGPSQuality tUTRANGPSQuality Unsigned 32-bit integer nbap.TUTRANGPSQuality
nbap.t_RLFAILURE t-RLFAILURE Unsigned 32-bit integer nbap.T_RLFAILURE
nbap.t_gd_nav t-gd-nav Byte array nbap.BIT_STRING_SIZE_8
nbap.t_oc_nav t-oc-nav Byte array nbap.BIT_STRING_SIZE_16
nbap.t_oe_nav t-oe-nav Byte array nbap.BIT_STRING_SIZE_16
nbap.t_ot_utc t-ot-utc Byte array nbap.BIT_STRING_SIZE_8
nbap.tdd tdd Unsigned 32-bit integer nbap.BetaCD
nbap.tdd_ChannelisationCode tdd-ChannelisationCode Unsigned 32-bit integer nbap.TDD_ChannelisationCode
nbap.tdd_ChannelisationCodeLCR tdd-ChannelisationCodeLCR No value nbap.TDD_ChannelisationCodeLCR
nbap.tdd_DL_DPCH_TimeSlotFormat_LCR tdd-DL-DPCH-TimeSlotFormat-LCR Unsigned 32-bit integer nbap.TDD_DL_DPCH_TimeSlotFormat_LCR
nbap.tdd_DPCHOffset tdd-DPCHOffset Unsigned 32-bit integer nbap.TDD_DPCHOffset
nbap.tdd_PhysicalChannelOffset tdd-PhysicalChannelOffset Unsigned 32-bit integer nbap.TDD_PhysicalChannelOffset
nbap.tdd_TPC_DownlinkStepSize tdd-TPC-DownlinkStepSize Unsigned 32-bit integer nbap.TDD_TPC_DownlinkStepSize
nbap.tdd_UL_DPCH_TimeSlotFormat_LCR tdd-UL-DPCH-TimeSlotFormat-LCR Unsigned 32-bit integer nbap.TDD_UL_DPCH_TimeSlotFormat_LCR
nbap.timeSlot timeSlot Unsigned 32-bit integer nbap.TimeSlot
nbap.timeSlotDirection timeSlotDirection Unsigned 32-bit integer nbap.TimeSlotDirection
nbap.timeSlotLCR timeSlotLCR Unsigned 32-bit integer nbap.TimeSlotLCR
nbap.timeSlotStatus timeSlotStatus Unsigned 32-bit integer nbap.TimeSlotStatus
nbap.timeslot timeslot Unsigned 32-bit integer nbap.TimeSlot
nbap.timeslotLCR timeslotLCR Unsigned 32-bit integer nbap.TimeSlotLCR
nbap.timingAdjustmentValue timingAdjustmentValue Unsigned 32-bit integer nbap.TimingAdjustmentValue
nbap.tlm_message_nav tlm-message-nav Byte array nbap.BIT_STRING_SIZE_14
nbap.tlm_revd_c_nav tlm-revd-c-nav Byte array nbap.BIT_STRING_SIZE_2
nbap.tnlQos tnlQos Unsigned 32-bit integer nbap.TnlQos
nbap.toAWE toAWE Unsigned 32-bit integer nbap.ToAWE
nbap.toAWS toAWS Unsigned 32-bit integer nbap.ToAWS
nbap.total_HS_SICH total-HS-SICH Unsigned 32-bit integer nbap.HS_SICH_total
nbap.transactionID transactionID Unsigned 32-bit integer nbap.TransactionID
nbap.transmissionGapPatternSequenceCodeInformation transmissionGapPatternSequenceCodeInformation Unsigned 32-bit integer nbap.TransmissionGapPatternSequenceCodeInformation
nbap.transmissionTimeInterval transmissionTimeInterval Unsigned 32-bit integer nbap.TransportFormatSet_TransmissionTimeIntervalDynamic
nbap.transmissionTimeIntervalInformation transmissionTimeIntervalInformation Unsigned 32-bit integer nbap.TransmissionTimeIntervalInformation
nbap.transmission_Gap_Pattern_Sequence_Status transmission-Gap-Pattern-Sequence-Status Unsigned 32-bit integer nbap.Transmission_Gap_Pattern_Sequence_Status_List
nbap.transmitDiversityIndicator transmitDiversityIndicator Unsigned 32-bit integer nbap.TransmitDiversityIndicator
nbap.transmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue transmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue Unsigned 32-bit integer nbap.TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue
nbap.transmittedCodePowerValue transmittedCodePowerValue Unsigned 32-bit integer nbap.Transmitted_Code_Power_Value
nbap.transmitted_Carrier_Power_Value transmitted-Carrier-Power-Value Unsigned 32-bit integer nbap.Transmitted_Carrier_Power_Value
nbap.transmitted_carrier_power transmitted-carrier-power Unsigned 32-bit integer nbap.Transmitted_Carrier_Power_Value
nbap.transmitted_code_power transmitted-code-power Unsigned 32-bit integer nbap.Transmitted_Code_Power_Value_IncrDecrThres
nbap.transport transport Unsigned 32-bit integer nbap.CauseTransport
nbap.transportBearerRequestIndicator transportBearerRequestIndicator Unsigned 32-bit integer nbap.TransportBearerRequestIndicator
nbap.transportBlockSize transportBlockSize Unsigned 32-bit integer nbap.TransportFormatSet_TransportBlockSize
nbap.transportFormatSet transportFormatSet No value nbap.TransportFormatSet
nbap.transportLayerAddress transportLayerAddress Byte array nbap.TransportLayerAddress
nbap.transportlayeraddress transportlayeraddress Byte array nbap.TransportLayerAddress
nbap.triggeringMessage triggeringMessage Unsigned 32-bit integer nbap.TriggeringMessage
nbap.tstdIndicator tstdIndicator Unsigned 32-bit integer nbap.TSTD_Indicator
nbap.tx_tow_nav tx-tow-nav Unsigned 32-bit integer nbap.INTEGER_0_1048575
nbap.type1 type1 No value nbap.T_type1
nbap.type2 type2 No value nbap.T_type2
nbap.type3 type3 No value nbap.T_type3
nbap.uARFCN uARFCN Unsigned 32-bit integer nbap.UARFCN
nbap.uC_Id uC-Id No value nbap.UC_Id
nbap.uL_Code_InformationAddList_LCR_PSCH_ReconfRqst uL-Code-InformationAddList-LCR-PSCH-ReconfRqst Unsigned 32-bit integer nbap.UL_Code_InformationAddList_LCR_PSCH_ReconfRqst
nbap.uL_Code_InformationAddList_PSCH_ReconfRqst uL-Code-InformationAddList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.UL_Code_InformationAddList_PSCH_ReconfRqst
nbap.uL_Code_InformationList uL-Code-InformationList Unsigned 32-bit integer nbap.TDD_UL_Code_Information
nbap.uL_Code_InformationModifyList_PSCH_ReconfRqst uL-Code-InformationModifyList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.UL_Code_InformationModifyList_PSCH_ReconfRqst
nbap.uL_Code_InformationModify_ModifyList_RL_ReconfPrepTDD uL-Code-InformationModify-ModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.UL_Code_InformationModify_ModifyList_RL_ReconfPrepTDD
nbap.uL_Code_InformationModify_ModifyList_RL_ReconfPrepTDDLCR uL-Code-InformationModify-ModifyList-RL-ReconfPrepTDDLCR Unsigned 32-bit integer nbap.UL_Code_InformationModify_ModifyList_RL_ReconfPrepTDDLCR
nbap.uL_Code_LCR_InformationModifyList_PSCH_ReconfRqst uL-Code-LCR-InformationModifyList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.UL_Code_LCR_InformationModifyList_PSCH_ReconfRqst
nbap.uL_DL_mode uL-DL-mode Unsigned 32-bit integer nbap.UL_DL_mode
nbap.uL_DPCH_Information uL-DPCH-Information No value nbap.UL_DPCH_Information_RL_SetupRqstTDD
nbap.uL_ScramblingCodeLength uL-ScramblingCodeLength Unsigned 32-bit integer nbap.UL_ScramblingCodeLength
nbap.uL_ScramblingCodeNumber uL-ScramblingCodeNumber Unsigned 32-bit integer nbap.UL_ScramblingCodeNumber
nbap.uL_Synchronisation_Frequency uL-Synchronisation-Frequency Unsigned 32-bit integer nbap.UL_Synchronisation_Frequency
nbap.uL_Synchronisation_StepSize uL-Synchronisation-StepSize Unsigned 32-bit integer nbap.UL_Synchronisation_StepSize
nbap.uL_TimeSlot_ISCP_Info uL-TimeSlot-ISCP-Info Unsigned 32-bit integer nbap.UL_TimeSlot_ISCP_Info
nbap.uL_TimeSlot_ISCP_InfoLCR uL-TimeSlot-ISCP-InfoLCR Unsigned 32-bit integer nbap.UL_TimeSlot_ISCP_LCR_Info
nbap.uL_TimeSlot_ISCP_LCR_Info uL-TimeSlot-ISCP-LCR-Info Unsigned 32-bit integer nbap.UL_TimeSlot_ISCP_LCR_Info
nbap.uL_TimeslotISCP uL-TimeslotISCP Unsigned 32-bit integer nbap.UL_TimeslotISCP_Value
nbap.uL_TimeslotLCR_Information uL-TimeslotLCR-Information Unsigned 32-bit integer nbap.UL_TimeslotLCR_Information
nbap.uL_Timeslot_Information uL-Timeslot-Information Unsigned 32-bit integer nbap.UL_Timeslot_Information
nbap.uL_Timeslot_InformationAddList_LCR_PSCH_ReconfRqst uL-Timeslot-InformationAddList-LCR-PSCH-ReconfRqst Unsigned 32-bit integer nbap.UL_Timeslot_InformationAddList_LCR_PSCH_ReconfRqst
nbap.uL_Timeslot_InformationAddList_PSCH_ReconfRqst uL-Timeslot-InformationAddList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.UL_Timeslot_InformationAddList_PSCH_ReconfRqst
nbap.uL_Timeslot_InformationLCR uL-Timeslot-InformationLCR Unsigned 32-bit integer nbap.UL_TimeslotLCR_Information
nbap.uL_Timeslot_InformationModifyList_LCR_PSCH_ReconfRqst uL-Timeslot-InformationModifyList-LCR-PSCH-ReconfRqst Unsigned 32-bit integer nbap.UL_Timeslot_LCR_InformationModifyList_PSCH_ReconfRqst
nbap.uL_Timeslot_InformationModifyList_PSCH_ReconfRqst uL-Timeslot-InformationModifyList-PSCH-ReconfRqst Unsigned 32-bit integer nbap.UL_Timeslot_InformationModifyList_PSCH_ReconfRqst
nbap.uL_Timeslot_InformationModify_ModifyList_RL_ReconfPrepTDD uL-Timeslot-InformationModify-ModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer nbap.UL_Timeslot_InformationModify_ModifyList_RL_ReconfPrepTDD
nbap.uL_TransportFormatSet uL-TransportFormatSet No value nbap.TransportFormatSet
nbap.uSCH_ID uSCH-ID Unsigned 32-bit integer nbap.USCH_ID
nbap.uSCH_InformationResponseList uSCH-InformationResponseList No value nbap.USCH_InformationResponseList_RL_SetupRspTDD
nbap.uSCH_InformationResponseList_RL_ReconfReady uSCH-InformationResponseList-RL-ReconfReady No value nbap.USCH_InformationResponseList_RL_ReconfReady
nbap.udre udre Unsigned 32-bit integer nbap.UDRE
nbap.ueCapability_Info ueCapability-Info No value nbap.UE_Capability_Information
nbap.ueSpecificMidamble ueSpecificMidamble Unsigned 32-bit integer nbap.MidambleShiftLong
nbap.ul_CCTrCH_ID ul-CCTrCH-ID Unsigned 32-bit integer nbap.CCTrCH_ID
nbap.ul_Cost ul-Cost Unsigned 32-bit integer nbap.INTEGER_0_65535
nbap.ul_Cost_1 ul-Cost-1 Unsigned 32-bit integer nbap.INTEGER_0_65535
nbap.ul_Cost_2 ul-Cost-2 Unsigned 32-bit integer nbap.INTEGER_0_65535
nbap.ul_DPCCH_SlotFormat ul-DPCCH-SlotFormat Unsigned 32-bit integer nbap.UL_DPCCH_SlotFormat
nbap.ul_DPCH_InformationAddList ul-DPCH-InformationAddList No value nbap.UL_DPCH_InformationModify_AddList_RL_ReconfPrepTDD
nbap.ul_DPCH_InformationAddListLCR ul-DPCH-InformationAddListLCR No value nbap.UL_DPCH_LCR_InformationModify_AddList_RL_ReconfPrepTDD
nbap.ul_DPCH_InformationDeleteList ul-DPCH-InformationDeleteList No value nbap.UL_DPCH_InformationModify_DeleteList_RL_ReconfPrepTDD
nbap.ul_DPCH_InformationList ul-DPCH-InformationList No value nbap.UL_DPCH_InformationAddList_RL_ReconfPrepTDD
nbap.ul_DPCH_InformationListLCR ul-DPCH-InformationListLCR No value nbap.UL_DPCH_LCR_InformationAddList_RL_ReconfPrepTDD
nbap.ul_DPCH_InformationModifyList ul-DPCH-InformationModifyList No value nbap.UL_DPCH_InformationModify_ModifyList_RL_ReconfPrepTDD
nbap.ul_FP_Mode ul-FP-Mode Unsigned 32-bit integer nbap.UL_FP_Mode
nbap.ul_PhysCH_SF_Variation ul-PhysCH-SF-Variation Unsigned 32-bit integer nbap.UL_PhysCH_SF_Variation
nbap.ul_PunctureLimit ul-PunctureLimit Unsigned 32-bit integer nbap.PunctureLimit
nbap.ul_SIR_Target ul-SIR-Target Signed 32-bit integer nbap.UL_SIR
nbap.ul_ScramblingCode ul-ScramblingCode No value nbap.UL_ScramblingCode
nbap.ul_TFCS ul-TFCS No value nbap.TFCS
nbap.ul_TransportFormatSet ul-TransportFormatSet No value nbap.TransportFormatSet
nbap.ul_capacityCredit ul-capacityCredit Unsigned 32-bit integer nbap.UL_CapacityCredit
nbap.ul_punctureLimit ul-punctureLimit Unsigned 32-bit integer nbap.PunctureLimit
nbap.ul_sir_target ul-sir-target Signed 32-bit integer nbap.UL_SIR
nbap.unsuccesfulOutcome unsuccesfulOutcome No value nbap.UnsuccessfulOutcome
nbap.unsuccessfulOutcomeValue unsuccessfulOutcomeValue No value nbap.UnsuccessfulOutcomeValue
nbap.unsuccessful_PDSCHSetList_PSCH_ReconfFailureTDD unsuccessful-PDSCHSetList-PSCH-ReconfFailureTDD Unsigned 32-bit integer nbap.Unsuccessful_PDSCHSetList_PSCH_ReconfFailureTDD
nbap.unsuccessful_PUSCHSetList_PSCH_ReconfFailureTDD unsuccessful-PUSCHSetList-PSCH-ReconfFailureTDD Unsigned 32-bit integer nbap.Unsuccessful_PUSCHSetList_PSCH_ReconfFailureTDD
nbap.unsuccessful_RL_InformationRespItem_RL_AdditionFailureTDD unsuccessful-RL-InformationRespItem-RL-AdditionFailureTDD No value nbap.Unsuccessful_RL_InformationRespItem_RL_AdditionFailureTDD
nbap.unsuccessful_RL_InformationRespItem_RL_SetupFailureTDD unsuccessful-RL-InformationRespItem-RL-SetupFailureTDD No value nbap.Unsuccessful_RL_InformationRespItem_RL_SetupFailureTDD
nbap.unsuccessful_RL_InformationRespList_RL_AdditionFailureFDD unsuccessful-RL-InformationRespList-RL-AdditionFailureFDD Unsigned 32-bit integer nbap.Unsuccessful_RL_InformationRespList_RL_AdditionFailureFDD
nbap.unsuccessful_RL_InformationRespList_RL_SetupFailureFDD unsuccessful-RL-InformationRespList-RL-SetupFailureFDD Unsigned 32-bit integer nbap.Unsuccessful_RL_InformationRespList_RL_SetupFailureFDD
nbap.unsuccessful_cell_InformationRespList_SyncAdjustmntFailureTDD unsuccessful-cell-InformationRespList-SyncAdjustmntFailureTDD Unsigned 32-bit integer nbap.Unsuccessful_cell_InformationRespList_SyncAdjustmntFailureTDD
nbap.unsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation unsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation Unsigned 32-bit integer nbap.T_unsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation
nbap.unsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation_item Item No value nbap.T_unsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation_item
nbap.unsynchronised unsynchronised No value nbap.NULL
nbap.uplink_Compressed_Mode_Method uplink-Compressed-Mode-Method Unsigned 32-bit integer nbap.Uplink_Compressed_Mode_Method
nbap.user_range_accuracy_index_nav user-range-accuracy-index-nav Byte array nbap.BIT_STRING_SIZE_4
nbap.value value No value nbap.ProtocolIEValue
nbap.w_n_lsf_utc w-n-lsf-utc Byte array nbap.BIT_STRING_SIZE_8
nbap.w_n_nav w-n-nav Byte array nbap.BIT_STRING_SIZE_10
nbap.w_n_t_utc w-n-t-utc Byte array nbap.BIT_STRING_SIZE_8
nbap.wna_alm wna-alm Byte array nbap.BIT_STRING_SIZE_8
nbap.yes_Deletion yes-Deletion No value nbap.NULL
rnsap.Active_MBMS_Bearer_Service_ListFDD_PFL_item Item No value rnsap.MBMS_Bearer_ServiceItemFDD_PFL
rnsap.Active_MBMS_Bearer_Service_ListFDD_item Item No value rnsap.MBMS_Bearer_ServiceItemFDD
rnsap.Active_MBMS_Bearer_Service_ListTDD_PFL_item Item No value rnsap.MBMS_Bearer_ServiceItemTDD_PFL
rnsap.Active_MBMS_Bearer_Service_ListTDD_item Item No value rnsap.MBMS_Bearer_ServiceItemTDD
rnsap.AdditionalPreferredFrequency_item Item No value rnsap.AdditionalPreferredFrequencyItem
rnsap.AffectedUEInformationForMBMS_item Item Unsigned 32-bit integer rnsap.S_RNTI
rnsap.CCTrCH_InformationList_RL_FailureInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.CCTrCH_InformationList_RL_RestoreInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.CCTrCH_TPCAddList_RL_ReconfPrepTDD_item Item No value rnsap.CCTrCH_TPCAddItem_RL_ReconfPrepTDD
rnsap.CCTrCH_TPCList_RL_SetupRqstTDD_item Item No value rnsap.CCTrCH_TPCItem_RL_SetupRqstTDD
rnsap.CCTrCH_TPCModifyList_RL_ReconfPrepTDD_item Item No value rnsap.CCTrCH_TPCModifyItem_RL_ReconfPrepTDD
rnsap.ContextGroupInfoList_Reset_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.ContextInfoList_Reset_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.CorrespondingCells_item Item Unsigned 32-bit integer rnsap.C_ID
rnsap.CriticalityDiagnostics_IE_List_item Item No value rnsap.CriticalityDiagnostics_IE_List_item
rnsap.DCH_DeleteList_RL_ReconfPrepFDD_item Item No value rnsap.DCH_DeleteItem_RL_ReconfPrepFDD
rnsap.DCH_DeleteList_RL_ReconfPrepTDD_item Item No value rnsap.DCH_DeleteItem_RL_ReconfPrepTDD
rnsap.DCH_DeleteList_RL_ReconfRqstFDD_item Item No value rnsap.DCH_DeleteItem_RL_ReconfRqstFDD
rnsap.DCH_DeleteList_RL_ReconfRqstTDD_item Item No value rnsap.DCH_DeleteItem_RL_ReconfRqstTDD
rnsap.DCH_FDD_Information_item Item No value rnsap.DCH_FDD_InformationItem
rnsap.DCH_InformationResponse_item Item No value rnsap.DCH_InformationResponseItem
rnsap.DCH_Rate_Information_RL_CongestInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.DCH_Specific_FDD_InformationList_item Item No value rnsap.DCH_Specific_FDD_Item
rnsap.DCH_Specific_TDD_InformationList_item Item No value rnsap.DCH_Specific_TDD_Item
rnsap.DCH_TDD_Information_item Item No value rnsap.DCH_TDD_InformationItem
rnsap.DL_CCTrCHInformationListIE_RL_AdditionRspTDD_item Item No value rnsap.DL_CCTrCHInformationItem_RL_AdditionRspTDD
rnsap.DL_CCTrCHInformationListIE_RL_ReconfReadyTDD_item Item No value rnsap.DL_CCTrCH_InformationItem_RL_ReconfReadyTDD
rnsap.DL_CCTrCHInformationListIE_RL_SetupRspTDD_item Item No value rnsap.DL_CCTrCHInformationItem_RL_SetupRspTDD
rnsap.DL_CCTrCH_InformationAddList_RL_ReconfPrepTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.DL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.DL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.DL_CCTrCH_InformationListIE_PhyChReconfRqstTDD_item Item No value rnsap.DL_CCTrCH_InformationItem_PhyChReconfRqstTDD
rnsap.DL_CCTrCH_InformationList_RL_AdditionRqstTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.DL_CCTrCH_InformationList_RL_ReconfRspTDD_item Item No value rnsap.DL_CCTrCH_InformationItem_RL_ReconfRspTDD
rnsap.DL_CCTrCH_InformationList_RL_SetupRqstTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.DL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.DL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.DL_CCTrCH_LCR_InformationListIE_RL_AdditionRspTDD_item Item No value rnsap.DL_CCTrCH_LCR_InformationItem_RL_AdditionRspTDD
rnsap.DL_CCTrCH_LCR_InformationListIE_RL_SetupRspTDD_item Item No value rnsap.DL_CCTrCH_LCR_InformationItem_RL_SetupRspTDD
rnsap.DL_DCCH_Message DL-DCCH-Message No value DL-DCCH-Message
rnsap.DL_DPCH_InformationDeleteListIE_RL_ReconfReadyTDD_item Item No value rnsap.DL_DPCH_InformationDeleteItem_RL_ReconfReadyTDD
rnsap.DL_ReferencePowerInformationList_DL_PC_Rqst_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.DL_ReferencePowerInformationList_item Item No value rnsap.DL_ReferencePowerInformationItem
rnsap.DL_TimeSlot_ISCP_Info_item Item No value rnsap.DL_TimeSlot_ISCP_InfoItem
rnsap.DL_TimeSlot_ISCP_LCR_Information_item Item No value rnsap.DL_TimeSlot_ISCP_LCR_InfoItem
rnsap.DL_TimeslotLCR_InformationList_PhyChReconfRqstTDD_item Item No value rnsap.DL_TimeslotLCR_InformationItem_PhyChReconfRqstTDD
rnsap.DL_TimeslotLCR_InformationModifyList_RL_ReconfReadyTDD_item Item No value rnsap.DL_TimeslotLCR_InformationModifyItem_RL_ReconfReadyTDD
rnsap.DL_TimeslotLCR_Information_item Item No value rnsap.DL_TimeslotLCR_InformationItem
rnsap.DL_Timeslot_InformationList_PhyChReconfRqstTDD_item Item No value rnsap.DL_Timeslot_InformationItem_PhyChReconfRqstTDD
rnsap.DL_Timeslot_InformationModifyList_RL_ReconfReadyTDD_item Item No value rnsap.DL_Timeslot_InformationModifyItem_RL_ReconfReadyTDD
rnsap.DL_Timeslot_Information_item Item No value rnsap.DL_Timeslot_InformationItem
rnsap.DL_Timeslot_LCR_InformationModifyList_RL_ReconfRspTDD_item Item No value rnsap.DL_Timeslot_LCR_InformationModifyItem_RL_ReconfRspTDD
rnsap.DSCHToBeAddedOrModifiedList_RL_ReconfReadyTDD_item Item No value rnsap.DSCHToBeAddedOrModifiedItem_RL_ReconfReadyTDD
rnsap.DSCH_DeleteList_RL_ReconfPrepTDD_item Item No value rnsap.DSCH_DeleteItem_RL_ReconfPrepTDD
rnsap.DSCH_FlowControlInformation_item Item No value rnsap.DSCH_FlowControlItem
rnsap.DSCH_InformationListIE_RL_AdditionRspTDD_item Item No value rnsap.DSCHInformationItem_RL_AdditionRspTDD
rnsap.DSCH_InformationListIEs_RL_SetupRspTDD_item Item No value rnsap.DSCHInformationItem_RL_SetupRspTDD
rnsap.DSCH_LCR_InformationListIEs_RL_AdditionRspTDD_item Item No value rnsap.DSCH_LCR_InformationItem_RL_AdditionRspTDD
rnsap.DSCH_LCR_InformationListIEs_RL_SetupRspTDD_item Item No value rnsap.DSCH_LCR_InformationItem_RL_SetupRspTDD
rnsap.DSCH_ModifyList_RL_ReconfPrepTDD_item Item No value rnsap.DSCH_ModifyItem_RL_ReconfPrepTDD
rnsap.DSCH_TDD_Information_item Item No value rnsap.DSCH_TDD_InformationItem
rnsap.DelayedActivationInformationList_RL_ActivationCmdFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.DelayedActivationInformationList_RL_ActivationCmdTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.EDCH_FDD_InformationResponse_item Item No value rnsap.EDCH_FDD_InformationResponseItem
rnsap.EDCH_FDD_Update_Information_item Item No value rnsap.EDCH_FDD_Update_InfoItem
rnsap.EDCH_MACdFlow_Specific_InfoList_item Item No value rnsap.EDCH_MACdFlow_Specific_InfoItem
rnsap.EDCH_MACdFlow_Specific_InfoToModifyList_item Item No value rnsap.EDCH_MACdFlow_Specific_InfoToModifyItem
rnsap.EDCH_MACdFlows_To_Delete_item Item No value rnsap.EDCH_MACdFlows_To_Delete_Item
rnsap.EDCH_MacdFlowSpecificInformationList_RL_CongestInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.EDCH_MacdFlowSpecificInformationList_RL_PreemptRequiredInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.E_DCH_LogicalChannelInformation_item Item No value rnsap.E_DCH_LogicalChannelInformationItem
rnsap.E_DCH_LogicalChannelToDelete_item Item No value rnsap.E_DCH_LogicalChannelToDeleteItem
rnsap.E_DCH_LogicalChannelToModify_item Item No value rnsap.E_DCH_LogicalChannelToModifyItem
rnsap.E_DCH_MACdPDU_SizeList_item Item No value rnsap.E_DCH_MACdPDU_SizeListItem
rnsap.E_DCH_MACdPDU_SizeToModifyList_item Item No value rnsap.E_DCH_MACdPDU_SizeListItem
rnsap.FACH_FlowControlInformation_item Item No value rnsap.FACH_FlowControlInformationItem
rnsap.FACH_InformationList_item Item No value rnsap.FACH_InformationItem
rnsap.FACH_PCH_InformationList_item Item No value rnsap.FACH_PCH_InformationItem
rnsap.FDD_DCHs_to_ModifySpecificInformationList_item Item No value rnsap.FDD_DCHs_to_ModifySpecificItem
rnsap.FDD_DCHs_to_Modify_item Item No value rnsap.FDD_DCHs_to_ModifyItem
rnsap.FDD_DL_CodeInformation_item Item No value rnsap.FDD_DL_CodeInformationItem
rnsap.GA_Cell_item Item No value rnsap.GA_Cell_item
rnsap.GERAN_SystemInfo_item Item No value rnsap.GERAN_SystemInfo_item
rnsap.GPSInformation_item Item No value rnsap.GPSInformation_item
rnsap.GPS_NavigationModel_and_TimeRecovery_item Item No value rnsap.GPS_NavigationModel_and_TimeRecovery_item
rnsap.HARQ_MemoryPartitioningList_item Item No value rnsap.HARQ_MemoryPartitioningItem
rnsap.HSDSCHMacdFlowSpecificInformationList_RL_PreemptRequiredInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.HSDSCH_Initial_Capacity_Allocation_item Item No value rnsap.HSDSCH_Initial_Capacity_AllocationItem
rnsap.HSDSCH_MACdFlow_Specific_InfoList_Response_item Item No value rnsap.HSDSCH_MACdFlow_Specific_InfoItem_Response
rnsap.HSDSCH_MACdFlow_Specific_InfoList_item Item No value rnsap.HSDSCH_MACdFlow_Specific_InfoItem
rnsap.HSDSCH_MACdFlow_Specific_InfoList_to_Modify_item Item No value rnsap.HSDSCH_MACdFlow_Specific_InfoItem_to_Modify
rnsap.HSDSCH_MACdFlows_to_Delete_item Item No value rnsap.HSDSCH_MACdFlows_to_Delete_Item
rnsap.HSPDSCH_TDD_Specific_InfoList_Response_LCR_item Item No value rnsap.HSPDSCH_TDD_Specific_InfoItem_Response_LCR
rnsap.HSPDSCH_TDD_Specific_InfoList_Response_item Item No value rnsap.HSPDSCH_TDD_Specific_InfoItem_Response
rnsap.HSPDSCH_Timeslot_InformationListLCR_PhyChReconfRqstTDD_item Item No value rnsap.HSPDSCH_Timeslot_InformationItemLCR_PhyChReconfRqstTDD
rnsap.HSPDSCH_Timeslot_InformationList_PhyChReconfRqstTDD_item Item No value rnsap.HSPDSCH_Timeslot_InformationItem_PhyChReconfRqstTDD
rnsap.HSSCCH_FDD_Specific_InfoList_Response_item Item No value rnsap.HSSCCH_FDD_Specific_InfoItem_Response
rnsap.HSSCCH_TDD_Specific_InfoList_Response_LCR_item Item No value rnsap.HSSCCH_TDD_Specific_InfoItem_Response_LCR
rnsap.HSSCCH_TDD_Specific_InfoList_Response_item Item No value rnsap.HSSCCH_TDD_Specific_InfoItem_Response
rnsap.HSSICH_Info_DM_Rqst_item Item Unsigned 32-bit integer rnsap.HS_SICH_ID
rnsap.ListOfInterfacesToTrace_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.ListOfSNAs_item Item Unsigned 32-bit integer rnsap.SNACode
rnsap.MAC_c_sh_SDU_LengthList_item Item Unsigned 32-bit integer rnsap.MAC_c_sh_SDU_Length
rnsap.MACdPDU_Size_IndexList_item Item No value rnsap.MACdPDU_Size_IndexItem
rnsap.MACdPDU_Size_IndexList_to_Modify_item Item No value rnsap.MACdPDU_Size_IndexItem_to_Modify
rnsap.MBMS_Bearer_Service_List_InfEx_Rsp_item Item No value rnsap.MBMS_Bearer_ServiceItemIEs_InfEx_Rsp
rnsap.MBMS_Bearer_Service_List_item Item No value rnsap.TMGI
rnsap.MessageStructure_item Item No value rnsap.MessageStructure_item
rnsap.Multiple_DedicatedMeasurementValueList_LCR_TDD_DM_Rsp_item Item No value rnsap.Multiple_DedicatedMeasurementValueItem_LCR_TDD_DM_Rsp
rnsap.Multiple_DedicatedMeasurementValueList_TDD_DM_Rsp_item Item No value rnsap.Multiple_DedicatedMeasurementValueItem_TDD_DM_Rsp
rnsap.Multiple_RL_InformationResponse_RL_ReconfReadyTDD_item Item No value rnsap.RL_InformationResponse_RL_ReconfReadyTDD
rnsap.Multiple_RL_InformationResponse_RL_ReconfRspTDD_item Item No value rnsap.RL_InformationResponse_RL_ReconfRspTDD
rnsap.Multiple_RL_ReconfigurationRequestTDD_RL_Information_item Item No value rnsap.RL_ReconfigurationRequestTDD_RL_Information
rnsap.NeighbouringCellMeasurementInfo_item Item Unsigned 32-bit integer rnsap.NeighbouringCellMeasurementInfo_item
rnsap.Neighbouring_FDD_CellInformation_item Item No value rnsap.Neighbouring_FDD_CellInformationItem
rnsap.Neighbouring_GSM_CellInformationIEs_item Item No value rnsap.Neighbouring_GSM_CellInformationItem
rnsap.Neighbouring_LCR_TDD_CellInformation_item Item No value rnsap.Neighbouring_LCR_TDD_CellInformationItem
rnsap.Neighbouring_TDD_CellInformation_item Item No value rnsap.Neighbouring_TDD_CellInformationItem
rnsap.Neighbouring_UMTS_CellInformation_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.NotProvidedCellList_item Item No value rnsap.MBMSChannelTypeCellList
rnsap.PCH_InformationList_item Item No value rnsap.PCH_InformationItem
rnsap.PTMCellList_item Item No value rnsap.MBMSChannelTypeCellList
rnsap.PTPCellList_item Item No value rnsap.MBMSChannelTypeCellList
rnsap.PriorityQueue_InfoList_item Item No value rnsap.PriorityQueue_InfoItem
rnsap.PriorityQueue_InfoList_to_Modify_Unsynchronised_item Item No value rnsap.PriorityQueue_InfoItem_to_Modify_Unsynchronised
rnsap.PriorityQueue_InfoList_to_Modify_item Item Unsigned 32-bit integer rnsap.ModifyPriorityQueue
rnsap.PrivateIE_Container_item Item No value rnsap.PrivateIE_Field
rnsap.ProtocolExtensionContainer_item Item No value rnsap.ProtocolExtensionField
rnsap.ProtocolIE_ContainerList_item Item Unsigned 32-bit integer rnsap.ProtocolIE_Container
rnsap.ProtocolIE_ContainerPairList_item Item Unsigned 32-bit integer rnsap.ProtocolIE_ContainerPair
rnsap.ProtocolIE_ContainerPair_item Item No value rnsap.ProtocolIE_FieldPair
rnsap.ProtocolIE_Container_item Item No value rnsap.ProtocolIE_Field
rnsap.RB_Info_item Item Unsigned 32-bit integer rnsap.RB_Identity
rnsap.RL_InformationList_DM_Rprt_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationList_DM_Rqst_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationList_DM_Rsp_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationList_RL_AdditionRqstFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationList_RL_CongestInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationList_RL_DeletionRqst_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationList_RL_FailureInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationList_RL_PreemptRequiredInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationList_RL_ReconfPrepFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationList_RL_RestoreInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationList_RL_SetupRqstFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationResponseList_RL_AdditionRspFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationResponseList_RL_ReconfReadyFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationResponseList_RL_ReconfRspFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_InformationResponseList_RL_SetupRspFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Information_RL_ReconfPrepTDD_item Item No value rnsap.RL_InformationIE_RL_ReconfPrepTDD
rnsap.RL_ParameterUpdateIndicationFDD_RL_InformationList_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_ReconfigurationFailureList_RL_ReconfFailure_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_ReconfigurationRequestFDD_RL_InformationList_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Set_InformationList_DM_Rprt_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Set_InformationList_DM_Rqst_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Set_InformationList_DM_Rsp_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Set_InformationList_RL_FailureInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Set_InformationList_RL_RestoreInd_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Set_Successful_InformationRespList_DM_Fail_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Set_Unsuccessful_InformationRespList_DM_Fail_Ind_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Set_Unsuccessful_InformationRespList_DM_Fail_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Specific_DCH_Info_item Item No value rnsap.RL_Specific_DCH_Info_Item
rnsap.RL_Specific_EDCH_Information_item Item No value rnsap.RL_Specific_EDCH_InfoItem
rnsap.RL_Successful_InformationRespList_DM_Fail_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Unsuccessful_InformationRespList_DM_Fail_Ind_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RL_Unsuccessful_InformationRespList_DM_Fail_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.RNCsWithCellsInTheAccessedURA_List_item Item No value rnsap.RNCsWithCellsInTheAccessedURA_Item
rnsap.RNSAP_PDU RNSAP-PDU Unsigned 32-bit integer rnsap.RNSAP_PDU
rnsap.Reference_E_TFCI_Information_item Item No value rnsap.Reference_E_TFCI_Information_Item
rnsap.Satellite_Almanac_Information_ExtItem_item Item No value rnsap.Satellite_Almanac_Information_ExtItem_item
rnsap.Secondary_CCPCH_TDD_Code_Information_item Item No value rnsap.Secondary_CCPCH_TDD_Code_InformationItem
rnsap.Secondary_CCPCH_TDD_InformationList_item Item No value rnsap.Secondary_CCPCH_TDD_InformationItem
rnsap.Secondary_LCR_CCPCH_TDD_Code_Information_item Item No value rnsap.Secondary_LCR_CCPCH_TDD_Code_InformationItem
rnsap.Secondary_LCR_CCPCH_TDD_InformationList_item Item No value rnsap.Secondary_LCR_CCPCH_TDD_InformationItem
rnsap.SuccessfulRL_InformationResponseList_RL_AdditionFailureFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.SuccessfulRL_InformationResponseList_RL_SetupFailureFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.TDD_DCHs_to_ModifySpecificInformationList_item Item No value rnsap.TDD_DCHs_to_ModifySpecificItem
rnsap.TDD_DCHs_to_Modify_item Item No value rnsap.TDD_DCHs_to_ModifyItem
rnsap.TDD_DL_Code_InformationModifyList_RL_ReconfReadyTDD_item Item No value rnsap.TDD_DL_Code_InformationModifyItem_RL_ReconfReadyTDD
rnsap.TDD_DL_Code_Information_item Item No value rnsap.TDD_DL_Code_InformationItem
rnsap.TDD_DL_Code_LCR_InformationModifyList_RL_ReconfReadyTDD_item Item No value rnsap.TDD_DL_Code_LCR_InformationModifyItem_RL_ReconfReadyTDD
rnsap.TDD_DL_Code_LCR_Information_item Item No value rnsap.TDD_DL_Code_LCR_InformationItem
rnsap.TDD_UL_Code_InformationModifyList_RL_ReconfReadyTDD_item Item No value rnsap.TDD_UL_Code_InformationModifyItem_RL_ReconfReadyTDD
rnsap.TDD_UL_Code_Information_item Item No value rnsap.TDD_UL_Code_InformationItem
rnsap.TDD_UL_Code_LCR_InformationModifyList_RL_ReconfReadyTDD_item Item No value rnsap.TDD_UL_Code_LCR_InformationModifyItem_RL_ReconfReadyTDD
rnsap.TDD_UL_Code_LCR_Information_item Item No value rnsap.TDD_UL_Code_LCR_InformationItem
rnsap.TFCS_TFCSList_item Item No value rnsap.TFCS_TFCSList_item
rnsap.TransmissionTimeIntervalInformation_item Item No value rnsap.TransmissionTimeIntervalInformation_item
rnsap.Transmission_Gap_Pattern_Sequence_Information_item Item No value rnsap.Transmission_Gap_Pattern_Sequence_Information_item
rnsap.Transmission_Gap_Pattern_Sequence_Status_List_item Item No value rnsap.Transmission_Gap_Pattern_Sequence_Status_List_item
rnsap.TransportFormatSet_DynamicPartList_item Item No value rnsap.TransportFormatSet_DynamicPartList_item
rnsap.UEMeasurementTimeslotInfoHCR_item Item No value rnsap.UEMeasurementTimeslotInfoHCR_IEs
rnsap.UEMeasurementTimeslotInfoLCR_item Item No value rnsap.UEMeasurementTimeslotInfoLCR_IEs
rnsap.UEMeasurementValueTimeslotISCPListHCR_item Item No value rnsap.UEMeasurementValueTimeslotISCPListHCR_IEs
rnsap.UEMeasurementValueTimeslotISCPListLCR_item Item No value rnsap.UEMeasurementValueTimeslotISCPListLCR_IEs
rnsap.UEMeasurementValueTransmittedPowerListHCR_item Item No value rnsap.UEMeasurementValueTransmittedPowerListHCR_IEs
rnsap.UEMeasurementValueTransmittedPowerListLCR_item Item No value rnsap.UEMeasurementValueTransmittedPowerListLCR_IEs
rnsap.UL_CCTrCHInformationListIE_RL_AdditionRspTDD_item Item No value rnsap.UL_CCTrCHInformationItem_RL_AdditionRspTDD
rnsap.UL_CCTrCHInformationListIE_RL_ReconfReadyTDD_item Item No value rnsap.UL_CCTrCH_InformationItem_RL_ReconfReadyTDD
rnsap.UL_CCTrCHInformationListIE_RL_SetupRspTDD_item Item No value rnsap.UL_CCTrCHInformationItem_RL_SetupRspTDD
rnsap.UL_CCTrCH_InformationAddList_RL_ReconfPrepTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.UL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.UL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.UL_CCTrCH_InformationListIE_PhyChReconfRqstTDD_item Item No value rnsap.UL_CCTrCH_InformationItem_PhyChReconfRqstTDD
rnsap.UL_CCTrCH_InformationList_RL_AdditionRqstTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.UL_CCTrCH_InformationList_RL_SetupRqstTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.UL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.UL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.UL_CCTrCH_LCR_InformationListIE_RL_AdditionRspTDD_item Item No value rnsap.UL_CCTrCH_LCR_InformationItem_RL_AdditionRspTDD
rnsap.UL_DPCH_InformationDeleteListIE_RL_ReconfReadyTDD_item Item No value rnsap.UL_DPCH_InformationDeleteItem_RL_ReconfReadyTDD
rnsap.UL_LCR_CCTrCHInformationListIE_RL_SetupRspTDD_item Item No value rnsap.UL_LCR_CCTrCHInformationItem_RL_SetupRspTDD
rnsap.UL_TimeSlot_ISCP_Info_item Item No value rnsap.UL_TimeSlot_ISCP_InfoItem
rnsap.UL_TimeSlot_ISCP_LCR_Info_item Item No value rnsap.UL_TimeSlot_ISCP_LCR_InfoItem
rnsap.UL_TimeslotLCR_InformationList_PhyChReconfRqstTDD_item Item No value rnsap.UL_TimeslotLCR_InformationItem_PhyChReconfRqstTDD
rnsap.UL_TimeslotLCR_InformationModifyList_RL_ReconfReadyTDD_item Item No value rnsap.UL_TimeslotLCR_InformationModifyItem_RL_ReconfReadyTDD
rnsap.UL_TimeslotLCR_Information_item Item No value rnsap.UL_TimeslotLCR_InformationItem
rnsap.UL_Timeslot_InformationList_PhyChReconfRqstTDD_item Item No value rnsap.UL_Timeslot_InformationItem_PhyChReconfRqstTDD
rnsap.UL_Timeslot_InformationModifyList_RL_ReconfReadyTDD_item Item No value rnsap.UL_Timeslot_InformationModifyItem_RL_ReconfReadyTDD
rnsap.UL_Timeslot_Information_item Item No value rnsap.UL_Timeslot_InformationItem
rnsap.USCHToBeAddedOrModifiedList_RL_ReconfReadyTDD_item Item No value rnsap.USCHToBeAddedOrModifiedItem_RL_ReconfReadyTDD
rnsap.USCH_DeleteList_RL_ReconfPrepTDD_item Item No value rnsap.USCH_DeleteItem_RL_ReconfPrepTDD
rnsap.USCH_InformationListIE_RL_AdditionRspTDD_item Item No value rnsap.USCHInformationItem_RL_AdditionRspTDD
rnsap.USCH_InformationListIEs_RL_SetupRspTDD_item Item No value rnsap.USCHInformationItem_RL_SetupRspTDD
rnsap.USCH_Information_item Item No value rnsap.USCH_InformationItem
rnsap.USCH_LCR_InformationListIEs_RL_AdditionRspTDD_item Item No value rnsap.USCH_LCR_InformationItem_RL_AdditionRspTDD
rnsap.USCH_LCR_InformationListIEs_RL_SetupRspTDD_item Item No value rnsap.USCH_LCR_InformationItem_RL_SetupRspTDD
rnsap.USCH_ModifyList_RL_ReconfPrepTDD_item Item No value rnsap.USCH_ModifyItem_RL_ReconfPrepTDD
rnsap.UnsuccessfulRL_InformationResponseList_RL_AdditionFailureFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.UnsuccessfulRL_InformationResponseList_RL_SetupFailureFDD_item Item No value rnsap.ProtocolIE_Single_Container
rnsap.aOA_LCR aOA-LCR Unsigned 32-bit integer rnsap.AOA_LCR
rnsap.aOA_LCR_Accuracy_Class aOA-LCR-Accuracy-Class Unsigned 32-bit integer rnsap.AOA_LCR_Accuracy_Class
rnsap.a_f_1_nav a-f-1-nav Byte array rnsap.BIT_STRING_SIZE_16
rnsap.a_f_2_nav a-f-2-nav Byte array rnsap.BIT_STRING_SIZE_8
rnsap.a_f_zero_nav a-f-zero-nav Byte array rnsap.BIT_STRING_SIZE_22
rnsap.a_one_utc a-one-utc Byte array rnsap.BIT_STRING_SIZE_24
rnsap.a_sqrt_nav a-sqrt-nav Byte array rnsap.BIT_STRING_SIZE_32
rnsap.a_zero_utc a-zero-utc Byte array rnsap.BIT_STRING_SIZE_32
rnsap.accessPointName accessPointName Byte array rnsap.AccessPointName
rnsap.ackNackRepetitionFactor ackNackRepetitionFactor Unsigned 32-bit integer rnsap.AckNack_RepetitionFactor
rnsap.ackPowerOffset ackPowerOffset Unsigned 32-bit integer rnsap.Ack_Power_Offset
rnsap.activate activate No value rnsap.Activate_Info
rnsap.activation_type activation-type Unsigned 32-bit integer rnsap.Execution_Type
rnsap.addPriorityQueue addPriorityQueue No value rnsap.PriorityQueue_InfoItem_to_Add
rnsap.additionalPreferredFrequency additionalPreferredFrequency Unsigned 32-bit integer rnsap.AdditionalPreferredFrequency
rnsap.adjustmentPeriod adjustmentPeriod Unsigned 32-bit integer rnsap.AdjustmentPeriod
rnsap.adjustmentRatio adjustmentRatio Unsigned 32-bit integer rnsap.ScaledAdjustmentRatio
rnsap.affectedUEInformationForMBMS affectedUEInformationForMBMS Unsigned 32-bit integer rnsap.AffectedUEInformationForMBMS
rnsap.allRL allRL No value rnsap.All_RL_DM_Rqst
rnsap.allRLS allRLS No value rnsap.All_RL_Set_DM_Rqst
rnsap.all_contexts all-contexts No value rnsap.NULL
rnsap.allocationRetentionPriority allocationRetentionPriority No value rnsap.AllocationRetentionPriority
rnsap.allowed_DL_Rate allowed-DL-Rate Unsigned 32-bit integer rnsap.Allowed_Rate
rnsap.allowed_Rate_Information allowed-Rate-Information No value rnsap.Allowed_Rate_Information
rnsap.allowed_UL_Rate allowed-UL-Rate Unsigned 32-bit integer rnsap.Allowed_Rate
rnsap.alphaValue alphaValue Unsigned 32-bit integer rnsap.AlphaValue
rnsap.alpha_one_ionos alpha-one-ionos Byte array rnsap.BIT_STRING_SIZE_8
rnsap.alpha_three_ionos alpha-three-ionos Byte array rnsap.BIT_STRING_SIZE_8
rnsap.alpha_two_ionos alpha-two-ionos Byte array rnsap.BIT_STRING_SIZE_8
rnsap.alpha_zero_ionos alpha-zero-ionos Byte array rnsap.BIT_STRING_SIZE_8
rnsap.altitude altitude Unsigned 32-bit integer rnsap.INTEGER_0_32767
rnsap.altitudeAndDirection altitudeAndDirection No value rnsap.GA_AltitudeAndDirection
rnsap.amountofReporting amountofReporting Unsigned 32-bit integer rnsap.UEMeasurementReportCharacteristicsPeriodicAmountofReporting
rnsap.aodo_nav aodo-nav Byte array rnsap.BIT_STRING_SIZE_5
rnsap.associatedHSDSCH_MACdFlow associatedHSDSCH-MACdFlow Unsigned 32-bit integer rnsap.HSDSCH_MACdFlow_ID
rnsap.bCC bCC Byte array rnsap.BCC
rnsap.bCCH_ARFCN bCCH-ARFCN Unsigned 32-bit integer rnsap.BCCH_ARFCN
rnsap.bLER bLER Signed 32-bit integer rnsap.BLER
rnsap.bSIC bSIC No value rnsap.BSIC
rnsap.badSAT_ID badSAT-ID Unsigned 32-bit integer rnsap.SAT_ID
rnsap.badSatelliteInformation badSatelliteInformation Unsigned 32-bit integer rnsap.T_badSatelliteInformation
rnsap.badSatelliteInformation_item Item No value rnsap.T_badSatelliteInformation_item
rnsap.badSatellites badSatellites No value rnsap.BadSatellites
rnsap.band_Indicator band-Indicator Unsigned 32-bit integer rnsap.Band_Indicator
rnsap.betaC betaC Unsigned 32-bit integer rnsap.BetaCD
rnsap.betaD betaD Unsigned 32-bit integer rnsap.BetaCD
rnsap.beta_one_ionos beta-one-ionos Byte array rnsap.BIT_STRING_SIZE_8
rnsap.beta_three_ionos beta-three-ionos Byte array rnsap.BIT_STRING_SIZE_8
rnsap.beta_two_ionos beta-two-ionos Byte array rnsap.BIT_STRING_SIZE_8
rnsap.beta_zero_ionos beta-zero-ionos Byte array rnsap.BIT_STRING_SIZE_8
rnsap.bindingID bindingID Byte array rnsap.BindingID
rnsap.bundlingModeIndicator bundlingModeIndicator Unsigned 32-bit integer rnsap.BundlingModeIndicator
rnsap.burstFreq burstFreq Unsigned 32-bit integer rnsap.INTEGER_1_16
rnsap.burstLength burstLength Unsigned 32-bit integer rnsap.INTEGER_10_25
rnsap.burstModeParameters burstModeParameters No value rnsap.BurstModeParameters
rnsap.burstStart burstStart Unsigned 32-bit integer rnsap.INTEGER_0_15
rnsap.burstType burstType Unsigned 32-bit integer rnsap.UEMeasurementTimeslotInfoHCRBurstType
rnsap.cCTrCH cCTrCH No value rnsap.CCTrCH_RL_FailureInd
rnsap.cCTrCH_ID cCTrCH-ID Unsigned 32-bit integer rnsap.CCTrCH_ID
rnsap.cCTrCH_InformationList_RL_FailureInd cCTrCH-InformationList-RL-FailureInd Unsigned 32-bit integer rnsap.CCTrCH_InformationList_RL_FailureInd
rnsap.cCTrCH_InformationList_RL_RestoreInd cCTrCH-InformationList-RL-RestoreInd Unsigned 32-bit integer rnsap.CCTrCH_InformationList_RL_RestoreInd
rnsap.cCTrCH_Maximum_DL_Power cCTrCH-Maximum-DL-Power Signed 32-bit integer rnsap.DL_Power
rnsap.cCTrCH_Minimum_DL_Power cCTrCH-Minimum-DL-Power Signed 32-bit integer rnsap.DL_Power
rnsap.cCTrCH_TPCList cCTrCH-TPCList Unsigned 32-bit integer rnsap.CCTrCH_TPCList_RL_SetupRqstTDD
rnsap.cFN cFN Unsigned 32-bit integer rnsap.CFN
rnsap.cGI cGI No value rnsap.CGI
rnsap.cI cI Byte array rnsap.CI
rnsap.cMConfigurationChangeCFN cMConfigurationChangeCFN Unsigned 32-bit integer rnsap.CFN
rnsap.cNDomainType cNDomainType Unsigned 32-bit integer rnsap.CNDomainType
rnsap.cN_CS_DomainIdentifier cN-CS-DomainIdentifier No value rnsap.CN_CS_DomainIdentifier
rnsap.cN_PS_DomainIdentifier cN-PS-DomainIdentifier No value rnsap.CN_PS_DomainIdentifier
rnsap.cRC_Size cRC-Size Unsigned 32-bit integer rnsap.CRC_Size
rnsap.cTFC cTFC Unsigned 32-bit integer rnsap.TFCS_CTFC
rnsap.c_ID c-ID Unsigned 32-bit integer rnsap.C_ID
rnsap.c_ic_nav c-ic-nav Byte array rnsap.BIT_STRING_SIZE_16
rnsap.c_is_nav c-is-nav Byte array rnsap.BIT_STRING_SIZE_16
rnsap.c_rc_nav c-rc-nav Byte array rnsap.BIT_STRING_SIZE_16
rnsap.c_rs_nav c-rs-nav Byte array rnsap.BIT_STRING_SIZE_16
rnsap.c_uc_nav c-uc-nav Byte array rnsap.BIT_STRING_SIZE_16
rnsap.c_us_nav c-us-nav Byte array rnsap.BIT_STRING_SIZE_16
rnsap.ca_or_p_on_l2_nav ca-or-p-on-l2-nav Byte array rnsap.BIT_STRING_SIZE_2
rnsap.cause cause Unsigned 32-bit integer rnsap.Cause
rnsap.cell cell No value rnsap.Cell_PagingRqst
rnsap.cellIndividualOffset cellIndividualOffset Signed 32-bit integer rnsap.CellIndividualOffset
rnsap.cellParameterID cellParameterID Unsigned 32-bit integer rnsap.CellParameterID
rnsap.cell_GAIgeographicalCoordinate cell-GAIgeographicalCoordinate No value rnsap.GeographicalCoordinate
rnsap.cell_fach_pch cell-fach-pch No value rnsap.Cell_Fach_Pch_State
rnsap.cfn cfn Unsigned 32-bit integer rnsap.CFN
rnsap.channelCoding channelCoding Unsigned 32-bit integer rnsap.ChannelCodingType
rnsap.chipOffset chipOffset Unsigned 32-bit integer rnsap.ChipOffset
rnsap.closedLoopMode1_SupportIndicator closedLoopMode1-SupportIndicator Unsigned 32-bit integer rnsap.ClosedLoopMode1_SupportIndicator
rnsap.closedlooptimingadjustmentmode closedlooptimingadjustmentmode Unsigned 32-bit integer rnsap.Closedlooptimingadjustmentmode
rnsap.code_Number code-Number Unsigned 32-bit integer rnsap.INTEGER_0_127
rnsap.codingRate codingRate Unsigned 32-bit integer rnsap.CodingRate
rnsap.combining combining No value rnsap.Combining_RL_SetupRspFDD
rnsap.commonMeasurementValue commonMeasurementValue Unsigned 32-bit integer rnsap.CommonMeasurementValue
rnsap.commonMeasurementValueInformation commonMeasurementValueInformation Unsigned 32-bit integer rnsap.CommonMeasurementValueInformation
rnsap.commonMidamble commonMidamble No value rnsap.NULL
rnsap.common_DL_ReferencePowerInformation common-DL-ReferencePowerInformation Signed 32-bit integer rnsap.DL_Power
rnsap.confidence confidence Unsigned 32-bit integer rnsap.INTEGER_0_127
rnsap.context context No value rnsap.ContextList_Reset
rnsap.contextGroup contextGroup No value rnsap.ContextGroupList_Reset
rnsap.contextGroupInfoList_Reset contextGroupInfoList-Reset Unsigned 32-bit integer rnsap.ContextGroupInfoList_Reset
rnsap.contextInfoList_Reset contextInfoList-Reset Unsigned 32-bit integer rnsap.ContextInfoList_Reset
rnsap.contextType_Reset contextType-Reset Unsigned 32-bit integer rnsap.ContextType_Reset
rnsap.correspondingCells correspondingCells Unsigned 32-bit integer rnsap.CorrespondingCells
rnsap.cqiFeedback_CycleK cqiFeedback-CycleK Unsigned 32-bit integer rnsap.CQI_Feedback_Cycle
rnsap.cqiPowerOffset cqiPowerOffset Unsigned 32-bit integer rnsap.CQI_Power_Offset
rnsap.cqiRepetitionFactor cqiRepetitionFactor Unsigned 32-bit integer rnsap.CQI_RepetitionFactor
rnsap.criticality criticality Unsigned 32-bit integer rnsap.Criticality
rnsap.ctfc12bit ctfc12bit Unsigned 32-bit integer rnsap.INTEGER_0_4095
rnsap.ctfc16bit ctfc16bit Unsigned 32-bit integer rnsap.INTEGER_0_65535
rnsap.ctfc2bit ctfc2bit Unsigned 32-bit integer rnsap.INTEGER_0_3
rnsap.ctfc4bit ctfc4bit Unsigned 32-bit integer rnsap.INTEGER_0_15
rnsap.ctfc6bit ctfc6bit Unsigned 32-bit integer rnsap.INTEGER_0_63
rnsap.ctfc8bit ctfc8bit Unsigned 32-bit integer rnsap.INTEGER_0_255
rnsap.ctfcmaxbit ctfcmaxbit Unsigned 32-bit integer rnsap.INTEGER_0_16777215
rnsap.dATA_ID dATA-ID Unsigned 32-bit integer rnsap.DATA_ID
rnsap.dCHInformationResponse dCHInformationResponse No value rnsap.DCH_InformationResponseList_RL_ReconfReadyFDD
rnsap.dCH_ID dCH-ID Unsigned 32-bit integer rnsap.DCH_ID
rnsap.dCH_Information dCH-Information No value rnsap.DCH_Information_RL_AdditionRspTDD
rnsap.dCH_InformationResponse dCH-InformationResponse Unsigned 32-bit integer rnsap.DCH_InformationResponse
rnsap.dCH_Rate_Information dCH-Rate-Information Unsigned 32-bit integer rnsap.DCH_Rate_Information_RL_CongestInd
rnsap.dCH_SpecificInformationList dCH-SpecificInformationList Unsigned 32-bit integer rnsap.DCH_Specific_FDD_InformationList
rnsap.dCH_id dCH-id Unsigned 32-bit integer rnsap.DCH_ID
rnsap.dCHsInformationResponseList dCHsInformationResponseList No value rnsap.DCH_InformationResponseList_RL_ReconfRspFDD
rnsap.dGPSCorrections dGPSCorrections No value rnsap.DGPSCorrections
rnsap.dGPSThreshold dGPSThreshold No value rnsap.DGPSThreshold
rnsap.dLReferencePower dLReferencePower Signed 32-bit integer rnsap.DL_Power
rnsap.dLReferencePowerList dLReferencePowerList Unsigned 32-bit integer rnsap.DL_ReferencePowerInformationList
rnsap.dL_CodeInformationList_RL_ReconfResp dL-CodeInformationList-RL-ReconfResp No value rnsap.DL_CodeInformationList_RL_ReconfRspFDD
rnsap.dL_Code_Information dL-Code-Information Unsigned 32-bit integer rnsap.TDD_DL_Code_InformationModifyList_RL_ReconfReadyTDD
rnsap.dL_Code_LCR_Information dL-Code-LCR-Information Unsigned 32-bit integer rnsap.TDD_DL_Code_LCR_Information
rnsap.dL_FrameType dL-FrameType Unsigned 32-bit integer rnsap.DL_FrameType
rnsap.dL_TimeSlot_ISCP dL-TimeSlot-ISCP Unsigned 32-bit integer rnsap.DL_TimeSlot_ISCP_Info
rnsap.dL_TimeSlot_ISCP_Info dL-TimeSlot-ISCP-Info Unsigned 32-bit integer rnsap.DL_TimeSlot_ISCP_Info
rnsap.dL_TimeslotISCP dL-TimeslotISCP Unsigned 32-bit integer rnsap.DL_TimeslotISCP
rnsap.dL_TimeslotLCR_Info dL-TimeslotLCR-Info Unsigned 32-bit integer rnsap.DL_TimeslotLCR_Information
rnsap.dL_TimeslotLCR_Information dL-TimeslotLCR-Information Unsigned 32-bit integer rnsap.DL_TimeslotLCR_Information
rnsap.dL_Timeslot_ISCP dL-Timeslot-ISCP No value rnsap.UE_MeasurementValue_DL_Timeslot_ISCP
rnsap.dL_Timeslot_Information dL-Timeslot-Information Unsigned 32-bit integer rnsap.DL_Timeslot_Information
rnsap.dL_Timeslot_InformationList_PhyChReconfRqstTDD dL-Timeslot-InformationList-PhyChReconfRqstTDD Unsigned 32-bit integer rnsap.DL_Timeslot_InformationList_PhyChReconfRqstTDD
rnsap.dL_Timeslot_InformationModifyList_RL_ReconfReadyTDD dL-Timeslot-InformationModifyList-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.DL_Timeslot_InformationModifyList_RL_ReconfReadyTDD
rnsap.dL_Timeslot_LCR_Information dL-Timeslot-LCR-Information Unsigned 32-bit integer rnsap.DL_TimeslotLCR_Information
rnsap.dL_Timeslot_LCR_InformationModifyList_RL_ReconfRqstTDD dL-Timeslot-LCR-InformationModifyList-RL-ReconfRqstTDD Unsigned 32-bit integer rnsap.DL_Timeslot_LCR_InformationModifyList_RL_ReconfRspTDD
rnsap.dL_UARFCN dL-UARFCN Unsigned 32-bit integer rnsap.UARFCN
rnsap.dPCHConstantValue dPCHConstantValue Signed 32-bit integer rnsap.DPCHConstantValue
rnsap.dPCH_ID dPCH-ID Unsigned 32-bit integer rnsap.DPCH_ID
rnsap.dRACControl dRACControl Unsigned 32-bit integer rnsap.DRACControl
rnsap.dRNTI dRNTI Unsigned 32-bit integer rnsap.D_RNTI
rnsap.dSCH_FlowControlInformation dSCH-FlowControlInformation Unsigned 32-bit integer rnsap.DSCH_FlowControlInformation
rnsap.dSCH_ID dSCH-ID Unsigned 32-bit integer rnsap.DSCH_ID
rnsap.dSCH_InformationResponse dSCH-InformationResponse No value rnsap.DSCH_InformationResponse_RL_AdditionRspTDD
rnsap.dSCH_SchedulingPriority dSCH-SchedulingPriority Unsigned 32-bit integer rnsap.SchedulingPriorityIndicator
rnsap.dSCHsToBeAddedOrModified dSCHsToBeAddedOrModified No value rnsap.DSCHToBeAddedOrModified_RL_ReconfReadyTDD
rnsap.d_RNTI d-RNTI Unsigned 32-bit integer rnsap.D_RNTI
rnsap.ddMode ddMode Unsigned 32-bit integer rnsap.T_ddMode
rnsap.deactivate deactivate No value rnsap.Deactivate_Info
rnsap.deactivation_type deactivation-type Unsigned 32-bit integer rnsap.Execution_Type
rnsap.dedicatedMeasurementValue dedicatedMeasurementValue Unsigned 32-bit integer rnsap.DedicatedMeasurementValue
rnsap.dedicatedMeasurementValueInformation dedicatedMeasurementValueInformation Unsigned 32-bit integer rnsap.DedicatedMeasurementValueInformation
rnsap.dedicatedmeasurementValue dedicatedmeasurementValue Unsigned 32-bit integer rnsap.DedicatedMeasurementValue
rnsap.defaultMidamble defaultMidamble No value rnsap.NULL
rnsap.defaultPreferredFrequency defaultPreferredFrequency Unsigned 32-bit integer rnsap.UARFCN
rnsap.delayed_activation_update delayed-activation-update Unsigned 32-bit integer rnsap.DelayedActivationUpdate
rnsap.deletePriorityQueue deletePriorityQueue Unsigned 32-bit integer rnsap.PriorityQueue_Id
rnsap.delta_SIR1 delta-SIR1 Unsigned 32-bit integer rnsap.DeltaSIR
rnsap.delta_SIR2 delta-SIR2 Unsigned 32-bit integer rnsap.DeltaSIR
rnsap.delta_SIR_after1 delta-SIR-after1 Unsigned 32-bit integer rnsap.DeltaSIR
rnsap.delta_SIR_after2 delta-SIR-after2 Unsigned 32-bit integer rnsap.DeltaSIR
rnsap.delta_n_nav delta-n-nav Byte array rnsap.BIT_STRING_SIZE_16
rnsap.delta_t_ls_utc delta-t-ls-utc Byte array rnsap.BIT_STRING_SIZE_8
rnsap.delta_t_lsf_utc delta-t-lsf-utc Byte array rnsap.BIT_STRING_SIZE_8
rnsap.directionOfAltitude directionOfAltitude Unsigned 32-bit integer rnsap.T_directionOfAltitude
rnsap.discardTimer discardTimer Unsigned 32-bit integer rnsap.DiscardTimer
rnsap.diversityControlField diversityControlField Unsigned 32-bit integer rnsap.DiversityControlField
rnsap.diversityIndication diversityIndication Unsigned 32-bit integer rnsap.DiversityIndication_RL_SetupRspFDD
rnsap.diversityMode diversityMode Unsigned 32-bit integer rnsap.DiversityMode
rnsap.dl_BLER dl-BLER Signed 32-bit integer rnsap.BLER
rnsap.dl_CCTrCHInformation dl-CCTrCHInformation No value rnsap.DL_CCTrCHInformationList_RL_SetupRspTDD
rnsap.dl_CCTrCH_ID dl-CCTrCH-ID Unsigned 32-bit integer rnsap.CCTrCH_ID
rnsap.dl_CCTrCH_Information dl-CCTrCH-Information No value rnsap.DL_CCTrCH_InformationList_RL_ReconfReadyTDD
rnsap.dl_CCTrCH_LCR_Information dl-CCTrCH-LCR-Information No value rnsap.DL_CCTrCH_LCR_InformationList_RL_AdditionRspTDD
rnsap.dl_CodeInformation dl-CodeInformation Unsigned 32-bit integer rnsap.FDD_DL_CodeInformation
rnsap.dl_CodeInformationList dl-CodeInformationList No value rnsap.DL_CodeInformationList_RL_ReconfReadyFDD
rnsap.dl_DPCH_AddInformation dl-DPCH-AddInformation No value rnsap.DL_DPCH_InformationAddList_RL_ReconfReadyTDD
rnsap.dl_DPCH_DeleteInformation dl-DPCH-DeleteInformation No value rnsap.DL_DPCH_InformationDeleteList_RL_ReconfReadyTDD
rnsap.dl_DPCH_Information dl-DPCH-Information No value rnsap.DL_DPCH_InformationList_RL_SetupRspTDD
rnsap.dl_DPCH_LCR_Information dl-DPCH-LCR-Information No value rnsap.DL_DPCH_LCR_InformationList_RL_SetupRspTDD
rnsap.dl_DPCH_ModifyInformation dl-DPCH-ModifyInformation No value rnsap.DL_DPCH_InformationModifyList_RL_ReconfReadyTDD
rnsap.dl_DPCH_ModifyInformation_LCR dl-DPCH-ModifyInformation-LCR No value rnsap.DL_DPCH_InformationModifyList_LCR_RL_ReconfRspTDD
rnsap.dl_DPCH_SlotFormat dl-DPCH-SlotFormat Unsigned 32-bit integer rnsap.DL_DPCH_SlotFormat
rnsap.dl_InitialTX_Power dl-InitialTX-Power Signed 32-bit integer rnsap.DL_Power
rnsap.dl_LCR_CCTrCHInformation dl-LCR-CCTrCHInformation No value rnsap.DL_LCR_CCTrCHInformationList_RL_SetupRspTDD
rnsap.dl_PunctureLimit dl-PunctureLimit Unsigned 32-bit integer rnsap.PunctureLimit
rnsap.dl_Reference_Power dl-Reference-Power Signed 32-bit integer rnsap.DL_Power
rnsap.dl_ScramblingCode dl-ScramblingCode Unsigned 32-bit integer rnsap.DL_ScramblingCode
rnsap.dl_TFCS dl-TFCS No value rnsap.TFCS
rnsap.dl_TransportformatSet dl-TransportformatSet No value rnsap.TransportFormatSet
rnsap.dl_cCTrCH_ID dl-cCTrCH-ID Unsigned 32-bit integer rnsap.CCTrCH_ID
rnsap.dl_ccTrCHID dl-ccTrCHID Unsigned 32-bit integer rnsap.CCTrCH_ID
rnsap.dl_transportFormatSet dl-transportFormatSet No value rnsap.TransportFormatSet
rnsap.dn_utc dn-utc Byte array rnsap.BIT_STRING_SIZE_8
rnsap.downlinkCellCapacityClassValue downlinkCellCapacityClassValue Unsigned 32-bit integer rnsap.INTEGER_1_100_
rnsap.downlinkLoadValue downlinkLoadValue Unsigned 32-bit integer rnsap.INTEGER_0_100
rnsap.downlinkNRTLoadInformationValue downlinkNRTLoadInformationValue Unsigned 32-bit integer rnsap.INTEGER_0_3
rnsap.downlinkRTLoadValue downlinkRTLoadValue Unsigned 32-bit integer rnsap.INTEGER_0_100
rnsap.downlinkStepSize downlinkStepSize Unsigned 32-bit integer rnsap.TDD_TPC_DownlinkStepSize
rnsap.downlink_Compressed_Mode_Method downlink-Compressed-Mode-Method Unsigned 32-bit integer rnsap.Downlink_Compressed_Mode_Method
rnsap.dsField dsField Byte array rnsap.DsField
rnsap.dsch_ID dsch-ID Unsigned 32-bit integer rnsap.DSCH_ID
rnsap.dsch_InformationResponse dsch-InformationResponse No value rnsap.DSCH_InformationResponse_RL_SetupRspTDD
rnsap.dsch_LCR_InformationResponse dsch-LCR-InformationResponse No value rnsap.DSCH_LCR_InformationResponse_RL_SetupRspTDD
rnsap.dynamicParts dynamicParts Unsigned 32-bit integer rnsap.TransportFormatSet_DynamicPartList
rnsap.eAGCH_ChannelisationCode eAGCH-ChannelisationCode Unsigned 32-bit integer rnsap.FDD_DL_ChannelisationCodeNumber
rnsap.eAGCH_ERGCH_EHICH_FDD_ScramblingCode eAGCH-ERGCH-EHICH-FDD-ScramblingCode Unsigned 32-bit integer rnsap.DL_ScramblingCode
rnsap.eDCHLogicalChannelInformation eDCHLogicalChannelInformation Unsigned 32-bit integer rnsap.E_DCH_LogicalChannelInformation
rnsap.eDCH_DDI_Value eDCH-DDI-Value Unsigned 32-bit integer rnsap.EDCH_DDI_Value
rnsap.eDCH_FDD_DL_ControlChannelInformation eDCH-FDD-DL-ControlChannelInformation No value rnsap.EDCH_FDD_DL_ControlChannelInformation
rnsap.eDCH_Grant_Type_Information eDCH-Grant-Type-Information Unsigned 32-bit integer rnsap.E_DCH_Grant_Type_Information
rnsap.eDCH_HARQ_PO_FDD eDCH-HARQ-PO-FDD Unsigned 32-bit integer rnsap.E_DCH_HARQ_PO_FDD
rnsap.eDCH_LogicalChannelToAdd eDCH-LogicalChannelToAdd Unsigned 32-bit integer rnsap.E_DCH_LogicalChannelInformation
rnsap.eDCH_LogicalChannelToDelete eDCH-LogicalChannelToDelete Unsigned 32-bit integer rnsap.E_DCH_LogicalChannelToDelete
rnsap.eDCH_LogicalChannelToModify eDCH-LogicalChannelToModify Unsigned 32-bit integer rnsap.E_DCH_LogicalChannelToModify
rnsap.eDCH_MACdFlow_ID eDCH-MACdFlow-ID Unsigned 32-bit integer rnsap.EDCH_MACdFlow_ID
rnsap.eDCH_MACdFlow_Multiplexing_List eDCH-MACdFlow-Multiplexing-List Byte array rnsap.E_DCH_MACdFlow_Multiplexing_List
rnsap.eDCH_MACdFlow_Specific_Information eDCH-MACdFlow-Specific-Information Unsigned 32-bit integer rnsap.EDCH_MACdFlow_Specific_InfoToModifyList
rnsap.eDCH_MACdFlows_Information eDCH-MACdFlows-Information No value rnsap.EDCH_MACdFlows_Information
rnsap.eDSCH_MACdFlow_ID eDSCH-MACdFlow-ID Unsigned 32-bit integer rnsap.EDCH_MACdFlow_ID
rnsap.eHICH_SignatureSequence eHICH-SignatureSequence Unsigned 32-bit integer rnsap.EHICH_SignatureSequence
rnsap.eRGCH_EHICH_ChannelisationCode eRGCH-EHICH-ChannelisationCode Unsigned 32-bit integer rnsap.FDD_DL_ChannelisationCodeNumber
rnsap.eRGCH_SignatureSequence eRGCH-SignatureSequence Unsigned 32-bit integer rnsap.ERGCH_SignatureSequence
rnsap.e_DCH_Min_Set_E_TFCI e-DCH-Min-Set-E-TFCI Unsigned 32-bit integer rnsap.E_TFCI
rnsap.e_DCH_Non_Scheduled_Transmission_Grant e-DCH-Non-Scheduled-Transmission-Grant No value rnsap.E_DCH_Non_Scheduled_Transmission_Grant_Items
rnsap.e_DCH_Scheduled_Transmission_Grant e-DCH-Scheduled-Transmission-Grant No value rnsap.NULL
rnsap.e_DCH_Serving_RL_Id e-DCH-Serving-RL-Id Unsigned 32-bit integer rnsap.RL_ID
rnsap.e_DCH_Serving_RL_in_this_DRNS e-DCH-Serving-RL-in-this-DRNS No value rnsap.EDCH_Serving_RL_in_this_DRNS
rnsap.e_DCH_Serving_RL_not_in_this_DRNS e-DCH-Serving-RL-not-in-this-DRNS No value rnsap.NULL
rnsap.e_DCH_TFCI_Table_Index e-DCH-TFCI-Table-Index Unsigned 32-bit integer rnsap.E_DCH_TFCI_Table_Index
rnsap.e_DPCCH_PO e-DPCCH-PO Unsigned 32-bit integer rnsap.E_DPCCH_PO
rnsap.e_RGCH_Release_Indicator e-RGCH-Release-Indicator Unsigned 32-bit integer rnsap.E_RGCH_Release_Indicator
rnsap.e_TFCS_Information e-TFCS-Information No value rnsap.E_TFCS_Information
rnsap.e_TTI e-TTI Unsigned 32-bit integer rnsap.E_TTI
rnsap.eightPSK eightPSK Unsigned 32-bit integer rnsap.EightPSK_DL_DPCH_TimeSlotFormatTDD_LCR
rnsap.ellipsoidArc ellipsoidArc No value rnsap.GA_EllipsoidArc
rnsap.event1h event1h No value rnsap.UEMeasurementReportCharacteristicsEvent1h
rnsap.event1i event1i No value rnsap.UEMeasurementReportCharacteristicsEvent1i
rnsap.event6a event6a No value rnsap.UEMeasurementReportCharacteristicsEvent6a
rnsap.event6b event6b No value rnsap.UEMeasurementReportCharacteristicsEvent6b
rnsap.event6c event6c No value rnsap.UEMeasurementReportCharacteristicsEvent6c
rnsap.event6d event6d No value rnsap.UEMeasurementReportCharacteristicsEvent6d
rnsap.eventA eventA No value rnsap.EventA
rnsap.eventB eventB No value rnsap.EventB
rnsap.eventC eventC No value rnsap.EventC
rnsap.eventD eventD No value rnsap.EventD
rnsap.eventE eventE No value rnsap.EventE
rnsap.eventF eventF No value rnsap.EventF
rnsap.explicit explicit No value rnsap.HARQ_MemoryPartitioning_Explicit
rnsap.extensionValue extensionValue No value rnsap.Extension
rnsap.extension_CommonMeasurementValue extension-CommonMeasurementValue No value rnsap.Extension_CommonMeasurementValue
rnsap.extension_DedicatedMeasurementValue extension-DedicatedMeasurementValue No value rnsap.Extension_DedicatedMeasurementValue
rnsap.extension_IPDLParameters extension-IPDLParameters No value rnsap.Extension_IPDLParameters
rnsap.extension_InformationExchangeObjectType_InfEx_Rqst extension-InformationExchangeObjectType-InfEx-Rqst No value rnsap.Extension_InformationExchangeObjectType_InfEx_Rqst
rnsap.extension_InformationExchangeObjectType_InfEx_Rsp extension-InformationExchangeObjectType-InfEx-Rsp No value rnsap.Extension_InformationExchangeObjectType_InfEx_Rsp
rnsap.extension_MeasurementIncreaseDecreaseThreshold extension-MeasurementIncreaseDecreaseThreshold No value rnsap.Extension_MeasurementIncreaseDecreaseThreshold
rnsap.extension_MeasurementThreshold extension-MeasurementThreshold No value rnsap.Extension_MeasurementThreshold
rnsap.extension_ReportCharacteristics extension-ReportCharacteristics No value rnsap.Extension_ReportCharacteristics
rnsap.extension_UEMeasurementThreshold extension-UEMeasurementThreshold No value rnsap.UEMeasurementThreshold_Extension
rnsap.extension_UEMeasurementValue extension-UEMeasurementValue No value rnsap.UEMeasurementValue_Extension
rnsap.extension_neighbouringCellMeasurementInformation extension-neighbouringCellMeasurementInformation No value rnsap.Extension_neighbouringCellMeasurementInformation
rnsap.fACH_FlowControlInformation fACH-FlowControlInformation No value rnsap.FACH_FlowControlInformation_CTCH_ResourceRspFDD
rnsap.fACH_InformationList fACH-InformationList Unsigned 32-bit integer rnsap.FACH_InformationList
rnsap.fACH_InitialWindowSize fACH-InitialWindowSize Unsigned 32-bit integer rnsap.FACH_InitialWindowSize
rnsap.fACH_SchedulingPriority fACH-SchedulingPriority Unsigned 32-bit integer rnsap.SchedulingPriorityIndicator
rnsap.fDD_DL_ChannelisationCodeNumber fDD-DL-ChannelisationCodeNumber Unsigned 32-bit integer rnsap.FDD_DL_ChannelisationCodeNumber
rnsap.fPACH_info fPACH-info No value rnsap.FPACH_Information
rnsap.failed_HS_SICH failed-HS-SICH Unsigned 32-bit integer rnsap.HS_SICH_failed
rnsap.fdd_TPC_DownlinkStepSize fdd-TPC-DownlinkStepSize Unsigned 32-bit integer rnsap.FDD_TPC_DownlinkStepSize
rnsap.fdd_dl_TPC_DownlinkStepSize fdd-dl-TPC-DownlinkStepSize Unsigned 32-bit integer rnsap.FDD_TPC_DownlinkStepSize
rnsap.firstCriticality firstCriticality Unsigned 32-bit integer rnsap.Criticality
rnsap.firstRLS_Indicator firstRLS-Indicator Unsigned 32-bit integer rnsap.FirstRLS_Indicator
rnsap.firstRLS_indicator firstRLS-indicator Unsigned 32-bit integer rnsap.FirstRLS_Indicator
rnsap.firstValue firstValue No value rnsap.FirstValue
rnsap.first_TDD_ChannelisationCode first-TDD-ChannelisationCode Unsigned 32-bit integer rnsap.TDD_ChannelisationCode
rnsap.fit_interval_flag_nav fit-interval-flag-nav Byte array rnsap.BIT_STRING_SIZE_1
rnsap.frameHandlingPriority frameHandlingPriority Unsigned 32-bit integer rnsap.FrameHandlingPriority
rnsap.frameOffset frameOffset Unsigned 32-bit integer rnsap.FrameOffset
rnsap.gA_AccessPointPosition gA-AccessPointPosition No value rnsap.GA_AccessPointPosition
rnsap.gA_AccessPointPositionwithAltitude gA-AccessPointPositionwithAltitude No value rnsap.GA_AccessPointPositionwithOptionalAltitude
rnsap.gA_Cell gA-Cell Unsigned 32-bit integer rnsap.GA_Cell
rnsap.gERAN_SI_Type gERAN-SI-Type Unsigned 32-bit integer rnsap.GERAN_SI_Type
rnsap.gERAN_SI_block gERAN-SI-block Byte array rnsap.OCTET_STRING_SIZE_1_23
rnsap.gPSInformation gPSInformation Unsigned 32-bit integer rnsap.GPSInformation
rnsap.gPSInformationItem gPSInformationItem Unsigned 32-bit integer rnsap.T_gPSInformationItem
rnsap.gPSTOW gPSTOW Unsigned 32-bit integer rnsap.GPSTOW
rnsap.gPS_Almanac gPS-Almanac No value rnsap.GPS_Almanac
rnsap.gPS_Ionospheric_Model gPS-Ionospheric-Model No value rnsap.GPS_Ionospheric_Model
rnsap.gPS_NavigationModel_and_TimeRecovery gPS-NavigationModel-and-TimeRecovery Unsigned 32-bit integer rnsap.GPS_NavigationModel_and_TimeRecovery
rnsap.gPS_RX_POS gPS-RX-POS No value rnsap.GPS_RX_POS
rnsap.gPS_RealTime_Integrity gPS-RealTime-Integrity Unsigned 32-bit integer rnsap.GPS_RealTime_Integrity
rnsap.gPS_Status_Health gPS-Status-Health Unsigned 32-bit integer rnsap.GPS_Status_Health
rnsap.gPS_UTC_Model gPS-UTC-Model No value rnsap.GPS_UTC_Model
rnsap.generalCause generalCause No value rnsap.GeneralCauseList_RL_SetupFailureFDD
rnsap.genericTrafficCategory genericTrafficCategory Byte array rnsap.GenericTrafficCategory
rnsap.geographicalCoordinate geographicalCoordinate No value rnsap.GeographicalCoordinate
rnsap.geographicalCoordinates geographicalCoordinates No value rnsap.GeographicalCoordinate
rnsap.global global rnsap.OBJECT_IDENTIFIER
rnsap.gps_a_sqrt_alm gps-a-sqrt-alm Byte array rnsap.BIT_STRING_SIZE_24
rnsap.gps_af_one_alm gps-af-one-alm Byte array rnsap.BIT_STRING_SIZE_11
rnsap.gps_af_zero_alm gps-af-zero-alm Byte array rnsap.BIT_STRING_SIZE_11
rnsap.gps_delta_I_alm gps-delta-I-alm Byte array rnsap.BIT_STRING_SIZE_16
rnsap.gps_e_alm gps-e-alm Byte array rnsap.BIT_STRING_SIZE_16
rnsap.gps_e_nav gps-e-nav Byte array rnsap.BIT_STRING_SIZE_32
rnsap.gps_omega_alm gps-omega-alm Byte array rnsap.BIT_STRING_SIZE_24
rnsap.gps_omega_nav gps-omega-nav Byte array rnsap.BIT_STRING_SIZE_32
rnsap.gps_toa_alm gps-toa-alm Byte array rnsap.BIT_STRING_SIZE_8
rnsap.guaranteed_DL_Rate guaranteed-DL-Rate Unsigned 32-bit integer rnsap.Guaranteed_Rate
rnsap.guaranteed_UL_Rate guaranteed-UL-Rate Unsigned 32-bit integer rnsap.Guaranteed_Rate
rnsap.hARQ_MemoryPartitioning hARQ-MemoryPartitioning Unsigned 32-bit integer rnsap.HARQ_MemoryPartitioning
rnsap.hARQ_MemoryPartitioningList hARQ-MemoryPartitioningList Unsigned 32-bit integer rnsap.HARQ_MemoryPartitioningList
rnsap.hARQ_Process_Allocation_2ms hARQ-Process-Allocation-2ms Byte array rnsap.HARQ_Process_Allocation_2ms_EDCH
rnsap.hSDSCH_InitialWindowSize hSDSCH-InitialWindowSize Unsigned 32-bit integer rnsap.HSDSCH_InitialWindowSize
rnsap.hSDSCH_Initial_Capacity_Allocation hSDSCH-Initial-Capacity-Allocation Unsigned 32-bit integer rnsap.HSDSCH_Initial_Capacity_Allocation
rnsap.hSDSCH_MACdFlow_ID hSDSCH-MACdFlow-ID Unsigned 32-bit integer rnsap.HSDSCH_MACdFlow_ID
rnsap.hSDSCH_MACdFlow_Specific_Info hSDSCH-MACdFlow-Specific-Info Unsigned 32-bit integer rnsap.HSDSCH_MACdFlow_Specific_InfoList
rnsap.hSDSCH_MACdFlow_Specific_InfoList_Response hSDSCH-MACdFlow-Specific-InfoList-Response Unsigned 32-bit integer rnsap.HSDSCH_MACdFlow_Specific_InfoList_Response
rnsap.hSDSCH_MACdFlow_Specific_InfoList_to_Modify hSDSCH-MACdFlow-Specific-InfoList-to-Modify Unsigned 32-bit integer rnsap.HSDSCH_MACdFlow_Specific_InfoList_to_Modify
rnsap.hSDSCH_MACdFlows_Information hSDSCH-MACdFlows-Information No value rnsap.HSDSCH_MACdFlows_Information
rnsap.hSDSCH_Physical_Layer_Category hSDSCH-Physical-Layer-Category Unsigned 32-bit integer rnsap.INTEGER_1_64_
rnsap.hSPDSCH_TDD_Specific_InfoList_Response hSPDSCH-TDD-Specific-InfoList-Response Unsigned 32-bit integer rnsap.HSPDSCH_TDD_Specific_InfoList_Response
rnsap.hSPDSCH_TDD_Specific_InfoList_Response_LCR hSPDSCH-TDD-Specific-InfoList-Response-LCR Unsigned 32-bit integer rnsap.HSPDSCH_TDD_Specific_InfoList_Response_LCR
rnsap.hSPDSCH_and_HSSCCH_ScramblingCode hSPDSCH-and-HSSCCH-ScramblingCode Unsigned 32-bit integer rnsap.DL_ScramblingCode
rnsap.hSSCCH_CodeChangeGrant hSSCCH-CodeChangeGrant Unsigned 32-bit integer rnsap.HSSCCH_Code_Change_Grant
rnsap.hSSCCH_Specific_InfoList_Response hSSCCH-Specific-InfoList-Response Unsigned 32-bit integer rnsap.HSSCCH_FDD_Specific_InfoList_Response
rnsap.hSSCCH_TDD_Specific_InfoList_Response hSSCCH-TDD-Specific-InfoList-Response Unsigned 32-bit integer rnsap.HSSCCH_TDD_Specific_InfoList_Response
rnsap.hSSCCH_TDD_Specific_InfoList_Response_LCR hSSCCH-TDD-Specific-InfoList-Response-LCR Unsigned 32-bit integer rnsap.HSSCCH_TDD_Specific_InfoList_Response_LCR
rnsap.hSSICH_Info hSSICH-Info No value rnsap.HSSICH_Info
rnsap.hSSICH_InfoLCR hSSICH-InfoLCR No value rnsap.HSSICH_InfoLCR
rnsap.ho_word_nav ho-word-nav Byte array rnsap.BIT_STRING_SIZE_22
rnsap.hour hour Unsigned 32-bit integer rnsap.INTEGER_1_24_
rnsap.hsDSCH_MACdFlow_ID hsDSCH-MACdFlow-ID Unsigned 32-bit integer rnsap.HSDSCH_MACdFlow_ID
rnsap.hsSCCHCodeChangeIndicator hsSCCHCodeChangeIndicator Unsigned 32-bit integer rnsap.HSSCCH_CodeChangeIndicator
rnsap.hsSICH_ID hsSICH-ID Unsigned 32-bit integer rnsap.HS_SICH_ID
rnsap.hsscch_PowerOffset hsscch-PowerOffset Unsigned 32-bit integer rnsap.HSSCCH_PowerOffset
rnsap.iECriticality iECriticality Unsigned 32-bit integer rnsap.Criticality
rnsap.iE_Extensions iE-Extensions Unsigned 32-bit integer rnsap.ProtocolExtensionContainer
rnsap.iE_ID iE-ID Unsigned 32-bit integer rnsap.ProtocolIE_ID
rnsap.iEe_Extensions iEe-Extensions Unsigned 32-bit integer rnsap.ProtocolExtensionContainer
rnsap.iEsCriticalityDiagnostics iEsCriticalityDiagnostics Unsigned 32-bit integer rnsap.CriticalityDiagnostics_IE_List
rnsap.iPDLParameters iPDLParameters Unsigned 32-bit integer rnsap.IPDLParameters
rnsap.iPDL_FDD_Parameters iPDL-FDD-Parameters No value rnsap.IPDL_FDD_Parameters
rnsap.iPDL_TDD_Parameters iPDL-TDD-Parameters No value rnsap.IPDL_TDD_Parameters
rnsap.iPLength iPLength Unsigned 32-bit integer rnsap.IPLength
rnsap.iPMulticastAddress iPMulticastAddress Byte array rnsap.IPMulticastAddress
rnsap.iPOffset iPOffset Unsigned 32-bit integer rnsap.IPOffset
rnsap.iPSlot iPSlot Unsigned 32-bit integer rnsap.IPSlot
rnsap.iPSpacingFDD iPSpacingFDD Unsigned 32-bit integer rnsap.IPSpacingFDD
rnsap.iPSpacingTDD iPSpacingTDD Unsigned 32-bit integer rnsap.IPSpacingTDD
rnsap.iPStart iPStart Unsigned 32-bit integer rnsap.IPStart
rnsap.iPSub iPSub Unsigned 32-bit integer rnsap.IPSub
rnsap.iP_P_CCPCH iP-P-CCPCH Unsigned 32-bit integer rnsap.IP_P_CCPCH
rnsap.iSCP iSCP Unsigned 32-bit integer rnsap.UL_Timeslot_ISCP_Value
rnsap.i_zero_nav i-zero-nav Byte array rnsap.BIT_STRING_SIZE_32
rnsap.id id Unsigned 32-bit integer rnsap.ProtocolIE_ID
rnsap.id_Active_MBMS_Bearer_ServiceFDD id-Active-MBMS-Bearer-ServiceFDD Unsigned 32-bit integer rnsap.Active_MBMS_Bearer_Service_ListFDD
rnsap.id_Active_MBMS_Bearer_ServiceFDD_PFL id-Active-MBMS-Bearer-ServiceFDD-PFL Unsigned 32-bit integer rnsap.Active_MBMS_Bearer_Service_ListTDD_PFL
rnsap.id_Active_MBMS_Bearer_ServiceTDD id-Active-MBMS-Bearer-ServiceTDD Unsigned 32-bit integer rnsap.Active_MBMS_Bearer_Service_ListTDD
rnsap.id_Active_MBMS_Bearer_ServiceTDD_PFL id-Active-MBMS-Bearer-ServiceTDD-PFL Unsigned 32-bit integer rnsap.Active_MBMS_Bearer_Service_ListTDD_PFL
rnsap.id_Active_Pattern_Sequence_Information id-Active-Pattern-Sequence-Information No value rnsap.Active_Pattern_Sequence_Information
rnsap.id_AdjustmentPeriod id-AdjustmentPeriod Unsigned 32-bit integer rnsap.AdjustmentPeriod
rnsap.id_AdjustmentRatio id-AdjustmentRatio Unsigned 32-bit integer rnsap.ScaledAdjustmentRatio
rnsap.id_AllowedQueuingTime id-AllowedQueuingTime Unsigned 32-bit integer rnsap.AllowedQueuingTime
rnsap.id_Allowed_Rate_Information id-Allowed-Rate-Information No value rnsap.Allowed_Rate_Information
rnsap.id_Angle_Of_Arrival_Value_LCR id-Angle-Of-Arrival-Value-LCR No value rnsap.Angle_Of_Arrival_Value_LCR
rnsap.id_AntennaColocationIndicator id-AntennaColocationIndicator Unsigned 32-bit integer rnsap.AntennaColocationIndicator
rnsap.id_BindingID id-BindingID Byte array rnsap.BindingID
rnsap.id_CCTrCH_InformationItem_RL_FailureInd id-CCTrCH-InformationItem-RL-FailureInd No value rnsap.CCTrCH_InformationItem_RL_FailureInd
rnsap.id_CCTrCH_InformationItem_RL_RestoreInd id-CCTrCH-InformationItem-RL-RestoreInd No value rnsap.CCTrCH_InformationItem_RL_RestoreInd
rnsap.id_CCTrCH_Maximum_DL_Power_RL_AdditionRspTDD id-CCTrCH-Maximum-DL-Power-RL-AdditionRspTDD Signed 32-bit integer rnsap.DL_Power
rnsap.id_CCTrCH_Maximum_DL_Power_RL_ReconfReadyTDD id-CCTrCH-Maximum-DL-Power-RL-ReconfReadyTDD Signed 32-bit integer rnsap.DL_Power
rnsap.id_CCTrCH_Maximum_DL_Power_RL_SetupRspTDD id-CCTrCH-Maximum-DL-Power-RL-SetupRspTDD Signed 32-bit integer rnsap.DL_Power
rnsap.id_CCTrCH_Minimum_DL_Power_RL_AdditionRspTDD id-CCTrCH-Minimum-DL-Power-RL-AdditionRspTDD Signed 32-bit integer rnsap.DL_Power
rnsap.id_CCTrCH_Minimum_DL_Power_RL_ReconfReadyTDD id-CCTrCH-Minimum-DL-Power-RL-ReconfReadyTDD Signed 32-bit integer rnsap.DL_Power
rnsap.id_CCTrCH_Minimum_DL_Power_RL_SetupRspTDD id-CCTrCH-Minimum-DL-Power-RL-SetupRspTDD Signed 32-bit integer rnsap.DL_Power
rnsap.id_CFN id-CFN Unsigned 32-bit integer rnsap.CFN
rnsap.id_CFNReportingIndicator id-CFNReportingIndicator Unsigned 32-bit integer rnsap.FNReportingIndicator
rnsap.id_CNOriginatedPage_PagingRqst id-CNOriginatedPage-PagingRqst No value rnsap.CNOriginatedPage_PagingRqst
rnsap.id_CN_CS_DomainIdentifier id-CN-CS-DomainIdentifier No value rnsap.CN_CS_DomainIdentifier
rnsap.id_CN_PS_DomainIdentifier id-CN-PS-DomainIdentifier No value rnsap.CN_PS_DomainIdentifier
rnsap.id_C_ID id-C-ID Unsigned 32-bit integer rnsap.C_ID
rnsap.id_C_RNTI id-C-RNTI Unsigned 32-bit integer rnsap.C_RNTI
rnsap.id_Cause id-Cause Unsigned 32-bit integer rnsap.Cause
rnsap.id_CauseLevel_RL_AdditionFailureFDD id-CauseLevel-RL-AdditionFailureFDD Unsigned 32-bit integer rnsap.CauseLevel_RL_AdditionFailureFDD
rnsap.id_CauseLevel_RL_AdditionFailureTDD id-CauseLevel-RL-AdditionFailureTDD Unsigned 32-bit integer rnsap.CauseLevel_RL_AdditionFailureTDD
rnsap.id_CauseLevel_RL_ReconfFailure id-CauseLevel-RL-ReconfFailure Unsigned 32-bit integer rnsap.CauseLevel_RL_ReconfFailure
rnsap.id_CauseLevel_RL_SetupFailureFDD id-CauseLevel-RL-SetupFailureFDD Unsigned 32-bit integer rnsap.CauseLevel_RL_SetupFailureFDD
rnsap.id_CauseLevel_RL_SetupFailureTDD id-CauseLevel-RL-SetupFailureTDD Unsigned 32-bit integer rnsap.CauseLevel_RL_SetupFailureTDD
rnsap.id_CellCapabilityContainer_FDD id-CellCapabilityContainer-FDD Byte array rnsap.CellCapabilityContainer_FDD
rnsap.id_CellCapabilityContainer_TDD id-CellCapabilityContainer-TDD Byte array rnsap.CellCapabilityContainer_TDD
rnsap.id_CellCapabilityContainer_TDD_LCR id-CellCapabilityContainer-TDD-LCR Byte array rnsap.CellCapabilityContainer_TDD_LCR
rnsap.id_CellPortionID id-CellPortionID Unsigned 32-bit integer rnsap.CellPortionID
rnsap.id_Cell_Capacity_Class_Value id-Cell-Capacity-Class-Value No value rnsap.Cell_Capacity_Class_Value
rnsap.id_ClosedLoopMode1_SupportIndicator id-ClosedLoopMode1-SupportIndicator Unsigned 32-bit integer rnsap.ClosedLoopMode1_SupportIndicator
rnsap.id_CommonMeasurementAccuracy id-CommonMeasurementAccuracy Unsigned 32-bit integer rnsap.CommonMeasurementAccuracy
rnsap.id_CommonMeasurementObjectType_CM_Rprt id-CommonMeasurementObjectType-CM-Rprt Unsigned 32-bit integer rnsap.CommonMeasurementObjectType_CM_Rprt
rnsap.id_CommonMeasurementObjectType_CM_Rqst id-CommonMeasurementObjectType-CM-Rqst Unsigned 32-bit integer rnsap.CommonMeasurementObjectType_CM_Rqst
rnsap.id_CommonMeasurementObjectType_CM_Rsp id-CommonMeasurementObjectType-CM-Rsp Unsigned 32-bit integer rnsap.CommonMeasurementObjectType_CM_Rsp
rnsap.id_CommonMeasurementType id-CommonMeasurementType Unsigned 32-bit integer rnsap.CommonMeasurementType
rnsap.id_CommonTransportChannelResourcesInitialisationNotRequired id-CommonTransportChannelResourcesInitialisationNotRequired Unsigned 32-bit integer rnsap.CommonTransportChannelResourcesInitialisationNotRequired
rnsap.id_CongestionCause id-CongestionCause Unsigned 32-bit integer rnsap.CongestionCause
rnsap.id_ContextGroupInfoItem_Reset id-ContextGroupInfoItem-Reset No value rnsap.ContextGroupInfoItem_Reset
rnsap.id_ContextInfoItem_Reset id-ContextInfoItem-Reset No value rnsap.ContextInfoItem_Reset
rnsap.id_CoverageIndicator id-CoverageIndicator Unsigned 32-bit integer rnsap.CoverageIndicator
rnsap.id_CriticalityDiagnostics id-CriticalityDiagnostics No value rnsap.CriticalityDiagnostics
rnsap.id_DCH_DeleteList_RL_ReconfPrepFDD id-DCH-DeleteList-RL-ReconfPrepFDD Unsigned 32-bit integer rnsap.DCH_DeleteList_RL_ReconfPrepFDD
rnsap.id_DCH_DeleteList_RL_ReconfPrepTDD id-DCH-DeleteList-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.DCH_DeleteList_RL_ReconfPrepTDD
rnsap.id_DCH_DeleteList_RL_ReconfRqstFDD id-DCH-DeleteList-RL-ReconfRqstFDD Unsigned 32-bit integer rnsap.DCH_DeleteList_RL_ReconfRqstFDD
rnsap.id_DCH_DeleteList_RL_ReconfRqstTDD id-DCH-DeleteList-RL-ReconfRqstTDD Unsigned 32-bit integer rnsap.DCH_DeleteList_RL_ReconfRqstTDD
rnsap.id_DCH_FDD_Information id-DCH-FDD-Information Unsigned 32-bit integer rnsap.DCH_FDD_Information
rnsap.id_DCH_InformationResponse id-DCH-InformationResponse Unsigned 32-bit integer rnsap.DCH_InformationResponse
rnsap.id_DCH_Rate_InformationItem_RL_CongestInd id-DCH-Rate-InformationItem-RL-CongestInd No value rnsap.DCH_Rate_InformationItem_RL_CongestInd
rnsap.id_DCH_TDD_Information id-DCH-TDD-Information Unsigned 32-bit integer rnsap.DCH_TDD_Information
rnsap.id_DCHs_to_Add_FDD id-DCHs-to-Add-FDD Unsigned 32-bit integer rnsap.DCH_FDD_Information
rnsap.id_DCHs_to_Add_TDD id-DCHs-to-Add-TDD Unsigned 32-bit integer rnsap.DCH_TDD_Information
rnsap.id_DLReferencePower id-DLReferencePower Signed 32-bit integer rnsap.DL_Power
rnsap.id_DLReferencePowerList_DL_PC_Rqst id-DLReferencePowerList-DL-PC-Rqst Unsigned 32-bit integer rnsap.DL_ReferencePowerInformationList_DL_PC_Rqst
rnsap.id_DL_CCTrCH_InformationAddItem_RL_ReconfPrepTDD id-DL-CCTrCH-InformationAddItem-RL-ReconfPrepTDD No value rnsap.DL_CCTrCH_InformationAddItem_RL_ReconfPrepTDD
rnsap.id_DL_CCTrCH_InformationAddList_RL_ReconfPrepTDD id-DL-CCTrCH-InformationAddList-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.DL_CCTrCH_InformationAddList_RL_ReconfPrepTDD
rnsap.id_DL_CCTrCH_InformationDeleteItem_RL_ReconfPrepTDD id-DL-CCTrCH-InformationDeleteItem-RL-ReconfPrepTDD No value rnsap.DL_CCTrCH_InformationDeleteItem_RL_ReconfPrepTDD
rnsap.id_DL_CCTrCH_InformationDeleteItem_RL_ReconfRqstTDD id-DL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD No value rnsap.DL_CCTrCH_InformationDeleteItem_RL_ReconfRqstTDD
rnsap.id_DL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD id-DL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.DL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD
rnsap.id_DL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD id-DL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD Unsigned 32-bit integer rnsap.DL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD
rnsap.id_DL_CCTrCH_InformationItem_RL_AdditionRqstTDD id-DL-CCTrCH-InformationItem-RL-AdditionRqstTDD No value rnsap.DL_CCTrCH_InformationItem_RL_AdditionRqstTDD
rnsap.id_DL_CCTrCH_InformationItem_RL_SetupRqstTDD id-DL-CCTrCH-InformationItem-RL-SetupRqstTDD No value rnsap.DL_CCTrCH_InformationItem_RL_SetupRqstTDD
rnsap.id_DL_CCTrCH_InformationListIE_PhyChReconfRqstTDD id-DL-CCTrCH-InformationListIE-PhyChReconfRqstTDD Unsigned 32-bit integer rnsap.DL_CCTrCH_InformationListIE_PhyChReconfRqstTDD
rnsap.id_DL_CCTrCH_InformationListIE_RL_AdditionRspTDD id-DL-CCTrCH-InformationListIE-RL-AdditionRspTDD Unsigned 32-bit integer rnsap.DL_CCTrCHInformationListIE_RL_AdditionRspTDD
rnsap.id_DL_CCTrCH_InformationListIE_RL_ReconfReadyTDD id-DL-CCTrCH-InformationListIE-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.DL_CCTrCHInformationListIE_RL_ReconfReadyTDD
rnsap.id_DL_CCTrCH_InformationListIE_RL_SetupRspTDD id-DL-CCTrCH-InformationListIE-RL-SetupRspTDD No value rnsap.DL_CCTrCH_InformationItem_RL_SetupRqstTDD
rnsap.id_DL_CCTrCH_InformationList_RL_AdditionRqstTDD id-DL-CCTrCH-InformationList-RL-AdditionRqstTDD Unsigned 32-bit integer rnsap.DL_CCTrCH_InformationList_RL_AdditionRqstTDD
rnsap.id_DL_CCTrCH_InformationList_RL_ReconfRspTDD id-DL-CCTrCH-InformationList-RL-ReconfRspTDD Unsigned 32-bit integer rnsap.DL_CCTrCH_InformationList_RL_ReconfRspTDD
rnsap.id_DL_CCTrCH_InformationList_RL_SetupRqstTDD id-DL-CCTrCH-InformationList-RL-SetupRqstTDD Unsigned 32-bit integer rnsap.DL_CCTrCH_InformationList_RL_SetupRqstTDD
rnsap.id_DL_CCTrCH_InformationModifyItem_RL_ReconfPrepTDD id-DL-CCTrCH-InformationModifyItem-RL-ReconfPrepTDD No value rnsap.DL_CCTrCH_InformationModifyItem_RL_ReconfPrepTDD
rnsap.id_DL_CCTrCH_InformationModifyItem_RL_ReconfRqstTDD id-DL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD No value rnsap.DL_CCTrCH_InformationModifyItem_RL_ReconfRqstTDD
rnsap.id_DL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD id-DL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.DL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD
rnsap.id_DL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD id-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD Unsigned 32-bit integer rnsap.DL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD
rnsap.id_DL_CCTrCH_LCR_InformationListIE_RL_AdditionRspTDD id-DL-CCTrCH-LCR-InformationListIE-RL-AdditionRspTDD Unsigned 32-bit integer rnsap.DL_CCTrCH_LCR_InformationListIE_RL_AdditionRspTDD
rnsap.id_DL_CCTrCH_LCR_InformationListIE_RL_SetupRspTDD id-DL-CCTrCH-LCR-InformationListIE-RL-SetupRspTDD Unsigned 32-bit integer rnsap.DL_CCTrCH_LCR_InformationListIE_RL_SetupRspTDD
rnsap.id_DL_DPCH_InformationAddListIE_RL_ReconfReadyTDD id-DL-DPCH-InformationAddListIE-RL-ReconfReadyTDD No value rnsap.DL_DPCH_InformationAddListIE_RL_ReconfReadyTDD
rnsap.id_DL_DPCH_InformationDeleteListIE_RL_ReconfReadyTDD id-DL-DPCH-InformationDeleteListIE-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.DL_DPCH_InformationDeleteListIE_RL_ReconfReadyTDD
rnsap.id_DL_DPCH_InformationItem_PhyChReconfRqstTDD id-DL-DPCH-InformationItem-PhyChReconfRqstTDD No value rnsap.DL_DPCH_InformationItem_PhyChReconfRqstTDD
rnsap.id_DL_DPCH_InformationItem_RL_AdditionRspTDD id-DL-DPCH-InformationItem-RL-AdditionRspTDD No value rnsap.DL_DPCH_InformationItem_RL_AdditionRspTDD
rnsap.id_DL_DPCH_InformationItem_RL_SetupRspTDD id-DL-DPCH-InformationItem-RL-SetupRspTDD No value rnsap.DL_DPCH_InformationItem_RL_SetupRspTDD
rnsap.id_DL_DPCH_InformationModifyItem_LCR_RL_ReconfRspTDD id-DL-DPCH-InformationModifyItem-LCR-RL-ReconfRspTDD No value rnsap.DL_DPCH_InformationModifyItem_LCR_RL_ReconfRspTDD
rnsap.id_DL_DPCH_InformationModifyListIE_RL_ReconfReadyTDD id-DL-DPCH-InformationModifyListIE-RL-ReconfReadyTDD No value rnsap.DL_DPCH_InformationModifyListIE_RL_ReconfReadyTDD
rnsap.id_DL_DPCH_Information_RL_ReconfPrepFDD id-DL-DPCH-Information-RL-ReconfPrepFDD No value rnsap.DL_DPCH_Information_RL_ReconfPrepFDD
rnsap.id_DL_DPCH_Information_RL_ReconfRqstFDD id-DL-DPCH-Information-RL-ReconfRqstFDD No value rnsap.DL_DPCH_Information_RL_ReconfRqstFDD
rnsap.id_DL_DPCH_Information_RL_SetupRqstFDD id-DL-DPCH-Information-RL-SetupRqstFDD No value rnsap.DL_DPCH_Information_RL_SetupRqstFDD
rnsap.id_DL_DPCH_LCR_InformationAddListIE_RL_ReconfReadyTDD id-DL-DPCH-LCR-InformationAddListIE-RL-ReconfReadyTDD No value rnsap.DL_DPCH_LCR_InformationAddList_RL_ReconfReadyTDD
rnsap.id_DL_DPCH_LCR_InformationItem_RL_AdditionRspTDD id-DL-DPCH-LCR-InformationItem-RL-AdditionRspTDD No value rnsap.DL_DPCH_LCR_InformationItem_RL_AdditionRspTDD
rnsap.id_DL_DPCH_LCR_InformationItem_RL_SetupRspTDD id-DL-DPCH-LCR-InformationItem-RL-SetupRspTDD No value rnsap.DL_DPCH_LCR_InformationItem_RL_SetupRspTDD
rnsap.id_DL_DPCH_Power_Information_RL_ReconfPrepFDD id-DL-DPCH-Power-Information-RL-ReconfPrepFDD No value rnsap.DL_DPCH_Power_Information_RL_ReconfPrepFDD
rnsap.id_DL_DPCH_TimingAdjustment id-DL-DPCH-TimingAdjustment Unsigned 32-bit integer rnsap.DL_DPCH_TimingAdjustment
rnsap.id_DL_Physical_Channel_Information_RL_SetupRqstTDD id-DL-Physical-Channel-Information-RL-SetupRqstTDD No value rnsap.DL_Physical_Channel_Information_RL_SetupRqstTDD
rnsap.id_DL_PowerBalancing_ActivationIndicator id-DL-PowerBalancing-ActivationIndicator Unsigned 32-bit integer rnsap.DL_PowerBalancing_ActivationIndicator
rnsap.id_DL_PowerBalancing_Information id-DL-PowerBalancing-Information No value rnsap.DL_PowerBalancing_Information
rnsap.id_DL_PowerBalancing_UpdatedIndicator id-DL-PowerBalancing-UpdatedIndicator Unsigned 32-bit integer rnsap.DL_PowerBalancing_UpdatedIndicator
rnsap.id_DL_ReferencePowerInformation id-DL-ReferencePowerInformation No value rnsap.DL_ReferencePowerInformation
rnsap.id_DL_ReferencePowerInformation_DL_PC_Rqst id-DL-ReferencePowerInformation-DL-PC-Rqst No value rnsap.DL_ReferencePowerInformation_DL_PC_Rqst
rnsap.id_DL_TimeSlot_ISCP_Info_RL_ReconfPrepTDD id-DL-TimeSlot-ISCP-Info-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.DL_TimeSlot_ISCP_Info
rnsap.id_DL_Timeslot_ISCP_LCR_Information_RL_AdditionRqstTDD id-DL-Timeslot-ISCP-LCR-Information-RL-AdditionRqstTDD Unsigned 32-bit integer rnsap.DL_TimeSlot_ISCP_LCR_Information
rnsap.id_DL_Timeslot_ISCP_LCR_Information_RL_ReconfPrepTDD id-DL-Timeslot-ISCP-LCR-Information-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.DL_TimeSlot_ISCP_LCR_Information
rnsap.id_DL_Timeslot_ISCP_LCR_Information_RL_SetupRqstTDD id-DL-Timeslot-ISCP-LCR-Information-RL-SetupRqstTDD Unsigned 32-bit integer rnsap.DL_TimeSlot_ISCP_LCR_Information
rnsap.id_DL_Timeslot_LCR_InformationList_PhyChReconfRqstTDD id-DL-Timeslot-LCR-InformationList-PhyChReconfRqstTDD Unsigned 32-bit integer rnsap.DL_TimeslotLCR_InformationList_PhyChReconfRqstTDD
rnsap.id_DL_Timeslot_LCR_InformationModifyList_RL_ReconfReadyTDD id-DL-Timeslot-LCR-InformationModifyList-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.DL_TimeslotLCR_InformationModifyList_RL_ReconfReadyTDD
rnsap.id_DPC_Mode id-DPC-Mode Unsigned 32-bit integer rnsap.DPC_Mode
rnsap.id_DPC_Mode_Change_SupportIndicator id-DPC-Mode-Change-SupportIndicator Unsigned 32-bit integer rnsap.DPC_Mode_Change_SupportIndicator
rnsap.id_DRXCycleLengthCoefficient id-DRXCycleLengthCoefficient Unsigned 32-bit integer rnsap.DRXCycleLengthCoefficient
rnsap.id_DSCHToBeAddedOrModifiedList_RL_ReconfReadyTDD id-DSCHToBeAddedOrModifiedList-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.DSCHToBeAddedOrModifiedList_RL_ReconfReadyTDD
rnsap.id_DSCH_DeleteList_RL_ReconfPrepTDD id-DSCH-DeleteList-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.DSCH_DeleteList_RL_ReconfPrepTDD
rnsap.id_DSCH_InformationListIE_RL_AdditionRspTDD id-DSCH-InformationListIE-RL-AdditionRspTDD Unsigned 32-bit integer rnsap.DSCH_InformationListIE_RL_AdditionRspTDD
rnsap.id_DSCH_InformationListIEs_RL_SetupRspTDD id-DSCH-InformationListIEs-RL-SetupRspTDD Unsigned 32-bit integer rnsap.DSCH_InformationListIEs_RL_SetupRspTDD
rnsap.id_DSCH_InitialWindowSize id-DSCH-InitialWindowSize Unsigned 32-bit integer rnsap.DSCH_InitialWindowSize
rnsap.id_DSCH_LCR_InformationListIEs_RL_AdditionRspTDD id-DSCH-LCR-InformationListIEs-RL-AdditionRspTDD Unsigned 32-bit integer rnsap.DSCH_LCR_InformationListIEs_RL_AdditionRspTDD
rnsap.id_DSCH_LCR_InformationListIEs_RL_SetupRspTDD id-DSCH-LCR-InformationListIEs-RL-SetupRspTDD Unsigned 32-bit integer rnsap.DSCH_LCR_InformationListIEs_RL_SetupRspTDD
rnsap.id_DSCH_ModifyList_RL_ReconfPrepTDD id-DSCH-ModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.DSCH_ModifyList_RL_ReconfPrepTDD
rnsap.id_DSCH_RNTI id-DSCH-RNTI Unsigned 32-bit integer rnsap.DSCH_RNTI
rnsap.id_DSCH_TDD_Information id-DSCH-TDD-Information Unsigned 32-bit integer rnsap.DSCH_TDD_Information
rnsap.id_DSCHs_to_Add_TDD id-DSCHs-to-Add-TDD Unsigned 32-bit integer rnsap.DSCH_TDD_Information
rnsap.id_D_RNTI id-D-RNTI Unsigned 32-bit integer rnsap.D_RNTI
rnsap.id_D_RNTI_ReleaseIndication id-D-RNTI-ReleaseIndication Unsigned 32-bit integer rnsap.D_RNTI_ReleaseIndication
rnsap.id_DedicatedMeasurementObjectType_DM_Fail id-DedicatedMeasurementObjectType-DM-Fail Unsigned 32-bit integer rnsap.DedicatedMeasurementObjectType_DM_Fail
rnsap.id_DedicatedMeasurementObjectType_DM_Fail_Ind id-DedicatedMeasurementObjectType-DM-Fail-Ind Unsigned 32-bit integer rnsap.DedicatedMeasurementObjectType_DM_Fail_Ind
rnsap.id_DedicatedMeasurementObjectType_DM_Rprt id-DedicatedMeasurementObjectType-DM-Rprt Unsigned 32-bit integer rnsap.DedicatedMeasurementObjectType_DM_Rprt
rnsap.id_DedicatedMeasurementObjectType_DM_Rqst id-DedicatedMeasurementObjectType-DM-Rqst Unsigned 32-bit integer rnsap.DedicatedMeasurementObjectType_DM_Rqst
rnsap.id_DedicatedMeasurementObjectType_DM_Rsp id-DedicatedMeasurementObjectType-DM-Rsp Unsigned 32-bit integer rnsap.DedicatedMeasurementObjectType_DM_Rsp
rnsap.id_DedicatedMeasurementType id-DedicatedMeasurementType Unsigned 32-bit integer rnsap.DedicatedMeasurementType
rnsap.id_DelayedActivation id-DelayedActivation Unsigned 32-bit integer rnsap.DelayedActivation
rnsap.id_DelayedActivationInformation_RL_ActivationCmdFDD id-DelayedActivationInformation-RL-ActivationCmdFDD No value rnsap.DelayedActivationInformation_RL_ActivationCmdFDD
rnsap.id_DelayedActivationInformation_RL_ActivationCmdTDD id-DelayedActivationInformation-RL-ActivationCmdTDD No value rnsap.DelayedActivationInformation_RL_ActivationCmdTDD
rnsap.id_DelayedActivationList_RL_ActivationCmdFDD id-DelayedActivationList-RL-ActivationCmdFDD Unsigned 32-bit integer rnsap.DelayedActivationInformationList_RL_ActivationCmdFDD
rnsap.id_DelayedActivationList_RL_ActivationCmdTDD id-DelayedActivationList-RL-ActivationCmdTDD Unsigned 32-bit integer rnsap.DelayedActivationInformationList_RL_ActivationCmdTDD
rnsap.id_EDCH_FDD_DL_ControlChannelInformation id-EDCH-FDD-DL-ControlChannelInformation No value rnsap.EDCH_FDD_DL_ControlChannelInformation
rnsap.id_EDCH_FDD_Information id-EDCH-FDD-Information No value rnsap.EDCH_FDD_Information
rnsap.id_EDCH_FDD_InformationResponse id-EDCH-FDD-InformationResponse Unsigned 32-bit integer rnsap.EDCH_FDD_InformationResponse
rnsap.id_EDCH_FDD_Information_To_Modify id-EDCH-FDD-Information-To-Modify No value rnsap.EDCH_FDD_Information_To_Modify
rnsap.id_EDCH_MACdFlows_To_Add id-EDCH-MACdFlows-To-Add Unsigned 32-bit integer rnsap.RL_Specific_EDCH_Information
rnsap.id_EDCH_MACdFlows_To_Delete id-EDCH-MACdFlows-To-Delete Unsigned 32-bit integer rnsap.EDCH_MACdFlows_To_Delete
rnsap.id_EDCH_MacdFlowSpecificInformationItem_RL_CongestInd id-EDCH-MacdFlowSpecificInformationItem-RL-CongestInd No value rnsap.EDCH_MacdFlowSpecificInformationItem_RL_CongestInd
rnsap.id_EDCH_MacdFlowSpecificInformationItem_RL_PreemptRequiredInd id-EDCH-MacdFlowSpecificInformationItem-RL-PreemptRequiredInd No value rnsap.EDCH_MacdFlowSpecificInformationItem_RL_PreemptRequiredInd
rnsap.id_EDCH_MacdFlowSpecificInformationList_RL_CongestInd id-EDCH-MacdFlowSpecificInformationList-RL-CongestInd Unsigned 32-bit integer rnsap.EDCH_MacdFlowSpecificInformationList_RL_CongestInd
rnsap.id_EDCH_MacdFlowSpecificInformationList_RL_PreemptRequiredInd id-EDCH-MacdFlowSpecificInformationList-RL-PreemptRequiredInd Unsigned 32-bit integer rnsap.EDCH_MacdFlowSpecificInformationList_RL_PreemptRequiredInd
rnsap.id_EDCH_RLSet_Id id-EDCH-RLSet-Id Unsigned 32-bit integer rnsap.RL_Set_ID
rnsap.id_EDCH_RL_Indication id-EDCH-RL-Indication Unsigned 32-bit integer rnsap.EDCH_RL_Indication
rnsap.id_EDPCH_Information id-EDPCH-Information No value rnsap.EDPCH_Information_FDD
rnsap.id_EDPCH_Information_RLReconfRequest_FDD id-EDPCH-Information-RLReconfRequest-FDD No value rnsap.EDPCH_Information_RLReconfRequest_FDD
rnsap.id_Enhanced_PrimaryCPICH_EcNo id-Enhanced-PrimaryCPICH-EcNo Unsigned 32-bit integer rnsap.Enhanced_PrimaryCPICH_EcNo
rnsap.id_ExtendedGSMCellIndividualOffset id-ExtendedGSMCellIndividualOffset Signed 32-bit integer rnsap.ExtendedGSMCellIndividualOffset
rnsap.id_FACH_FlowControlInformation id-FACH-FlowControlInformation Unsigned 32-bit integer rnsap.FACH_FlowControlInformation
rnsap.id_FACH_InfoForUESelectedS_CCPCH_CTCH_ResourceRspFDD id-FACH-InfoForUESelectedS-CCPCH-CTCH-ResourceRspFDD No value rnsap.FACH_InfoForUESelectedS_CCPCH_CTCH_ResourceRspFDD
rnsap.id_FACH_InfoForUESelectedS_CCPCH_CTCH_ResourceRspTDD id-FACH-InfoForUESelectedS-CCPCH-CTCH-ResourceRspTDD No value rnsap.FACH_InfoForUESelectedS_CCPCH_CTCH_ResourceRspTDD
rnsap.id_FDD_DCHs_to_Modify id-FDD-DCHs-to-Modify Unsigned 32-bit integer rnsap.FDD_DCHs_to_Modify
rnsap.id_FDD_DL_CodeInformation id-FDD-DL-CodeInformation Unsigned 32-bit integer rnsap.FDD_DL_CodeInformation
rnsap.id_F_DPCH_Information_RL_ReconfPrepFDD id-F-DPCH-Information-RL-ReconfPrepFDD No value rnsap.F_DPCH_Information_RL_ReconfPrepFDD
rnsap.id_F_DPCH_Information_RL_SetupRqstFDD id-F-DPCH-Information-RL-SetupRqstFDD No value rnsap.F_DPCH_Information_RL_SetupRqstFDD
rnsap.id_FrequencyBandIndicator id-FrequencyBandIndicator Unsigned 32-bit integer rnsap.FrequencyBandIndicator
rnsap.id_GA_Cell id-GA-Cell Unsigned 32-bit integer rnsap.GA_Cell
rnsap.id_GA_CellAdditionalShapes id-GA-CellAdditionalShapes Unsigned 32-bit integer rnsap.GA_CellAdditionalShapes
rnsap.id_GERAN_Cell_Capability id-GERAN-Cell-Capability Byte array rnsap.GERAN_Cell_Capability
rnsap.id_GERAN_Classmark id-GERAN-Classmark Byte array rnsap.GERAN_Classmark
rnsap.id_GSM_Cell_InfEx_Rqst id-GSM-Cell-InfEx-Rqst No value rnsap.GSM_Cell_InfEx_Rqst
rnsap.id_Guaranteed_Rate_Information id-Guaranteed-Rate-Information No value rnsap.Guaranteed_Rate_Information
rnsap.id_HARQ_Preamble_Mode id-HARQ-Preamble-Mode Unsigned 32-bit integer rnsap.HARQ_Preamble_Mode
rnsap.id_HARQ_Preamble_Mode_Activation_Indicator id-HARQ-Preamble-Mode-Activation-Indicator Unsigned 32-bit integer rnsap.HARQ_Preamble_Mode_Activation_Indicator
rnsap.id_HCS_Prio id-HCS-Prio Unsigned 32-bit integer rnsap.HCS_Prio
rnsap.id_HSDSCHMacdFlowSpecificInformationItem_RL_PreemptRequiredInd id-HSDSCHMacdFlowSpecificInformationItem-RL-PreemptRequiredInd No value rnsap.HSDSCHMacdFlowSpecificInformationItem_RL_PreemptRequiredInd
rnsap.id_HSDSCHMacdFlowSpecificInformationList_RL_PreemptRequiredInd id-HSDSCHMacdFlowSpecificInformationList-RL-PreemptRequiredInd Unsigned 32-bit integer rnsap.HSDSCHMacdFlowSpecificInformationList_RL_PreemptRequiredInd
rnsap.id_HSDSCH_FDD_Information id-HSDSCH-FDD-Information No value rnsap.HSDSCH_FDD_Information
rnsap.id_HSDSCH_FDD_Information_Response id-HSDSCH-FDD-Information-Response No value rnsap.HSDSCH_FDD_Information_Response
rnsap.id_HSDSCH_FDD_Update_Information id-HSDSCH-FDD-Update-Information No value rnsap.HSDSCH_FDD_Update_Information
rnsap.id_HSDSCH_Information_to_Modify id-HSDSCH-Information-to-Modify No value rnsap.HSDSCH_Information_to_Modify
rnsap.id_HSDSCH_Information_to_Modify_Unsynchronised id-HSDSCH-Information-to-Modify-Unsynchronised No value rnsap.HSDSCH_Information_to_Modify_Unsynchronised
rnsap.id_HSDSCH_MACdFlows_to_Add id-HSDSCH-MACdFlows-to-Add No value rnsap.HSDSCH_MACdFlows_Information
rnsap.id_HSDSCH_MACdFlows_to_Delete id-HSDSCH-MACdFlows-to-Delete Unsigned 32-bit integer rnsap.HSDSCH_MACdFlows_to_Delete
rnsap.id_HSDSCH_RNTI id-HSDSCH-RNTI Unsigned 32-bit integer rnsap.HSDSCH_RNTI
rnsap.id_HSDSCH_TDD_Information id-HSDSCH-TDD-Information No value rnsap.HSDSCH_TDD_Information
rnsap.id_HSDSCH_TDD_Information_Response id-HSDSCH-TDD-Information-Response No value rnsap.HSDSCH_TDD_Information_Response
rnsap.id_HSDSCH_TDD_Update_Information id-HSDSCH-TDD-Update-Information No value rnsap.HSDSCH_TDD_Update_Information
rnsap.id_HSPDSCH_RL_ID id-HSPDSCH-RL-ID Unsigned 32-bit integer rnsap.RL_ID
rnsap.id_HSPDSCH_Timeslot_InformationListLCR_PhyChReconfRqstTDD id-HSPDSCH-Timeslot-InformationListLCR-PhyChReconfRqstTDD Unsigned 32-bit integer rnsap.HSPDSCH_Timeslot_InformationListLCR_PhyChReconfRqstTDD
rnsap.id_HSPDSCH_Timeslot_InformationList_PhyChReconfRqstTDD id-HSPDSCH-Timeslot-InformationList-PhyChReconfRqstTDD Unsigned 32-bit integer rnsap.HSPDSCH_Timeslot_InformationList_PhyChReconfRqstTDD
rnsap.id_HSSICH_Info_DM id-HSSICH-Info-DM Unsigned 32-bit integer rnsap.HS_SICH_ID
rnsap.id_HSSICH_Info_DM_Rprt id-HSSICH-Info-DM-Rprt Unsigned 32-bit integer rnsap.HS_SICH_ID
rnsap.id_HSSICH_Info_DM_Rqst id-HSSICH-Info-DM-Rqst Unsigned 32-bit integer rnsap.HSSICH_Info_DM_Rqst
rnsap.id_HS_SICH_Reception_Quality id-HS-SICH-Reception-Quality No value rnsap.HS_SICH_Reception_Quality_Value
rnsap.id_HS_SICH_Reception_Quality_Measurement_Value id-HS-SICH-Reception-Quality-Measurement-Value Unsigned 32-bit integer rnsap.HS_SICH_Reception_Quality_Measurement_Value
rnsap.id_IMSI id-IMSI Byte array rnsap.IMSI
rnsap.id_IPDL_TDD_ParametersLCR id-IPDL-TDD-ParametersLCR No value rnsap.IPDL_TDD_ParametersLCR
rnsap.id_InformationExchangeID id-InformationExchangeID Unsigned 32-bit integer rnsap.InformationExchangeID
rnsap.id_InformationExchangeObjectType_InfEx_Rprt id-InformationExchangeObjectType-InfEx-Rprt Unsigned 32-bit integer rnsap.InformationExchangeObjectType_InfEx_Rprt
rnsap.id_InformationExchangeObjectType_InfEx_Rqst id-InformationExchangeObjectType-InfEx-Rqst Unsigned 32-bit integer rnsap.InformationExchangeObjectType_InfEx_Rqst
rnsap.id_InformationExchangeObjectType_InfEx_Rsp id-InformationExchangeObjectType-InfEx-Rsp Unsigned 32-bit integer rnsap.InformationReportCharacteristics
rnsap.id_InformationReportCharacteristics id-InformationReportCharacteristics Unsigned 32-bit integer rnsap.InformationReportCharacteristics
rnsap.id_InformationType id-InformationType No value rnsap.InformationType
rnsap.id_Initial_DL_DPCH_TimingAdjustment id-Initial-DL-DPCH-TimingAdjustment Unsigned 32-bit integer rnsap.DL_DPCH_TimingAdjustment
rnsap.id_Initial_DL_DPCH_TimingAdjustment_Allowed id-Initial-DL-DPCH-TimingAdjustment-Allowed Unsigned 32-bit integer rnsap.Initial_DL_DPCH_TimingAdjustment_Allowed
rnsap.id_InnerLoopDLPCStatus id-InnerLoopDLPCStatus Unsigned 32-bit integer rnsap.InnerLoopDLPCStatus
rnsap.id_InterfacesToTraceItem id-InterfacesToTraceItem No value rnsap.InterfacesToTraceItem
rnsap.id_L3_Information id-L3-Information Byte array rnsap.L3_Information
rnsap.id_ListOfInterfacesToTrace id-ListOfInterfacesToTrace Unsigned 32-bit integer rnsap.ListOfInterfacesToTrace
rnsap.id_Load_Value id-Load-Value Unsigned 32-bit integer rnsap.Load_Value
rnsap.id_Load_Value_IncrDecrThres id-Load-Value-IncrDecrThres Unsigned 32-bit integer rnsap.Load_Value_IncrDecrThres
rnsap.id_MAChs_ResetIndicator id-MAChs-ResetIndicator Unsigned 32-bit integer rnsap.MAChs_ResetIndicator
rnsap.id_MBMS_Bearer_Service_Full_Address id-MBMS-Bearer-Service-Full-Address No value rnsap.MBMS_Bearer_Service_Full_Address
rnsap.id_MBMS_Bearer_Service_List id-MBMS-Bearer-Service-List Unsigned 32-bit integer rnsap.MBMS_Bearer_Service_List
rnsap.id_MBMS_Bearer_Service_List_InfEx_Rsp id-MBMS-Bearer-Service-List-InfEx-Rsp Unsigned 32-bit integer rnsap.MBMS_Bearer_Service_List_InfEx_Rsp
rnsap.id_MaxAdjustmentStep id-MaxAdjustmentStep Unsigned 32-bit integer rnsap.MaxAdjustmentStep
rnsap.id_Maximum_DL_Power_TimeslotLCR_InformationItem id-Maximum-DL-Power-TimeslotLCR-InformationItem Signed 32-bit integer rnsap.DL_Power
rnsap.id_Maximum_DL_Power_TimeslotLCR_InformationModifyItem_RL_ReconfReadyTDD id-Maximum-DL-Power-TimeslotLCR-InformationModifyItem-RL-ReconfReadyTDD Signed 32-bit integer rnsap.DL_Power
rnsap.id_MeasurementFilterCoefficient id-MeasurementFilterCoefficient Unsigned 32-bit integer rnsap.MeasurementFilterCoefficient
rnsap.id_MeasurementID id-MeasurementID Unsigned 32-bit integer rnsap.MeasurementID
rnsap.id_MeasurementRecoveryBehavior id-MeasurementRecoveryBehavior No value rnsap.MeasurementRecoveryBehavior
rnsap.id_MeasurementRecoveryReportingIndicator id-MeasurementRecoveryReportingIndicator No value rnsap.MeasurementRecoveryReportingIndicator
rnsap.id_MeasurementRecoverySupportIndicator id-MeasurementRecoverySupportIndicator No value rnsap.MeasurementRecoverySupportIndicator
rnsap.id_MessageStructure id-MessageStructure Unsigned 32-bit integer rnsap.MessageStructure
rnsap.id_Minimum_DL_Power_TimeslotLCR_InformationItem id-Minimum-DL-Power-TimeslotLCR-InformationItem Signed 32-bit integer rnsap.DL_Power
rnsap.id_Minimum_DL_Power_TimeslotLCR_InformationModifyItem_RL_ReconfReadyTDD id-Minimum-DL-Power-TimeslotLCR-InformationModifyItem-RL-ReconfReadyTDD Signed 32-bit integer rnsap.DL_Power
rnsap.id_Multiple_RL_InformationResponse_RL_ReconfReadyTDD id-Multiple-RL-InformationResponse-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.Multiple_RL_InformationResponse_RL_ReconfReadyTDD
rnsap.id_NACC_Related_Data id-NACC-Related-Data No value rnsap.NACC_Related_Data
rnsap.id_NRTLoadInformationValue id-NRTLoadInformationValue No value rnsap.NRTLoadInformationValue
rnsap.id_NRT_Load_Information_Value id-NRT-Load-Information-Value Unsigned 32-bit integer rnsap.NRT_Load_Information_Value
rnsap.id_NRT_Load_Information_Value_IncrDecrThres id-NRT-Load-Information-Value-IncrDecrThres Unsigned 32-bit integer rnsap.NRT_Load_Information_Value_IncrDecrThres
rnsap.id_Neighbouring_GSM_CellInformation id-Neighbouring-GSM-CellInformation No value rnsap.Neighbouring_GSM_CellInformation
rnsap.id_Neighbouring_UMTS_CellInformationItem id-Neighbouring-UMTS-CellInformationItem No value rnsap.Neighbouring_UMTS_CellInformationItem
rnsap.id_Old_URA_ID id-Old-URA-ID Unsigned 32-bit integer rnsap.URA_ID
rnsap.id_OnModification id-OnModification No value rnsap.OnModification
rnsap.id_PDSCH_RL_ID id-PDSCH-RL-ID Unsigned 32-bit integer rnsap.RL_ID
rnsap.id_PagingArea_PagingRqst id-PagingArea-PagingRqst Unsigned 32-bit integer rnsap.PagingArea_PagingRqst
rnsap.id_PartialReportingIndicator id-PartialReportingIndicator Unsigned 32-bit integer rnsap.PartialReportingIndicator
rnsap.id_Permanent_NAS_UE_Identity id-Permanent-NAS-UE-Identity Unsigned 32-bit integer rnsap.Permanent_NAS_UE_Identity
rnsap.id_Phase_Reference_Update_Indicator id-Phase-Reference-Update-Indicator Unsigned 32-bit integer rnsap.Phase_Reference_Update_Indicator
rnsap.id_PowerAdjustmentType id-PowerAdjustmentType Unsigned 32-bit integer rnsap.PowerAdjustmentType
rnsap.id_PrimCCPCH_RSCP_DL_PC_RqstTDD id-PrimCCPCH-RSCP-DL-PC-RqstTDD Unsigned 32-bit integer rnsap.PrimaryCCPCH_RSCP
rnsap.id_PrimaryCCPCH_RSCP_Delta id-PrimaryCCPCH-RSCP-Delta Signed 32-bit integer rnsap.PrimaryCCPCH_RSCP_Delta
rnsap.id_PrimaryCCPCH_RSCP_RL_ReconfPrepTDD id-PrimaryCCPCH-RSCP-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.PrimaryCCPCH_RSCP
rnsap.id_Primary_CPICH_Usage_For_Channel_Estimation id-Primary-CPICH-Usage-For-Channel-Estimation Unsigned 32-bit integer rnsap.Primary_CPICH_Usage_For_Channel_Estimation
rnsap.id_PropagationDelay id-PropagationDelay Unsigned 32-bit integer rnsap.PropagationDelay
rnsap.id_ProvidedInformation id-ProvidedInformation No value rnsap.ProvidedInformation
rnsap.id_RANAP_RelocationInformation id-RANAP-RelocationInformation Byte array rnsap.RANAP_RelocationInformation
rnsap.id_RL_InformationItem_DM_Rprt id-RL-InformationItem-DM-Rprt No value rnsap.RL_InformationItem_DM_Rprt
rnsap.id_RL_InformationItem_DM_Rqst id-RL-InformationItem-DM-Rqst No value rnsap.RL_InformationItem_DM_Rqst
rnsap.id_RL_InformationItem_DM_Rsp id-RL-InformationItem-DM-Rsp No value rnsap.RL_InformationItem_DM_Rsp
rnsap.id_RL_InformationItem_RL_CongestInd id-RL-InformationItem-RL-CongestInd No value rnsap.RL_InformationItem_RL_CongestInd
rnsap.id_RL_InformationItem_RL_PreemptRequiredInd id-RL-InformationItem-RL-PreemptRequiredInd No value rnsap.RL_InformationItem_RL_PreemptRequiredInd
rnsap.id_RL_InformationItem_RL_SetupRqstFDD id-RL-InformationItem-RL-SetupRqstFDD No value rnsap.RL_InformationItem_RL_SetupRqstFDD
rnsap.id_RL_InformationList_RL_AdditionRqstFDD id-RL-InformationList-RL-AdditionRqstFDD Unsigned 32-bit integer rnsap.RL_InformationList_RL_AdditionRqstFDD
rnsap.id_RL_InformationList_RL_CongestInd id-RL-InformationList-RL-CongestInd Unsigned 32-bit integer rnsap.RL_InformationList_RL_CongestInd
rnsap.id_RL_InformationList_RL_DeletionRqst id-RL-InformationList-RL-DeletionRqst Unsigned 32-bit integer rnsap.RL_InformationList_RL_DeletionRqst
rnsap.id_RL_InformationList_RL_PreemptRequiredInd id-RL-InformationList-RL-PreemptRequiredInd Unsigned 32-bit integer rnsap.RL_InformationList_RL_PreemptRequiredInd
rnsap.id_RL_InformationList_RL_ReconfPrepFDD id-RL-InformationList-RL-ReconfPrepFDD Unsigned 32-bit integer rnsap.RL_InformationList_RL_ReconfPrepFDD
rnsap.id_RL_InformationResponseItem_RL_AdditionRspFDD id-RL-InformationResponseItem-RL-AdditionRspFDD No value rnsap.RL_InformationResponseItem_RL_AdditionRspFDD
rnsap.id_RL_InformationResponseItem_RL_ReconfReadyFDD id-RL-InformationResponseItem-RL-ReconfReadyFDD No value rnsap.RL_InformationResponseItem_RL_ReconfReadyFDD
rnsap.id_RL_InformationResponseItem_RL_ReconfRspFDD id-RL-InformationResponseItem-RL-ReconfRspFDD No value rnsap.RL_InformationResponseItem_RL_ReconfRspFDD
rnsap.id_RL_InformationResponseItem_RL_SetupRspFDD id-RL-InformationResponseItem-RL-SetupRspFDD No value rnsap.RL_InformationResponseItem_RL_SetupRspFDD
rnsap.id_RL_InformationResponseList_RL_AdditionRspFDD id-RL-InformationResponseList-RL-AdditionRspFDD Unsigned 32-bit integer rnsap.RL_InformationResponseList_RL_AdditionRspFDD
rnsap.id_RL_InformationResponseList_RL_ReconfReadyFDD id-RL-InformationResponseList-RL-ReconfReadyFDD Unsigned 32-bit integer rnsap.RL_InformationResponseList_RL_ReconfReadyFDD
rnsap.id_RL_InformationResponseList_RL_ReconfRspFDD id-RL-InformationResponseList-RL-ReconfRspFDD Unsigned 32-bit integer rnsap.RL_InformationResponseList_RL_ReconfRspFDD
rnsap.id_RL_InformationResponseList_RL_SetupRspFDD id-RL-InformationResponseList-RL-SetupRspFDD Unsigned 32-bit integer rnsap.RL_InformationResponseList_RL_SetupRspFDD
rnsap.id_RL_InformationResponse_RL_AdditionRspTDD id-RL-InformationResponse-RL-AdditionRspTDD No value rnsap.RL_InformationResponse_RL_AdditionRspTDD
rnsap.id_RL_InformationResponse_RL_ReconfReadyTDD id-RL-InformationResponse-RL-ReconfReadyTDD No value rnsap.RL_InformationResponse_RL_ReconfReadyTDD
rnsap.id_RL_InformationResponse_RL_ReconfRspTDD id-RL-InformationResponse-RL-ReconfRspTDD No value rnsap.RL_InformationResponse_RL_ReconfRspTDD
rnsap.id_RL_InformationResponse_RL_SetupRspTDD id-RL-InformationResponse-RL-SetupRspTDD No value rnsap.RL_InformationResponse_RL_SetupRspTDD
rnsap.id_RL_Information_PhyChReconfRqstFDD id-RL-Information-PhyChReconfRqstFDD No value rnsap.RL_Information_PhyChReconfRqstFDD
rnsap.id_RL_Information_PhyChReconfRqstTDD id-RL-Information-PhyChReconfRqstTDD No value rnsap.RL_Information_PhyChReconfRqstTDD
rnsap.id_RL_Information_RL_AdditionRqstFDD id-RL-Information-RL-AdditionRqstFDD No value rnsap.RL_Information_RL_AdditionRqstFDD
rnsap.id_RL_Information_RL_AdditionRqstTDD id-RL-Information-RL-AdditionRqstTDD No value rnsap.RL_Information_RL_AdditionRqstTDD
rnsap.id_RL_Information_RL_DeletionRqst id-RL-Information-RL-DeletionRqst No value rnsap.RL_Information_RL_DeletionRqst
rnsap.id_RL_Information_RL_FailureInd id-RL-Information-RL-FailureInd No value rnsap.RL_Information_RL_FailureInd
rnsap.id_RL_Information_RL_ReconfPrepFDD id-RL-Information-RL-ReconfPrepFDD No value rnsap.RL_Information_RL_ReconfPrepFDD
rnsap.id_RL_Information_RL_ReconfPrepTDD id-RL-Information-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.RL_Information_RL_ReconfPrepTDD
rnsap.id_RL_Information_RL_RestoreInd id-RL-Information-RL-RestoreInd No value rnsap.RL_Information_RL_RestoreInd
rnsap.id_RL_Information_RL_SetupRqstFDD id-RL-Information-RL-SetupRqstFDD Unsigned 32-bit integer rnsap.RL_InformationList_RL_SetupRqstFDD
rnsap.id_RL_Information_RL_SetupRqstTDD id-RL-Information-RL-SetupRqstTDD No value rnsap.RL_Information_RL_SetupRqstTDD
rnsap.id_RL_LCR_InformationResponse_RL_AdditionRspTDD id-RL-LCR-InformationResponse-RL-AdditionRspTDD No value rnsap.RL_LCR_InformationResponse_RL_AdditionRspTDD
rnsap.id_RL_LCR_InformationResponse_RL_SetupRspTDD id-RL-LCR-InformationResponse-RL-SetupRspTDD No value rnsap.RL_LCR_InformationResponse_RL_SetupRspTDD
rnsap.id_RL_ParameterUpdateIndicationFDD_RL_InformationList id-RL-ParameterUpdateIndicationFDD-RL-InformationList Unsigned 32-bit integer rnsap.RL_ParameterUpdateIndicationFDD_RL_InformationList
rnsap.id_RL_ParameterUpdateIndicationFDD_RL_Information_Item id-RL-ParameterUpdateIndicationFDD-RL-Information-Item No value rnsap.RL_ParameterUpdateIndicationFDD_RL_Information_Item
rnsap.id_RL_ReconfigurationFailure_RL_ReconfFail id-RL-ReconfigurationFailure-RL-ReconfFail No value rnsap.RL_ReconfigurationFailure_RL_ReconfFail
rnsap.id_RL_ReconfigurationRequestFDD_RL_InformationList id-RL-ReconfigurationRequestFDD-RL-InformationList Unsigned 32-bit integer rnsap.RL_ReconfigurationRequestFDD_RL_InformationList
rnsap.id_RL_ReconfigurationRequestFDD_RL_Information_IEs id-RL-ReconfigurationRequestFDD-RL-Information-IEs No value rnsap.RL_ReconfigurationRequestFDD_RL_Information_IEs
rnsap.id_RL_ReconfigurationRequestTDD_RL_Information id-RL-ReconfigurationRequestTDD-RL-Information No value rnsap.RL_ReconfigurationRequestTDD_RL_Information
rnsap.id_RL_ReconfigurationResponseTDD_RL_Information id-RL-ReconfigurationResponseTDD-RL-Information Unsigned 32-bit integer rnsap.Multiple_RL_InformationResponse_RL_ReconfRspTDD
rnsap.id_RL_Set_InformationItem_DM_Rprt id-RL-Set-InformationItem-DM-Rprt No value rnsap.RL_Set_InformationItem_DM_Rprt
rnsap.id_RL_Set_InformationItem_DM_Rqst id-RL-Set-InformationItem-DM-Rqst No value rnsap.RL_Set_InformationItem_DM_Rqst
rnsap.id_RL_Set_InformationItem_DM_Rsp id-RL-Set-InformationItem-DM-Rsp No value rnsap.RL_Set_InformationItem_DM_Rsp
rnsap.id_RL_Set_Information_RL_FailureInd id-RL-Set-Information-RL-FailureInd No value rnsap.RL_Set_Information_RL_FailureInd
rnsap.id_RL_Set_Information_RL_RestoreInd id-RL-Set-Information-RL-RestoreInd No value rnsap.RL_Set_Information_RL_RestoreInd
rnsap.id_RL_Set_Successful_InformationItem_DM_Fail id-RL-Set-Successful-InformationItem-DM-Fail No value rnsap.RL_Set_Successful_InformationItem_DM_Fail
rnsap.id_RL_Set_Unsuccessful_InformationItem_DM_Fail id-RL-Set-Unsuccessful-InformationItem-DM-Fail No value rnsap.RL_Set_Unsuccessful_InformationItem_DM_Fail
rnsap.id_RL_Set_Unsuccessful_InformationItem_DM_Fail_Ind id-RL-Set-Unsuccessful-InformationItem-DM-Fail-Ind No value rnsap.RL_Set_Unsuccessful_InformationItem_DM_Fail_Ind
rnsap.id_RL_Specific_DCH_Info id-RL-Specific-DCH-Info Unsigned 32-bit integer rnsap.RL_Specific_DCH_Info
rnsap.id_RL_Specific_EDCH_Information id-RL-Specific-EDCH-Information Unsigned 32-bit integer rnsap.RL_Specific_EDCH_Information
rnsap.id_RL_Successful_InformationItem_DM_Fail id-RL-Successful-InformationItem-DM-Fail No value rnsap.RL_Successful_InformationItem_DM_Fail
rnsap.id_RL_Unsuccessful_InformationItem_DM_Fail id-RL-Unsuccessful-InformationItem-DM-Fail No value rnsap.RL_Unsuccessful_InformationItem_DM_Fail
rnsap.id_RL_Unsuccessful_InformationItem_DM_Fail_Ind id-RL-Unsuccessful-InformationItem-DM-Fail-Ind No value rnsap.RL_Unsuccessful_InformationItem_DM_Fail_Ind
rnsap.id_RNC_ID id-RNC-ID Unsigned 32-bit integer rnsap.RNC_ID
rnsap.id_RTLoadValue id-RTLoadValue No value rnsap.RTLoadValue
rnsap.id_RT_Load_Value id-RT-Load-Value Unsigned 32-bit integer rnsap.RT_Load_Value
rnsap.id_RT_Load_Value_IncrDecrThres id-RT-Load-Value-IncrDecrThres Unsigned 32-bit integer rnsap.RT_Load_Value_IncrDecrThres
rnsap.id_Received_Total_Wideband_Power_Value id-Received-Total-Wideband-Power-Value Unsigned 32-bit integer rnsap.Received_Total_Wideband_Power_Value
rnsap.id_Received_Total_Wideband_Power_Value_IncrDecrThres id-Received-Total-Wideband-Power-Value-IncrDecrThres No value rnsap.SFNSFNMeasurementThresholdInformation
rnsap.id_Reporing_Object_RL_RestoreInd id-Reporing-Object-RL-RestoreInd Unsigned 32-bit integer rnsap.Reporting_Object_RL_RestoreInd
rnsap.id_ReportCharacteristics id-ReportCharacteristics Unsigned 32-bit integer rnsap.ReportCharacteristics
rnsap.id_Reporting_Object_RL_FailureInd id-Reporting-Object-RL-FailureInd Unsigned 32-bit integer rnsap.Reporting_Object_RL_FailureInd
rnsap.id_ResetIndicator id-ResetIndicator Unsigned 32-bit integer rnsap.ResetIndicator
rnsap.id_RestrictionStateIndicator id-RestrictionStateIndicator Unsigned 32-bit integer rnsap.RestrictionStateIndicator
rnsap.id_RxTimingDeviationForTA id-RxTimingDeviationForTA Unsigned 32-bit integer rnsap.RxTimingDeviationForTA
rnsap.id_Rx_Timing_Deviation_Value_LCR id-Rx-Timing-Deviation-Value-LCR Unsigned 32-bit integer rnsap.Rx_Timing_Deviation_Value_LCR
rnsap.id_SAI id-SAI No value rnsap.SAI
rnsap.id_SFN id-SFN Unsigned 32-bit integer rnsap.SFN
rnsap.id_SFNReportingIndicator id-SFNReportingIndicator Unsigned 32-bit integer rnsap.FNReportingIndicator
rnsap.id_SFNSFNMeasurementThresholdInformation id-SFNSFNMeasurementThresholdInformation No value rnsap.SFNSFNMeasurementThresholdInformation
rnsap.id_SNA_Information id-SNA-Information No value rnsap.SNA_Information
rnsap.id_SRNC_ID id-SRNC-ID Unsigned 32-bit integer rnsap.RNC_ID
rnsap.id_STTD_SupportIndicator id-STTD-SupportIndicator Unsigned 32-bit integer rnsap.STTD_SupportIndicator
rnsap.id_S_RNTI id-S-RNTI Unsigned 32-bit integer rnsap.S_RNTI
rnsap.id_Satellite_Almanac_Information_ExtItem id-Satellite-Almanac-Information-ExtItem Unsigned 32-bit integer rnsap.Satellite_Almanac_Information_ExtItem
rnsap.id_Secondary_CPICH_Information id-Secondary-CPICH-Information No value rnsap.Secondary_CPICH_Information
rnsap.id_Secondary_CPICH_Information_Change id-Secondary-CPICH-Information-Change Unsigned 32-bit integer rnsap.Secondary_CPICH_Information_Change
rnsap.id_Serving_EDCHRL_Id id-Serving-EDCHRL-Id Unsigned 32-bit integer rnsap.EDCH_Serving_RL
rnsap.id_SuccessfulRL_InformationResponse_RL_AdditionFailureFDD id-SuccessfulRL-InformationResponse-RL-AdditionFailureFDD No value rnsap.SuccessfulRL_InformationResponse_RL_AdditionFailureFDD
rnsap.id_SuccessfulRL_InformationResponse_RL_SetupFailureFDD id-SuccessfulRL-InformationResponse-RL-SetupFailureFDD No value rnsap.SuccessfulRL_InformationResponse_RL_SetupFailureFDD
rnsap.id_SynchronisationIndicator id-SynchronisationIndicator Unsigned 32-bit integer rnsap.SynchronisationIndicator
rnsap.id_TDD_DCHs_to_Modify id-TDD-DCHs-to-Modify Unsigned 32-bit integer rnsap.TDD_DCHs_to_Modify
rnsap.id_TDD_DL_DPCH_TimeSlotFormatModifyItem_LCR_RL_ReconfReadyTDD id-TDD-DL-DPCH-TimeSlotFormatModifyItem-LCR-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.TDD_DL_DPCH_TimeSlotFormat_LCR
rnsap.id_TDD_Support_8PSK id-TDD-Support-8PSK Unsigned 32-bit integer rnsap.Support_8PSK
rnsap.id_TDD_TPC_DownlinkStepSize_InformationAdd_RL_ReconfPrepTDD id-TDD-TPC-DownlinkStepSize-InformationAdd-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.TDD_TPC_DownlinkStepSize
rnsap.id_TDD_TPC_DownlinkStepSize_InformationModify_RL_ReconfPrepTDD id-TDD-TPC-DownlinkStepSize-InformationModify-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.TDD_TPC_DownlinkStepSize
rnsap.id_TDD_TPC_UplinkStepSize_InformationAdd_LCR_RL_ReconfPrepTDD id-TDD-TPC-UplinkStepSize-InformationAdd-LCR-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.TDD_TPC_UplinkStepSize_LCR
rnsap.id_TDD_TPC_UplinkStepSize_InformationModify_LCR_RL_ReconfPrepTDD id-TDD-TPC-UplinkStepSize-InformationModify-LCR-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.TDD_TPC_UplinkStepSize_LCR
rnsap.id_TDD_TPC_UplinkStepSize_LCR_RL_SetupRqstTDD id-TDD-TPC-UplinkStepSize-LCR-RL-SetupRqstTDD Unsigned 32-bit integer rnsap.TDD_TPC_UplinkStepSize_LCR
rnsap.id_TDD_UL_DPCH_TimeSlotFormatModifyItem_LCR_RL_ReconfReadyTDD id-TDD-UL-DPCH-TimeSlotFormatModifyItem-LCR-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.TDD_UL_DPCH_TimeSlotFormat_LCR
rnsap.id_TDD_maxNrDLPhysicalchannels id-TDD-maxNrDLPhysicalchannels Unsigned 32-bit integer rnsap.MaxNrDLPhysicalchannelsTS
rnsap.id_TSTD_Support_Indicator_RL_SetupRqstTDD id-TSTD-Support-Indicator-RL-SetupRqstTDD Unsigned 32-bit integer rnsap.TSTD_Support_Indicator
rnsap.id_TUTRANGPSMeasurementThresholdInformation id-TUTRANGPSMeasurementThresholdInformation Unsigned 32-bit integer rnsap.UL_Timeslot_ISCP_Value
rnsap.id_TimeSlot_RL_SetupRspTDD id-TimeSlot-RL-SetupRspTDD Unsigned 32-bit integer rnsap.TimeSlot
rnsap.id_TnlQos id-TnlQos Unsigned 32-bit integer rnsap.TnlQos
rnsap.id_TraceDepth id-TraceDepth Unsigned 32-bit integer rnsap.TraceDepth
rnsap.id_TraceRecordingSessionReference id-TraceRecordingSessionReference Unsigned 32-bit integer rnsap.TraceRecordingSessionReference
rnsap.id_TraceReference id-TraceReference Byte array rnsap.TraceReference
rnsap.id_TrafficClass id-TrafficClass Unsigned 32-bit integer rnsap.TrafficClass
rnsap.id_Transmission_Gap_Pattern_Sequence_Information id-Transmission-Gap-Pattern-Sequence-Information Unsigned 32-bit integer rnsap.Transmission_Gap_Pattern_Sequence_Information
rnsap.id_Transmitted_Carrier_Power_Value id-Transmitted-Carrier-Power-Value Unsigned 32-bit integer rnsap.Transmitted_Carrier_Power_Value
rnsap.id_Transmitted_Carrier_Power_Value_IncrDecrThres id-Transmitted-Carrier-Power-Value-IncrDecrThres Unsigned 32-bit integer rnsap.Transmitted_Carrier_Power_Value_IncrDecrThres
rnsap.id_TransportBearerID id-TransportBearerID Unsigned 32-bit integer rnsap.TransportBearerID
rnsap.id_TransportBearerRequestIndicator id-TransportBearerRequestIndicator Unsigned 32-bit integer rnsap.TransportBearerRequestIndicator
rnsap.id_TransportLayerAddress id-TransportLayerAddress Byte array rnsap.TransportLayerAddress
rnsap.id_TypeOfError id-TypeOfError Unsigned 32-bit integer rnsap.TypeOfError
rnsap.id_UC_ID id-UC-ID No value rnsap.UC_ID
rnsap.id_UEIdentity id-UEIdentity Unsigned 32-bit integer rnsap.UEIdentity
rnsap.id_UEMeasurementParameterModAllow id-UEMeasurementParameterModAllow Unsigned 32-bit integer rnsap.UEMeasurementParameterModAllow
rnsap.id_UEMeasurementReportCharacteristics id-UEMeasurementReportCharacteristics Unsigned 32-bit integer rnsap.UEMeasurementReportCharacteristics
rnsap.id_UEMeasurementTimeslotInfoHCR id-UEMeasurementTimeslotInfoHCR Unsigned 32-bit integer rnsap.UEMeasurementTimeslotInfoHCR
rnsap.id_UEMeasurementTimeslotInfoLCR id-UEMeasurementTimeslotInfoLCR Unsigned 32-bit integer rnsap.UEMeasurementTimeslotInfoLCR
rnsap.id_UEMeasurementType id-UEMeasurementType Unsigned 32-bit integer rnsap.UEMeasurementType
rnsap.id_UEMeasurementValueInformation id-UEMeasurementValueInformation Unsigned 32-bit integer rnsap.UEMeasurementValueInformation
rnsap.id_UE_State id-UE-State Unsigned 32-bit integer rnsap.UE_State
rnsap.id_UL_CCTrCH_AddInformation_RL_ReconfPrepTDD id-UL-CCTrCH-AddInformation-RL-ReconfPrepTDD No value rnsap.UL_CCTrCH_AddInformation_RL_ReconfPrepTDD
rnsap.id_UL_CCTrCH_DeleteInformation_RL_ReconfPrepTDD id-UL-CCTrCH-DeleteInformation-RL-ReconfPrepTDD No value rnsap.UL_CCTrCH_DeleteInformation_RL_ReconfPrepTDD
rnsap.id_UL_CCTrCH_InformationAddList_RL_ReconfPrepTDD id-UL-CCTrCH-InformationAddList-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.UL_CCTrCH_InformationAddList_RL_ReconfPrepTDD
rnsap.id_UL_CCTrCH_InformationDeleteItem_RL_ReconfRqstTDD id-UL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD No value rnsap.UL_CCTrCH_InformationDeleteItem_RL_ReconfRqstTDD
rnsap.id_UL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD id-UL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.UL_CCTrCH_InformationDeleteList_RL_ReconfPrepTDD
rnsap.id_UL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD id-UL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD Unsigned 32-bit integer rnsap.UL_CCTrCH_InformationDeleteList_RL_ReconfRqstTDD
rnsap.id_UL_CCTrCH_InformationItem_RL_AdditionRqstTDD id-UL-CCTrCH-InformationItem-RL-AdditionRqstTDD No value rnsap.UL_CCTrCH_InformationItem_RL_AdditionRqstTDD
rnsap.id_UL_CCTrCH_InformationItem_RL_SetupRqstTDD id-UL-CCTrCH-InformationItem-RL-SetupRqstTDD No value rnsap.UL_CCTrCH_InformationItem_RL_SetupRqstTDD
rnsap.id_UL_CCTrCH_InformationListIE_PhyChReconfRqstTDD id-UL-CCTrCH-InformationListIE-PhyChReconfRqstTDD Unsigned 32-bit integer rnsap.UL_CCTrCH_InformationListIE_PhyChReconfRqstTDD
rnsap.id_UL_CCTrCH_InformationListIE_RL_AdditionRspTDD id-UL-CCTrCH-InformationListIE-RL-AdditionRspTDD Unsigned 32-bit integer rnsap.UL_CCTrCHInformationListIE_RL_AdditionRspTDD
rnsap.id_UL_CCTrCH_InformationListIE_RL_ReconfReadyTDD id-UL-CCTrCH-InformationListIE-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.UL_CCTrCHInformationListIE_RL_ReconfReadyTDD
rnsap.id_UL_CCTrCH_InformationListIE_RL_SetupRspTDD id-UL-CCTrCH-InformationListIE-RL-SetupRspTDD Unsigned 32-bit integer rnsap.UL_CCTrCHInformationListIE_RL_SetupRspTDD
rnsap.id_UL_CCTrCH_InformationList_RL_AdditionRqstTDD id-UL-CCTrCH-InformationList-RL-AdditionRqstTDD Unsigned 32-bit integer rnsap.UL_CCTrCH_InformationList_RL_AdditionRqstTDD
rnsap.id_UL_CCTrCH_InformationList_RL_SetupRqstTDD id-UL-CCTrCH-InformationList-RL-SetupRqstTDD Unsigned 32-bit integer rnsap.UL_CCTrCH_InformationList_RL_SetupRqstTDD
rnsap.id_UL_CCTrCH_InformationModifyItem_RL_ReconfRqstTDD id-UL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD No value rnsap.UL_CCTrCH_InformationModifyItem_RL_ReconfRqstTDD
rnsap.id_UL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD id-UL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.UL_CCTrCH_InformationModifyList_RL_ReconfPrepTDD
rnsap.id_UL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD id-UL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD Unsigned 32-bit integer rnsap.UL_CCTrCH_InformationModifyList_RL_ReconfRqstTDD
rnsap.id_UL_CCTrCH_LCR_InformationListIE_RL_AdditionRspTDD id-UL-CCTrCH-LCR-InformationListIE-RL-AdditionRspTDD Unsigned 32-bit integer rnsap.UL_CCTrCH_LCR_InformationListIE_RL_AdditionRspTDD
rnsap.id_UL_CCTrCH_LCR_InformationListIE_RL_SetupRspTDD id-UL-CCTrCH-LCR-InformationListIE-RL-SetupRspTDD Unsigned 32-bit integer rnsap.UL_LCR_CCTrCHInformationListIE_RL_SetupRspTDD
rnsap.id_UL_CCTrCH_ModifyInformation_RL_ReconfPrepTDD id-UL-CCTrCH-ModifyInformation-RL-ReconfPrepTDD No value rnsap.UL_CCTrCH_ModifyInformation_RL_ReconfPrepTDD
rnsap.id_UL_DPCH_InformationAddListIE_RL_ReconfReadyTDD id-UL-DPCH-InformationAddListIE-RL-ReconfReadyTDD No value rnsap.UL_DPCH_InformationAddListIE_RL_ReconfReadyTDD
rnsap.id_UL_DPCH_InformationDeleteListIE_RL_ReconfReadyTDD id-UL-DPCH-InformationDeleteListIE-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.UL_DPCH_InformationDeleteListIE_RL_ReconfReadyTDD
rnsap.id_UL_DPCH_InformationItem_PhyChReconfRqstTDD id-UL-DPCH-InformationItem-PhyChReconfRqstTDD No value rnsap.UL_DPCH_InformationItem_PhyChReconfRqstTDD
rnsap.id_UL_DPCH_InformationItem_RL_AdditionRspTDD id-UL-DPCH-InformationItem-RL-AdditionRspTDD No value rnsap.UL_DPCH_InformationItem_RL_AdditionRspTDD
rnsap.id_UL_DPCH_InformationItem_RL_SetupRspTDD id-UL-DPCH-InformationItem-RL-SetupRspTDD No value rnsap.UL_DPCH_InformationItem_RL_SetupRspTDD
rnsap.id_UL_DPCH_InformationModifyListIE_RL_ReconfReadyTDD id-UL-DPCH-InformationModifyListIE-RL-ReconfReadyTDD No value rnsap.UL_DPCH_InformationModifyListIE_RL_ReconfReadyTDD
rnsap.id_UL_DPCH_Information_RL_ReconfPrepFDD id-UL-DPCH-Information-RL-ReconfPrepFDD No value rnsap.UL_DPCH_Information_RL_ReconfPrepFDD
rnsap.id_UL_DPCH_Information_RL_ReconfRqstFDD id-UL-DPCH-Information-RL-ReconfRqstFDD No value rnsap.UL_DPCH_Information_RL_ReconfRqstFDD
rnsap.id_UL_DPCH_Information_RL_SetupRqstFDD id-UL-DPCH-Information-RL-SetupRqstFDD No value rnsap.UL_DPCH_Information_RL_SetupRqstFDD
rnsap.id_UL_DPCH_LCR_InformationAddListIE_RL_ReconfReadyTDD id-UL-DPCH-LCR-InformationAddListIE-RL-ReconfReadyTDD No value rnsap.UL_DPCH_LCR_InformationAddList_RL_ReconfReadyTDD
rnsap.id_UL_DPCH_LCR_InformationItem_RL_AdditionRspTDD id-UL-DPCH-LCR-InformationItem-RL-AdditionRspTDD No value rnsap.UL_DPCH_LCR_InformationItem_RL_AdditionRspTDD
rnsap.id_UL_DPCH_LCR_InformationItem_RL_SetupRspTDD id-UL-DPCH-LCR-InformationItem-RL-SetupRspTDD No value rnsap.UL_DPCH_LCR_InformationItem_RL_SetupRspTDD
rnsap.id_UL_DPDCHIndicatorEDCH id-UL-DPDCHIndicatorEDCH Unsigned 32-bit integer rnsap.UL_DPDCHIndicatorEDCH
rnsap.id_UL_Physical_Channel_Information_RL_SetupRqstTDD id-UL-Physical-Channel-Information-RL-SetupRqstTDD No value rnsap.UL_Physical_Channel_Information_RL_SetupRqstTDD
rnsap.id_UL_SIRTarget id-UL-SIRTarget Signed 32-bit integer rnsap.UL_SIR
rnsap.id_UL_SIR_Target_CCTrCH_InformationItem_RL_SetupRspTDD id-UL-SIR-Target-CCTrCH-InformationItem-RL-SetupRspTDD Signed 32-bit integer rnsap.UL_SIR
rnsap.id_UL_SIR_Target_CCTrCH_LCR_InformationItem_RL_SetupRspTDD id-UL-SIR-Target-CCTrCH-LCR-InformationItem-RL-SetupRspTDD Signed 32-bit integer rnsap.UL_SIR
rnsap.id_UL_Synchronisation_Parameters_LCR id-UL-Synchronisation-Parameters-LCR No value rnsap.UL_Synchronisation_Parameters_LCR
rnsap.id_UL_Timeslot_ISCP_Value id-UL-Timeslot-ISCP-Value Unsigned 32-bit integer rnsap.UL_Timeslot_ISCP_Value
rnsap.id_UL_Timeslot_ISCP_Value_IncrDecrThres id-UL-Timeslot-ISCP-Value-IncrDecrThres Unsigned 32-bit integer rnsap.UL_Timeslot_ISCP_Value_IncrDecrThres
rnsap.id_UL_Timeslot_LCR_InformationList_PhyChReconfRqstTDD id-UL-Timeslot-LCR-InformationList-PhyChReconfRqstTDD Unsigned 32-bit integer rnsap.UL_TimeslotLCR_InformationList_PhyChReconfRqstTDD
rnsap.id_UL_Timeslot_LCR_InformationModifyList_RL_ReconfReadyTDD id-UL-Timeslot-LCR-InformationModifyList-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.UL_TimeslotLCR_InformationModifyList_RL_ReconfReadyTDD
rnsap.id_UL_TimingAdvanceCtrl_LCR id-UL-TimingAdvanceCtrl-LCR No value rnsap.UL_TimingAdvanceCtrl_LCR
rnsap.id_URA_ID id-URA-ID Unsigned 32-bit integer rnsap.URA_ID
rnsap.id_URA_Information id-URA-Information No value rnsap.URA_Information
rnsap.id_USCHToBeAddedOrModifiedList_RL_ReconfReadyTDD id-USCHToBeAddedOrModifiedList-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.USCHToBeAddedOrModifiedList_RL_ReconfReadyTDD
rnsap.id_USCH_DeleteList_RL_ReconfPrepTDD id-USCH-DeleteList-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.USCH_DeleteList_RL_ReconfPrepTDD
rnsap.id_USCH_Information id-USCH-Information Unsigned 32-bit integer rnsap.USCH_Information
rnsap.id_USCH_InformationListIE_RL_AdditionRspTDD id-USCH-InformationListIE-RL-AdditionRspTDD Unsigned 32-bit integer rnsap.USCH_InformationListIE_RL_AdditionRspTDD
rnsap.id_USCH_InformationListIEs_RL_SetupRspTDD id-USCH-InformationListIEs-RL-SetupRspTDD Unsigned 32-bit integer rnsap.USCH_InformationListIEs_RL_SetupRspTDD
rnsap.id_USCH_LCR_InformationListIEs_RL_AdditionRspTDD id-USCH-LCR-InformationListIEs-RL-AdditionRspTDD Unsigned 32-bit integer rnsap.USCH_LCR_InformationListIEs_RL_AdditionRspTDD
rnsap.id_USCH_LCR_InformationListIEs_RL_SetupRspTDD id-USCH-LCR-InformationListIEs-RL-SetupRspTDD Unsigned 32-bit integer rnsap.USCH_LCR_InformationListIEs_RL_SetupRspTDD
rnsap.id_USCH_ModifyList_RL_ReconfPrepTDD id-USCH-ModifyList-RL-ReconfPrepTDD Unsigned 32-bit integer rnsap.USCH_ModifyList_RL_ReconfPrepTDD
rnsap.id_USCHs_to_Add id-USCHs-to-Add Unsigned 32-bit integer rnsap.USCH_Information
rnsap.id_Unidirectional_DCH_Indicator id-Unidirectional-DCH-Indicator Unsigned 32-bit integer rnsap.Unidirectional_DCH_Indicator
rnsap.id_UnsuccessfulRL_InformationResponse_RL_AdditionFailureFDD id-UnsuccessfulRL-InformationResponse-RL-AdditionFailureFDD No value rnsap.UnsuccessfulRL_InformationResponse_RL_AdditionFailureFDD
rnsap.id_UnsuccessfulRL_InformationResponse_RL_AdditionFailureTDD id-UnsuccessfulRL-InformationResponse-RL-AdditionFailureTDD No value rnsap.UnsuccessfulRL_InformationResponse_RL_AdditionFailureTDD
rnsap.id_UnsuccessfulRL_InformationResponse_RL_SetupFailureFDD id-UnsuccessfulRL-InformationResponse-RL-SetupFailureFDD No value rnsap.UnsuccessfulRL_InformationResponse_RL_SetupFailureFDD
rnsap.id_UnsuccessfulRL_InformationResponse_RL_SetupFailureTDD id-UnsuccessfulRL-InformationResponse-RL-SetupFailureTDD No value rnsap.UnsuccessfulRL_InformationResponse_RL_SetupFailureTDD
rnsap.id_UpPTSInterferenceValue id-UpPTSInterferenceValue Unsigned 32-bit integer rnsap.UpPTSInterferenceValue
rnsap.id_User_Plane_Congestion_Fields_Inclusion id-User-Plane-Congestion-Fields-Inclusion Unsigned 32-bit integer rnsap.User_Plane_Congestion_Fields_Inclusion
rnsap.id_commonMeasurementFailure id-commonMeasurementFailure No value rnsap.CommonMeasurementFailureIndication
rnsap.id_commonMeasurementInitiation id-commonMeasurementInitiation No value rnsap.CommonMeasurementInitiationRequest
rnsap.id_commonMeasurementReporting id-commonMeasurementReporting No value rnsap.CommonMeasurementReport
rnsap.id_commonMeasurementTermination id-commonMeasurementTermination No value rnsap.CommonMeasurementTerminationRequest
rnsap.id_commonTransportChannelResourcesInitialisation id-commonTransportChannelResourcesInitialisation No value rnsap.CommonTransportChannelResourcesRequest
rnsap.id_commonTransportChannelResourcesInitialisation_TDD id-commonTransportChannelResourcesInitialisation-TDD No value rnsap.CommonTransportChannelResourcesResponseTDD
rnsap.id_commonTransportChannelResourcesRelease id-commonTransportChannelResourcesRelease No value rnsap.CommonTransportChannelResourcesReleaseRequest
rnsap.id_compressedModeCommand id-compressedModeCommand No value rnsap.CompressedModeCommand
rnsap.id_dedicatedMeasurementFailure id-dedicatedMeasurementFailure No value rnsap.DedicatedMeasurementFailureIndication
rnsap.id_dedicatedMeasurementInitiation id-dedicatedMeasurementInitiation No value rnsap.DedicatedMeasurementInitiationRequest
rnsap.id_dedicatedMeasurementReporting id-dedicatedMeasurementReporting No value rnsap.DedicatedMeasurementReport
rnsap.id_dedicatedMeasurementTermination id-dedicatedMeasurementTermination No value rnsap.DedicatedMeasurementTerminationRequest
rnsap.id_directInformationTransfer id-directInformationTransfer No value rnsap.DirectInformationTransfer
rnsap.id_downlinkPowerControl id-downlinkPowerControl No value rnsap.DL_PowerControlRequest
rnsap.id_downlinkPowerTimeslotControl id-downlinkPowerTimeslotControl No value rnsap.DL_PowerTimeslotControlRequest
rnsap.id_downlinkSignallingTransfer id-downlinkSignallingTransfer No value rnsap.DownlinkSignallingTransferRequest
rnsap.id_errorIndication id-errorIndication No value rnsap.ErrorIndication
rnsap.id_gERANuplinkSignallingTransfer id-gERANuplinkSignallingTransfer No value rnsap.GERANUplinkSignallingTransferIndication
rnsap.id_informationExchangeFailure id-informationExchangeFailure No value rnsap.InformationExchangeFailureIndication
rnsap.id_informationExchangeInitiation id-informationExchangeInitiation No value rnsap.InformationExchangeInitiationRequest
rnsap.id_informationExchangeTermination id-informationExchangeTermination No value rnsap.InformationExchangeTerminationRequest
rnsap.id_informationReporting id-informationReporting No value rnsap.InformationReport
rnsap.id_iurDeactivateTrace id-iurDeactivateTrace No value rnsap.IurDeactivateTrace
rnsap.id_iurInvokeTrace id-iurInvokeTrace No value rnsap.IurInvokeTrace
rnsap.id_mBMSAttach id-mBMSAttach No value rnsap.MBMSAttachCommand
rnsap.id_mBMSDetach id-mBMSDetach No value rnsap.MBMSDetachCommand
rnsap.id_multiple_DedicatedMeasurementValueList_LCR_TDD_DM_Rsp id-multiple-DedicatedMeasurementValueList-LCR-TDD-DM-Rsp Unsigned 32-bit integer rnsap.Multiple_DedicatedMeasurementValueList_LCR_TDD_DM_Rsp
rnsap.id_multiple_DedicatedMeasurementValueList_TDD_DM_Rsp id-multiple-DedicatedMeasurementValueList-TDD-DM-Rsp Unsigned 32-bit integer rnsap.Multiple_DedicatedMeasurementValueList_TDD_DM_Rsp
rnsap.id_neighbouringTDDCellMeasurementInformationLCR id-neighbouringTDDCellMeasurementInformationLCR No value rnsap.NeighbouringTDDCellMeasurementInformationLCR
rnsap.id_neighbouring_LCR_TDD_CellInformation id-neighbouring-LCR-TDD-CellInformation Unsigned 32-bit integer rnsap.Neighbouring_LCR_TDD_CellInformation
rnsap.id_paging id-paging No value rnsap.PagingRequest
rnsap.id_physicalChannelReconfiguration id-physicalChannelReconfiguration No value rnsap.PhysicalChannelReconfigurationRequestTDD
rnsap.id_privateMessage id-privateMessage No value rnsap.PrivateMessage
rnsap.id_radioLinkActivation id-radioLinkActivation No value rnsap.RadioLinkActivationCommandFDD
rnsap.id_radioLinkActivation_TDD id-radioLinkActivation-TDD No value rnsap.RadioLinkActivationCommandTDD
rnsap.id_radioLinkAddition id-radioLinkAddition No value rnsap.RadioLinkAdditionRequestFDD
rnsap.id_radioLinkAddition_TDD id-radioLinkAddition-TDD No value rnsap.RadioLinkAdditionRequestTDD
rnsap.id_radioLinkCongestion id-radioLinkCongestion No value rnsap.RadioLinkCongestionIndication
rnsap.id_radioLinkDeletion id-radioLinkDeletion No value rnsap.RadioLinkDeletionRequest
rnsap.id_radioLinkFailure id-radioLinkFailure No value rnsap.RadioLinkFailureIndication
rnsap.id_radioLinkParameterUpdate id-radioLinkParameterUpdate No value rnsap.RadioLinkParameterUpdateIndicationFDD
rnsap.id_radioLinkParameterUpdate_TDD id-radioLinkParameterUpdate-TDD No value rnsap.RadioLinkParameterUpdateIndicationTDD
rnsap.id_radioLinkPreemption id-radioLinkPreemption No value rnsap.RadioLinkPreemptionRequiredIndication
rnsap.id_radioLinkRestoration id-radioLinkRestoration No value rnsap.RadioLinkRestoreIndication
rnsap.id_radioLinkSetup id-radioLinkSetup No value rnsap.RadioLinkSetupRequestFDD
rnsap.id_radioLinkSetupTdd id-radioLinkSetupTdd No value rnsap.RadioLinkSetupRequestTDD
rnsap.id_relocationCommit id-relocationCommit No value rnsap.RelocationCommit
rnsap.id_reset id-reset No value rnsap.ResetRequest
rnsap.id_synchronisedRadioLinkReconfigurationCancellation id-synchronisedRadioLinkReconfigurationCancellation No value rnsap.RadioLinkReconfigurationCancel
rnsap.id_synchronisedRadioLinkReconfigurationCommit id-synchronisedRadioLinkReconfigurationCommit No value rnsap.RadioLinkReconfigurationCommit
rnsap.id_synchronisedRadioLinkReconfigurationPreparation id-synchronisedRadioLinkReconfigurationPreparation No value rnsap.RadioLinkReconfigurationPrepareFDD
rnsap.id_synchronisedRadioLinkReconfigurationPreparation_TDD id-synchronisedRadioLinkReconfigurationPreparation-TDD No value rnsap.RadioLinkReconfigurationReadyTDD
rnsap.id_timeSlot_ISCP id-timeSlot-ISCP Unsigned 32-bit integer rnsap.DL_TimeSlot_ISCP_Info
rnsap.id_timeSlot_ISCP_LCR_List_DL_PC_Rqst_TDD id-timeSlot-ISCP-LCR-List-DL-PC-Rqst-TDD Unsigned 32-bit integer rnsap.DL_TimeSlot_ISCP_LCR_Information
rnsap.id_uEMeasurementFailure id-uEMeasurementFailure No value rnsap.UEMeasurementFailureIndication
rnsap.id_uEMeasurementInitiation id-uEMeasurementInitiation No value rnsap.UEMeasurementInitiationRequest
rnsap.id_uEMeasurementReporting id-uEMeasurementReporting No value rnsap.UEMeasurementReport
rnsap.id_uEMeasurementTermination id-uEMeasurementTermination No value rnsap.UEMeasurementTerminationRequest
rnsap.id_unSynchronisedRadioLinkReconfiguration id-unSynchronisedRadioLinkReconfiguration No value rnsap.RadioLinkReconfigurationRequestFDD
rnsap.id_unSynchronisedRadioLinkReconfiguration_TDD id-unSynchronisedRadioLinkReconfiguration-TDD No value rnsap.RadioLinkReconfigurationRequestTDD
rnsap.id_uplinkSignallingTransfer id-uplinkSignallingTransfer No value rnsap.UplinkSignallingTransferIndicationFDD
rnsap.id_uplinkSignallingTransfer_TDD id-uplinkSignallingTransfer-TDD No value rnsap.UplinkSignallingTransferIndicationTDD
rnsap.idot_nav idot-nav Byte array rnsap.BIT_STRING_SIZE_14
rnsap.ie_length IE Length Unsigned 32-bit integer Number of octets in the IE
rnsap.imei imei Byte array rnsap.IMEI
rnsap.imeisv imeisv Byte array rnsap.IMEISV
rnsap.implicit implicit No value rnsap.HARQ_MemoryPartitioning_Implicit
rnsap.imsi imsi Byte array rnsap.IMSI
rnsap.includedAngle includedAngle Unsigned 32-bit integer rnsap.INTEGER_0_179
rnsap.individual_DL_ReferencePowerInformation individual-DL-ReferencePowerInformation Unsigned 32-bit integer rnsap.DL_ReferencePowerInformationList
rnsap.individualcause individualcause Unsigned 32-bit integer rnsap.Cause
rnsap.informationAvailable informationAvailable No value rnsap.InformationAvailable
rnsap.informationNotAvailable informationNotAvailable No value rnsap.InformationNotAvailable
rnsap.informationReportPeriodicity informationReportPeriodicity Unsigned 32-bit integer rnsap.InformationReportPeriodicity
rnsap.informationThreshold informationThreshold Unsigned 32-bit integer rnsap.InformationThreshold
rnsap.informationTypeItem informationTypeItem Unsigned 32-bit integer rnsap.T_informationTypeItem
rnsap.initialOffset initialOffset Unsigned 32-bit integer rnsap.INTEGER_0_255
rnsap.initial_dl_tx_power initial-dl-tx-power Signed 32-bit integer rnsap.DL_Power
rnsap.initiatingMessage initiatingMessage No value rnsap.InitiatingMessage
rnsap.initiatingMessageValue initiatingMessageValue No value rnsap.InitiatingMessageValue
rnsap.innerLoopDLPCStatus innerLoopDLPCStatus Unsigned 32-bit integer rnsap.InnerLoopDLPCStatus
rnsap.innerRadius innerRadius Unsigned 32-bit integer rnsap.INTEGER_0_65535
rnsap.interface interface Unsigned 32-bit integer rnsap.T_interface
rnsap.iodc_nav iodc-nav Byte array rnsap.BIT_STRING_SIZE_10
rnsap.iode_dgps iode-dgps Byte array rnsap.BIT_STRING_SIZE_8
rnsap.l2_p_dataflag_nav l2-p-dataflag-nav Byte array rnsap.BIT_STRING_SIZE_1
rnsap.lAC lAC Byte array rnsap.LAC
rnsap.lAI lAI No value rnsap.T_lAI
rnsap.latitude latitude Unsigned 32-bit integer rnsap.INTEGER_0_8388607
rnsap.latitudeSign latitudeSign Unsigned 32-bit integer rnsap.T_latitudeSign
rnsap.limitedPowerIncrease limitedPowerIncrease Unsigned 32-bit integer rnsap.LimitedPowerIncrease
rnsap.listOfSNAs listOfSNAs Unsigned 32-bit integer rnsap.ListOfSNAs
rnsap.loadValue loadValue No value rnsap.LoadValue
rnsap.local local Unsigned 32-bit integer rnsap.INTEGER_0_65535
rnsap.logicalChannelId logicalChannelId Unsigned 32-bit integer rnsap.LogicalChannelID
rnsap.longTransActionId longTransActionId Unsigned 32-bit integer rnsap.INTEGER_0_32767
rnsap.longitude longitude Signed 32-bit integer rnsap.INTEGER_M8388608_8388607
rnsap.ls_part ls-part Unsigned 32-bit integer rnsap.INTEGER_0_4294967295
rnsap.mAC_c_sh_SDU_Lengths mAC-c-sh-SDU-Lengths Unsigned 32-bit integer rnsap.MAC_c_sh_SDU_LengthList
rnsap.mAC_hsWindowSize mAC-hsWindowSize Unsigned 32-bit integer rnsap.MAC_hsWindowSize
rnsap.mACdPDU_Size mACdPDU-Size Unsigned 32-bit integer rnsap.MACdPDU_Size
rnsap.mACdPDU_Size_Index mACdPDU-Size-Index Unsigned 32-bit integer rnsap.MACdPDU_Size_IndexList
rnsap.mACdPDU_Size_Index_to_Modify mACdPDU-Size-Index-to-Modify Unsigned 32-bit integer rnsap.MACdPDU_Size_IndexList_to_Modify
rnsap.mACd_PDU_Size_List mACd-PDU-Size-List Unsigned 32-bit integer rnsap.E_DCH_MACdPDU_SizeList
rnsap.mACes_GuaranteedBitRate mACes-GuaranteedBitRate Unsigned 32-bit integer rnsap.MACes_Guaranteed_Bitrate
rnsap.mAChsGuaranteedBitRate mAChsGuaranteedBitRate Unsigned 32-bit integer rnsap.MAChsGuaranteedBitRate
rnsap.mAChs_Reordering_Buffer_Size_for_RLC_UM mAChs-Reordering-Buffer-Size-for-RLC-UM Unsigned 32-bit integer rnsap.MAChsReorderingBufferSize_for_RLC_UM
rnsap.mBMSChannelTypeInfo mBMSChannelTypeInfo No value rnsap.MBMSChannelTypeInfo
rnsap.mBMSPreferredFreqLayerInfo mBMSPreferredFreqLayerInfo No value rnsap.MBMSPreferredFreqLayerInfo
rnsap.mMax mMax Unsigned 32-bit integer rnsap.INTEGER_1_32
rnsap.m_zero_alm m-zero-alm Byte array rnsap.BIT_STRING_SIZE_24
rnsap.m_zero_nav m-zero-nav Byte array rnsap.BIT_STRING_SIZE_32
rnsap.maxAdjustmentStep maxAdjustmentStep Unsigned 32-bit integer rnsap.MaxAdjustmentStep
rnsap.maxBits_MACe_PDU_non_scheduled maxBits-MACe-PDU-non-scheduled Unsigned 32-bit integer rnsap.Max_Bits_MACe_PDU_non_scheduled
rnsap.maxNrDLPhysicalchannels maxNrDLPhysicalchannels Unsigned 32-bit integer rnsap.MaxNrDLPhysicalchannels
rnsap.maxNrOfUL_DPCHs maxNrOfUL-DPCHs Unsigned 32-bit integer rnsap.MaxNrOfUL_DPCHs
rnsap.maxNrOfUL_DPDCHs maxNrOfUL-DPDCHs Unsigned 32-bit integer rnsap.MaxNrOfUL_DPCHs
rnsap.maxNrTimeslots_DL maxNrTimeslots-DL Unsigned 32-bit integer rnsap.MaxNrTimeslots
rnsap.maxNrTimeslots_UL maxNrTimeslots-UL Unsigned 32-bit integer rnsap.MaxNrTimeslots
rnsap.maxNrULPhysicalchannels maxNrULPhysicalchannels Unsigned 32-bit integer rnsap.MaxNrULPhysicalchannels
rnsap.maxNr_Retransmissions_EDCH maxNr-Retransmissions-EDCH Unsigned 32-bit integer rnsap.MaxNr_Retransmissions_EDCH
rnsap.maxPowerLCR maxPowerLCR Signed 32-bit integer rnsap.DL_Power
rnsap.maxSYNC_UL_transmissions maxSYNC-UL-transmissions Unsigned 32-bit integer rnsap.T_maxSYNC_UL_transmissions
rnsap.maxSet_E_DPDCHs maxSet-E-DPDCHs Unsigned 32-bit integer rnsap.Max_Set_E_DPDCHs
rnsap.maxUL_SIR maxUL-SIR Signed 32-bit integer rnsap.UL_SIR
rnsap.max_UL_SIR max-UL-SIR Signed 32-bit integer rnsap.UL_SIR
rnsap.maximumAllowedULTxPower maximumAllowedULTxPower Signed 32-bit integer rnsap.MaximumAllowedULTxPower
rnsap.maximumDLTxPower maximumDLTxPower Signed 32-bit integer rnsap.DL_Power
rnsap.maximum_MACdPDU_Size maximum-MACdPDU-Size Unsigned 32-bit integer rnsap.MACdPDU_Size
rnsap.measurementAvailable measurementAvailable No value rnsap.CommonMeasurementAvailable
rnsap.measurementChangeTime measurementChangeTime Unsigned 32-bit integer rnsap.MeasurementChangeTime
rnsap.measurementHysteresisTime measurementHysteresisTime Unsigned 32-bit integer rnsap.MeasurementHysteresisTime
rnsap.measurementIncreaseDecreaseThreshold measurementIncreaseDecreaseThreshold Unsigned 32-bit integer rnsap.MeasurementIncreaseDecreaseThreshold
rnsap.measurementThreshold measurementThreshold Unsigned 32-bit integer rnsap.MeasurementThreshold
rnsap.measurementThreshold1 measurementThreshold1 Unsigned 32-bit integer rnsap.MeasurementThreshold
rnsap.measurementThreshold2 measurementThreshold2 Unsigned 32-bit integer rnsap.MeasurementThreshold
rnsap.measurementTreshold measurementTreshold Unsigned 32-bit integer rnsap.MeasurementThreshold
rnsap.measurement_Power_Offset measurement-Power-Offset Signed 32-bit integer rnsap.Measurement_Power_Offset
rnsap.measurementnotAvailable measurementnotAvailable No value rnsap.NULL
rnsap.midambleAllocationMode midambleAllocationMode Unsigned 32-bit integer rnsap.T_midambleAllocationMode
rnsap.midambleConfigurationBurstType1And3 midambleConfigurationBurstType1And3 Unsigned 32-bit integer rnsap.MidambleConfigurationBurstType1And3
rnsap.midambleConfigurationBurstType2 midambleConfigurationBurstType2 Unsigned 32-bit integer rnsap.MidambleConfigurationBurstType2
rnsap.midambleConfigurationLCR midambleConfigurationLCR Unsigned 32-bit integer rnsap.MidambleConfigurationLCR
rnsap.midambleShift midambleShift Unsigned 32-bit integer rnsap.MidambleShiftLong
rnsap.midambleShiftAndBurstType midambleShiftAndBurstType Unsigned 32-bit integer rnsap.MidambleShiftAndBurstType
rnsap.midambleShiftLCR midambleShiftLCR No value rnsap.MidambleShiftLCR
rnsap.min min Unsigned 32-bit integer rnsap.INTEGER_1_60_
rnsap.minPowerLCR minPowerLCR Signed 32-bit integer rnsap.DL_Power
rnsap.minUL_ChannelisationCodeLength minUL-ChannelisationCodeLength Unsigned 32-bit integer rnsap.MinUL_ChannelisationCodeLength
rnsap.minUL_SIR minUL-SIR Signed 32-bit integer rnsap.UL_SIR
rnsap.min_UL_SIR min-UL-SIR Signed 32-bit integer rnsap.UL_SIR
rnsap.minimumDLTxPower minimumDLTxPower Signed 32-bit integer rnsap.DL_Power
rnsap.minimumSpreadingFactor_DL minimumSpreadingFactor-DL Unsigned 32-bit integer rnsap.MinimumSpreadingFactor
rnsap.minimumSpreadingFactor_UL minimumSpreadingFactor-UL Unsigned 32-bit integer rnsap.MinimumSpreadingFactor
rnsap.misc misc Unsigned 32-bit integer rnsap.CauseMisc
rnsap.missed_HS_SICH missed-HS-SICH Unsigned 32-bit integer rnsap.HS_SICH_missed
rnsap.mode mode Unsigned 32-bit integer rnsap.TransportFormatSet_ModeDP
rnsap.modifyPriorityQueue modifyPriorityQueue No value rnsap.PriorityQueue_InfoItem_to_Modify
rnsap.modulation modulation Unsigned 32-bit integer rnsap.Modulation
rnsap.ms_part ms-part Unsigned 32-bit integer rnsap.INTEGER_0_16383
rnsap.multipleURAsIndicator multipleURAsIndicator Unsigned 32-bit integer rnsap.MultipleURAsIndicator
rnsap.multiplexingPosition multiplexingPosition Unsigned 32-bit integer rnsap.MultiplexingPosition
rnsap.nCC nCC Byte array rnsap.NCC
rnsap.n_INSYNC_IND n-INSYNC-IND Unsigned 32-bit integer rnsap.INTEGER_1_256
rnsap.n_OUTSYNC_IND n-OUTSYNC-IND Unsigned 32-bit integer rnsap.INTEGER_1_256
rnsap.nackPowerOffset nackPowerOffset Unsigned 32-bit integer rnsap.Nack_Power_Offset
rnsap.neighbouringCellMeasurementInformation neighbouringCellMeasurementInformation Unsigned 32-bit integer rnsap.NeighbouringCellMeasurementInfo
rnsap.neighbouringFDDCellMeasurementInformation neighbouringFDDCellMeasurementInformation No value rnsap.NeighbouringFDDCellMeasurementInformation
rnsap.neighbouringTDDCellMeasurementInformation neighbouringTDDCellMeasurementInformation No value rnsap.NeighbouringTDDCellMeasurementInformation
rnsap.neighbouring_FDD_CellInformation neighbouring-FDD-CellInformation Unsigned 32-bit integer rnsap.Neighbouring_FDD_CellInformation
rnsap.neighbouring_GSM_CellInformation neighbouring-GSM-CellInformation No value rnsap.Neighbouring_GSM_CellInformation
rnsap.neighbouring_TDD_CellInformation neighbouring-TDD-CellInformation Unsigned 32-bit integer rnsap.Neighbouring_TDD_CellInformation
rnsap.neighbouring_UMTS_CellInformation neighbouring-UMTS-CellInformation Unsigned 32-bit integer rnsap.Neighbouring_UMTS_CellInformation
rnsap.new_secondary_CPICH new-secondary-CPICH No value rnsap.Secondary_CPICH_Information
rnsap.noBadSatellite noBadSatellite No value rnsap.NULL
rnsap.no_Split_in_TFCI no-Split-in-TFCI Unsigned 32-bit integer rnsap.TFCS_TFCSList
rnsap.noinitialOffset noinitialOffset Unsigned 32-bit integer rnsap.INTEGER_0_63
rnsap.nonCombining nonCombining No value rnsap.NonCombining_RL_AdditionRspFDD
rnsap.nonCombiningOrFirstRL nonCombiningOrFirstRL No value rnsap.NonCombiningOrFirstRL_RL_SetupRspFDD
rnsap.notApplicable notApplicable No value rnsap.NULL
rnsap.not_Provided_Cell_List not-Provided-Cell-List Unsigned 32-bit integer rnsap.NotProvidedCellList
rnsap.not_Used_dRACControl not-Used-dRACControl No value rnsap.NULL
rnsap.not_Used_dSCHInformationResponse not-Used-dSCHInformationResponse No value rnsap.NULL
rnsap.not_Used_dSCH_InformationResponse_RL_SetupFailureFDD not-Used-dSCH-InformationResponse-RL-SetupFailureFDD No value rnsap.NULL
rnsap.not_Used_dSCHsToBeAddedOrModified not-Used-dSCHsToBeAddedOrModified No value rnsap.NULL
rnsap.not_Used_sSDT_CellID not-Used-sSDT-CellID No value rnsap.NULL
rnsap.not_Used_sSDT_CellIDLength not-Used-sSDT-CellIDLength No value rnsap.NULL
rnsap.not_Used_sSDT_CellIdLength not-Used-sSDT-CellIdLength No value rnsap.NULL
rnsap.not_Used_sSDT_CellIdentity not-Used-sSDT-CellIdentity No value rnsap.NULL
rnsap.not_Used_sSDT_Indication not-Used-sSDT-Indication No value rnsap.NULL
rnsap.not_Used_s_FieldLength not-Used-s-FieldLength No value rnsap.NULL
rnsap.not_Used_secondary_CCPCH_Info not-Used-secondary-CCPCH-Info No value rnsap.NULL
rnsap.not_Used_split_in_TFCI not-Used-split-in-TFCI No value rnsap.NULL
rnsap.not_to_be_used_1 not-to-be-used-1 Unsigned 32-bit integer rnsap.GapDuration
rnsap.not_used_closedLoopMode2_SupportIndicator not-used-closedLoopMode2-SupportIndicator No value rnsap.NULL
rnsap.nrOfDLchannelisationcodes nrOfDLchannelisationcodes Unsigned 32-bit integer rnsap.NrOfDLchannelisationcodes
rnsap.nrOfTransportBlocks nrOfTransportBlocks Unsigned 32-bit integer rnsap.NrOfTransportBlocks
rnsap.number_of_Processes number-of-Processes Unsigned 32-bit integer rnsap.INTEGER_1_8_
rnsap.offsetAngle offsetAngle Unsigned 32-bit integer rnsap.INTEGER_0_179
rnsap.omega_zero_nav omega-zero-nav Byte array rnsap.BIT_STRING_SIZE_32
rnsap.omegadot_alm omegadot-alm Byte array rnsap.BIT_STRING_SIZE_16
rnsap.omegadot_nav omegadot-nav Byte array rnsap.BIT_STRING_SIZE_24
rnsap.omegazero_alm omegazero-alm Byte array rnsap.BIT_STRING_SIZE_24
rnsap.onDemand onDemand No value rnsap.NULL
rnsap.onModification onModification No value rnsap.OnModificationInformation
rnsap.orientationOfMajorAxis orientationOfMajorAxis Unsigned 32-bit integer rnsap.INTEGER_0_179
rnsap.outcome outcome No value rnsap.Outcome
rnsap.outcomeValue outcomeValue No value rnsap.OutcomeValue
rnsap.pCCPCH_Power pCCPCH-Power Signed 32-bit integer rnsap.PCCPCH_Power
rnsap.pCH_InformationList pCH-InformationList Unsigned 32-bit integer rnsap.PCH_InformationList
rnsap.pC_Preamble pC-Preamble Unsigned 32-bit integer rnsap.PC_Preamble
rnsap.pLMN_Identity pLMN-Identity Byte array rnsap.PLMN_Identity
rnsap.pO1_ForTFCI_Bits pO1-ForTFCI-Bits Unsigned 32-bit integer rnsap.PowerOffset
rnsap.pO2_ForTPC_Bits pO2-ForTPC-Bits Unsigned 32-bit integer rnsap.PowerOffset
rnsap.pO3_ForPilotBits pO3-ForPilotBits Unsigned 32-bit integer rnsap.PowerOffset
rnsap.pRC pRC Signed 32-bit integer rnsap.PRC
rnsap.pRCDeviation pRCDeviation Unsigned 32-bit integer rnsap.PRCDeviation
rnsap.pSI pSI Unsigned 32-bit integer rnsap.GERAN_SystemInfo
rnsap.pTM_Cell_List pTM-Cell-List Unsigned 32-bit integer rnsap.PTMCellList
rnsap.pTP_Cell_List pTP-Cell-List Unsigned 32-bit integer rnsap.PTPCellList
rnsap.pagingCause pagingCause Unsigned 32-bit integer rnsap.PagingCause
rnsap.pagingRecordType pagingRecordType Unsigned 32-bit integer rnsap.PagingRecordType
rnsap.payloadCRC_PresenceIndicator payloadCRC-PresenceIndicator Unsigned 32-bit integer rnsap.PayloadCRC_PresenceIndicator
rnsap.pdu_length PDU Length Unsigned 32-bit integer Number of octets in the PDU
rnsap.periodic periodic No value rnsap.PeriodicInformation
rnsap.phase_Reference_Update_Indicator phase-Reference-Update-Indicator Unsigned 32-bit integer rnsap.Phase_Reference_Update_Indicator
rnsap.plmn_id plmn-id Byte array rnsap.PLMN_Identity
rnsap.po1_ForTFCI_Bits po1-ForTFCI-Bits Unsigned 32-bit integer rnsap.PowerOffset
rnsap.po2_ForTPC_Bits po2-ForTPC-Bits Unsigned 32-bit integer rnsap.PowerOffset
rnsap.po3_ForPilotBits po3-ForPilotBits Unsigned 32-bit integer rnsap.PowerOffset
rnsap.pointWithAltitude pointWithAltitude No value rnsap.GA_PointWithAltitude
rnsap.pointWithAltitudeAndUncertaintyEllipsoid pointWithAltitudeAndUncertaintyEllipsoid No value rnsap.GA_PointWithAltitudeAndUncertaintyEllipsoid
rnsap.pointWithUncertainty pointWithUncertainty No value rnsap.GA_PointWithUnCertainty
rnsap.pointWithUncertaintyEllipse pointWithUncertaintyEllipse No value rnsap.GA_PointWithUnCertaintyEllipse
rnsap.powerAdjustmentType powerAdjustmentType Unsigned 32-bit integer rnsap.PowerAdjustmentType
rnsap.powerOffsetInformation powerOffsetInformation No value rnsap.PowerOffsetInformation_RL_SetupRqstFDD
rnsap.powerRampStep powerRampStep Unsigned 32-bit integer rnsap.INTEGER_0_3_
rnsap.pre_emptionCapability pre-emptionCapability Unsigned 32-bit integer rnsap.Pre_emptionCapability
rnsap.pre_emptionVulnerability pre-emptionVulnerability Unsigned 32-bit integer rnsap.Pre_emptionVulnerability
rnsap.predictedSFNSFNDeviationLimit predictedSFNSFNDeviationLimit Unsigned 32-bit integer rnsap.PredictedSFNSFNDeviationLimit
rnsap.predictedTUTRANGPSDeviationLimit predictedTUTRANGPSDeviationLimit Unsigned 32-bit integer rnsap.PredictedTUTRANGPSDeviationLimit
rnsap.preferredFrequencyLayer preferredFrequencyLayer Unsigned 32-bit integer rnsap.UARFCN
rnsap.preferredFrequencyLayerInfo preferredFrequencyLayerInfo No value rnsap.PreferredFrequencyLayerInfo
rnsap.primaryCCPCH_RSCP primaryCCPCH-RSCP Unsigned 32-bit integer rnsap.PrimaryCCPCH_RSCP
rnsap.primaryCCPCH_RSCP_Delta primaryCCPCH-RSCP-Delta Signed 32-bit integer rnsap.PrimaryCCPCH_RSCP_Delta
rnsap.primaryCPICH_EcNo primaryCPICH-EcNo Signed 32-bit integer rnsap.PrimaryCPICH_EcNo
rnsap.primaryCPICH_Power primaryCPICH-Power Signed 32-bit integer rnsap.PrimaryCPICH_Power
rnsap.primaryScramblingCode primaryScramblingCode Unsigned 32-bit integer rnsap.PrimaryScramblingCode
rnsap.primary_CCPCH_RSCP primary-CCPCH-RSCP No value rnsap.UE_MeasurementValue_Primary_CCPCH_RSCP
rnsap.primary_Secondary_Grant_Selector primary-Secondary-Grant-Selector Unsigned 32-bit integer rnsap.E_Primary_Secondary_Grant_Selector
rnsap.primary_e_RNTI primary-e-RNTI Unsigned 32-bit integer rnsap.E_RNTI
rnsap.priorityLevel priorityLevel Unsigned 32-bit integer rnsap.PriorityLevel
rnsap.priorityQueueId priorityQueueId Unsigned 32-bit integer rnsap.PriorityQueue_Id
rnsap.priorityQueueInfotoModifyUnsynchronised priorityQueueInfotoModifyUnsynchronised Unsigned 32-bit integer rnsap.PriorityQueue_InfoList_to_Modify_Unsynchronised
rnsap.priorityQueue_Id priorityQueue-Id Unsigned 32-bit integer rnsap.PriorityQueue_Id
rnsap.priorityQueue_Info priorityQueue-Info Unsigned 32-bit integer rnsap.PriorityQueue_InfoList
rnsap.priorityQueue_Info_to_Modify priorityQueue-Info-to-Modify Unsigned 32-bit integer rnsap.PriorityQueue_InfoList_to_Modify
rnsap.privateIEid privateIEid Unsigned 32-bit integer rnsap.PrivateIE_ID
rnsap.privateIEs privateIEs Unsigned 32-bit integer rnsap.PrivateIE_Container
rnsap.privateIEvalue privateIEvalue No value rnsap.PrivateIEvalue
rnsap.procedureCode procedureCode Unsigned 32-bit integer rnsap.ProcedureCode
rnsap.procedureCriticality procedureCriticality Unsigned 32-bit integer rnsap.Criticality
rnsap.procedureID procedureID No value rnsap.ProcedureID
rnsap.process_Memory_Size process-Memory-Size Unsigned 32-bit integer rnsap.T_process_Memory_Size
rnsap.propagationDelay propagationDelay Unsigned 32-bit integer rnsap.PropagationDelay
rnsap.propagation_delay propagation-delay Unsigned 32-bit integer rnsap.PropagationDelay
rnsap.protocol protocol Unsigned 32-bit integer rnsap.CauseProtocol
rnsap.protocolExtensions protocolExtensions Unsigned 32-bit integer rnsap.ProtocolExtensionContainer
rnsap.protocolIEs protocolIEs Unsigned 32-bit integer rnsap.ProtocolIE_Container
rnsap.prxUpPCHdes prxUpPCHdes Signed 32-bit integer rnsap.INTEGER_M120_M58_
rnsap.punctureLimit punctureLimit Unsigned 32-bit integer rnsap.PunctureLimit
rnsap.qE_Selector qE-Selector Unsigned 32-bit integer rnsap.QE_Selector
rnsap.qPSK qPSK Unsigned 32-bit integer rnsap.QPSK_DL_DPCH_TimeSlotFormatTDD_LCR
rnsap.rAC rAC Byte array rnsap.RAC
rnsap.rL rL No value rnsap.RL_RL_FailureInd
rnsap.rLC_Mode rLC-Mode Unsigned 32-bit integer rnsap.RLC_Mode
rnsap.rLS rLS No value rnsap.RL_Set_DM_Rqst
rnsap.rLSpecificCause rLSpecificCause No value rnsap.RLSpecificCauseList_RL_SetupFailureFDD
rnsap.rL_ID rL-ID Unsigned 32-bit integer rnsap.RL_ID
rnsap.rL_InformationList_DM_Rprt rL-InformationList-DM-Rprt Unsigned 32-bit integer rnsap.RL_InformationList_DM_Rprt
rnsap.rL_InformationList_DM_Rqst rL-InformationList-DM-Rqst Unsigned 32-bit integer rnsap.RL_InformationList_DM_Rqst
rnsap.rL_InformationList_DM_Rsp rL-InformationList-DM-Rsp Unsigned 32-bit integer rnsap.RL_InformationList_DM_Rsp
rnsap.rL_InformationList_RL_FailureInd rL-InformationList-RL-FailureInd Unsigned 32-bit integer rnsap.RL_InformationList_RL_FailureInd
rnsap.rL_InformationList_RL_RestoreInd rL-InformationList-RL-RestoreInd Unsigned 32-bit integer rnsap.RL_InformationList_RL_RestoreInd
rnsap.rL_ReconfigurationFailureList_RL_ReconfFailure rL-ReconfigurationFailureList-RL-ReconfFailure Unsigned 32-bit integer rnsap.RL_ReconfigurationFailureList_RL_ReconfFailure
rnsap.rL_Set rL-Set No value rnsap.RL_Set_RL_FailureInd
rnsap.rL_Set_ID rL-Set-ID Unsigned 32-bit integer rnsap.RL_Set_ID
rnsap.rL_Set_InformationList_DM_Rprt rL-Set-InformationList-DM-Rprt Unsigned 32-bit integer rnsap.RL_Set_InformationList_DM_Rprt
rnsap.rL_Set_InformationList_DM_Rqst rL-Set-InformationList-DM-Rqst Unsigned 32-bit integer rnsap.RL_Set_InformationList_DM_Rqst
rnsap.rL_Set_InformationList_DM_Rsp rL-Set-InformationList-DM-Rsp Unsigned 32-bit integer rnsap.RL_Set_InformationList_DM_Rsp
rnsap.rL_Set_InformationList_RL_FailureInd rL-Set-InformationList-RL-FailureInd Unsigned 32-bit integer rnsap.RL_Set_InformationList_RL_FailureInd
rnsap.rL_Set_InformationList_RL_RestoreInd rL-Set-InformationList-RL-RestoreInd Unsigned 32-bit integer rnsap.RL_Set_InformationList_RL_RestoreInd
rnsap.rL_Set_successful_InformationRespList_DM_Fail rL-Set-successful-InformationRespList-DM-Fail Unsigned 32-bit integer rnsap.RL_Set_Successful_InformationRespList_DM_Fail
rnsap.rL_Set_unsuccessful_InformationRespList_DM_Fail rL-Set-unsuccessful-InformationRespList-DM-Fail Unsigned 32-bit integer rnsap.RL_Set_Unsuccessful_InformationRespList_DM_Fail
rnsap.rL_Set_unsuccessful_InformationRespList_DM_Fail_Ind rL-Set-unsuccessful-InformationRespList-DM-Fail-Ind Unsigned 32-bit integer rnsap.RL_Set_Unsuccessful_InformationRespList_DM_Fail_Ind
rnsap.rL_Specific_DCH_Info rL-Specific-DCH-Info Unsigned 32-bit integer rnsap.RL_Specific_DCH_Info
rnsap.rL_successful_InformationRespList_DM_Fail rL-successful-InformationRespList-DM-Fail Unsigned 32-bit integer rnsap.RL_Successful_InformationRespList_DM_Fail
rnsap.rL_unsuccessful_InformationRespList_DM_Fail rL-unsuccessful-InformationRespList-DM-Fail Unsigned 32-bit integer rnsap.RL_Unsuccessful_InformationRespList_DM_Fail
rnsap.rL_unsuccessful_InformationRespList_DM_Fail_Ind rL-unsuccessful-InformationRespList-DM-Fail-Ind Unsigned 32-bit integer rnsap.RL_Unsuccessful_InformationRespList_DM_Fail_Ind
rnsap.rLs rLs No value rnsap.RL_DM_Rsp
rnsap.rNC_ID rNC-ID Unsigned 32-bit integer rnsap.RNC_ID
rnsap.rNCsWithCellsInTheAccessedURA_List rNCsWithCellsInTheAccessedURA-List Unsigned 32-bit integer rnsap.RNCsWithCellsInTheAccessedURA_List
rnsap.rSCP rSCP Unsigned 32-bit integer rnsap.RSCP_Value
rnsap.radioNetwork radioNetwork Unsigned 32-bit integer rnsap.CauseRadioNetwork
rnsap.range_Correction_Rate range-Correction-Rate Signed 32-bit integer rnsap.Range_Correction_Rate
rnsap.rateMatcingAttribute rateMatcingAttribute Unsigned 32-bit integer rnsap.RateMatchingAttribute
rnsap.rb_Info rb-Info Unsigned 32-bit integer rnsap.RB_Info
rnsap.receivedTotalWideBandPowerValue receivedTotalWideBandPowerValue Unsigned 32-bit integer rnsap.INTEGER_0_621
rnsap.received_total_wide_band_power received-total-wide-band-power Unsigned 32-bit integer rnsap.Received_total_wide_band_power
rnsap.refTFCNumber refTFCNumber Unsigned 32-bit integer rnsap.RefTFCNumber
rnsap.reference_E_TFCI reference-E-TFCI Unsigned 32-bit integer rnsap.E_TFCI
rnsap.reference_E_TFCI_Information reference-E-TFCI-Information Unsigned 32-bit integer rnsap.Reference_E_TFCI_Information
rnsap.reference_E_TFCI_PO reference-E-TFCI-PO Unsigned 32-bit integer rnsap.Reference_E_TFCI_PO
rnsap.repetitionLength repetitionLength Unsigned 32-bit integer rnsap.RepetitionLength
rnsap.repetitionNumber repetitionNumber Unsigned 32-bit integer rnsap.RepetitionNumber0
rnsap.repetitionPeriod repetitionPeriod Unsigned 32-bit integer rnsap.RepetitionPeriod
rnsap.reportPeriodicity reportPeriodicity Unsigned 32-bit integer rnsap.ReportPeriodicity
rnsap.reportingInterval reportingInterval Unsigned 32-bit integer rnsap.UEMeasurementReportCharacteristicsPeriodicReportingInterval
rnsap.requestedDataValue requestedDataValue No value rnsap.RequestedDataValue
rnsap.requestedDataValueInformation requestedDataValueInformation Unsigned 32-bit integer rnsap.RequestedDataValueInformation
rnsap.restrictionStateIndicator restrictionStateIndicator Unsigned 32-bit integer rnsap.RestrictionStateIndicator
rnsap.roundTripTime roundTripTime Unsigned 32-bit integer rnsap.Round_Trip_Time_Value
rnsap.round_trip_time round-trip-time Unsigned 32-bit integer rnsap.Round_Trip_Time_IncrDecrThres
rnsap.rscp rscp Unsigned 32-bit integer rnsap.RSCP_Value_IncrDecrThres
rnsap.rxTimingDeviationForTA rxTimingDeviationForTA Unsigned 32-bit integer rnsap.RxTimingDeviationForTA
rnsap.rxTimingDeviationValue rxTimingDeviationValue Unsigned 32-bit integer rnsap.Rx_Timing_Deviation_Value
rnsap.rx_timing_deviation rx-timing-deviation Unsigned 32-bit integer rnsap.Rx_Timing_Deviation_Value
rnsap.sAC sAC Byte array rnsap.SAC
rnsap.sAI sAI No value rnsap.SAI
rnsap.sAT_ID sAT-ID Unsigned 32-bit integer rnsap.SAT_ID
rnsap.sCH_TimeSlot sCH-TimeSlot Unsigned 32-bit integer rnsap.SCH_TimeSlot
rnsap.sCTD_Indicator sCTD-Indicator Unsigned 32-bit integer rnsap.SCTD_Indicator
rnsap.sFN sFN Unsigned 32-bit integer rnsap.SFN
rnsap.sFNSFNChangeLimit sFNSFNChangeLimit Unsigned 32-bit integer rnsap.SFNSFNChangeLimit
rnsap.sFNSFNDriftRate sFNSFNDriftRate Signed 32-bit integer rnsap.SFNSFNDriftRate
rnsap.sFNSFNDriftRateQuality sFNSFNDriftRateQuality Unsigned 32-bit integer rnsap.SFNSFNDriftRateQuality
rnsap.sFNSFNMeasurementValueInformation sFNSFNMeasurementValueInformation No value rnsap.SFNSFNMeasurementValueInformation
rnsap.sFNSFNQuality sFNSFNQuality Unsigned 32-bit integer rnsap.SFNSFNQuality
rnsap.sFNSFNTimeStampInformation sFNSFNTimeStampInformation Unsigned 32-bit integer rnsap.SFNSFNTimeStampInformation
rnsap.sFNSFNTimeStamp_FDD sFNSFNTimeStamp-FDD Unsigned 32-bit integer rnsap.SFN
rnsap.sFNSFNTimeStamp_TDD sFNSFNTimeStamp-TDD No value rnsap.SFNSFNTimeStamp_TDD
rnsap.sFNSFNValue sFNSFNValue Unsigned 32-bit integer rnsap.SFNSFNValue
rnsap.sFNSFN_FDD sFNSFN-FDD Unsigned 32-bit integer rnsap.SFNSFN_FDD
rnsap.sFNSFN_GA_AccessPointPosition sFNSFN-GA-AccessPointPosition No value rnsap.GA_AccessPointPositionwithOptionalAltitude
rnsap.sFNSFN_TDD sFNSFN-TDD Unsigned 32-bit integer rnsap.SFNSFN_TDD
rnsap.sI sI Unsigned 32-bit integer rnsap.GERAN_SystemInfo
rnsap.sID sID Unsigned 32-bit integer rnsap.SID
rnsap.sIR_ErrorValue sIR-ErrorValue Unsigned 32-bit integer rnsap.SIR_Error_Value
rnsap.sIR_Value sIR-Value Unsigned 32-bit integer rnsap.SIR_Value
rnsap.sRB_Delay sRB-Delay Unsigned 32-bit integer rnsap.SRB_Delay
rnsap.sRNTI sRNTI Unsigned 32-bit integer rnsap.S_RNTI
rnsap.sRNTI_BitMaskIndex sRNTI-BitMaskIndex Unsigned 32-bit integer rnsap.T_sRNTI_BitMaskIndex
rnsap.sSDT_SupportIndicator sSDT-SupportIndicator Unsigned 32-bit integer rnsap.SSDT_SupportIndicator
rnsap.sTTD_SupportIndicator sTTD-SupportIndicator Unsigned 32-bit integer rnsap.STTD_SupportIndicator
rnsap.sVGlobalHealth_alm sVGlobalHealth-alm Byte array rnsap.BIT_STRING_SIZE_364
rnsap.s_CCPCH_TimeSlotFormat_LCR s-CCPCH-TimeSlotFormat-LCR Unsigned 32-bit integer rnsap.TDD_DL_DPCH_TimeSlotFormat_LCR
rnsap.s_RNTI_Group s-RNTI-Group No value rnsap.S_RNTI_Group
rnsap.satellite_Almanac_Information satellite-Almanac-Information Unsigned 32-bit integer rnsap.T_satellite_Almanac_Information
rnsap.satellite_Almanac_Information_item Item No value rnsap.T_satellite_Almanac_Information_item
rnsap.satellite_DGPSCorrections_Information satellite-DGPSCorrections-Information Unsigned 32-bit integer rnsap.T_satellite_DGPSCorrections_Information
rnsap.satellite_DGPSCorrections_Information_item Item No value rnsap.T_satellite_DGPSCorrections_Information_item
rnsap.schedulingPriorityIndicator schedulingPriorityIndicator Unsigned 32-bit integer rnsap.SchedulingPriorityIndicator
rnsap.secondCriticality secondCriticality Unsigned 32-bit integer rnsap.Criticality
rnsap.secondValue secondValue No value rnsap.SecondValue
rnsap.second_TDD_ChannelisationCode second-TDD-ChannelisationCode Unsigned 32-bit integer rnsap.TDD_ChannelisationCode
rnsap.secondary_CCPCH_Info_TDD secondary-CCPCH-Info-TDD No value rnsap.Secondary_CCPCH_Info_TDD
rnsap.secondary_CCPCH_TDD_Code_Information secondary-CCPCH-TDD-Code-Information Unsigned 32-bit integer rnsap.Secondary_CCPCH_TDD_Code_Information
rnsap.secondary_CCPCH_TDD_InformationList secondary-CCPCH-TDD-InformationList Unsigned 32-bit integer rnsap.Secondary_CCPCH_TDD_InformationList
rnsap.secondary_CPICH_shall_not_be_used secondary-CPICH-shall-not-be-used No value rnsap.NULL
rnsap.secondary_LCR_CCPCH_Info_TDD secondary-LCR-CCPCH-Info-TDD No value rnsap.Secondary_LCR_CCPCH_Info_TDD
rnsap.secondary_LCR_CCPCH_TDD_Code_Information secondary-LCR-CCPCH-TDD-Code-Information Unsigned 32-bit integer rnsap.Secondary_LCR_CCPCH_TDD_Code_Information
rnsap.secondary_LCR_CCPCH_TDD_InformationList secondary-LCR-CCPCH-TDD-InformationList Unsigned 32-bit integer rnsap.Secondary_LCR_CCPCH_TDD_InformationList
rnsap.secondary_e_RNTI secondary-e-RNTI Unsigned 32-bit integer rnsap.E_RNTI
rnsap.seed seed Unsigned 32-bit integer rnsap.Seed
rnsap.semi_staticPart semi-staticPart No value rnsap.TransportFormatSet_Semi_staticPart
rnsap.separate_indication separate-indication No value rnsap.NULL
rnsap.service_id service-id Byte array rnsap.Service_ID
rnsap.serving_Grant_Value serving-Grant-Value Unsigned 32-bit integer rnsap.E_Serving_Grant_Value
rnsap.sf1_reserved_nav sf1-reserved-nav Byte array rnsap.BIT_STRING_SIZE_87
rnsap.shortTransActionId shortTransActionId Unsigned 32-bit integer rnsap.INTEGER_0_127
rnsap.signalledGainFactors signalledGainFactors No value rnsap.T_signalledGainFactors
rnsap.sir sir Unsigned 32-bit integer rnsap.SIR_Value_IncrDecrThres
rnsap.sir_error sir-error Unsigned 32-bit integer rnsap.SIR_Error_Value_IncrDecrThres
rnsap.spare_zero_fill spare-zero-fill Byte array rnsap.BIT_STRING_SIZE_20
rnsap.specialBurstScheduling specialBurstScheduling Unsigned 32-bit integer rnsap.SpecialBurstScheduling
rnsap.srnc_id srnc-id Unsigned 32-bit integer rnsap.RNC_ID
rnsap.successfulOutcome successfulOutcome No value rnsap.SuccessfulOutcome
rnsap.successfulOutcomeValue successfulOutcomeValue No value rnsap.SuccessfulOutcomeValue
rnsap.successful_RL_InformationRespList_RL_AdditionFailureFDD successful-RL-InformationRespList-RL-AdditionFailureFDD Unsigned 32-bit integer rnsap.SuccessfulRL_InformationResponseList_RL_AdditionFailureFDD
rnsap.successful_RL_InformationRespList_RL_SetupFailureFDD successful-RL-InformationRespList-RL-SetupFailureFDD Unsigned 32-bit integer rnsap.SuccessfulRL_InformationResponseList_RL_SetupFailureFDD
rnsap.successfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation successfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation Unsigned 32-bit integer rnsap.T_successfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation
rnsap.successfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation_item Item No value rnsap.T_successfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation_item
rnsap.sv_health_nav sv-health-nav Byte array rnsap.BIT_STRING_SIZE_6
rnsap.svhealth_alm svhealth-alm Byte array rnsap.BIT_STRING_SIZE_8
rnsap.syncCase syncCase Unsigned 32-bit integer rnsap.SyncCase
rnsap.syncUL_procParameter syncUL-procParameter No value rnsap.SYNC_UL_ProcParameters
rnsap.sync_UL_codes_bitmap sync-UL-codes-bitmap Byte array rnsap.BIT_STRING_SIZE_8
rnsap.synchronisationConfiguration synchronisationConfiguration No value rnsap.SynchronisationConfiguration
rnsap.synchronised synchronised Unsigned 32-bit integer rnsap.CFN
rnsap.t1 t1 Unsigned 32-bit integer rnsap.T1
rnsap.tDDAckNackPowerOffset tDDAckNackPowerOffset Signed 32-bit integer rnsap.TDD_AckNack_Power_Offset
rnsap.tDD_AckNack_Power_Offset tDD-AckNack-Power-Offset Signed 32-bit integer rnsap.TDD_AckNack_Power_Offset
rnsap.tDD_ChannelisationCode tDD-ChannelisationCode Unsigned 32-bit integer rnsap.TDD_ChannelisationCode
rnsap.tDD_ChannelisationCodeLCR tDD-ChannelisationCodeLCR No value rnsap.TDD_ChannelisationCodeLCR
rnsap.tDD_DPCHOffset tDD-DPCHOffset Unsigned 32-bit integer rnsap.TDD_DPCHOffset
rnsap.tDD_PhysicalChannelOffset tDD-PhysicalChannelOffset Unsigned 32-bit integer rnsap.TDD_PhysicalChannelOffset
rnsap.tDD_dL_Code_LCR_Information tDD-dL-Code-LCR-Information Unsigned 32-bit integer rnsap.TDD_DL_Code_LCR_InformationModifyList_RL_ReconfReadyTDD
rnsap.tDD_uL_Code_LCR_Information tDD-uL-Code-LCR-Information Unsigned 32-bit integer rnsap.TDD_UL_Code_LCR_InformationModifyList_RL_ReconfReadyTDD
rnsap.tFCI_Coding tFCI-Coding Unsigned 32-bit integer rnsap.TFCI_Coding
rnsap.tFCI_Presence tFCI-Presence Unsigned 32-bit integer rnsap.TFCI_Presence
rnsap.tFCI_SignallingMode tFCI-SignallingMode Unsigned 32-bit integer rnsap.TFCI_SignallingMode
rnsap.tFCS tFCS No value rnsap.TFCS
rnsap.tFCSvalues tFCSvalues Unsigned 32-bit integer rnsap.T_tFCSvalues
rnsap.tFC_Beta tFC-Beta Unsigned 32-bit integer rnsap.TransportFormatCombination_Beta
rnsap.tGCFN tGCFN Unsigned 32-bit integer rnsap.CFN
rnsap.tGD tGD Unsigned 32-bit integer rnsap.TGD
rnsap.tGL1 tGL1 Unsigned 32-bit integer rnsap.GapLength
rnsap.tGL2 tGL2 Unsigned 32-bit integer rnsap.GapLength
rnsap.tGPL1 tGPL1 Unsigned 32-bit integer rnsap.GapDuration
rnsap.tGPRC tGPRC Unsigned 32-bit integer rnsap.TGPRC
rnsap.tGPSID tGPSID Unsigned 32-bit integer rnsap.TGPSID
rnsap.tGSN tGSN Unsigned 32-bit integer rnsap.TGSN
rnsap.tMGI tMGI No value rnsap.TMGI
rnsap.tSTD_Indicator tSTD-Indicator Unsigned 32-bit integer rnsap.TSTD_Indicator
rnsap.tUTRANGPS tUTRANGPS No value rnsap.TUTRANGPS
rnsap.tUTRANGPSChangeLimit tUTRANGPSChangeLimit Unsigned 32-bit integer rnsap.TUTRANGPSChangeLimit
rnsap.tUTRANGPSDriftRate tUTRANGPSDriftRate Signed 32-bit integer rnsap.TUTRANGPSDriftRate
rnsap.tUTRANGPSDriftRateQuality tUTRANGPSDriftRateQuality Unsigned 32-bit integer rnsap.TUTRANGPSDriftRateQuality
rnsap.tUTRANGPSMeasurementAccuracyClass tUTRANGPSMeasurementAccuracyClass Unsigned 32-bit integer rnsap.TUTRANGPSAccuracyClass
rnsap.tUTRANGPSMeasurementValueInformation tUTRANGPSMeasurementValueInformation No value rnsap.TUTRANGPSMeasurementValueInformation
rnsap.tUTRANGPSQuality tUTRANGPSQuality Unsigned 32-bit integer rnsap.TUTRANGPSQuality
rnsap.t_RLFAILURE t-RLFAILURE Unsigned 32-bit integer rnsap.INTEGER_0_255
rnsap.t_gd_nav t-gd-nav Byte array rnsap.BIT_STRING_SIZE_8
rnsap.t_oc_nav t-oc-nav Byte array rnsap.BIT_STRING_SIZE_16
rnsap.t_oe_nav t-oe-nav Byte array rnsap.BIT_STRING_SIZE_16
rnsap.t_ot_utc t-ot-utc Byte array rnsap.BIT_STRING_SIZE_8
rnsap.tdd tdd No value rnsap.TDD_TransportFormatSet_ModeDP
rnsap.tdd_ChannelisationCodeLCR tdd-ChannelisationCodeLCR No value rnsap.TDD_ChannelisationCodeLCR
rnsap.tdd_DL_DPCH_TimeSlotFormat_LCR tdd-DL-DPCH-TimeSlotFormat-LCR Unsigned 32-bit integer rnsap.TDD_DL_DPCH_TimeSlotFormat_LCR
rnsap.tdd_TPC_DownlinkStepSize tdd-TPC-DownlinkStepSize Unsigned 32-bit integer rnsap.TDD_TPC_DownlinkStepSize
rnsap.tdd_UL_DPCH_TimeSlotFormat_LCR tdd-UL-DPCH-TimeSlotFormat-LCR Unsigned 32-bit integer rnsap.TDD_UL_DPCH_TimeSlotFormat_LCR
rnsap.ten_msec ten-msec Unsigned 32-bit integer rnsap.INTEGER_1_6000_
rnsap.timeSlot timeSlot Unsigned 32-bit integer rnsap.TimeSlot
rnsap.timeSlotLCR timeSlotLCR Unsigned 32-bit integer rnsap.TimeSlotLCR
rnsap.timeslot timeslot Unsigned 32-bit integer rnsap.TimeSlot
rnsap.timeslotISCP timeslotISCP Signed 32-bit integer rnsap.UEMeasurementThresholdDLTimeslotISCP
rnsap.timeslotLCR timeslotLCR Unsigned 32-bit integer rnsap.TimeSlotLCR
rnsap.timingAdvanceApplied timingAdvanceApplied Unsigned 32-bit integer rnsap.TimingAdvanceApplied
rnsap.tlm_message_nav tlm-message-nav Byte array rnsap.BIT_STRING_SIZE_14
rnsap.tlm_revd_c_nav tlm-revd-c-nav Byte array rnsap.BIT_STRING_SIZE_2
rnsap.tmgi tmgi No value rnsap.TMGI
rnsap.tnlQoS tnlQoS Unsigned 32-bit integer rnsap.TnlQos
rnsap.toAWE toAWE Unsigned 32-bit integer rnsap.ToAWE
rnsap.toAWS toAWS Unsigned 32-bit integer rnsap.ToAWS
rnsap.total_HS_SICH total-HS-SICH Unsigned 32-bit integer rnsap.HS_SICH_total
rnsap.trCH_SrcStatisticsDescr trCH-SrcStatisticsDescr Unsigned 32-bit integer rnsap.TrCH_SrcStatisticsDescr
rnsap.trChSourceStatisticsDescriptor trChSourceStatisticsDescriptor Unsigned 32-bit integer rnsap.TrCH_SrcStatisticsDescr
rnsap.trafficClass trafficClass Unsigned 32-bit integer rnsap.TrafficClass
rnsap.transactionID transactionID Unsigned 32-bit integer rnsap.TransactionID
rnsap.transmissionMode transmissionMode Unsigned 32-bit integer rnsap.TransmissionMode
rnsap.transmissionTime transmissionTime Unsigned 32-bit integer rnsap.TransmissionTimeIntervalSemiStatic
rnsap.transmissionTimeInterval transmissionTimeInterval Unsigned 32-bit integer rnsap.TransmissionTimeIntervalDynamic
rnsap.transmissionTimeIntervalInformation transmissionTimeIntervalInformation Unsigned 32-bit integer rnsap.TransmissionTimeIntervalInformation
rnsap.transmission_Gap_Pattern_Sequence_ScramblingCode_Information transmission-Gap-Pattern-Sequence-ScramblingCode-Information Unsigned 32-bit integer rnsap.Transmission_Gap_Pattern_Sequence_ScramblingCode_Information
rnsap.transmission_Gap_Pattern_Sequence_Status transmission-Gap-Pattern-Sequence-Status Unsigned 32-bit integer rnsap.Transmission_Gap_Pattern_Sequence_Status_List
rnsap.transmitDiversityIndicator transmitDiversityIndicator Unsigned 32-bit integer rnsap.TransmitDiversityIndicator
rnsap.transmittedCarrierPowerValue transmittedCarrierPowerValue Unsigned 32-bit integer rnsap.INTEGER_0_100
rnsap.transmittedCodePowerValue transmittedCodePowerValue Unsigned 32-bit integer rnsap.Transmitted_Code_Power_Value
rnsap.transmitted_code_power transmitted-code-power Unsigned 32-bit integer rnsap.Transmitted_Code_Power_Value_IncrDecrThres
rnsap.transport transport Unsigned 32-bit integer rnsap.CauseTransport
rnsap.transportBearerRequestIndicator transportBearerRequestIndicator Unsigned 32-bit integer rnsap.TransportBearerRequestIndicator
rnsap.transportBlockSize transportBlockSize Unsigned 32-bit integer rnsap.TransportBlockSize
rnsap.transportFormatManagement transportFormatManagement Unsigned 32-bit integer rnsap.TransportFormatManagement
rnsap.transportFormatSet transportFormatSet No value rnsap.TransportFormatSet
rnsap.transportLayerAddress transportLayerAddress Byte array rnsap.TransportLayerAddress
rnsap.triggeringMessage triggeringMessage Unsigned 32-bit integer rnsap.TriggeringMessage
rnsap.txDiversityIndicator txDiversityIndicator Unsigned 32-bit integer rnsap.TxDiversityIndicator
rnsap.tx_tow_nav tx-tow-nav Unsigned 32-bit integer rnsap.INTEGER_0_1048575
rnsap.type1 type1 No value rnsap.T_type1
rnsap.type2 type2 No value rnsap.T_type2
rnsap.type3 type3 No value rnsap.T_type3
rnsap.uARFCN uARFCN Unsigned 32-bit integer rnsap.UARFCN
rnsap.uARFCNforNd uARFCNforNd Unsigned 32-bit integer rnsap.UARFCN
rnsap.uARFCNforNt uARFCNforNt Unsigned 32-bit integer rnsap.UARFCN
rnsap.uARFCNforNu uARFCNforNu Unsigned 32-bit integer rnsap.UARFCN
rnsap.uC_ID uC-ID No value rnsap.UC_ID
rnsap.uDRE uDRE Unsigned 32-bit integer rnsap.UDRE
rnsap.uEMeasurementHysteresisTime uEMeasurementHysteresisTime Unsigned 32-bit integer rnsap.UEMeasurementHysteresisTime
rnsap.uEMeasurementTimeToTrigger uEMeasurementTimeToTrigger Unsigned 32-bit integer rnsap.UEMeasurementTimeToTrigger
rnsap.uEMeasurementTimeslotISCPListHCR uEMeasurementTimeslotISCPListHCR Unsigned 32-bit integer rnsap.UEMeasurementValueTimeslotISCPListHCR
rnsap.uEMeasurementTimeslotISCPListLCR uEMeasurementTimeslotISCPListLCR Unsigned 32-bit integer rnsap.UEMeasurementValueTimeslotISCPListLCR
rnsap.uEMeasurementTransmittedPowerListHCR uEMeasurementTransmittedPowerListHCR Unsigned 32-bit integer rnsap.UEMeasurementValueTransmittedPowerListHCR
rnsap.uEMeasurementTransmittedPowerListLCR uEMeasurementTransmittedPowerListLCR Unsigned 32-bit integer rnsap.UEMeasurementValueTransmittedPowerListLCR
rnsap.uEMeasurementTreshold uEMeasurementTreshold Unsigned 32-bit integer rnsap.UEMeasurementThreshold
rnsap.uETransmitPower uETransmitPower Signed 32-bit integer rnsap.UEMeasurementThresholdUETransmitPower
rnsap.uE_Capabilities_Info uE-Capabilities-Info No value rnsap.UE_Capabilities_Info
rnsap.uE_Transmitted_Power uE-Transmitted-Power No value rnsap.UE_MeasurementValue_UE_Transmitted_Power
rnsap.uEmeasurementValue uEmeasurementValue Unsigned 32-bit integer rnsap.UEMeasurementValue
rnsap.uL_Code_Information uL-Code-Information Unsigned 32-bit integer rnsap.TDD_UL_Code_InformationModifyList_RL_ReconfReadyTDD
rnsap.uL_Code_LCR_Information uL-Code-LCR-Information Unsigned 32-bit integer rnsap.TDD_UL_Code_LCR_Information
rnsap.uL_Code_LCR_InformationList uL-Code-LCR-InformationList Unsigned 32-bit integer rnsap.TDD_UL_Code_LCR_Information
rnsap.uL_DL_mode uL-DL-mode Unsigned 32-bit integer rnsap.UL_DL_mode
rnsap.uL_Synchronisation_Frequency uL-Synchronisation-Frequency Unsigned 32-bit integer rnsap.UL_Synchronisation_Frequency
rnsap.uL_Synchronisation_StepSize uL-Synchronisation-StepSize Unsigned 32-bit integer rnsap.UL_Synchronisation_StepSize
rnsap.uL_TimeslotISCP uL-TimeslotISCP Unsigned 32-bit integer rnsap.UL_TimeslotISCP
rnsap.uL_TimeslotLCR_Info uL-TimeslotLCR-Info Unsigned 32-bit integer rnsap.UL_TimeslotLCR_Information
rnsap.uL_TimeslotLCR_Information uL-TimeslotLCR-Information Unsigned 32-bit integer rnsap.UL_TimeslotLCR_Information
rnsap.uL_Timeslot_Information uL-Timeslot-Information Unsigned 32-bit integer rnsap.UL_Timeslot_Information
rnsap.uL_Timeslot_InformationList_PhyChReconfRqstTDD uL-Timeslot-InformationList-PhyChReconfRqstTDD Unsigned 32-bit integer rnsap.UL_Timeslot_InformationList_PhyChReconfRqstTDD
rnsap.uL_Timeslot_InformationModifyList_RL_ReconfReadyTDD uL-Timeslot-InformationModifyList-RL-ReconfReadyTDD Unsigned 32-bit integer rnsap.UL_Timeslot_InformationModifyList_RL_ReconfReadyTDD
rnsap.uL_UARFCN uL-UARFCN Unsigned 32-bit integer rnsap.UARFCN
rnsap.uRA uRA No value rnsap.URA_PagingRqst
rnsap.uRA_ID uRA-ID Unsigned 32-bit integer rnsap.URA_ID
rnsap.uRA_Information uRA-Information No value rnsap.URA_Information
rnsap.uSCH_ID uSCH-ID Unsigned 32-bit integer rnsap.USCH_ID
rnsap.uSCH_InformationResponse uSCH-InformationResponse No value rnsap.USCH_InformationResponse_RL_AdditionRspTDD
rnsap.uSCHsToBeAddedOrModified uSCHsToBeAddedOrModified No value rnsap.USCHToBeAddedOrModified_RL_ReconfReadyTDD
rnsap.ueSpecificMidamble ueSpecificMidamble Unsigned 32-bit integer rnsap.MidambleShiftLong
rnsap.ul_BLER ul-BLER Signed 32-bit integer rnsap.BLER
rnsap.ul_CCTrCHInformation ul-CCTrCHInformation No value rnsap.UL_CCTrCHInformationList_RL_SetupRspTDD
rnsap.ul_CCTrCH_ID ul-CCTrCH-ID Unsigned 32-bit integer rnsap.CCTrCH_ID
rnsap.ul_CCTrCH_Information ul-CCTrCH-Information No value rnsap.UL_CCTrCH_InformationList_RL_ReconfReadyTDD
rnsap.ul_CCTrCH_LCR_Information ul-CCTrCH-LCR-Information No value rnsap.UL_CCTrCH_LCR_InformationList_RL_AdditionRspTDD
rnsap.ul_DPCCH_SlotFormat ul-DPCCH-SlotFormat Unsigned 32-bit integer rnsap.UL_DPCCH_SlotFormat
rnsap.ul_DPCH_AddInformation ul-DPCH-AddInformation No value rnsap.UL_DPCH_InformationAddList_RL_ReconfReadyTDD
rnsap.ul_DPCH_DeleteInformation ul-DPCH-DeleteInformation No value rnsap.UL_DPCH_InformationDeleteList_RL_ReconfReadyTDD
rnsap.ul_DPCH_Information ul-DPCH-Information No value rnsap.UL_DPCH_InformationList_RL_SetupRspTDD
rnsap.ul_DPCH_LCR_Information ul-DPCH-LCR-Information No value rnsap.UL_DPCH_LCR_InformationList_RL_SetupRspTDD
rnsap.ul_DPCH_ModifyInformation ul-DPCH-ModifyInformation No value rnsap.UL_DPCH_InformationModifyList_RL_ReconfReadyTDD
rnsap.ul_FP_Mode ul-FP-Mode Unsigned 32-bit integer rnsap.UL_FP_Mode
rnsap.ul_LCR_CCTrCHInformation ul-LCR-CCTrCHInformation No value rnsap.UL_LCR_CCTrCHInformationList_RL_SetupRspTDD
rnsap.ul_PhysCH_SF_Variation ul-PhysCH-SF-Variation Unsigned 32-bit integer rnsap.UL_PhysCH_SF_Variation
rnsap.ul_PunctureLimit ul-PunctureLimit Unsigned 32-bit integer rnsap.PunctureLimit
rnsap.ul_SIRTarget ul-SIRTarget Signed 32-bit integer rnsap.UL_SIR
rnsap.ul_ScramblingCode ul-ScramblingCode No value rnsap.UL_ScramblingCode
rnsap.ul_ScramblingCodeLength ul-ScramblingCodeLength Unsigned 32-bit integer rnsap.UL_ScramblingCodeLength
rnsap.ul_ScramblingCodeNumber ul-ScramblingCodeNumber Unsigned 32-bit integer rnsap.UL_ScramblingCodeNumber
rnsap.ul_TFCS ul-TFCS No value rnsap.TFCS
rnsap.ul_TimeSlot_ISCP_Info ul-TimeSlot-ISCP-Info Unsigned 32-bit integer rnsap.UL_TimeSlot_ISCP_Info
rnsap.ul_TimeSlot_ISCP_LCR_Info ul-TimeSlot-ISCP-LCR-Info Unsigned 32-bit integer rnsap.UL_TimeSlot_ISCP_LCR_Info
rnsap.ul_TransportformatSet ul-TransportformatSet No value rnsap.TransportFormatSet
rnsap.ul_cCTrCH_ID ul-cCTrCH-ID Unsigned 32-bit integer rnsap.CCTrCH_ID
rnsap.ul_ccTrCHID ul-ccTrCHID Unsigned 32-bit integer rnsap.CCTrCH_ID
rnsap.ul_transportFormatSet ul-transportFormatSet No value rnsap.TransportFormatSet
rnsap.uncertaintyAltitude uncertaintyAltitude Unsigned 32-bit integer rnsap.INTEGER_0_127
rnsap.uncertaintyCode uncertaintyCode Unsigned 32-bit integer rnsap.INTEGER_0_127
rnsap.uncertaintyEllipse uncertaintyEllipse No value rnsap.GA_UncertaintyEllipse
rnsap.uncertaintyRadius uncertaintyRadius Unsigned 32-bit integer rnsap.INTEGER_0_127
rnsap.uncertaintySemi_major uncertaintySemi-major Unsigned 32-bit integer rnsap.INTEGER_0_127
rnsap.uncertaintySemi_minor uncertaintySemi-minor Unsigned 32-bit integer rnsap.INTEGER_0_127
rnsap.unsuccessfulOutcome unsuccessfulOutcome No value rnsap.UnsuccessfulOutcome
rnsap.unsuccessfulOutcomeValue unsuccessfulOutcomeValue No value rnsap.UnsuccessfulOutcomeValue
rnsap.unsuccessful_RL_InformationRespItem_RL_AdditionFailureTDD unsuccessful-RL-InformationRespItem-RL-AdditionFailureTDD No value rnsap.Unsuccessful_RL_InformationRespItem_RL_AdditionFailureTDD
rnsap.unsuccessful_RL_InformationRespItem_RL_SetupFailureTDD unsuccessful-RL-InformationRespItem-RL-SetupFailureTDD No value rnsap.Unsuccessful_RL_InformationRespItem_RL_SetupFailureTDD
rnsap.unsuccessful_RL_InformationRespList_RL_AdditionFailureFDD unsuccessful-RL-InformationRespList-RL-AdditionFailureFDD Unsigned 32-bit integer rnsap.UnsuccessfulRL_InformationResponseList_RL_AdditionFailureFDD
rnsap.unsuccessful_RL_InformationRespList_RL_SetupFailureFDD unsuccessful-RL-InformationRespList-RL-SetupFailureFDD Unsigned 32-bit integer rnsap.UnsuccessfulRL_InformationResponseList_RL_SetupFailureFDD
rnsap.unsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation unsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation Unsigned 32-bit integer rnsap.T_unsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation
rnsap.unsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation_item Item No value rnsap.T_unsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation_item
rnsap.unsynchronised unsynchronised No value rnsap.NULL
rnsap.uplinkCellCapacityClassValue uplinkCellCapacityClassValue Unsigned 32-bit integer rnsap.INTEGER_1_100_
rnsap.uplinkLoadValue uplinkLoadValue Unsigned 32-bit integer rnsap.INTEGER_0_100
rnsap.uplinkNRTLoadInformationValue uplinkNRTLoadInformationValue Unsigned 32-bit integer rnsap.INTEGER_0_3
rnsap.uplinkRTLoadValue uplinkRTLoadValue Unsigned 32-bit integer rnsap.INTEGER_0_100
rnsap.uplinkStepSizeLCR uplinkStepSizeLCR Unsigned 32-bit integer rnsap.TDD_TPC_UplinkStepSize_LCR
rnsap.uplinkTimeslotISCPValue uplinkTimeslotISCPValue Unsigned 32-bit integer rnsap.UL_TimeslotISCP
rnsap.uplink_Compressed_Mode_Method uplink-Compressed-Mode-Method Unsigned 32-bit integer rnsap.Uplink_Compressed_Mode_Method
rnsap.ura_id ura-id Unsigned 32-bit integer rnsap.URA_ID
rnsap.ura_pch ura-pch No value rnsap.Ura_Pch_State
rnsap.usch_ID usch-ID Unsigned 32-bit integer rnsap.USCH_ID
rnsap.usch_InformationResponse usch-InformationResponse No value rnsap.USCH_InformationResponse_RL_SetupRspTDD
rnsap.usch_LCR_InformationResponse usch-LCR-InformationResponse No value rnsap.USCH_LCR_InformationResponse_RL_SetupRspTDD
rnsap.user_range_accuracy_index_nav user-range-accuracy-index-nav Byte array rnsap.BIT_STRING_SIZE_4
rnsap.value value No value rnsap.ProtocolIEValue
rnsap.wT wT Unsigned 32-bit integer rnsap.INTEGER_1_4
rnsap.w_n_lsf_utc w-n-lsf-utc Byte array rnsap.BIT_STRING_SIZE_8
rnsap.w_n_nav w-n-nav Byte array rnsap.BIT_STRING_SIZE_10
rnsap.w_n_t_utc w-n-t-utc Byte array rnsap.BIT_STRING_SIZE_8
rnsap.wna_alm wna-alm Byte array rnsap.BIT_STRING_SIZE_8
ucp.hdr.LEN Length Unsigned 16-bit integer Total number of characters between <stx>...<etx>.
ucp.hdr.OT Operation Unsigned 8-bit integer The operation that is requested with this message.
ucp.hdr.O_R Type Unsigned 8-bit integer Your basic 'is a request or response'.
ucp.hdr.TRN Transaction Reference Number Unsigned 8-bit integer Transaction number for this command, used in windowing.
ucp.message Data No value The actual message or data.
ucp.parm Data No value The actual content of the operation.
ucp.parm.AAC AAC String Accumulated charges.
ucp.parm.AC AC String Authentication code.
ucp.parm.ACK (N)Ack Unsigned 8-bit integer Positive or negative acknowledge of the operation.
ucp.parm.AMsg AMsg String The alphanumeric message that is being sent.
ucp.parm.A_D A_D Unsigned 8-bit integer Add to/delete from fixed subscriber address list record.
ucp.parm.AdC AdC String Address code recipient.
ucp.parm.BAS BAS Unsigned 8-bit integer Barring status flag.
ucp.parm.CPg CPg String Reserved for Code Page.
ucp.parm.CS CS Unsigned 8-bit integer Additional character set number.
ucp.parm.CT CT Date/Time stamp Accumulated charges timestamp.
ucp.parm.DAdC DAdC String Diverted address code.
ucp.parm.DCs DCs Unsigned 8-bit integer Data coding scheme (deprecated).
ucp.parm.DD DD Unsigned 8-bit integer Deferred delivery requested.
ucp.parm.DDT DDT Date/Time stamp Deferred delivery time.
ucp.parm.DSCTS DSCTS Date/Time stamp Delivery timestamp.
ucp.parm.Dst Dst Unsigned 8-bit integer Delivery status.
ucp.parm.EC Error code Unsigned 8-bit integer The result of the requested operation.
ucp.parm.GA GA String GA?? haven't got a clue.
ucp.parm.GAdC GAdC String Group address code.
ucp.parm.HPLMN HPLMN String Home PLMN address.
ucp.parm.IVR5x IVR5x String UCP release number supported/accepted.
ucp.parm.L1P L1P String New leg. code for level 1 priority.
ucp.parm.L1R L1R Unsigned 8-bit integer Leg. code for priority 1 flag.
ucp.parm.L3P L3P String New leg. code for level 3 priority.
ucp.parm.L3R L3R Unsigned 8-bit integer Leg. code for priority 3 flag.
ucp.parm.LAC LAC String New leg. code for all calls.
ucp.parm.LAR LAR Unsigned 8-bit integer Leg. code for all calls flag.
ucp.parm.LAdC LAdC String Address for VSMSC list operation.
ucp.parm.LCR LCR Unsigned 8-bit integer Leg. code for reverse charging flag.
ucp.parm.LMN LMN Unsigned 8-bit integer Last message number.
ucp.parm.LNPI LNPI Unsigned 8-bit integer Numbering plan id. list address.
ucp.parm.LNo LNo String Standard text list number requested by calling party.
ucp.parm.LPID LPID Unsigned 16-bit integer Last resort PID value.
ucp.parm.LPR LPR String Legitimisation code for priority requested.
ucp.parm.LRAd LRAd String Last resort address.
ucp.parm.LRC LRC String Legitimisation code for reverse charging.
ucp.parm.LRP LRP String Legitimisation code for repitition.
ucp.parm.LRR LRR Unsigned 8-bit integer Leg. code for repitition flag.
ucp.parm.LRq LRq Unsigned 8-bit integer Last resort address request.
ucp.parm.LST LST String Legitimisation code for standard text.
ucp.parm.LTON LTON Unsigned 8-bit integer Type of number list address.
ucp.parm.LUM LUM String Legitimisation code for urgent message.
ucp.parm.LUR LUR Unsigned 8-bit integer Leg. code for urgent message flag.
ucp.parm.MCLs MCLs Unsigned 8-bit integer Message class.
ucp.parm.MMS MMS Unsigned 8-bit integer More messages to send.
ucp.parm.MNo MNo String Message number.
ucp.parm.MT MT Unsigned 8-bit integer Message type.
ucp.parm.MVP MVP Date/Time stamp Mofified validity period.
ucp.parm.NAC NAC String New authentication code.
ucp.parm.NAdC NAdC String Notification address.
ucp.parm.NB NB String No. of bits in Transparent Data (TD) message.
ucp.parm.NMESS NMESS Unsigned 8-bit integer Number of stored messages.
ucp.parm.NMESS_str NMESS_str String Number of stored messages.
ucp.parm.NPID NPID Unsigned 16-bit integer Notification PID value.
ucp.parm.NPL NPL Unsigned 16-bit integer Number of parameters in the following list.
ucp.parm.NPWD NPWD String New password.
ucp.parm.NRq NRq Unsigned 8-bit integer Notification request.
ucp.parm.NT NT Unsigned 8-bit integer Notification type.
ucp.parm.NoA NoA Unsigned 16-bit integer Maximum number of alphanumerical characters accepted.
ucp.parm.NoB NoB Unsigned 16-bit integer Maximum number of data bits accepted.
ucp.parm.NoN NoN Unsigned 16-bit integer Maximum number of numerical characters accepted.
ucp.parm.OAC OAC String Authentication code, originator.
ucp.parm.OAdC OAdC String Address code originator.
ucp.parm.ONPI ONPI Unsigned 8-bit integer Originator numbering plan id.
ucp.parm.OPID OPID Unsigned 8-bit integer Originator protocol identifier.
ucp.parm.OTOA OTOA String Originator Type Of Address.
ucp.parm.OTON OTON Unsigned 8-bit integer Originator type of number.
ucp.parm.PID PID Unsigned 16-bit integer SMT PID value.
ucp.parm.PNC PNC Unsigned 8-bit integer Paging network controller.
ucp.parm.PR PR Unsigned 8-bit integer Priority requested.
ucp.parm.PWD PWD String Current password.
ucp.parm.RC RC Unsigned 8-bit integer Reverse charging request.
ucp.parm.REQ_OT REQ_OT Unsigned 8-bit integer UCP release number supported/accepted.
ucp.parm.RES1 RES1 String Reserved for future use.
ucp.parm.RES2 RES2 String Reserved for future use.
ucp.parm.RES4 RES4 String Reserved for future use.
ucp.parm.RES5 RES5 String Reserved for future use.
ucp.parm.RP RP Unsigned 8-bit integer Repitition requested.
ucp.parm.RPI RPI Unsigned 8-bit integer Reply path.
ucp.parm.RPID RPID String Replace PID
ucp.parm.RPLy RPLy String Reserved for Reply type.
ucp.parm.RT RT Unsigned 8-bit integer Receiver type.
ucp.parm.R_T R_T Unsigned 8-bit integer Message number.
ucp.parm.Rsn Rsn Unsigned 16-bit integer Reason code.
ucp.parm.SCTS SCTS Date/Time stamp Service Centre timestamp.
ucp.parm.SM SM String System message.
ucp.parm.SP SP Date/Time stamp Stop time.
ucp.parm.SSTAT SSTAT Unsigned 8-bit integer Supplementary services for which status is requested.
ucp.parm.ST ST Date/Time stamp Start time.
ucp.parm.STYP0 STYP0 Unsigned 8-bit integer Subtype of operation.
ucp.parm.STYP1 STYP1 Unsigned 8-bit integer Subtype of operation.
ucp.parm.STx STx No value Standard text.
ucp.parm.TNo TNo String Standard text number requested by calling party.
ucp.parm.UM UM Unsigned 8-bit integer Urgent message indicator.
ucp.parm.VERS VERS String Version number.
ucp.parm.VP VP Date/Time stamp Validity period.
ucp.parm.XSer Extra services: No value Extra services.
ucp.xser.service Type of service Unsigned 8-bit integer The type of service specified.
umts_rrc.DL_DCCH_Message DL-DCCH-Message No value umts_rrc.DL_DCCH_Message
umts_rrc.activeSetUpdate activeSetUpdate Unsigned 32-bit integer umts_rrc_pdu_def.ActiveSetUpdate
umts_rrc.activeSetUpdateComplete activeSetUpdateComplete No value umts_rrc_pdu_def.ActiveSetUpdateComplete
umts_rrc.activeSetUpdateFailure activeSetUpdateFailure No value umts_rrc_pdu_def.ActiveSetUpdateFailure
umts_rrc.assistanceDataDelivery assistanceDataDelivery Unsigned 32-bit integer umts_rrc_pdu_def.AssistanceDataDelivery
umts_rrc.cellChangeOrderFromUTRAN cellChangeOrderFromUTRAN Unsigned 32-bit integer umts_rrc_pdu_def.CellChangeOrderFromUTRAN
umts_rrc.cellChangeOrderFromUTRANFailure cellChangeOrderFromUTRANFailure Unsigned 32-bit integer umts_rrc_pdu_def.CellChangeOrderFromUTRANFailure
umts_rrc.cellUpdate cellUpdate No value umts_rrc_pdu_def.CellUpdate
umts_rrc.cellUpdateConfirm cellUpdateConfirm Unsigned 32-bit integer umts_rrc_pdu_def.CellUpdateConfirm
umts_rrc.counterCheck counterCheck Unsigned 32-bit integer umts_rrc_pdu_def.CounterCheck
umts_rrc.counterCheckResponse counterCheckResponse No value umts_rrc_pdu_def.CounterCheckResponse
umts_rrc.downlinkDirectTransfer downlinkDirectTransfer Unsigned 32-bit integer umts_rrc_pdu_def.DownlinkDirectTransfer
umts_rrc.handoverFromUTRANCommand_CDMA2000 handoverFromUTRANCommand-CDMA2000 Unsigned 32-bit integer umts_rrc_pdu_def.HandoverFromUTRANCommand_CDMA2000
umts_rrc.handoverFromUTRANCommand_GERANIu handoverFromUTRANCommand-GERANIu No value umts_rrc_pdu_def.HandoverFromUTRANCommand_GERANIu
umts_rrc.handoverFromUTRANCommand_GSM handoverFromUTRANCommand-GSM Unsigned 32-bit integer umts_rrc_pdu_def.HandoverFromUTRANCommand_GSM
umts_rrc.handoverFromUTRANFailure handoverFromUTRANFailure No value umts_rrc_pdu_def.HandoverFromUTRANFailure
umts_rrc.handoverToUTRANComplete handoverToUTRANComplete No value umts_rrc_pdu_def.HandoverToUTRANComplete
umts_rrc.initialDirectTransfer initialDirectTransfer No value umts_rrc_pdu_def.InitialDirectTransfer
umts_rrc.integrityCheckInfo integrityCheckInfo No value umts_rrc_ies.IntegrityCheckInfo
umts_rrc.mbmsAccessInformation mbmsAccessInformation No value umts_rrc_pdu_def.MBMSAccessInformation
umts_rrc.mbmsCommonPTMRBInformation mbmsCommonPTMRBInformation No value umts_rrc_pdu_def.MBMSCommonPTMRBInformation
umts_rrc.mbmsCurrentCellPTMRBInformation mbmsCurrentCellPTMRBInformation No value umts_rrc_pdu_def.MBMSCurrentCellPTMRBInformation
umts_rrc.mbmsGeneralInformation mbmsGeneralInformation No value umts_rrc_pdu_def.MBMSGeneralInformation
umts_rrc.mbmsModificationRequest mbmsModificationRequest No value umts_rrc_pdu_def.MBMSModificationRequest
umts_rrc.mbmsModifiedServicesInformation mbmsModifiedServicesInformation No value umts_rrc_pdu_def.MBMSModifiedServicesInformation
umts_rrc.mbmsNeighbouringCellPTMRBInformation mbmsNeighbouringCellPTMRBInformation No value umts_rrc_pdu_def.MBMSNeighbouringCellPTMRBInformation
umts_rrc.mbmsSchedulingInformation mbmsSchedulingInformation No value umts_rrc_pdu_def.MBMSSchedulingInformation
umts_rrc.mbmsUnmodifiedServicesInformation mbmsUnmodifiedServicesInformation No value umts_rrc_pdu_def.MBMSUnmodifiedServicesInformation
umts_rrc.measurementControl measurementControl Unsigned 32-bit integer umts_rrc_pdu_def.MeasurementControl
umts_rrc.measurementControlFailure measurementControlFailure No value umts_rrc_pdu_def.MeasurementControlFailure
umts_rrc.measurementReport measurementReport No value umts_rrc_pdu_def.MeasurementReport
umts_rrc.message message Unsigned 32-bit integer umts_rrc.DL_DCCH_MessageType
umts_rrc.pagingType1 pagingType1 No value umts_rrc_pdu_def.PagingType1
umts_rrc.pagingType2 pagingType2 No value umts_rrc_pdu_def.PagingType2
umts_rrc.physicalChannelReconfiguration physicalChannelReconfiguration Unsigned 32-bit integer umts_rrc_pdu_def.PhysicalChannelReconfiguration
umts_rrc.physicalChannelReconfigurationComplete physicalChannelReconfigurationComplete No value umts_rrc_pdu_def.PhysicalChannelReconfigurationComplete
umts_rrc.physicalChannelReconfigurationFailure physicalChannelReconfigurationFailure No value umts_rrc_pdu_def.PhysicalChannelReconfigurationFailure
umts_rrc.physicalSharedChannelAllocation physicalSharedChannelAllocation Unsigned 32-bit integer umts_rrc_pdu_def.PhysicalSharedChannelAllocation
umts_rrc.puschCapacityRequest puschCapacityRequest No value umts_rrc_pdu_def.PUSCHCapacityRequest
umts_rrc.radioBearerReconfiguration radioBearerReconfiguration Unsigned 32-bit integer umts_rrc_pdu_def.RadioBearerReconfiguration
umts_rrc.radioBearerReconfigurationComplete radioBearerReconfigurationComplete No value umts_rrc_pdu_def.RadioBearerReconfigurationComplete
umts_rrc.radioBearerReconfigurationFailure radioBearerReconfigurationFailure No value umts_rrc_pdu_def.RadioBearerReconfigurationFailure
umts_rrc.radioBearerRelease radioBearerRelease Unsigned 32-bit integer umts_rrc_pdu_def.RadioBearerRelease
umts_rrc.radioBearerReleaseComplete radioBearerReleaseComplete No value umts_rrc_pdu_def.RadioBearerReleaseComplete
umts_rrc.radioBearerReleaseFailure radioBearerReleaseFailure No value umts_rrc_pdu_def.RadioBearerReleaseFailure
umts_rrc.radioBearerSetup radioBearerSetup Unsigned 32-bit integer umts_rrc_pdu_def.RadioBearerSetup
umts_rrc.radioBearerSetupComplete radioBearerSetupComplete No value umts_rrc_pdu_def.RadioBearerSetupComplete
umts_rrc.radioBearerSetupFailure radioBearerSetupFailure No value umts_rrc_pdu_def.RadioBearerSetupFailure
umts_rrc.rrcConnectionReject rrcConnectionReject Unsigned 32-bit integer umts_rrc_pdu_def.RRCConnectionReject
umts_rrc.rrcConnectionRelease rrcConnectionRelease Unsigned 32-bit integer umts_rrc_pdu_def.RRCConnectionRelease
umts_rrc.rrcConnectionReleaseComplete rrcConnectionReleaseComplete No value umts_rrc_pdu_def.RRCConnectionReleaseComplete
umts_rrc.rrcConnectionRequest rrcConnectionRequest No value umts_rrc_pdu_def.RRCConnectionRequest
umts_rrc.rrcConnectionSetup rrcConnectionSetup Unsigned 32-bit integer umts_rrc_pdu_def.RRCConnectionSetup
umts_rrc.rrcConnectionSetupComplete rrcConnectionSetupComplete No value umts_rrc_pdu_def.RRCConnectionSetupComplete
umts_rrc.rrcStatus rrcStatus No value umts_rrc_pdu_def.RRCStatus
umts_rrc.securityModeCommand securityModeCommand Unsigned 32-bit integer umts_rrc_pdu_def.SecurityModeCommand
umts_rrc.securityModeComplete securityModeComplete No value umts_rrc_pdu_def.SecurityModeComplete
umts_rrc.securityModeFailure securityModeFailure No value umts_rrc_pdu_def.SecurityModeFailure
umts_rrc.signallingConnectionRelease signallingConnectionRelease Unsigned 32-bit integer umts_rrc_pdu_def.SignallingConnectionRelease
umts_rrc.signallingConnectionReleaseIndication signallingConnectionReleaseIndication No value umts_rrc_pdu_def.SignallingConnectionReleaseIndication
umts_rrc.spare spare No value umts_rrc.NULL
umts_rrc.spare1 spare1 No value umts_rrc.NULL
umts_rrc.spare2 spare2 No value umts_rrc.NULL
umts_rrc.spare3 spare3 No value umts_rrc.NULL
umts_rrc.spare4 spare4 No value umts_rrc.NULL
umts_rrc.spare5 spare5 No value umts_rrc.NULL
umts_rrc.spare6 spare6 No value umts_rrc.NULL
umts_rrc.spare7 spare7 No value umts_rrc.NULL
umts_rrc.spare8 spare8 No value umts_rrc.NULL
umts_rrc.spare9 spare9 No value umts_rrc.NULL
umts_rrc.systemInformation systemInformation No value umts_rrc_pdu_def.SystemInformation_FACH
umts_rrc.systemInformationChangeIndication systemInformationChangeIndication No value umts_rrc_pdu_def.SystemInformationChangeIndication
umts_rrc.transportChannelReconfiguration transportChannelReconfiguration Unsigned 32-bit integer umts_rrc_pdu_def.TransportChannelReconfiguration
umts_rrc.transportChannelReconfigurationComplete transportChannelReconfigurationComplete No value umts_rrc_pdu_def.TransportChannelReconfigurationComplete
umts_rrc.transportChannelReconfigurationFailure transportChannelReconfigurationFailure No value umts_rrc_pdu_def.TransportChannelReconfigurationFailure
umts_rrc.transportFormatCombinationControl transportFormatCombinationControl No value umts_rrc_pdu_def.TransportFormatCombinationControl
umts_rrc.transportFormatCombinationControlFailure transportFormatCombinationControlFailure No value umts_rrc_pdu_def.TransportFormatCombinationControlFailure
umts_rrc.ueCapabilityEnquiry ueCapabilityEnquiry Unsigned 32-bit integer umts_rrc_pdu_def.UECapabilityEnquiry
umts_rrc.ueCapabilityInformation ueCapabilityInformation No value umts_rrc_pdu_def.UECapabilityInformation
umts_rrc.ueCapabilityInformationConfirm ueCapabilityInformationConfirm Unsigned 32-bit integer umts_rrc_pdu_def.UECapabilityInformationConfirm
umts_rrc.uplinkDirectTransfer uplinkDirectTransfer No value umts_rrc_pdu_def.UplinkDirectTransfer
umts_rrc.uplinkPhysicalChannelControl uplinkPhysicalChannelControl Unsigned 32-bit integer umts_rrc_pdu_def.UplinkPhysicalChannelControl
umts_rrc.uraUpdate uraUpdate No value umts_rrc_pdu_def.URAUpdate
umts_rrc.uraUpdateConfirm uraUpdateConfirm Unsigned 32-bit integer umts_rrc_pdu_def.URAUpdateConfirm
umts_rrc.utranMobilityInformation utranMobilityInformation Unsigned 32-bit integer umts_rrc_pdu_def.UTRANMobilityInformation
umts_rrc.utranMobilityInformationConfirm utranMobilityInformationConfirm No value umts_rrc_pdu_def.UTRANMobilityInformationConfirm
umts_rrc.utranMobilityInformationFailure utranMobilityInformationFailure No value umts_rrc_pdu_def.UTRANMobilityInformationFailure
umts_rrc_ies.AC_To_ASC_MappingTable_item Item Unsigned 32-bit integer umts_rrc_ies.AC_To_ASC_Mapping
umts_rrc_ies.AccessClassBarredList_item Item Unsigned 32-bit integer umts_rrc_ies.AccessClassBarred
umts_rrc_ies.AcquisitionSatInfoList_item Item No value umts_rrc_ies.AcquisitionSatInfo
umts_rrc_ies.AdditionalMeasurementID_List_item Item Unsigned 32-bit integer umts_rrc_ies.MeasurementIdentity
umts_rrc_ies.AdditionalPRACH_TF_and_TFCS_CCCH_List_item Item No value umts_rrc_ies.AdditionalPRACH_TF_and_TFCS_CCCH
umts_rrc_ies.AllowedTFC_List_item Item Unsigned 32-bit integer umts_rrc_ies.TFC_Value
umts_rrc_ies.AllowedTFI_List_item Item Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_31
umts_rrc_ies.AlmanacSatInfoList_item Item No value umts_rrc_ies.AlmanacSatInfo
umts_rrc_ies.AvailableAP_SignatureList_item Item Unsigned 32-bit integer umts_rrc_ies.AP_Signature
umts_rrc_ies.AvailableAP_Signature_VCAMList_item Item No value umts_rrc_ies.AP_Signature_VCAM
umts_rrc_ies.AvailableAP_SubchannelList_item Item Unsigned 32-bit integer umts_rrc_ies.AP_Subchannel
umts_rrc_ies.AvailableMinimumSF_ListVCAM_item Item No value umts_rrc_ies.AvailableMinimumSF_VCAM
umts_rrc_ies.BLER_MeasurementResultsList_item Item No value umts_rrc_ies.BLER_MeasurementResults
umts_rrc_ies.BLER_TransChIdList_item Item Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.BadSatList_item Item Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.CDMA2000_MessageList_item Item No value umts_rrc_ies.CDMA2000_Message
umts_rrc_ies.CDMA2000_UMTS_Frequency_List_item Item No value umts_rrc_ies.FrequencyInfoCDMA2000
umts_rrc_ies.CD_AccessSlotSubchannelList_item Item Unsigned 32-bit integer umts_rrc_ies.CD_AccessSlotSubchannel
umts_rrc_ies.CD_SignatureCodeList_item Item Unsigned 32-bit integer umts_rrc_ies.CD_SignatureCode
umts_rrc_ies.CN_DomainInformationListFull_item Item No value umts_rrc_ies.CN_DomainInformationFull
umts_rrc_ies.CN_DomainInformationList_item Item No value umts_rrc_ies.CN_DomainInformation
umts_rrc_ies.CN_DomainSysInfoList_item Item No value umts_rrc_ies.CN_DomainSysInfo
umts_rrc_ies.CPCH_PersistenceLevelsList_item Item No value umts_rrc_ies.CPCH_PersistenceLevels
umts_rrc_ies.CPCH_SetInfoList_item Item No value umts_rrc_ies.CPCH_SetInfo
umts_rrc_ies.CellIdentity_PerRL_List_item Item Byte array umts_rrc_ies.CellIdentity
umts_rrc_ies.CellMeasurementEventResults_LCR_r4_item Item No value umts_rrc_ies.PrimaryCCPCH_Info_LCR_r4
umts_rrc_ies.CellToReportList_item Item No value umts_rrc_ies.CellToReport
umts_rrc_ies.CellsForInterFreqMeasList_item Item Unsigned 32-bit integer umts_rrc_ies.InterFreqCellID
umts_rrc_ies.CellsForInterRATMeasList_item Item Unsigned 32-bit integer umts_rrc_ies.InterRATCellID
umts_rrc_ies.CellsForIntraFreqMeasList_item Item Unsigned 32-bit integer umts_rrc_ies.IntraFreqCellID
umts_rrc_ies.CommonDynamicTF_InfoList_DynamicTTI_item Item No value umts_rrc_ies.CommonDynamicTF_Info_DynamicTTI
umts_rrc_ies.CommonDynamicTF_InfoList_item Item No value umts_rrc_ies.CommonDynamicTF_Info
umts_rrc_ies.CompressedModeMeasCapabFDDList2_item Item No value umts_rrc_ies.CompressedModeMeasCapabFDD2
umts_rrc_ies.CompressedModeMeasCapabFDDList_ext_item Item No value umts_rrc_ies.CompressedModeMeasCapabFDD_ext
umts_rrc_ies.CompressedModeMeasCapabFDDList_item Item No value umts_rrc_ies.CompressedModeMeasCapabFDD
umts_rrc_ies.CompressedModeMeasCapabGSMList_item Item No value umts_rrc_ies.CompressedModeMeasCapabGSM
umts_rrc_ies.CompressedModeMeasCapabTDDList_item Item No value umts_rrc_ies.CompressedModeMeasCapabTDD
umts_rrc_ies.DGPS_CorrectionSatInfoList_item Item No value umts_rrc_ies.DGPS_CorrectionSatInfo
umts_rrc_ies.DL_AddReconfTransChInfo2List_item Item No value umts_rrc_ies.DL_AddReconfTransChInformation2
umts_rrc_ies.DL_AddReconfTransChInfoList_item Item No value umts_rrc_ies.DL_AddReconfTransChInformation
umts_rrc_ies.DL_AddReconfTransChInfoList_r4_item Item No value umts_rrc_ies.DL_AddReconfTransChInformation_r4
umts_rrc_ies.DL_AddReconfTransChInfoList_r5_item Item No value umts_rrc_ies.DL_AddReconfTransChInformation_r5
umts_rrc_ies.DL_CCTrChListToRemove_item Item Unsigned 32-bit integer umts_rrc_ies.TFCS_IdentityPlain
umts_rrc_ies.DL_CCTrChList_item Item No value umts_rrc_ies.DL_CCTrCh
umts_rrc_ies.DL_CCTrChList_r4_item Item No value umts_rrc_ies.DL_CCTrCh_r4
umts_rrc_ies.DL_CCTrChTPCList_item Item No value umts_rrc_ies.TFCS_Identity
umts_rrc_ies.DL_ChannelisationCodeList_item Item No value umts_rrc_ies.DL_ChannelisationCode
umts_rrc_ies.DL_DeletedTransChInfoList_item Item No value umts_rrc_ies.DL_TransportChannelIdentity
umts_rrc_ies.DL_DeletedTransChInfoList_r5_item Item No value umts_rrc_ies.DL_TransportChannelIdentity_r5
umts_rrc_ies.DL_HSPDSCH_TS_Configuration_item Item No value umts_rrc_ies.DL_HSPDSCH_TS_Configuration_item
umts_rrc_ies.DL_InformationPerRL_ListPostFDD_item Item No value umts_rrc_ies.DL_InformationPerRL_PostFDD
umts_rrc_ies.DL_InformationPerRL_List_item Item No value umts_rrc_ies.DL_InformationPerRL
umts_rrc_ies.DL_InformationPerRL_List_r4_item Item No value umts_rrc_ies.DL_InformationPerRL_r4
umts_rrc_ies.DL_InformationPerRL_List_r5_item Item No value umts_rrc_ies.DL_InformationPerRL_r5
umts_rrc_ies.DL_InformationPerRL_List_r5bis_item Item No value umts_rrc_ies.DL_InformationPerRL_r5bis
umts_rrc_ies.DL_InformationPerRL_List_r6_item Item No value umts_rrc_ies.DL_InformationPerRL_r6
umts_rrc_ies.DL_LogicalChannelMappingList_item Item No value umts_rrc_ies.DL_LogicalChannelMapping
umts_rrc_ies.DL_LogicalChannelMappingList_r5_item Item No value umts_rrc_ies.DL_LogicalChannelMapping_r5
umts_rrc_ies.DL_TPC_PowerOffsetPerRL_List_item Item No value umts_rrc_ies.DL_TPC_PowerOffsetPerRL
umts_rrc_ies.DRAC_StaticInformationList_item Item No value umts_rrc_ies.DRAC_StaticInformation
umts_rrc_ies.DRAC_SysInfoList_item Item No value umts_rrc_ies.DRAC_SysInfo
umts_rrc_ies.DSCH_MappingList_item Item No value umts_rrc_ies.DSCH_Mapping
umts_rrc_ies.DSCH_TransportChannelsInfo_item Item No value umts_rrc_ies.DSCH_TransportChannelsInfo_item
umts_rrc_ies.DedicatedDynamicTF_InfoList_DynamicTTI_item Item No value umts_rrc_ies.DedicatedDynamicTF_Info_DynamicTTI
umts_rrc_ies.DedicatedDynamicTF_InfoList_item Item No value umts_rrc_ies.DedicatedDynamicTF_Info
umts_rrc_ies.DynamicPersistenceLevelList_item Item Unsigned 32-bit integer umts_rrc_ies.DynamicPersistenceLevel
umts_rrc_ies.DynamicPersistenceLevelTF_List_item Item Unsigned 32-bit integer umts_rrc_ies.DynamicPersistenceLevel
umts_rrc_ies.E_DPDCH_Reference_E_TFCIList_item Item No value umts_rrc_ies.E_DPDCH_Reference_E_TFCI
umts_rrc_ies.FACH_PCH_InformationList_item Item No value umts_rrc_ies.FACH_PCH_Information
umts_rrc_ies.FDD_UMTS_Frequency_List_item Item No value umts_rrc_ies.FrequencyInfoFDD
umts_rrc_ies.ForbiddenAffectCellList_LCR_r4_item Item No value umts_rrc_ies.ForbiddenAffectCell_LCR_r4
umts_rrc_ies.ForbiddenAffectCellList_item Item Unsigned 32-bit integer umts_rrc_ies.ForbiddenAffectCell
umts_rrc_ies.ForbiddenAffectCellList_r4_item Item Unsigned 32-bit integer umts_rrc_ies.ForbiddenAffectCell_r4
umts_rrc_ies.GERANIu_MessageList_item Item Byte array umts_rrc_ies.BIT_STRING_SIZE_1_32768
umts_rrc_ies.GERAN_SystemInformation_item Item Byte array umts_rrc_ies.GERAN_SystemInfoBlock
umts_rrc_ies.GPS_MeasurementParamList_item Item No value umts_rrc_ies.GPS_MeasurementParam
umts_rrc_ies.GPS_TOW_AssistList_item Item No value umts_rrc_ies.GPS_TOW_Assist
umts_rrc_ies.GSM_BA_Range_List_item Item No value umts_rrc_ies.GSM_BA_Range
umts_rrc_ies.GSM_MeasuredResultsList_item Item No value umts_rrc_ies.GSM_MeasuredResults
umts_rrc_ies.GSM_MessageList_item Item Byte array umts_rrc_ies.BIT_STRING_SIZE_1_512
umts_rrc_ies.GSM_TargetCellInfoList_item Item No value umts_rrc_ies.GSM_TargetCellInfo
umts_rrc_ies.HeaderCompressionInfoList_item Item No value umts_rrc_ies.HeaderCompressionInfo
umts_rrc_ies.HeaderCompressionInfoList_r4_item Item No value umts_rrc_ies.HeaderCompressionInfo_r4
umts_rrc_ies.IMEI_item Item Unsigned 32-bit integer umts_rrc_ies.IMEI_Digit
umts_rrc_ies.IMSI_GSM_MAP_item Item Unsigned 32-bit integer umts_rrc_ies.Digit
umts_rrc_ies.IndividualDL_CCTrCH_InfoList_item Item No value umts_rrc_ies.IndividualDL_CCTrCH_Info
umts_rrc_ies.IndividualTS_InterferenceList_item Item No value umts_rrc_ies.IndividualTS_Interference
umts_rrc_ies.IndividualUL_CCTrCH_InfoList_item Item No value umts_rrc_ies.IndividualUL_CCTrCH_Info
umts_rrc_ies.InitialPriorityDelayList_item Item Unsigned 32-bit integer umts_rrc_ies.NS_IP
umts_rrc_ies.InterFreqCellList_LCR_r4_ext_item Item No value umts_rrc_ies.InterFreqCell_LCR_r4
umts_rrc_ies.InterFreqCellList_item Item No value umts_rrc_ies.InterFreqCell
umts_rrc_ies.InterFreqCellMeasuredResultsList_item Item No value umts_rrc_ies.CellMeasuredResults
umts_rrc_ies.InterFreqEventList_item Item Unsigned 32-bit integer umts_rrc_ies.InterFreqEvent
umts_rrc_ies.InterFreqMeasuredResultsList_item Item No value umts_rrc_ies.InterFreqMeasuredResults
umts_rrc_ies.InterFreqRACHRepCellsList_item Item Unsigned 32-bit integer umts_rrc_ies.InterFreqCellID
umts_rrc_ies.InterFreqRepQuantityRACH_TDDList_item Item Unsigned 32-bit integer umts_rrc_ies.InterFreqRepQuantityRACH_TDD
umts_rrc_ies.InterFrequencyMeasuredResultsList_v590ext_item Item No value umts_rrc_ies.DeltaRSCPPerCell
umts_rrc_ies.InterRATEventList_item Item Unsigned 32-bit integer umts_rrc_ies.InterRATEvent
umts_rrc_ies.InterRATMeasuredResultsList_item Item Unsigned 32-bit integer umts_rrc_ies.InterRATMeasuredResults
umts_rrc_ies.InterRAT_UE_RadioAccessCapabilityList_item Item Unsigned 32-bit integer umts_rrc_ies.InterRAT_UE_RadioAccessCapability
umts_rrc_ies.InterRAT_UE_SecurityCapList_item Item Unsigned 32-bit integer umts_rrc_ies.InterRAT_UE_SecurityCapability
umts_rrc_ies.Inter_FreqEventCriteriaList_v590ext_item Item No value umts_rrc_ies.Inter_FreqEventCriteria_v590ext
umts_rrc_ies.IntraFreqEventCriteriaList_LCR_r4_item Item No value umts_rrc_ies.IntraFreqEventCriteria_LCR_r4
umts_rrc_ies.IntraFreqEventCriteriaList_item Item No value umts_rrc_ies.IntraFreqEventCriteria
umts_rrc_ies.IntraFreqEventCriteriaList_r4_item Item No value umts_rrc_ies.IntraFreqEventCriteria_r4
umts_rrc_ies.IntraFreqMeasQuantity_TDDList_item Item Unsigned 32-bit integer umts_rrc_ies.IntraFreqMeasQuantity_TDD
umts_rrc_ies.IntraFreqMeasuredResultsList_item Item No value umts_rrc_ies.CellMeasuredResults
umts_rrc_ies.IntraFreqRepQuantityRACH_TDDList_item Item Unsigned 32-bit integer umts_rrc_ies.IntraFreqRepQuantityRACH_TDD
umts_rrc_ies.IntraFrequencyMeasuredResultsList_v590ext_item Item No value umts_rrc_ies.DeltaRSCPPerCell
umts_rrc_ies.Intra_FreqEventCriteriaList_v590ext_item Item Signed 32-bit integer umts_rrc_ies.DeltaRSCP
umts_rrc_ies.MAC_d_PDU_SizeInfo_List_item Item No value umts_rrc_ies.MAC_d_PDUsizeInfo
umts_rrc_ies.MAC_hs_AddReconfQueue_List_item Item No value umts_rrc_ies.MAC_hs_AddReconfQueue
umts_rrc_ies.MAC_hs_DelQueue_List_item Item No value umts_rrc_ies.MAC_hs_DelQueue
umts_rrc_ies.MBMS_CommonRBInformationList_r6_item Item No value umts_rrc_ies.MBMS_CommonRBInformation_r6
umts_rrc_ies.MBMS_CurrentCell_SCCPCHList_r6_item Item No value umts_rrc_ies.MBMS_CurrentCell_SCCPCH_r6
umts_rrc_ies.MBMS_FACHCarryingMTCH_List_item Item Unsigned 32-bit integer umts_rrc_ies.TransportFormatSet
umts_rrc_ies.MBMS_ModifedServiceList_r6_item Item No value umts_rrc_ies.MBMS_ModifedService_r6
umts_rrc_ies.MBMS_NeighbouringCellSCCPCHList_r6_item Item No value umts_rrc_ies.MBMS_NeighbouringCellSCCPCH_r6
umts_rrc_ies.MBMS_PTM_RBInformation_CList_item Item No value umts_rrc_ies.MBMS_PTM_RBInformation_C
umts_rrc_ies.MBMS_PTM_RBInformation_NList_item Item No value umts_rrc_ies.MBMS_PTM_RBInformation_N
umts_rrc_ies.MBMS_PTM_RBInformation_SList_item Item No value umts_rrc_ies.MBMS_PTM_RBInformation_S
umts_rrc_ies.MBMS_PhyChInformationList_r6_item Item No value umts_rrc_ies.MBMS_PhyChInformation_r6
umts_rrc_ies.MBMS_PreferredFrequencyList_r6_item Item No value umts_rrc_ies.MBMS_PreferredFrequencyInfo_r6
umts_rrc_ies.MBMS_SIBType5_SCCPCHList_r6_item Item No value umts_rrc_ies.MBMS_SIBType5_SCCPCH_r6
umts_rrc_ies.MBMS_ServiceAccessInfoList_r6_item Item No value umts_rrc_ies.MBMS_ServiceAccessInfo_r6
umts_rrc_ies.MBMS_ServiceSchedulingInfoList_r6_item Item No value umts_rrc_ies.MBMS_ServiceSchedulingInfo_r6
umts_rrc_ies.MBMS_ServiceTransmInfoList_item Item No value umts_rrc_ies.MBMS_ServiceTransmInfo
umts_rrc_ies.MBMS_TrCHInformation_CommList_item Item No value umts_rrc_ies.MBMS_TrCHInformation_Comm
umts_rrc_ies.MBMS_TrCHInformation_NeighbList_item Item No value umts_rrc_ies.MBMS_TrCHInformation_Neighb
umts_rrc_ies.MBMS_TrCHInformation_SIB5List_item Item No value umts_rrc_ies.MBMS_TrCHInformation_SIB5
umts_rrc_ies.MBMS_TranspChInfoForEachCCTrCh_r6_item Item No value umts_rrc_ies.MBMS_TranspChInfoForCCTrCh_r6
umts_rrc_ies.MBMS_TranspChInfoForEachTrCh_r6_item Item No value umts_rrc_ies.MBMS_TranspChInfoForTrCh_r6
umts_rrc_ies.MBMS_UnmodifiedServiceList_r6_item Item No value umts_rrc_ies.MBMS_UnmodifiedService_r6
umts_rrc_ies.MCC_item Item Unsigned 32-bit integer umts_rrc_ies.Digit
umts_rrc_ies.MNC_item Item Unsigned 32-bit integer umts_rrc_ies.Digit
umts_rrc_ies.MappingFunctionParameterList_item Item No value umts_rrc_ies.MappingFunctionParameter
umts_rrc_ies.MappingInfo_item Item No value umts_rrc_ies.Mapping
umts_rrc_ies.MeasuredResultsList_LCR_r4_ext_item Item Unsigned 32-bit integer umts_rrc_ies.MeasuredResults_LCR_r4
umts_rrc_ies.MeasuredResultsList_item Item Unsigned 32-bit integer umts_rrc_ies.MeasuredResults
umts_rrc_ies.MonitoredCellRACH_List_item Item No value umts_rrc_ies.MonitoredCellRACH_Result
umts_rrc_ies.NavigationModelSatInfoList_item Item No value umts_rrc_ies.NavigationModelSatInfo
umts_rrc_ies.NeighbourList_item Item No value umts_rrc_ies.Neighbour
umts_rrc_ies.NeighbourList_v390ext_item Item No value umts_rrc_ies.Neighbour_v390ext
umts_rrc_ies.NewInterFreqCellList_item Item No value umts_rrc_ies.NewInterFreqCell
umts_rrc_ies.NewInterFreqCellList_r4_item Item No value umts_rrc_ies.NewInterFreqCell_r4
umts_rrc_ies.NewInterFreqCellSI_List_ECN0_LCR_r4_item Item No value umts_rrc_ies.NewInterFreqCellSI_ECN0_LCR_r4
umts_rrc_ies.NewInterFreqCellSI_List_ECN0_item Item No value umts_rrc_ies.NewInterFreqCellSI_ECN0
umts_rrc_ies.NewInterFreqCellSI_List_HCS_ECN0_LCR_r4_item Item No value umts_rrc_ies.NewInterFreqCellSI_HCS_ECN0_LCR_r4
umts_rrc_ies.NewInterFreqCellSI_List_HCS_ECN0_item Item No value umts_rrc_ies.NewInterFreqCellSI_HCS_ECN0
umts_rrc_ies.NewInterFreqCellSI_List_HCS_RSCP_LCR_r4_item Item No value umts_rrc_ies.NewInterFreqCellSI_HCS_RSCP_LCR_r4
umts_rrc_ies.NewInterFreqCellSI_List_HCS_RSCP_item Item No value umts_rrc_ies.NewInterFreqCellSI_HCS_RSCP
umts_rrc_ies.NewInterFreqCellSI_List_RSCP_LCR_r4_item Item No value umts_rrc_ies.NewInterFreqCellSI_RSCP_LCR_r4
umts_rrc_ies.NewInterFreqCellSI_List_RSCP_item Item No value umts_rrc_ies.NewInterFreqCellSI_RSCP
umts_rrc_ies.NewInterRATCellList_B_item Item No value umts_rrc_ies.NewInterRATCell_B
umts_rrc_ies.NewInterRATCellList_item Item No value umts_rrc_ies.NewInterRATCell
umts_rrc_ies.NewIntraFreqCellList_item Item No value umts_rrc_ies.NewIntraFreqCell
umts_rrc_ies.NewIntraFreqCellList_r4_item Item No value umts_rrc_ies.NewIntraFreqCell_r4
umts_rrc_ies.NewIntraFreqCellSI_List_ECN0_LCR_r4_item Item No value umts_rrc_ies.NewIntraFreqCellSI_ECN0_LCR_r4
umts_rrc_ies.NewIntraFreqCellSI_List_ECN0_item Item No value umts_rrc_ies.NewIntraFreqCellSI_ECN0
umts_rrc_ies.NewIntraFreqCellSI_List_HCS_ECN0_LCR_r4_item Item No value umts_rrc_ies.NewIntraFreqCellSI_HCS_ECN0_LCR_r4
umts_rrc_ies.NewIntraFreqCellSI_List_HCS_ECN0_item Item No value umts_rrc_ies.NewIntraFreqCellSI_HCS_ECN0
umts_rrc_ies.NewIntraFreqCellSI_List_HCS_RSCP_LCR_r4_item Item No value umts_rrc_ies.NewIntraFreqCellSI_HCS_RSCP_LCR_r4
umts_rrc_ies.NewIntraFreqCellSI_List_HCS_RSCP_item Item No value umts_rrc_ies.NewIntraFreqCellSI_HCS_RSCP
umts_rrc_ies.NewIntraFreqCellSI_List_RSCP_LCR_r4_item Item No value umts_rrc_ies.NewIntraFreqCellSI_RSCP_LCR_r4
umts_rrc_ies.NewIntraFreqCellSI_List_RSCP_item Item No value umts_rrc_ies.NewIntraFreqCellSI_RSCP
umts_rrc_ies.NonUsedFreqParameterList_item Item No value umts_rrc_ies.NonUsedFreqParameter
umts_rrc_ies.Non_allowedTFC_List_item Item Unsigned 32-bit integer umts_rrc_ies.TFC_Value
umts_rrc_ies.NumberOfTbSizeAndTTIList_item Item No value umts_rrc_ies.NumberOfTbSizeAndTTIList_item
umts_rrc_ies.PCPCH_ChannelInfoList_item Item No value umts_rrc_ies.PCPCH_ChannelInfo
umts_rrc_ies.PDSCH_CodeInfoList_item Item No value umts_rrc_ies.PDSCH_CodeInfo
umts_rrc_ies.PDSCH_CodeMapList_item Item No value umts_rrc_ies.PDSCH_CodeMap
umts_rrc_ies.PDSCH_SysInfoList_HCR_r5_item Item No value umts_rrc_ies.PDSCH_SysInfo_HCR_r5
umts_rrc_ies.PDSCH_SysInfoList_LCR_r4_item Item No value umts_rrc_ies.PDSCH_SysInfo_LCR_r4
umts_rrc_ies.PDSCH_SysInfoList_SFN_HCR_r5_item Item No value umts_rrc_ies.PDSCH_SysInfoList_SFN_HCR_r5_item
umts_rrc_ies.PDSCH_SysInfoList_SFN_LCR_r4_item Item No value umts_rrc_ies.PDSCH_SysInfoList_SFN_LCR_r4_item
umts_rrc_ies.PDSCH_SysInfoList_SFN_item Item No value umts_rrc_ies.PDSCH_SysInfoList_SFN_item
umts_rrc_ies.PDSCH_SysInfoList_item Item No value umts_rrc_ies.PDSCH_SysInfo
umts_rrc_ies.PLMNsOfInterFreqCellsList_item Item No value umts_rrc_ies.PLMNsOfInterFreqCellsList_item
umts_rrc_ies.PLMNsOfInterRATCellsList_item Item No value umts_rrc_ies.PLMNsOfInterRATCellsList_item
umts_rrc_ies.PLMNsOfIntraFreqCellsList_item Item No value umts_rrc_ies.PLMNsOfIntraFreqCellsList_item
umts_rrc_ies.PRACH_ChanCodes_LCR_r4_item Item Unsigned 32-bit integer umts_rrc_ies.TDD_PRACH_CCode_LCR_r4
umts_rrc_ies.PRACH_Partitioning_LCR_r4_item Item No value umts_rrc_ies.ASCSetting_TDD_LCR_r4
umts_rrc_ies.PRACH_SystemInformationList_LCR_r4_item Item No value umts_rrc_ies.PRACH_SystemInformation_LCR_r4
umts_rrc_ies.PRACH_SystemInformationList_item Item No value umts_rrc_ies.PRACH_SystemInformation
umts_rrc_ies.PUSCH_SysInfoList_HCR_r5_item Item No value umts_rrc_ies.PUSCH_SysInfo_HCR_r5
umts_rrc_ies.PUSCH_SysInfoList_LCR_r4_item Item No value umts_rrc_ies.PUSCH_SysInfo_LCR_r4
umts_rrc_ies.PUSCH_SysInfoList_SFN_HCR_r5_item Item No value umts_rrc_ies.PUSCH_SysInfoList_SFN_HCR_r5_item
umts_rrc_ies.PUSCH_SysInfoList_SFN_LCR_r4_item Item No value umts_rrc_ies.PUSCH_SysInfoList_SFN_LCR_r4_item
umts_rrc_ies.PUSCH_SysInfoList_SFN_item Item No value umts_rrc_ies.PUSCH_SysInfoList_SFN_item
umts_rrc_ies.PUSCH_SysInfoList_item Item No value umts_rrc_ies.PUSCH_SysInfo
umts_rrc_ies.PagingRecord2List_r5_item Item Unsigned 32-bit integer umts_rrc_ies.PagingRecord2_r5
umts_rrc_ies.PagingRecordList_item Item Unsigned 32-bit integer umts_rrc_ies.PagingRecord
umts_rrc_ies.PersistenceScalingFactorList_item Item Unsigned 32-bit integer umts_rrc_ies.PersistenceScalingFactor
umts_rrc_ies.PichChannelisationCodeList_LCR_r4_item Item Unsigned 32-bit integer umts_rrc_ies.DL_TS_ChannelisationCode
umts_rrc_ies.PredefinedConfigSetsWithDifferentValueTag_item Item No value umts_rrc_ies.PredefinedConfigSetWithDifferentValueTag
umts_rrc_ies.PredefinedConfigStatusListVarSz_item Item Unsigned 32-bit integer umts_rrc_ies.PredefinedConfigStatusInfo
umts_rrc_ies.PredefinedConfigStatusList_item Item Unsigned 32-bit integer umts_rrc_ies.PredefinedConfigStatusInfo
umts_rrc_ies.PredefinedConfigValueTagList_item Item Unsigned 32-bit integer umts_rrc_ies.PredefinedConfigValueTag
umts_rrc_ies.QualityEventResults_item Item Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.QualityReportingCriteria_item Item No value umts_rrc_ies.QualityReportingCriteriaSingle
umts_rrc_ies.RAB_InformationList_item Item No value umts_rrc_ies.RAB_Info
umts_rrc_ies.RAB_InformationList_r6_item Item No value umts_rrc_ies.RAB_Info_r6
umts_rrc_ies.RAB_InformationReconfigList_item Item No value umts_rrc_ies.RAB_InformationReconfig
umts_rrc_ies.RAB_InformationSetupList_item Item No value umts_rrc_ies.RAB_InformationSetup
umts_rrc_ies.RAB_InformationSetupList_r4_item Item No value umts_rrc_ies.RAB_InformationSetup_r4
umts_rrc_ies.RAB_InformationSetupList_r5_item Item No value umts_rrc_ies.RAB_InformationSetup_r5
umts_rrc_ies.RAB_InformationSetupList_r6_ext_item Item No value umts_rrc_ies.RAB_InformationSetup_r6_ext
umts_rrc_ies.RAB_InformationSetupList_r6_item Item No value umts_rrc_ies.RAB_InformationSetup_r6
umts_rrc_ies.RAT_FDD_InfoList_item Item No value umts_rrc_ies.RAT_FDD_Info
umts_rrc_ies.RAT_TDD_InfoList_item Item No value umts_rrc_ies.RAT_TDD_Info
umts_rrc_ies.RB_ActivationTimeInfoList_item Item No value umts_rrc_ies.RB_ActivationTimeInfo
umts_rrc_ies.RB_COUNT_C_InformationList_item Item No value umts_rrc_ies.RB_COUNT_C_Information
umts_rrc_ies.RB_COUNT_C_MSB_InformationList_item Item No value umts_rrc_ies.RB_COUNT_C_MSB_Information
umts_rrc_ies.RB_IdentityList_item Item Unsigned 32-bit integer umts_rrc_ies.RB_Identity
umts_rrc_ies.RB_InformationAffectedList_item Item No value umts_rrc_ies.RB_InformationAffected
umts_rrc_ies.RB_InformationAffectedList_r5_item Item No value umts_rrc_ies.RB_InformationAffected_r5
umts_rrc_ies.RB_InformationAffectedList_r6_item Item No value umts_rrc_ies.RB_InformationAffected_r6
umts_rrc_ies.RB_InformationChangedList_r6_item Item No value umts_rrc_ies.RB_InformationChanged_r6
umts_rrc_ies.RB_InformationReconfigList_item Item No value umts_rrc_ies.RB_InformationReconfig
umts_rrc_ies.RB_InformationReconfigList_r4_item Item No value umts_rrc_ies.RB_InformationReconfig_r4
umts_rrc_ies.RB_InformationReconfigList_r5_item Item No value umts_rrc_ies.RB_InformationReconfig_r5
umts_rrc_ies.RB_InformationReconfigList_r6_item Item No value umts_rrc_ies.RB_InformationReconfig_r6
umts_rrc_ies.RB_InformationReleaseList_item Item Unsigned 32-bit integer umts_rrc_ies.RB_Identity
umts_rrc_ies.RB_InformationSetupList_item Item No value umts_rrc_ies.RB_InformationSetup
umts_rrc_ies.RB_InformationSetupList_r4_item Item No value umts_rrc_ies.RB_InformationSetup_r4
umts_rrc_ies.RB_InformationSetupList_r5_item Item No value umts_rrc_ies.RB_InformationSetup_r5
umts_rrc_ies.RB_InformationSetupList_r6_item Item No value umts_rrc_ies.RB_InformationSetup_r6
umts_rrc_ies.RB_MappingInfo_item Item No value umts_rrc_ies.RB_MappingOption
umts_rrc_ies.RB_MappingInfo_r5_item Item No value umts_rrc_ies.RB_MappingOption_r5
umts_rrc_ies.RB_MappingInfo_r6_item Item No value umts_rrc_ies.RB_MappingOption_r6
umts_rrc_ies.RB_PDCPContextRelocationList_item Item No value umts_rrc_ies.RB_PDCPContextRelocation
umts_rrc_ies.RB_WithPDCP_InfoList_item Item No value umts_rrc_ies.RB_WithPDCP_Info
umts_rrc_ies.RF_CapabBandListFDDComp_item Item Unsigned 32-bit integer umts_rrc_ies.RF_CapabBandFDDComp
umts_rrc_ies.RLC_PDU_SizeList_item Item Unsigned 32-bit integer umts_rrc_ies.RLC_PDU_Size
umts_rrc_ies.RLC_SizeExplicitList_item Item No value umts_rrc_ies.RLC_SizeInfo
umts_rrc_ies.RL_AdditionInfoList_item Item No value umts_rrc_ies.PrimaryCPICH_Info
umts_rrc_ies.RL_AdditionInformationList_item Item No value umts_rrc_ies.RL_AdditionInformation
umts_rrc_ies.RL_AdditionInformationList_r6_item Item No value umts_rrc_ies.RL_AdditionInformation_r6
umts_rrc_ies.RL_IdentifierList_item Item No value umts_rrc_ies.PrimaryCPICH_Info
umts_rrc_ies.RL_RemovalInformationList_item Item No value umts_rrc_ies.PrimaryCPICH_Info
umts_rrc_ies.ROHC_PacketSizeList_r4_item Item Unsigned 32-bit integer umts_rrc_ies.ROHC_PacketSize_r4
umts_rrc_ies.ROHC_ProfileList_r4_item Item Unsigned 32-bit integer umts_rrc_ies.ROHC_Profile_r4
umts_rrc_ies.RRC_MessageSequenceNumberList_item Item Unsigned 32-bit integer umts_rrc_ies.RRC_MessageSequenceNumber
umts_rrc_ies.ReplacedPDSCH_CodeInfoList_item Item No value umts_rrc_ies.ReplacedPDSCH_CodeInfo
umts_rrc_ies.RestrictedTrCH_InfoList_item Item No value umts_rrc_ies.RestrictedTrCH
umts_rrc_ies.RestrictedTrChInfoList_item Item No value umts_rrc_ies.RestrictedTrChInfo
umts_rrc_ies.SCCPCH_ChannelisationCodeList_item Item Unsigned 32-bit integer umts_rrc_ies.SCCPCH_ChannelisationCode
umts_rrc_ies.SCCPCH_SystemInformationList_LCR_r4_ext_item Item No value umts_rrc_ies.SCCPCH_SystemInformation_LCR_r4_ext
umts_rrc_ies.SCCPCH_SystemInformationList_MBMS_r6_ext_item Item No value umts_rrc_ies.SCCPCH_SystemInformation_MBMS_r6_ext
umts_rrc_ies.SCCPCH_SystemInformationList_item Item No value umts_rrc_ies.SCCPCH_SystemInformation
umts_rrc_ies.SIBSb_ReferenceList_item Item No value umts_rrc_ies.SchedulingInformationSIBSb
umts_rrc_ies.SIB_ReferenceListFACH_item Item No value umts_rrc_ies.SchedulingInformationSIB
umts_rrc_ies.SIB_ReferenceList_item Item No value umts_rrc_ies.SchedulingInformationSIB
umts_rrc_ies.SIR_MeasurementList_item Item No value umts_rrc_ies.SIR_MeasurementResults
umts_rrc_ies.SIR_TFCS_List_item Item Unsigned 32-bit integer umts_rrc_ies.SIR_TFCS
umts_rrc_ies.SIR_TimeslotList_item Item Unsigned 32-bit integer umts_rrc_ies.SIR
umts_rrc_ies.SRB_InformationSetupList2_item Item No value umts_rrc_ies.SRB_InformationSetup
umts_rrc_ies.SRB_InformationSetupList_item Item No value umts_rrc_ies.SRB_InformationSetup
umts_rrc_ies.SRB_InformationSetupList_r5_item Item No value umts_rrc_ies.SRB_InformationSetup_r5
umts_rrc_ies.SRB_InformationSetupList_r6_item Item No value umts_rrc_ies.SRB_InformationSetup_r6
umts_rrc_ies.STARTList_item Item No value umts_rrc_ies.STARTSingle
umts_rrc_ies.SatDataList_item Item No value umts_rrc_ies.SatData
umts_rrc_ies.SibOFF_List_item Item Unsigned 32-bit integer umts_rrc_ies.SibOFF
umts_rrc_ies.SystemSpecificCapUpdateReqList_item Item Unsigned 32-bit integer umts_rrc_ies.SystemSpecificCapUpdateReq
umts_rrc_ies.SystemSpecificCapUpdateReqList_r5_item Item Unsigned 32-bit integer umts_rrc_ies.SystemSpecificCapUpdateReq_r5
umts_rrc_ies.TDD_UMTS_Frequency_List_item Item No value umts_rrc_ies.FrequencyInfoTDD
umts_rrc_ies.TFCI_RangeList_item Item No value umts_rrc_ies.TFCI_Range
umts_rrc_ies.TFCS_RemovalList_item Item No value umts_rrc_ies.TFCS_Removal
umts_rrc_ies.TFC_SubsetList_item Item No value umts_rrc_ies.TFC_SubsetList_item
umts_rrc_ies.TGP_SequenceList_item Item No value umts_rrc_ies.TGP_Sequence
umts_rrc_ies.ThreholdNonUsedFrequency_deltaList_item Item No value umts_rrc_ies.DeltaRSCPPerCell
umts_rrc_ies.TimeslotISCP_List_item Item Unsigned 32-bit integer umts_rrc_ies.TimeslotISCP
umts_rrc_ies.TimeslotInfoList_LCR_r4_item Item No value umts_rrc_ies.TimeslotInfo_LCR_r4
umts_rrc_ies.TimeslotInfoList_item Item No value umts_rrc_ies.TimeslotInfo
umts_rrc_ies.TimeslotListWithISCP_item Item No value umts_rrc_ies.TimeslotWithISCP
umts_rrc_ies.TimeslotList_item Item Unsigned 32-bit integer umts_rrc_ies.TimeslotNumber
umts_rrc_ies.TrafficVolumeMeasuredResultsList_item Item No value umts_rrc_ies.TrafficVolumeMeasuredResults
umts_rrc_ies.TrafficVolumeMeasurementObjectList_item Item Unsigned 32-bit integer umts_rrc_ies.UL_TrCH_Identity
umts_rrc_ies.TransChCriteriaList_item Item No value umts_rrc_ies.TransChCriteria
umts_rrc_ies.UE_InternalEventParamList_item Item Unsigned 32-bit integer umts_rrc_ies.UE_InternalEventParam
umts_rrc_ies.UE_Positioning_EventParamList_item Item No value umts_rrc_ies.UE_Positioning_EventParam
umts_rrc_ies.UE_Positioning_IPDL_Parameters_TDDList_r4_ext_item Item No value umts_rrc_ies.UE_Positioning_IPDL_Parameters_TDD_r4_ext
umts_rrc_ies.UE_Positioning_OTDOA_NeighbourCellList_UEB_item Item No value umts_rrc_ies.UE_Positioning_OTDOA_NeighbourCellInfo_UEB
umts_rrc_ies.UE_Positioning_OTDOA_NeighbourCellList_item Item No value umts_rrc_ies.UE_Positioning_OTDOA_NeighbourCellInfo
umts_rrc_ies.UE_Positioning_OTDOA_NeighbourCellList_r4_item Item No value umts_rrc_ies.UE_Positioning_OTDOA_NeighbourCellInfo_r4
umts_rrc_ies.UE_RX_TX_ReportEntryList_item Item No value umts_rrc_ies.UE_RX_TX_ReportEntry
umts_rrc_ies.UE_RadioAccessCapabBandFDDList2_item Item No value umts_rrc_ies.UE_RadioAccessCapabBandFDD2
umts_rrc_ies.UE_RadioAccessCapabBandFDDList_ext_item Item No value umts_rrc_ies.UE_RadioAccessCapabBandFDD_ext
umts_rrc_ies.UE_RadioAccessCapabBandFDDList_item Item No value umts_rrc_ies.UE_RadioAccessCapabBandFDD
umts_rrc_ies.UE_TransmittedPowerTDD_List_item Item Unsigned 32-bit integer umts_rrc_ies.UE_TransmittedPower
umts_rrc_ies.UL_AddReconfTransChInfoList_item Item No value umts_rrc_ies.UL_AddReconfTransChInformation
umts_rrc_ies.UL_AddReconfTransChInfoList_r6_item Item Unsigned 32-bit integer umts_rrc_ies.UL_AddReconfTransChInformation_r6
umts_rrc_ies.UL_CCTrCHListToRemove_item Item Unsigned 32-bit integer umts_rrc_ies.TFCS_IdentityPlain
umts_rrc_ies.UL_CCTrCHList_item Item No value umts_rrc_ies.UL_CCTrCH
umts_rrc_ies.UL_CCTrCHList_r4_item Item No value umts_rrc_ies.UL_CCTrCH_r4
umts_rrc_ies.UL_CCTrChTPCList_item Item No value umts_rrc_ies.TFCS_Identity
umts_rrc_ies.UL_ControlledTrChList_item Item Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.UL_DeletedTransChInfoList_item Item No value umts_rrc_ies.UL_TransportChannelIdentity
umts_rrc_ies.UL_DeletedTransChInfoList_r6_item Item Unsigned 32-bit integer umts_rrc_ies.UL_TransportChannelIdentity_r6
umts_rrc_ies.UL_TS_ChannelisationCodeList_item Item Unsigned 32-bit integer umts_rrc_ies.UL_TS_ChannelisationCode
umts_rrc_ies.URA_IdentityList_item Item Byte array umts_rrc_ies.URA_Identity
umts_rrc_ies.USCH_TransportChannelsInfo_item Item No value umts_rrc_ies.USCH_TransportChannelsInfo_item
umts_rrc_ies.a0 a0 Byte array umts_rrc_ies.BIT_STRING_SIZE_32
umts_rrc_ies.a1 a1 Byte array umts_rrc_ies.BIT_STRING_SIZE_24
umts_rrc_ies.a5-1 a5-1 Boolean
umts_rrc_ies.a5-2 a5-2 Boolean
umts_rrc_ies.a5-3 a5-3 Boolean
umts_rrc_ies.a5-4 a5-4 Boolean
umts_rrc_ies.a5-5 a5-5 Boolean
umts_rrc_ies.a5-6 a5-6 Boolean
umts_rrc_ies.a5-7 a5-7 Boolean
umts_rrc_ies.a_Sqrt a-Sqrt Byte array umts_rrc_ies.BIT_STRING_SIZE_24
umts_rrc_ies.absent absent No value umts_rrc_ies.NULL
umts_rrc_ies.ac_To_ASC_MappingTable ac-To-ASC-MappingTable Unsigned 32-bit integer umts_rrc_ies.AC_To_ASC_MappingTable
umts_rrc_ies.accessClassBarredList accessClassBarredList Unsigned 32-bit integer umts_rrc_ies.AccessClassBarredList
umts_rrc_ies.accessInfoPeriodCoefficient accessInfoPeriodCoefficient Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_3
umts_rrc_ies.accessServiceClass_FDD accessServiceClass-FDD No value umts_rrc_ies.AccessServiceClass_FDD
umts_rrc_ies.accessServiceClass_TDD accessServiceClass-TDD No value umts_rrc_ies.AccessServiceClass_TDD
umts_rrc_ies.accessServiceClass_TDD_LCR accessServiceClass-TDD-LCR No value umts_rrc_ies.AccessServiceClass_TDD_LCR_r4
umts_rrc_ies.accessStratumReleaseIndicator accessStratumReleaseIndicator Unsigned 32-bit integer umts_rrc_ies.AccessStratumReleaseIndicator
umts_rrc_ies.accessprobabilityFactor_Idle accessprobabilityFactor-Idle Unsigned 32-bit integer umts_rrc_ies.MBMS_AccessProbabilityFactor
umts_rrc_ies.accessprobabilityFactor_UraPCH accessprobabilityFactor-UraPCH Unsigned 32-bit integer umts_rrc_ies.MBMS_AccessProbabilityFactor
umts_rrc_ies.accuracy256 accuracy256 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_150
umts_rrc_ies.accuracy2560 accuracy2560 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.accuracy40 accuracy40 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_960
umts_rrc_ies.ack_NACK_repetition_factor ack-NACK-repetition-factor Unsigned 32-bit integer umts_rrc_ies.ACK_NACK_repetitionFactor
umts_rrc_ies.activate activate No value umts_rrc_ies.T_activate
umts_rrc_ies.activationTime activationTime Unsigned 32-bit integer umts_rrc_ies.ActivationTime
umts_rrc_ies.activationTimeForDPCH activationTimeForDPCH Unsigned 32-bit integer umts_rrc_ies.ActivationTime
umts_rrc_ies.activationTimeSFN activationTimeSFN Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_4095
umts_rrc_ies.activeSetReportingQuantities activeSetReportingQuantities No value umts_rrc_ies.CellReportingQuantities
umts_rrc_ies.addIntercept addIntercept Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.addOrReconfMAC_dFlow addOrReconfMAC-dFlow No value umts_rrc_ies.AddOrReconfMAC_dFlow
umts_rrc_ies.addReconf_MAC_d_Flow addReconf-MAC-d-Flow No value umts_rrc_ies.E_DCH_AddReconf_MAC_d_Flow
umts_rrc_ies.addition addition No value umts_rrc_ies.TFCS_ReconfAdd
umts_rrc_ies.additionalAssistanceDataReq additionalAssistanceDataReq Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.additionalAssistanceDataRequest additionalAssistanceDataRequest Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.additionalPRACH_TF_and_TFCS_CCCH_IEs additionalPRACH-TF-and-TFCS-CCCH-IEs No value umts_rrc_ies.AdditionalPRACH_TF_and_TFCS_CCCH_IEs
umts_rrc_ies.additionalPRACH_TF_and_TFCS_CCCH_List additionalPRACH-TF-and-TFCS-CCCH-List Unsigned 32-bit integer umts_rrc_ies.AdditionalPRACH_TF_and_TFCS_CCCH_List
umts_rrc_ies.additionalSS_TPC_Symbols additionalSS-TPC-Symbols Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_15
umts_rrc_ies.additionalTimeslots additionalTimeslots Unsigned 32-bit integer umts_rrc_ies.T_additionalTimeslots
umts_rrc_ies.af0 af0 Byte array umts_rrc_ies.BIT_STRING_SIZE_11
umts_rrc_ies.af1 af1 Byte array umts_rrc_ies.BIT_STRING_SIZE_11
umts_rrc_ies.af2 af2 Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.aich_Info aich-Info No value umts_rrc_ies.AICH_Info
umts_rrc_ies.aich_PowerOffset aich-PowerOffset Signed 32-bit integer umts_rrc_ies.AICH_PowerOffset
umts_rrc_ies.aich_TransmissionTiming aich-TransmissionTiming Unsigned 32-bit integer umts_rrc_ies.AICH_TransmissionTiming
umts_rrc_ies.alert alert Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.alfa0 alfa0 Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.alfa1 alfa1 Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.alfa2 alfa2 Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.alfa3 alfa3 Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.algorithm1 algorithm1 Unsigned 32-bit integer umts_rrc_ies.TPC_StepSizeFDD
umts_rrc_ies.algorithm2 algorithm2 No value umts_rrc_ies.NULL
umts_rrc_ies.algorithmSpecificInfo algorithmSpecificInfo Unsigned 32-bit integer umts_rrc_ies.AlgorithmSpecificInfo
umts_rrc_ies.all all No value umts_rrc_ies.NULL
umts_rrc_ies.allActivePlusDetectedSet allActivePlusDetectedSet Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType3
umts_rrc_ies.allActivePlusMonitoredAndOrDetectedSet allActivePlusMonitoredAndOrDetectedSet Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType3
umts_rrc_ies.allActiveplusMonitoredSet allActiveplusMonitoredSet Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType3
umts_rrc_ies.allSizes allSizes No value umts_rrc_ies.NULL
umts_rrc_ies.allVirtualActSetplusMonitoredSetNonUsedFreq allVirtualActSetplusMonitoredSetNonUsedFreq Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType3
umts_rrc_ies.allocationActivationTime allocationActivationTime Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_255
umts_rrc_ies.allocationDuration allocationDuration Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_256
umts_rrc_ies.allowedTFC_List allowedTFC-List Unsigned 32-bit integer umts_rrc_ies.AllowedTFC_List
umts_rrc_ies.allowedTFIList allowedTFIList Unsigned 32-bit integer umts_rrc_ies.AllowedTFI_List
umts_rrc_ies.allowedTFI_List allowedTFI-List Unsigned 32-bit integer umts_rrc_ies.AllowedTFI_List
umts_rrc_ies.almanacRequest almanacRequest Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.almanacSatInfoList almanacSatInfoList Unsigned 32-bit integer umts_rrc_ies.AlmanacSatInfoList
umts_rrc_ies.alpha alpha Unsigned 32-bit integer umts_rrc_ies.Alpha
umts_rrc_ies.altE_bitInterpretation altE-bitInterpretation Unsigned 32-bit integer umts_rrc_ies.T_altE_bitInterpretation
umts_rrc_ies.altitude altitude Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_32767
umts_rrc_ies.altitudeDirection altitudeDirection Unsigned 32-bit integer umts_rrc_ies.T_altitudeDirection
umts_rrc_ies.ansi_41 ansi-41 Byte array umts_rrc_ies.NAS_SystemInformationANSI_41
umts_rrc_ies.ansi_41_GlobalServiceRedirectInfo ansi-41-GlobalServiceRedirectInfo Byte array umts_rrc_ies.ANSI_41_GlobalServiceRedirectInfo
umts_rrc_ies.ansi_41_IDNNS ansi-41-IDNNS Byte array umts_rrc_ies.Ansi_41_IDNNS
umts_rrc_ies.ansi_41_PrivateNeighbourListInfo ansi-41-PrivateNeighbourListInfo Byte array umts_rrc_ies.ANSI_41_PrivateNeighbourListInfo
umts_rrc_ies.ansi_41_RAB_Identity ansi-41-RAB-Identity Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.ansi_41_RAND_Information ansi-41-RAND-Information Byte array umts_rrc_ies.ANSI_41_RAND_Information
umts_rrc_ies.ansi_41_UserZoneID_Information ansi-41-UserZoneID-Information Byte array umts_rrc_ies.ANSI_41_UserZoneID_Information
umts_rrc_ies.antiSpoof antiSpoof Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.aodo aodo Byte array umts_rrc_ies.BIT_STRING_SIZE_5
umts_rrc_ies.ap_AICH_ChannelisationCode ap-AICH-ChannelisationCode Unsigned 32-bit integer umts_rrc_ies.AP_AICH_ChannelisationCode
umts_rrc_ies.ap_PreambleScramblingCode ap-PreambleScramblingCode Unsigned 32-bit integer umts_rrc_ies.AP_PreambleScramblingCode
umts_rrc_ies.ap_Signature ap-Signature Unsigned 32-bit integer umts_rrc_ies.AP_Signature
umts_rrc_ies.appliedTA appliedTA Unsigned 32-bit integer umts_rrc_ies.UL_TimingAdvance
umts_rrc_ies.aquisitionAssistanceRequest aquisitionAssistanceRequest Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.asn1_ViolationOrEncodingError asn1-ViolationOrEncodingError No value umts_rrc_ies.NULL
umts_rrc_ies.assignedSubChannelNumber assignedSubChannelNumber Byte array umts_rrc_ies.T_assignedSubChannelNumber
umts_rrc_ies.availableAP_SignatureList availableAP-SignatureList Unsigned 32-bit integer umts_rrc_ies.AvailableAP_SignatureList
umts_rrc_ies.availableAP_Signature_VCAMList availableAP-Signature-VCAMList Unsigned 32-bit integer umts_rrc_ies.AvailableAP_Signature_VCAMList
umts_rrc_ies.availableAP_SubchannelList availableAP-SubchannelList Unsigned 32-bit integer umts_rrc_ies.AvailableAP_SubchannelList
umts_rrc_ies.availableSF availableSF Unsigned 32-bit integer umts_rrc_ies.SF_PRACH
umts_rrc_ies.availableSYNC_UlCodesIndics availableSYNC-UlCodesIndics Byte array umts_rrc_ies.T_availableSYNC_UlCodesIndics
umts_rrc_ies.availableSignatureEndIndex availableSignatureEndIndex Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.availableSignatureStartIndex availableSignatureStartIndex Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.availableSignatures availableSignatures Byte array umts_rrc_ies.AvailableSignatures
umts_rrc_ies.availableSubChannelNumbers availableSubChannelNumbers Byte array umts_rrc_ies.AvailableSubChannelNumbers
umts_rrc_ies.averageRLC_BufferPayload averageRLC-BufferPayload Unsigned 32-bit integer umts_rrc_ies.TimeInterval
umts_rrc_ies.azimuth azimuth Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_31
umts_rrc_ies.azimuthAndElevation azimuthAndElevation No value umts_rrc_ies.AzimuthAndElevation
umts_rrc_ies.b0 b0 Boolean
umts_rrc_ies.b1 b1 Boolean
umts_rrc_ies.b2 b2 Boolean
umts_rrc_ies.b3 b3 Boolean
umts_rrc_ies.backoffControlParams backoffControlParams No value umts_rrc_ies.BackoffControlParams
umts_rrc_ies.badCRC badCRC Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_512
umts_rrc_ies.band_Class band-Class Byte array umts_rrc_ies.BIT_STRING_SIZE_5
umts_rrc_ies.barred barred No value umts_rrc_ies.T_barred
umts_rrc_ies.bcc bcc Unsigned 32-bit integer umts_rrc_ies.BCC
umts_rrc_ies.bcch_ARFCN bcch-ARFCN Unsigned 32-bit integer umts_rrc_ies.BCCH_ARFCN
umts_rrc_ies.bcch_ModificationTime bcch-ModificationTime Unsigned 32-bit integer umts_rrc_ies.BCCH_ModificationTime
umts_rrc_ies.beaconPLEst beaconPLEst Unsigned 32-bit integer umts_rrc_ies.BEACON_PL_Est
umts_rrc_ies.beta0 beta0 Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.beta1 beta1 Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.beta2 beta2 Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.beta3 beta3 Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.bitMode bitMode Unsigned 32-bit integer umts_rrc_ies.BitModeRLC_SizeInfo
umts_rrc_ies.bitModeRLC_SizeInfo bitModeRLC-SizeInfo Unsigned 32-bit integer umts_rrc_ies.BitModeRLC_SizeInfo
umts_rrc_ies.bitmap bitmap Byte array umts_rrc_ies.T_bitmap
umts_rrc_ies.blerMeasurementResultsList blerMeasurementResultsList Unsigned 32-bit integer umts_rrc_ies.BLER_MeasurementResultsList
umts_rrc_ies.bler_QualityValue bler-QualityValue Signed 32-bit integer umts_rrc_ies.BLER_QualityValue
umts_rrc_ies.bler_dl_TransChIdList bler-dl-TransChIdList Unsigned 32-bit integer umts_rrc_ies.BLER_TransChIdList
umts_rrc_ies.bler_target bler-target Signed 32-bit integer umts_rrc_ies.Bler_Target
umts_rrc_ies.broadcast_UL_OL_PC_info broadcast-UL-OL-PC-info No value umts_rrc_ies.NULL
umts_rrc_ies.bsic bsic No value umts_rrc_ies.BSIC
umts_rrc_ies.bsicReported bsicReported Unsigned 32-bit integer umts_rrc_ies.BSICReported
umts_rrc_ies.bsic_VerificationRequired bsic-VerificationRequired Unsigned 32-bit integer umts_rrc_ies.BSIC_VerificationRequired
umts_rrc_ies.burstFreq burstFreq Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_16
umts_rrc_ies.burstLength burstLength Unsigned 32-bit integer umts_rrc_ies.INTEGER_10_25
umts_rrc_ies.burstModeParameters burstModeParameters No value umts_rrc_ies.BurstModeParameters
umts_rrc_ies.burstStart burstStart Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.burstType burstType Unsigned 32-bit integer umts_rrc_ies.BurstType
umts_rrc_ies.cSDomainSpecificAccessRestriction cSDomainSpecificAccessRestriction Unsigned 32-bit integer umts_rrc_ies.DomainSpecificAccessRestriction_v670ext
umts_rrc_ies.c_N0 c-N0 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.c_ic c-ic Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.c_is c-is Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.c_rc c-rc Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.c_rs c-rs Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.c_uc c-uc Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.c_us c-us Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.capabilityUpdateRequirement capabilityUpdateRequirement No value umts_rrc_ies.CapabilityUpdateRequirement
umts_rrc_ies.capabilityUpdateRequirement_r4Ext capabilityUpdateRequirement-r4Ext No value umts_rrc_ies.CapabilityUpdateRequirement_r4_ext
umts_rrc_ies.cbs_DRX_Level1Information cbs-DRX-Level1Information No value umts_rrc_ies.CBS_DRX_Level1Information
umts_rrc_ies.cbs_FrameOffset cbs-FrameOffset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_255
umts_rrc_ies.cd_AccessSlotSubchannelList cd-AccessSlotSubchannelList Unsigned 32-bit integer umts_rrc_ies.CD_AccessSlotSubchannelList
umts_rrc_ies.cd_CA_ICH_ChannelisationCode cd-CA-ICH-ChannelisationCode Unsigned 32-bit integer umts_rrc_ies.CD_CA_ICH_ChannelisationCode
umts_rrc_ies.cd_PreambleScramblingCode cd-PreambleScramblingCode Unsigned 32-bit integer umts_rrc_ies.CD_PreambleScramblingCode
umts_rrc_ies.cd_SignatureCodeList cd-SignatureCodeList Unsigned 32-bit integer umts_rrc_ies.CD_SignatureCodeList
umts_rrc_ies.cdma2000 cdma2000 No value umts_rrc_ies.T_cdma2000
umts_rrc_ies.cdma2000_MessageList cdma2000-MessageList Unsigned 32-bit integer umts_rrc_ies.CDMA2000_MessageList
umts_rrc_ies.cdma2000_UMTS_Frequency_List cdma2000-UMTS-Frequency-List Unsigned 32-bit integer umts_rrc_ies.CDMA2000_UMTS_Frequency_List
umts_rrc_ies.cdma_Freq cdma-Freq Byte array umts_rrc_ies.BIT_STRING_SIZE_11
umts_rrc_ies.cellAccessRestriction cellAccessRestriction No value umts_rrc_ies.CellAccessRestriction
umts_rrc_ies.cellAndChannelIdentity cellAndChannelIdentity No value umts_rrc_ies.CellAndChannelIdentity
umts_rrc_ies.cellBarred cellBarred Unsigned 32-bit integer umts_rrc_ies.CellBarred
umts_rrc_ies.cellIdentity cellIdentity Byte array umts_rrc_ies.CellIdentity
umts_rrc_ies.cellIdentity_reportingIndicator cellIdentity-reportingIndicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.cellIndividualOffset cellIndividualOffset Signed 32-bit integer umts_rrc_ies.CellIndividualOffset
umts_rrc_ies.cellInfo cellInfo No value umts_rrc_ies.CellInfo
umts_rrc_ies.cellMeasurementEventResults cellMeasurementEventResults Unsigned 32-bit integer umts_rrc_ies.CellMeasurementEventResults
umts_rrc_ies.cellParametersID cellParametersID Unsigned 32-bit integer umts_rrc_ies.CellParametersID
umts_rrc_ies.cellPosition cellPosition Unsigned 32-bit integer umts_rrc_ies.ReferenceCellPosition
umts_rrc_ies.cellReservationExtension cellReservationExtension Unsigned 32-bit integer umts_rrc_ies.ReservedIndicator
umts_rrc_ies.cellReservedForOperatorUse cellReservedForOperatorUse Unsigned 32-bit integer umts_rrc_ies.ReservedIndicator
umts_rrc_ies.cellSelectQualityMeasure cellSelectQualityMeasure Unsigned 32-bit integer umts_rrc_ies.T_cellSelectQualityMeasure
umts_rrc_ies.cellSelectReselectInfo cellSelectReselectInfo No value umts_rrc_ies.CellSelectReselectInfoSIB_3_4
umts_rrc_ies.cellSelectReselectInfoPCHFACH_v5b0ext cellSelectReselectInfoPCHFACH-v5b0ext No value umts_rrc_ies.CellSelectReselectInfoPCHFACH_v5b0ext
umts_rrc_ies.cellSelectReselectInfoTreselectionScaling_v5c0ext cellSelectReselectInfoTreselectionScaling-v5c0ext No value umts_rrc_ies.CellSelectReselectInfoTreselectionScaling_v5c0ext
umts_rrc_ies.cellSelectReselectInfo_v590ext cellSelectReselectInfo-v590ext No value umts_rrc_ies.CellSelectReselectInfo_v590ext
umts_rrc_ies.cellSelectionReselectionInfo cellSelectionReselectionInfo No value umts_rrc_ies.CellSelectReselectInfoSIB_11_12_RSCP
umts_rrc_ies.cellSynchronisationInfo cellSynchronisationInfo No value umts_rrc_ies.CellSynchronisationInfo
umts_rrc_ies.cellSynchronisationInfoReportingIndicator cellSynchronisationInfoReportingIndicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.cellToReportList cellToReportList Unsigned 32-bit integer umts_rrc_ies.CellToReportList
umts_rrc_ies.cellUpdateOccurred cellUpdateOccurred No value umts_rrc_ies.NULL
umts_rrc_ies.cell_Id cell-Id Byte array umts_rrc_ies.CellIdentity
umts_rrc_ies.cell_Timing cell-Timing No value umts_rrc_ies.T_cell_Timing
umts_rrc_ies.cell_id cell-id Byte array umts_rrc_ies.CellIdentity
umts_rrc_ies.cellsForInterFreqMeasList cellsForInterFreqMeasList Unsigned 32-bit integer umts_rrc_ies.CellsForInterFreqMeasList
umts_rrc_ies.cellsForInterRATMeasList cellsForInterRATMeasList Unsigned 32-bit integer umts_rrc_ies.CellsForInterRATMeasList
umts_rrc_ies.cellsForIntraFreqMeasList cellsForIntraFreqMeasList Unsigned 32-bit integer umts_rrc_ies.CellsForIntraFreqMeasList
umts_rrc_ies.cfnHandling cfnHandling Unsigned 32-bit integer umts_rrc_ies.T_cfnHandling
umts_rrc_ies.cfntargetsfnframeoffset cfntargetsfnframeoffset Unsigned 32-bit integer umts_rrc_ies.Cfntargetsfnframeoffset
umts_rrc_ies.chCode1-SF16 chCode1-SF16 Boolean
umts_rrc_ies.chCode10-SF16 chCode10-SF16 Boolean
umts_rrc_ies.chCode11-SF16 chCode11-SF16 Boolean
umts_rrc_ies.chCode12-SF16 chCode12-SF16 Boolean
umts_rrc_ies.chCode13-SF16 chCode13-SF16 Boolean
umts_rrc_ies.chCode14-SF16 chCode14-SF16 Boolean
umts_rrc_ies.chCode15-SF16 chCode15-SF16 Boolean
umts_rrc_ies.chCode16-SF16 chCode16-SF16 Boolean
umts_rrc_ies.chCode2-SF16 chCode2-SF16 Boolean
umts_rrc_ies.chCode3-SF16 chCode3-SF16 Boolean
umts_rrc_ies.chCode4-SF16 chCode4-SF16 Boolean
umts_rrc_ies.chCode5-SF16 chCode5-SF16 Boolean
umts_rrc_ies.chCode6-SF16 chCode6-SF16 Boolean
umts_rrc_ies.chCode7-SF16 chCode7-SF16 Boolean
umts_rrc_ies.chCode8-SF16 chCode8-SF16 Boolean
umts_rrc_ies.chCode9-SF16 chCode9-SF16 Boolean
umts_rrc_ies.chCodeIndex0 chCodeIndex0 Boolean
umts_rrc_ies.chCodeIndex1 chCodeIndex1 Boolean
umts_rrc_ies.chCodeIndex2 chCodeIndex2 Boolean
umts_rrc_ies.chCodeIndex3 chCodeIndex3 Boolean
umts_rrc_ies.chCodeIndex4 chCodeIndex4 Boolean
umts_rrc_ies.chCodeIndex5 chCodeIndex5 Boolean
umts_rrc_ies.chCodeIndex6 chCodeIndex6 Boolean
umts_rrc_ies.chCodeIndex7 chCodeIndex7 Boolean
umts_rrc_ies.channelAssignmentActive channelAssignmentActive Unsigned 32-bit integer umts_rrc_ies.ChannelAssignmentActive
umts_rrc_ies.channelCodingType channelCodingType Unsigned 32-bit integer umts_rrc_ies.ChannelCodingType
umts_rrc_ies.channelReqParamsForUCSM channelReqParamsForUCSM No value umts_rrc_ies.ChannelReqParamsForUCSM
umts_rrc_ies.channelisationCode channelisationCode Unsigned 32-bit integer umts_rrc_ies.E_HICH_ChannelisationCode
umts_rrc_ies.channelisationCode256 channelisationCode256 Unsigned 32-bit integer umts_rrc_ies.ChannelisationCode256
umts_rrc_ies.channelisationCodeIndices channelisationCodeIndices Byte array umts_rrc_ies.T_channelisationCodeIndices
umts_rrc_ies.channelisationCodeList channelisationCodeList Unsigned 32-bit integer umts_rrc_ies.TDD_PRACH_CCodeList
umts_rrc_ies.channelisationCodeList_item Item Unsigned 32-bit integer umts_rrc_ies.DL_TS_ChannelisationCode
umts_rrc_ies.chipRateCapability chipRateCapability Unsigned 32-bit integer umts_rrc_ies.ChipRateCapability
umts_rrc_ies.cid_InclusionInfo cid-InclusionInfo Unsigned 32-bit integer umts_rrc_ies.CID_InclusionInfo_r4
umts_rrc_ies.cipheringAlgorithmCap cipheringAlgorithmCap Byte array umts_rrc_ies.T_cipheringAlgorithmCap
umts_rrc_ies.cipheringKeyFlag cipheringKeyFlag Byte array umts_rrc_ies.BIT_STRING_SIZE_1
umts_rrc_ies.cipheringModeCommand cipheringModeCommand Unsigned 32-bit integer umts_rrc_ies.CipheringModeCommand
umts_rrc_ies.cipheringSerialNumber cipheringSerialNumber Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_65535
umts_rrc_ies.closedLoopTimingAdjMode closedLoopTimingAdjMode Unsigned 32-bit integer umts_rrc_ies.ClosedLoopTimingAdjMode
umts_rrc_ies.cn_CommonGSM_MAP_NAS_SysInfo cn-CommonGSM-MAP-NAS-SysInfo Byte array umts_rrc_ies.NAS_SystemInformationGSM_MAP
umts_rrc_ies.cn_DRX_CycleLengthCoeff cn-DRX-CycleLengthCoeff Unsigned 32-bit integer umts_rrc_ies.CN_DRX_CycleLengthCoefficient
umts_rrc_ies.cn_DomainIdentity cn-DomainIdentity Unsigned 32-bit integer umts_rrc_ies.CN_DomainIdentity
umts_rrc_ies.cn_DomainInformationList cn-DomainInformationList Unsigned 32-bit integer umts_rrc_ies.CN_DomainInformationList
umts_rrc_ies.cn_DomainInformationListFull cn-DomainInformationListFull Unsigned 32-bit integer umts_rrc_ies.CN_DomainInformationListFull
umts_rrc_ies.cn_DomainSpecificNAS_Info cn-DomainSpecificNAS-Info Byte array umts_rrc_ies.NAS_SystemInformationGSM_MAP
umts_rrc_ies.cn_DomainSysInfoList cn-DomainSysInfoList Unsigned 32-bit integer umts_rrc_ies.CN_DomainSysInfoList
umts_rrc_ies.cn_Identity cn-Identity No value umts_rrc_ies.T_cn_Identity
umts_rrc_ies.cn_OriginatedPage_connectedMode_UE cn-OriginatedPage-connectedMode-UE No value umts_rrc_ies.T_cn_OriginatedPage_connectedMode_UE
umts_rrc_ies.cn_Type cn-Type Unsigned 32-bit integer umts_rrc_ies.T_cn_Type
umts_rrc_ies.cn_pagedUE_Identity cn-pagedUE-Identity Unsigned 32-bit integer umts_rrc_ies.CN_PagedUE_Identity
umts_rrc_ies.code0 code0 Boolean
umts_rrc_ies.code1 code1 Boolean
umts_rrc_ies.code2 code2 Boolean
umts_rrc_ies.code3 code3 Boolean
umts_rrc_ies.code4 code4 Boolean
umts_rrc_ies.code5 code5 Boolean
umts_rrc_ies.code6 code6 Boolean
umts_rrc_ies.code7 code7 Boolean
umts_rrc_ies.codeNumber codeNumber Unsigned 32-bit integer umts_rrc_ies.CodeNumberDSCH
umts_rrc_ies.codeNumberStart codeNumberStart Unsigned 32-bit integer umts_rrc_ies.CodeNumberDSCH
umts_rrc_ies.codeNumberStop codeNumberStop Unsigned 32-bit integer umts_rrc_ies.CodeNumberDSCH
umts_rrc_ies.codeOnL2 codeOnL2 Byte array umts_rrc_ies.BIT_STRING_SIZE_2
umts_rrc_ies.codePhase codePhase Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1022
umts_rrc_ies.codePhaseSearchWindow codePhaseSearchWindow Unsigned 32-bit integer umts_rrc_ies.CodePhaseSearchWindow
umts_rrc_ies.codeRange codeRange No value umts_rrc_ies.CodeRange
umts_rrc_ies.codeWordSet codeWordSet Unsigned 32-bit integer umts_rrc_ies.CodeWordSet
umts_rrc_ies.codesRepresentation codesRepresentation Unsigned 32-bit integer umts_rrc_ies.T_codesRepresentation
umts_rrc_ies.commonCCTrChIdentity commonCCTrChIdentity Unsigned 32-bit integer umts_rrc_ies.MBMS_CommonCCTrChIdentity
umts_rrc_ies.commonMidamble commonMidamble No value umts_rrc_ies.NULL
umts_rrc_ies.commonRBIdentity commonRBIdentity Unsigned 32-bit integer umts_rrc_ies.MBMS_CommonRBIdentity
umts_rrc_ies.commonTDD_Choice commonTDD-Choice Unsigned 32-bit integer umts_rrc_ies.T_commonTDD_Choice
umts_rrc_ies.commonTimeslotInfo commonTimeslotInfo No value umts_rrc_ies.CommonTimeslotInfo
umts_rrc_ies.commonTrChIdentity commonTrChIdentity Unsigned 32-bit integer umts_rrc_ies.MBMS_CommonTrChIdentity
umts_rrc_ies.commonTransChTFS commonTransChTFS No value umts_rrc_ies.CommonTransChTFS
umts_rrc_ies.commonTransChTFS_LCR commonTransChTFS-LCR No value umts_rrc_ies.CommonTransChTFS_LCR
umts_rrc_ies.complete complete No value umts_rrc_ies.TFCS_ReconfAdd
umts_rrc_ies.compressedModeMeasCapabFDDList compressedModeMeasCapabFDDList Unsigned 32-bit integer umts_rrc_ies.CompressedModeMeasCapabFDDList
umts_rrc_ies.compressedModeMeasCapabFDDList_ext compressedModeMeasCapabFDDList-ext Unsigned 32-bit integer umts_rrc_ies.CompressedModeMeasCapabFDDList_ext
umts_rrc_ies.compressedModeMeasCapabGSMList compressedModeMeasCapabGSMList Unsigned 32-bit integer umts_rrc_ies.CompressedModeMeasCapabGSMList
umts_rrc_ies.compressedModeMeasCapabMC compressedModeMeasCapabMC No value umts_rrc_ies.CompressedModeMeasCapabMC
umts_rrc_ies.compressedModeMeasCapabTDDList compressedModeMeasCapabTDDList Unsigned 32-bit integer umts_rrc_ies.CompressedModeMeasCapabTDDList
umts_rrc_ies.compressedModeRuntimeError compressedModeRuntimeError Unsigned 32-bit integer umts_rrc_ies.TGPSI
umts_rrc_ies.computedGainFactors computedGainFactors Unsigned 32-bit integer umts_rrc_ies.ReferenceTFC_ID
umts_rrc_ies.conditionalInformationElementError conditionalInformationElementError No value umts_rrc_ies.IdentificationOfReceivedMessage
umts_rrc_ies.confidence confidence Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_100
umts_rrc_ies.configuration configuration Unsigned 32-bit integer umts_rrc_ies.T_configuration
umts_rrc_ies.configurationIncomplete configurationIncomplete No value umts_rrc_ies.NULL
umts_rrc_ies.configurationUnacceptable configurationUnacceptable No value umts_rrc_ies.NULL
umts_rrc_ies.configurationUnsupported configurationUnsupported No value umts_rrc_ies.NULL
umts_rrc_ies.configured configured No value umts_rrc_ies.NULL
umts_rrc_ies.connectedModePLMNIdentities connectedModePLMNIdentities No value umts_rrc_ies.PLMNIdentitiesOfNeighbourCells
umts_rrc_ies.consecutive consecutive No value umts_rrc_ies.T_consecutive
umts_rrc_ies.constantValue constantValue Signed 32-bit integer umts_rrc_ies.ConstantValue
umts_rrc_ies.continueMCCHReading continueMCCHReading Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.convolutional convolutional Unsigned 32-bit integer umts_rrc_ies.CodingRate
umts_rrc_ies.countC_SFN_Frame_difference countC-SFN-Frame-difference No value umts_rrc_ies.CountC_SFN_Frame_difference
umts_rrc_ies.countC_SFN_High countC-SFN-High Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.count_C_DL count-C-DL Unsigned 32-bit integer umts_rrc_ies.COUNT_C
umts_rrc_ies.count_C_MSB_DL count-C-MSB-DL Unsigned 32-bit integer umts_rrc_ies.COUNT_C_MSB
umts_rrc_ies.count_C_MSB_UL count-C-MSB-UL Unsigned 32-bit integer umts_rrc_ies.COUNT_C_MSB
umts_rrc_ies.count_C_UL count-C-UL Unsigned 32-bit integer umts_rrc_ies.COUNT_C
umts_rrc_ies.countingForCellFACH countingForCellFACH Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.countingForCellPCH countingForCellPCH Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.countingForUraPCH countingForUraPCH Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.cpch_SetID cpch-SetID Unsigned 32-bit integer umts_rrc_ies.CPCH_SetID
umts_rrc_ies.cpch_StatusIndicationMode cpch-StatusIndicationMode Unsigned 32-bit integer umts_rrc_ies.CPCH_StatusIndicationMode
umts_rrc_ies.cpich_Ec_N0 cpich-Ec-N0 No value umts_rrc_ies.T_cpich_Ec_N0
umts_rrc_ies.cpich_Ec_N0_reportingIndicator cpich-Ec-N0-reportingIndicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.cpich_RSCP cpich-RSCP No value umts_rrc_ies.NULL
umts_rrc_ies.cpich_RSCP_reportingIndicator cpich-RSCP-reportingIndicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.cqi_RepetitionFactor cqi-RepetitionFactor Unsigned 32-bit integer umts_rrc_ies.CQI_RepetitionFactor
umts_rrc_ies.crc_Size crc-Size Unsigned 32-bit integer umts_rrc_ies.CRC_Size
umts_rrc_ies.ctch_AllocationPeriod ctch-AllocationPeriod Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_256
umts_rrc_ies.ctch_Indicator ctch-Indicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ctfc12 ctfc12 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_4095
umts_rrc_ies.ctfc12Bit ctfc12Bit Unsigned 32-bit integer umts_rrc_ies.T_ctfc12Bit
umts_rrc_ies.ctfc12Bit_item Item No value umts_rrc_ies.T_ctfc12Bit_item
umts_rrc_ies.ctfc12bit ctfc12bit Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_4095
umts_rrc_ies.ctfc16 ctfc16 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_65535
umts_rrc_ies.ctfc16Bit ctfc16Bit Unsigned 32-bit integer umts_rrc_ies.T_ctfc16Bit
umts_rrc_ies.ctfc16Bit_item Item No value umts_rrc_ies.T_ctfc16Bit_item
umts_rrc_ies.ctfc16bit ctfc16bit Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_65535
umts_rrc_ies.ctfc2 ctfc2 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_3
umts_rrc_ies.ctfc24 ctfc24 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_16777215
umts_rrc_ies.ctfc24Bit ctfc24Bit Unsigned 32-bit integer umts_rrc_ies.T_ctfc24Bit
umts_rrc_ies.ctfc24Bit_item Item No value umts_rrc_ies.T_ctfc24Bit_item
umts_rrc_ies.ctfc24bit ctfc24bit Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_16777215
umts_rrc_ies.ctfc2Bit ctfc2Bit Unsigned 32-bit integer umts_rrc_ies.T_ctfc2Bit
umts_rrc_ies.ctfc2Bit_item Item No value umts_rrc_ies.T_ctfc2Bit_item
umts_rrc_ies.ctfc2bit ctfc2bit Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_3
umts_rrc_ies.ctfc4 ctfc4 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.ctfc4Bit ctfc4Bit Unsigned 32-bit integer umts_rrc_ies.T_ctfc4Bit
umts_rrc_ies.ctfc4Bit_item Item No value umts_rrc_ies.T_ctfc4Bit_item
umts_rrc_ies.ctfc4bit ctfc4bit Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.ctfc6 ctfc6 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.ctfc6Bit ctfc6Bit Unsigned 32-bit integer umts_rrc_ies.T_ctfc6Bit
umts_rrc_ies.ctfc6Bit_item Item No value umts_rrc_ies.T_ctfc6Bit_item
umts_rrc_ies.ctfc6bit ctfc6bit Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.ctfc8 ctfc8 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_255
umts_rrc_ies.ctfc8Bit ctfc8Bit Unsigned 32-bit integer umts_rrc_ies.T_ctfc8Bit
umts_rrc_ies.ctfc8Bit_item Item No value umts_rrc_ies.T_ctfc8Bit_item
umts_rrc_ies.ctfc8bit ctfc8bit Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_255
umts_rrc_ies.ctfcSize ctfcSize Unsigned 32-bit integer umts_rrc_ies.T_ctfcSize
umts_rrc_ies.currentCell currentCell No value umts_rrc_ies.T_currentCell
umts_rrc_ies.currentCell_SCCPCH currentCell-SCCPCH Unsigned 32-bit integer umts_rrc_ies.MBMS_SCCPCHIdentity
umts_rrc_ies.cycleLength_1024 cycleLength-1024 No value umts_rrc_ies.MBMS_L1CombiningSchedule_1024
umts_rrc_ies.cycleLength_128 cycleLength-128 No value umts_rrc_ies.MBMS_L1CombiningSchedule_128
umts_rrc_ies.cycleLength_256 cycleLength-256 No value umts_rrc_ies.MBMS_L1CombiningSchedule_256
umts_rrc_ies.cycleLength_32 cycleLength-32 No value umts_rrc_ies.MBMS_L1CombiningSchedule_32
umts_rrc_ies.cycleLength_512 cycleLength-512 No value umts_rrc_ies.MBMS_L1CombiningSchedule_512
umts_rrc_ies.cycleLength_64 cycleLength-64 No value umts_rrc_ies.MBMS_L1CombiningSchedule_64
umts_rrc_ies.cycleOffset cycleOffset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_7
umts_rrc_ies.dataID dataID Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_3
umts_rrc_ies.dcch dcch No value umts_rrc_ies.MBMS_PFLInfo
umts_rrc_ies.dch dch Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.dch_QualityTarget dch-QualityTarget No value umts_rrc_ies.QualityTarget
umts_rrc_ies.dch_and_dsch dch-and-dsch No value umts_rrc_ies.TransportChannelIdentityDCHandDSCH
umts_rrc_ies.dch_and_hsdsch dch-and-hsdsch No value umts_rrc_ies.MAC_d_FlowIdentityDCHandHSDSCH
umts_rrc_ies.dch_rach_cpch_usch dch-rach-cpch-usch No value umts_rrc_ies.T_dch_rach_cpch_usch
umts_rrc_ies.dch_transport_ch_id dch-transport-ch-id Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.dch_usch dch-usch No value umts_rrc_ies.T_dch_usch
umts_rrc_ies.dcs1800 dcs1800 Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ddi ddi Unsigned 32-bit integer umts_rrc_ies.DDI
umts_rrc_ies.deactivate deactivate No value umts_rrc_ies.NULL
umts_rrc_ies.dedicatedTransChTFS dedicatedTransChTFS No value umts_rrc_ies.DedicatedTransChTFS
umts_rrc_ies.defaultDPCH_OffsetValue defaultDPCH-OffsetValue Unsigned 32-bit integer umts_rrc_ies.DefaultDPCH_OffsetValueFDD
umts_rrc_ies.defaultMidamble defaultMidamble No value umts_rrc_ies.NULL
umts_rrc_ies.deltaACK deltaACK Unsigned 32-bit integer umts_rrc_ies.DeltaACK
umts_rrc_ies.deltaCQI deltaCQI Unsigned 32-bit integer umts_rrc_ies.DeltaCQI
umts_rrc_ies.deltaI deltaI Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.deltaNACK deltaNACK Unsigned 32-bit integer umts_rrc_ies.DeltaNACK
umts_rrc_ies.deltaPp_m deltaPp-m Signed 32-bit integer umts_rrc_ies.DeltaPp_m
umts_rrc_ies.deltaQhcs deltaQhcs Signed 32-bit integer umts_rrc_ies.DeltaRSCP
umts_rrc_ies.deltaQrxlevmin deltaQrxlevmin Signed 32-bit integer umts_rrc_ies.DeltaQrxlevmin
umts_rrc_ies.deltaRSCP deltaRSCP Signed 32-bit integer umts_rrc_ies.DeltaRSCP
umts_rrc_ies.deltaSIR1 deltaSIR1 Unsigned 32-bit integer umts_rrc_ies.DeltaSIR
umts_rrc_ies.deltaSIR2 deltaSIR2 Unsigned 32-bit integer umts_rrc_ies.DeltaSIR
umts_rrc_ies.deltaSIRAfter1 deltaSIRAfter1 Unsigned 32-bit integer umts_rrc_ies.DeltaSIR
umts_rrc_ies.deltaSIRAfter2 deltaSIRAfter2 Unsigned 32-bit integer umts_rrc_ies.DeltaSIR
umts_rrc_ies.delta_n delta-n Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.delta_t_LS delta-t-LS Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.delta_t_LSF delta-t-LSF Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.detectedSetReportingQuantities detectedSetReportingQuantities No value umts_rrc_ies.CellReportingQuantities
umts_rrc_ies.deviceType deviceType Unsigned 32-bit integer umts_rrc_ies.T_deviceType
umts_rrc_ies.dgpsCorrectionsRequest dgpsCorrectionsRequest Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dgps_CorrectionSatInfoList dgps-CorrectionSatInfoList Unsigned 32-bit integer umts_rrc_ies.DGPS_CorrectionSatInfoList
umts_rrc_ies.dhs_sync dhs-sync Signed 32-bit integer umts_rrc_ies.DHS_Sync
umts_rrc_ies.diagnosticsType diagnosticsType Unsigned 32-bit integer umts_rrc_ies.T_diagnosticsType
umts_rrc_ies.different different No value umts_rrc_ies.T_different
umts_rrc_ies.disabled disabled No value umts_rrc_ies.NULL
umts_rrc_ies.dl dl Unsigned 32-bit integer umts_rrc_ies.DL_CompressedModeMethod
umts_rrc_ies.dl_AM_RLC_Mode dl-AM-RLC-Mode No value umts_rrc_ies.DL_AM_RLC_Mode
umts_rrc_ies.dl_AM_RLC_Mode_r5 dl-AM-RLC-Mode-r5 No value umts_rrc_ies.DL_AM_RLC_Mode_r5
umts_rrc_ies.dl_CCTrCH_TimeslotsCodes dl-CCTrCH-TimeslotsCodes No value umts_rrc_ies.DownlinkTimeslotsCodes
umts_rrc_ies.dl_CCTrChListToEstablish dl-CCTrChListToEstablish Unsigned 32-bit integer umts_rrc_ies.DL_CCTrChList
umts_rrc_ies.dl_CCTrChListToRemove dl-CCTrChListToRemove Unsigned 32-bit integer umts_rrc_ies.DL_CCTrChListToRemove
umts_rrc_ies.dl_CapabilityWithSimultaneousHS_DSCHConfig dl-CapabilityWithSimultaneousHS-DSCHConfig Unsigned 32-bit integer umts_rrc_ies.DL_CapabilityWithSimultaneousHS_DSCHConfig
umts_rrc_ies.dl_ChannelisationCode dl-ChannelisationCode Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_255
umts_rrc_ies.dl_ChannelisationCodeList dl-ChannelisationCodeList Unsigned 32-bit integer umts_rrc_ies.DL_ChannelisationCodeList
umts_rrc_ies.dl_CommonInformationPredef dl-CommonInformationPredef No value umts_rrc_ies.DL_CommonInformationPredef
umts_rrc_ies.dl_CommonTransChInfo dl-CommonTransChInfo No value umts_rrc_ies.DL_CommonTransChInfo
umts_rrc_ies.dl_DCH_TFCS dl-DCH-TFCS Unsigned 32-bit integer umts_rrc_ies.TFCS
umts_rrc_ies.dl_DPCCH_BER dl-DPCCH-BER Unsigned 32-bit integer umts_rrc_ies.DL_DPCCH_BER
umts_rrc_ies.dl_DPCH_InfoCommon dl-DPCH-InfoCommon No value umts_rrc_ies.DL_DPCH_InfoCommon
umts_rrc_ies.dl_DPCH_InfoPerRL dl-DPCH-InfoPerRL Unsigned 32-bit integer umts_rrc_ies.DL_DPCH_InfoPerRL
umts_rrc_ies.dl_DPCH_PowerControlInfo dl-DPCH-PowerControlInfo No value umts_rrc_ies.DL_DPCH_PowerControlInfo
umts_rrc_ies.dl_DPCH_TimeslotsCodes dl-DPCH-TimeslotsCodes No value umts_rrc_ies.DownlinkTimeslotsCodes
umts_rrc_ies.dl_FDPCH_InfoCommon dl-FDPCH-InfoCommon No value umts_rrc_ies.DL_FDPCH_InfoCommon_r6
umts_rrc_ies.dl_FDPCH_InfoPerRL dl-FDPCH-InfoPerRL No value umts_rrc_ies.DL_FDPCH_InfoPerRL_r6
umts_rrc_ies.dl_FDPCH_PowerControlInfo dl-FDPCH-PowerControlInfo No value umts_rrc_ies.DL_DPCH_PowerControlInfo
umts_rrc_ies.dl_FDPCH_TPCcommandErrorRate dl-FDPCH-TPCcommandErrorRate Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_16
umts_rrc_ies.dl_FrameType dl-FrameType Unsigned 32-bit integer umts_rrc_ies.DL_FrameType
umts_rrc_ies.dl_HSPDSCH_TS_Configuration dl-HSPDSCH-TS-Configuration Unsigned 32-bit integer umts_rrc_ies.DL_HSPDSCH_TS_Configuration
umts_rrc_ies.dl_IntegrityProtActivationInfo dl-IntegrityProtActivationInfo No value umts_rrc_ies.IntegrityProtActivationInfo
umts_rrc_ies.dl_LogicalChannelMappingList dl-LogicalChannelMappingList Unsigned 32-bit integer umts_rrc_ies.DL_LogicalChannelMappingList
umts_rrc_ies.dl_MeasurementsFDD dl-MeasurementsFDD Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dl_MeasurementsGSM dl-MeasurementsGSM Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dl_MeasurementsMC dl-MeasurementsMC Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dl_MeasurementsTDD dl-MeasurementsTDD Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dl_Parameters dl-Parameters Unsigned 32-bit integer umts_rrc_ies.T_dl_Parameters
umts_rrc_ies.dl_RFC3095 dl-RFC3095 No value umts_rrc_ies.DL_RFC3095_r4
umts_rrc_ies.dl_RFC3095_Context_Relocation dl-RFC3095-Context-Relocation Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dl_RLC_Mode dl-RLC-Mode Unsigned 32-bit integer umts_rrc_ies.DL_RLC_Mode
umts_rrc_ies.dl_RLC_Mode_r5 dl-RLC-Mode-r5 Unsigned 32-bit integer umts_rrc_ies.DL_RLC_Mode_r5
umts_rrc_ies.dl_RLC_PDU_size dl-RLC-PDU-size Unsigned 32-bit integer umts_rrc_ies.OctetModeRLC_SizeInfoType1
umts_rrc_ies.dl_RLC_StatusInfo dl-RLC-StatusInfo No value umts_rrc_ies.DL_RLC_StatusInfo
umts_rrc_ies.dl_Reception_Window_Size dl-Reception-Window-Size Unsigned 32-bit integer umts_rrc_ies.DL_Reception_Window_Size_r6
umts_rrc_ies.dl_ScramblingCode dl-ScramblingCode Unsigned 32-bit integer umts_rrc_ies.SecondaryScramblingCode
umts_rrc_ies.dl_TFCS_Identity dl-TFCS-Identity No value umts_rrc_ies.TFCS_Identity
umts_rrc_ies.dl_TM_RLC_Mode dl-TM-RLC-Mode No value umts_rrc_ies.DL_TM_RLC_Mode
umts_rrc_ies.dl_TS_ChannelisationCodesShort dl-TS-ChannelisationCodesShort No value umts_rrc_ies.DL_TS_ChannelisationCodesShort
umts_rrc_ies.dl_TrChInfoList dl-TrChInfoList Unsigned 32-bit integer umts_rrc_ies.DL_AddReconfTransChInfoList
umts_rrc_ies.dl_TransChBLER dl-TransChBLER Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dl_TransChCapability dl-TransChCapability No value umts_rrc_ies.DL_TransChCapability
umts_rrc_ies.dl_TransportChannelBLER dl-TransportChannelBLER Unsigned 32-bit integer umts_rrc_ies.DL_TransportChannelBLER
umts_rrc_ies.dl_TransportChannelIdentity dl-TransportChannelIdentity Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.dl_TransportChannelType dl-TransportChannelType Unsigned 32-bit integer umts_rrc_ies.DL_TransportChannelType
umts_rrc_ies.dl_UM_RLC_DuplAvoid_Reord_Info dl-UM-RLC-DuplAvoid-Reord-Info No value umts_rrc_ies.UM_RLC_DuplAvoid_Reord_Info_r6
umts_rrc_ies.dl_UM_RLC_LI_size dl-UM-RLC-LI-size Unsigned 32-bit integer umts_rrc_ies.DL_UM_RLC_LI_size
umts_rrc_ies.dl_UM_RLC_Mode dl-UM-RLC-Mode No value umts_rrc_ies.NULL
umts_rrc_ies.dl_UM_RLC_Mode_r5 dl-UM-RLC-Mode-r5 No value umts_rrc_ies.DL_UM_RLC_Mode_r5
umts_rrc_ies.dl_UM_RLC_OutOSeqDelivery_Info dl-UM-RLC-OutOSeqDelivery-Info No value umts_rrc_ies.UM_RLC_OutOSeqDelivery_Info_r6
umts_rrc_ies.dl_dpchInfo dl-dpchInfo Unsigned 32-bit integer umts_rrc_ies.T_dl_dpchInfo
umts_rrc_ies.dl_dpchInfoCommon dl-dpchInfoCommon Unsigned 32-bit integer umts_rrc_ies.T_dl_dpchInfoCommon
umts_rrc_ies.dl_hspdsch_Information dl-hspdsch-Information No value umts_rrc_ies.DL_HSPDSCH_Information
umts_rrc_ies.dl_rate_matching_restriction dl-rate-matching-restriction No value umts_rrc_ies.Dl_rate_matching_restriction
umts_rrc_ies.dl_restrictedTrCh_Type dl-restrictedTrCh-Type Unsigned 32-bit integer umts_rrc_ies.DL_TrCH_Type
umts_rrc_ies.dl_transportChannelIdentity dl-transportChannelIdentity Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.dn dn Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.domainSpecficAccessClassBarredList domainSpecficAccessClassBarredList Unsigned 32-bit integer umts_rrc_ies.AccessClassBarredList
umts_rrc_ies.domainSpecificAccessRestictionForSharedNetwork domainSpecificAccessRestictionForSharedNetwork Unsigned 32-bit integer umts_rrc_ies.DomainSpecificAccessRestrictionForSharedNetwork_v670ext
umts_rrc_ies.domainSpecificAccessRestictionList domainSpecificAccessRestictionList No value umts_rrc_ies.DomainSpecificAccessRestrictionList_v670ext
umts_rrc_ies.domainSpecificAccessRestictionParametersForAll domainSpecificAccessRestictionParametersForAll No value umts_rrc_ies.DomainSpecificAccessRestrictionParam_v670ext
umts_rrc_ies.domainSpecificAccessRestrictionParametersForOperator1 domainSpecificAccessRestrictionParametersForOperator1 No value umts_rrc_ies.DomainSpecificAccessRestrictionParam_v670ext
umts_rrc_ies.domainSpecificAccessRestrictionParametersForOperator2 domainSpecificAccessRestrictionParametersForOperator2 No value umts_rrc_ies.DomainSpecificAccessRestrictionParam_v670ext
umts_rrc_ies.domainSpecificAccessRestrictionParametersForOperator3 domainSpecificAccessRestrictionParametersForOperator3 No value umts_rrc_ies.DomainSpecificAccessRestrictionParam_v670ext
umts_rrc_ies.domainSpecificAccessRestrictionParametersForOperator4 domainSpecificAccessRestrictionParametersForOperator4 No value umts_rrc_ies.DomainSpecificAccessRestrictionParam_v670ext
umts_rrc_ies.domainSpecificAccessRestrictionParametersForOperator5 domainSpecificAccessRestrictionParametersForOperator5 No value umts_rrc_ies.DomainSpecificAccessRestrictionParam_v670ext
umts_rrc_ies.domainSpecificAccessRestrictionParametersForPLMNOfMIB domainSpecificAccessRestrictionParametersForPLMNOfMIB No value umts_rrc_ies.DomainSpecificAccessRestrictionParam_v670ext
umts_rrc_ies.doppler doppler Signed 32-bit integer umts_rrc_ies.INTEGER_M32768_32768
umts_rrc_ies.doppler0thOrder doppler0thOrder Signed 32-bit integer umts_rrc_ies.INTEGER_M2048_2047
umts_rrc_ies.doppler1stOrder doppler1stOrder Signed 32-bit integer umts_rrc_ies.INTEGER_M42_21
umts_rrc_ies.dopplerUncertainty dopplerUncertainty Unsigned 32-bit integer umts_rrc_ies.DopplerUncertainty
umts_rrc_ies.downlinkCompressedMode downlinkCompressedMode No value umts_rrc_ies.CompressedModeMeasCapability
umts_rrc_ies.downlinkCompressedMode_LCR downlinkCompressedMode-LCR No value umts_rrc_ies.CompressedModeMeasCapability_LCR_r4
umts_rrc_ies.downlinkPhysChCapability downlinkPhysChCapability No value umts_rrc_ies.DL_PhysChCapabilityFDD
umts_rrc_ies.dpc_Mode dpc-Mode Unsigned 32-bit integer umts_rrc_ies.DPC_Mode
umts_rrc_ies.dpcch_PowerOffset dpcch-PowerOffset Signed 32-bit integer umts_rrc_ies.DPCCH_PowerOffset
umts_rrc_ies.dpch_CompressedModeInfo dpch-CompressedModeInfo No value umts_rrc_ies.DPCH_CompressedModeInfo
umts_rrc_ies.dpch_ConstantValue dpch-ConstantValue Signed 32-bit integer umts_rrc_ies.ConstantValueTdd
umts_rrc_ies.dpch_FrameOffset dpch-FrameOffset Unsigned 32-bit integer umts_rrc_ies.DPCH_FrameOffset
umts_rrc_ies.drac_ClassIdentity drac-ClassIdentity Unsigned 32-bit integer umts_rrc_ies.DRAC_ClassIdentity
umts_rrc_ies.dsch dsch Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.dsch_RadioLinkIdentifier dsch-RadioLinkIdentifier Unsigned 32-bit integer umts_rrc_ies.DSCH_RadioLinkIdentifier
umts_rrc_ies.dsch_TFCS dsch-TFCS Unsigned 32-bit integer umts_rrc_ies.TFCS
umts_rrc_ies.dsch_TFS dsch-TFS Unsigned 32-bit integer umts_rrc_ies.TransportFormatSet
umts_rrc_ies.dsch_TransportChannelsInfo dsch-TransportChannelsInfo Unsigned 32-bit integer umts_rrc_ies.DSCH_TransportChannelsInfo
umts_rrc_ies.dsch_transport_ch_id dsch-transport-ch-id Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.dsch_transport_channel_identity dsch-transport-channel-identity Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.dummy dummy Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dummy1_CPCH_Parameters dummy1-CPCH-Parameters No value umts_rrc_ies.CPCH_Parameters
umts_rrc_ies.dummy1_CPCH_SetInfo dummy1-CPCH-SetInfo No value umts_rrc_ies.CPCH_SetInfo
umts_rrc_ies.dummy1_DeltaPRC dummy1-DeltaPRC Signed 32-bit integer umts_rrc_ies.DeltaPRC
umts_rrc_ies.dummy1_PCPICH_UsageForChannelEst dummy1-PCPICH-UsageForChannelEst Unsigned 32-bit integer umts_rrc_ies.PCPICH_UsageForChannelEst
umts_rrc_ies.dummy1_PDSCH_SHO_DCH_Info dummy1-PDSCH-SHO-DCH-Info No value umts_rrc_ies.PDSCH_SHO_DCH_Info
umts_rrc_ies.dummy1_UE_Positioning_ResponseTime dummy1-UE-Positioning-ResponseTime Unsigned 32-bit integer umts_rrc_ies.UE_Positioning_ResponseTime
umts_rrc_ies.dummy2 dummy2 Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dummy2_BOOLEAN dummy2-BOOLEAN Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dummy2_CPCH_SetID dummy2-CPCH-SetID Unsigned 32-bit integer umts_rrc_ies.CPCH_SetID
umts_rrc_ies.dummy2_CPCH_SetInfoList dummy2-CPCH-SetInfoList Unsigned 32-bit integer umts_rrc_ies.CPCH_SetInfoList
umts_rrc_ies.dummy2_DeltaPRC dummy2-DeltaPRC Signed 32-bit integer umts_rrc_ies.DeltaRRC
umts_rrc_ies.dummy2_NULL dummy2-NULL No value umts_rrc_ies.NULL
umts_rrc_ies.dummy2_ObservedTimeDifferenceToGSM dummy2-ObservedTimeDifferenceToGSM Unsigned 32-bit integer umts_rrc_ies.ObservedTimeDifferenceToGSM
umts_rrc_ies.dummy2_PDSCH_CodeMapping dummy2-PDSCH-CodeMapping No value umts_rrc_ies.PDSCH_CodeMapping
umts_rrc_ies.dummy2_RL_InformationLists dummy2-RL-InformationLists No value umts_rrc_ies.RL_InformationLists
umts_rrc_ies.dummy2_SecondaryCPICH_Info dummy2-SecondaryCPICH-Info No value umts_rrc_ies.SecondaryCPICH_Info
umts_rrc_ies.dummy2_SimultaneousSCCPCH_DPCH_Reception dummy2-SimultaneousSCCPCH-DPCH-Reception Unsigned 32-bit integer umts_rrc_ies.SimultaneousSCCPCH_DPCH_Reception
umts_rrc_ies.dummy3_CSICH_PowerOffset dummy3-CSICH-PowerOffset Signed 32-bit integer umts_rrc_ies.CSICH_PowerOffset
umts_rrc_ies.dummy3_DeltaPRC dummy3-DeltaPRC Signed 32-bit integer umts_rrc_ies.DeltaPRC
umts_rrc_ies.dummy3_NULL dummy3-NULL No value umts_rrc_ies.NULL
umts_rrc_ies.dummy4_DeltaPRC dummy4-DeltaPRC Signed 32-bit integer umts_rrc_ies.DeltaRRC
umts_rrc_ies.dummy_BOOLEAN dummy-BOOLEAN Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dummy_CPCH_PersistenceLevelsList dummy-CPCH-PersistenceLevelsList Unsigned 32-bit integer umts_rrc_ies.CPCH_PersistenceLevelsList
umts_rrc_ies.dummy_CPCH_SetInfo dummy-CPCH-SetInfo No value umts_rrc_ies.CPCH_SetInfo
umts_rrc_ies.dummy_CSICH_PowerOffset dummy-CSICH-PowerOffset Signed 32-bit integer umts_rrc_ies.CSICH_PowerOffset
umts_rrc_ies.dummy_CellValueTag dummy-CellValueTag Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.dummy_DRAC_SysInfoList dummy-DRAC-SysInfoList Unsigned 32-bit integer umts_rrc_ies.DRAC_SysInfoList
umts_rrc_ies.dummy_INTEGER_0_65535 dummy-INTEGER-0-65535 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_65535
umts_rrc_ies.dummy_INTEGER_46_173 dummy-INTEGER-46-173 Unsigned 32-bit integer umts_rrc_ies.INTEGER_46_173
umts_rrc_ies.dummy_NULL dummy-NULL No value umts_rrc_ies.NULL
umts_rrc_ies.dummy_SCCPCH_InfoForFACH dummy-SCCPCH-InfoForFACH No value umts_rrc_ies.SCCPCH_InfoForFACH
umts_rrc_ies.dummy_SCCPCH_InfoForFACH_r4 dummy-SCCPCH-InfoForFACH-r4 No value umts_rrc_ies.SCCPCH_InfoForFACH_r4
umts_rrc_ies.dummy_SFN_SFN_OTD_Type dummy-SFN-SFN-OTD-Type Unsigned 32-bit integer umts_rrc_ies.SFN_SFN_OTD_Type
umts_rrc_ies.dummy_SFN_SFN_ObsTimeDifference dummy-SFN-SFN-ObsTimeDifference Unsigned 32-bit integer umts_rrc_ies.SFN_SFN_ObsTimeDifference
umts_rrc_ies.dummy_SSDT_CellIdentity dummy-SSDT-CellIdentity Unsigned 32-bit integer umts_rrc_ies.SSDT_CellIdentity
umts_rrc_ies.dummy_SSDT_Information dummy-SSDT-Information No value umts_rrc_ies.SSDT_Information
umts_rrc_ies.dummy_SSDT_Information_r4 dummy-SSDT-Information-r4 No value umts_rrc_ies.SSDT_Information_r4
umts_rrc_ies.dummy_SplitTFCI_Signalling dummy-SplitTFCI-Signalling No value umts_rrc_ies.SplitTFCI_Signalling
umts_rrc_ies.dummy_SupportOfDedicatedPilotsForChEstimation dummy-SupportOfDedicatedPilotsForChEstimation Unsigned 32-bit integer umts_rrc_ies.SupportOfDedicatedPilotsForChEstimation
umts_rrc_ies.dummy_TGPL dummy-TGPL Unsigned 32-bit integer umts_rrc_ies.TGPL
umts_rrc_ies.dummy_TM_SignallingInfo dummy-TM-SignallingInfo No value umts_rrc_ies.TM_SignallingInfo
umts_rrc_ies.dummy_Threshold dummy-Threshold Signed 32-bit integer umts_rrc_ies.Threshold
umts_rrc_ies.dummy_TimerEPC dummy-TimerEPC Unsigned 32-bit integer umts_rrc_ies.TimerEPC
umts_rrc_ies.dummy_TrafficVolumeReportingCriteria dummy-TrafficVolumeReportingCriteria No value umts_rrc_ies.TrafficVolumeReportingCriteria
umts_rrc_ies.dummy_UE_InternalMeasurementSysInfo dummy-UE-InternalMeasurementSysInfo No value umts_rrc_ies.UE_InternalMeasurementSysInfo
umts_rrc_ies.dummy_UE_Positioning_GPS_ReferenceCellInfo dummy-UE-Positioning-GPS-ReferenceCellInfo No value umts_rrc_ies.UE_Positioning_GPS_ReferenceCellInfo
umts_rrc_ies.duration duration Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_256
umts_rrc_ies.durationTimeInfo durationTimeInfo Unsigned 32-bit integer umts_rrc_ies.DurationTimeInfo
umts_rrc_ies.dynamic dynamic Unsigned 32-bit integer umts_rrc_ies.CommonDynamicTF_InfoList_DynamicTTI
umts_rrc_ies.dynamicPersistenceLevelTF_List dynamicPersistenceLevelTF-List Unsigned 32-bit integer umts_rrc_ies.DynamicPersistenceLevelTF_List
umts_rrc_ies.dynamicSFusage dynamicSFusage Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.dynamicTFInformationCCCH dynamicTFInformationCCCH No value umts_rrc_ies.DynamicTFInformationCCCH
umts_rrc_ies.e e Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.e1a e1a No value umts_rrc_ies.Event1a
umts_rrc_ies.e1b e1b No value umts_rrc_ies.Event1b
umts_rrc_ies.e1c e1c No value umts_rrc_ies.Event1c
umts_rrc_ies.e1d e1d No value umts_rrc_ies.NULL
umts_rrc_ies.e1e e1e No value umts_rrc_ies.Event1e
umts_rrc_ies.e1f e1f No value umts_rrc_ies.Event1f
umts_rrc_ies.e1g e1g No value umts_rrc_ies.NULL
umts_rrc_ies.e1h e1h Signed 32-bit integer umts_rrc_ies.ThresholdUsedFrequency
umts_rrc_ies.e1i e1i Signed 32-bit integer umts_rrc_ies.ThresholdUsedFrequency
umts_rrc_ies.e7a e7a Unsigned 32-bit integer umts_rrc_ies.ThresholdPositionChange
umts_rrc_ies.e7b e7b Unsigned 32-bit integer umts_rrc_ies.ThresholdSFN_SFN_Change
umts_rrc_ies.e7c e7c Unsigned 32-bit integer umts_rrc_ies.ThresholdSFN_GPS_TOW
umts_rrc_ies.e_AGCH_ChannelisationCode e-AGCH-ChannelisationCode Unsigned 32-bit integer umts_rrc_ies.E_AGCH_ChannelisationCode
umts_rrc_ies.e_AGCH_Information e-AGCH-Information No value umts_rrc_ies.E_AGCH_Information
umts_rrc_ies.e_DCH_MAC_d_FlowIdentity e-DCH-MAC-d-FlowIdentity Unsigned 32-bit integer umts_rrc_ies.E_DCH_MAC_d_FlowIdentity
umts_rrc_ies.e_DCH_MinimumSet_E_TFCI e-DCH-MinimumSet-E-TFCI Unsigned 32-bit integer umts_rrc_ies.E_DCH_MinimumSet_E_TFCI
umts_rrc_ies.e_DCH_RL_Info_NewServingCell e-DCH-RL-Info-NewServingCell No value umts_rrc_ies.E_DCH_RL_Info
umts_rrc_ies.e_DCH_RL_Info_OldServingCell e-DCH-RL-Info-OldServingCell No value umts_rrc_ies.E_DCH_RL_Info
umts_rrc_ies.e_DPCCH_DPCCH_PowerOffset e-DPCCH-DPCCH-PowerOffset Unsigned 32-bit integer umts_rrc_ies.E_DPCCH_DPCCH_PowerOffset
umts_rrc_ies.e_DPCCH_Info e-DPCCH-Info No value umts_rrc_ies.E_DPCCH_Info
umts_rrc_ies.e_DPDCH_Info e-DPDCH-Info No value umts_rrc_ies.E_DPDCH_Info
umts_rrc_ies.e_HICH_Information e-HICH-Information No value umts_rrc_ies.E_HICH_Information
umts_rrc_ies.e_RGCH_Information e-RGCH-Information No value umts_rrc_ies.E_RGCH_Information
umts_rrc_ies.e_RGCH_StepSize e-RGCH-StepSize Unsigned 32-bit integer umts_rrc_ies.E_RGCH_StepSize
umts_rrc_ies.e_TFCI_TableIndex e-TFCI-TableIndex Unsigned 32-bit integer umts_rrc_ies.E_TFCI_TableIndex
umts_rrc_ies.e_dch e-dch No value umts_rrc_ies.T_e_dch
umts_rrc_ies.edch_PhysicalLayerCategory edch-PhysicalLayerCategory Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_16
umts_rrc_ies.elevation elevation Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_7
umts_rrc_ies.ellipsoidPoint ellipsoidPoint No value umts_rrc_ies.EllipsoidPoint
umts_rrc_ies.ellipsoidPointAltitude ellipsoidPointAltitude No value umts_rrc_ies.EllipsoidPointAltitude
umts_rrc_ies.ellipsoidPointAltitudeEllipse ellipsoidPointAltitudeEllipse No value umts_rrc_ies.EllipsoidPointAltitudeEllipsoide
umts_rrc_ies.ellipsoidPointAltitudeEllipsoide ellipsoidPointAltitudeEllipsoide No value umts_rrc_ies.EllipsoidPointAltitudeEllipsoide
umts_rrc_ies.ellipsoidPointUncertCircle ellipsoidPointUncertCircle No value umts_rrc_ies.EllipsoidPointUncertCircle
umts_rrc_ies.ellipsoidPointUncertEllipse ellipsoidPointUncertEllipse No value umts_rrc_ies.EllipsoidPointUncertEllipse
umts_rrc_ies.ellipsoidPointWithAltitude ellipsoidPointWithAltitude No value umts_rrc_ies.EllipsoidPointAltitude
umts_rrc_ies.enabled enabled No value umts_rrc_ies.T_enabled
umts_rrc_ies.environmentCharacterisation environmentCharacterisation Unsigned 32-bit integer umts_rrc_ies.EnvironmentCharacterisation
umts_rrc_ies.ephemerisParameter ephemerisParameter No value umts_rrc_ies.EphemerisParameter
umts_rrc_ies.errorOccurred errorOccurred No value umts_rrc_ies.T_errorOccurred
umts_rrc_ies.errorReason errorReason Unsigned 32-bit integer umts_rrc_ies.UE_Positioning_ErrorCause
umts_rrc_ies.esn_DS_41 esn-DS-41 Byte array umts_rrc_ies.ESN_DS_41
umts_rrc_ies.event event Unsigned 32-bit integer umts_rrc_ies.IntraFreqEvent
umts_rrc_ies.event2a event2a No value umts_rrc_ies.Event2a
umts_rrc_ies.event2b event2b No value umts_rrc_ies.Event2b
umts_rrc_ies.event2c event2c No value umts_rrc_ies.Event2c
umts_rrc_ies.event2d event2d No value umts_rrc_ies.Event2d
umts_rrc_ies.event2e event2e No value umts_rrc_ies.Event2e
umts_rrc_ies.event2f event2f No value umts_rrc_ies.Event2f
umts_rrc_ies.event3a event3a No value umts_rrc_ies.Event3a
umts_rrc_ies.event3b event3b No value umts_rrc_ies.Event3b
umts_rrc_ies.event3c event3c No value umts_rrc_ies.Event3c
umts_rrc_ies.event3d event3d No value umts_rrc_ies.Event3d
umts_rrc_ies.event6a event6a No value umts_rrc_ies.UE_6AB_Event
umts_rrc_ies.event6b event6b No value umts_rrc_ies.UE_6AB_Event
umts_rrc_ies.event6c event6c Unsigned 32-bit integer umts_rrc_ies.TimeToTrigger
umts_rrc_ies.event6d event6d Unsigned 32-bit integer umts_rrc_ies.TimeToTrigger
umts_rrc_ies.event6e event6e Unsigned 32-bit integer umts_rrc_ies.TimeToTrigger
umts_rrc_ies.event6f event6f No value umts_rrc_ies.UE_6FG_Event
umts_rrc_ies.event6g event6g No value umts_rrc_ies.UE_6FG_Event
umts_rrc_ies.event7a event7a No value umts_rrc_ies.UE_Positioning_PositionEstimateInfo
umts_rrc_ies.event7b event7b No value umts_rrc_ies.UE_Positioning_OTDOA_Measurement
umts_rrc_ies.event7c event7c No value umts_rrc_ies.UE_Positioning_GPS_MeasurementResults
umts_rrc_ies.eventCriteriaList eventCriteriaList Unsigned 32-bit integer umts_rrc_ies.IntraFreqEventCriteriaList
umts_rrc_ies.eventID eventID Unsigned 32-bit integer umts_rrc_ies.EventIDInterFreq
umts_rrc_ies.eventSpecificInfo eventSpecificInfo Unsigned 32-bit integer umts_rrc_ies.UE_Positioning_EventSpecificInfo
umts_rrc_ies.eventSpecificParameters eventSpecificParameters Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxMeasParEvent_OF_TrafficVolumeEventParam
umts_rrc_ies.eventSpecificParameters_item Item No value umts_rrc_ies.TrafficVolumeEventParam
umts_rrc_ies.expectReordering expectReordering Unsigned 32-bit integer umts_rrc_ies.ExpectReordering
umts_rrc_ies.expirationTimeFactor expirationTimeFactor Unsigned 32-bit integer umts_rrc_ies.ExpirationTimeFactor
umts_rrc_ies.explicit explicit Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxHProcesses_OF_HARQMemorySize
umts_rrc_ies.explicitList explicitList Unsigned 32-bit integer umts_rrc_ies.RLC_SizeExplicitList
umts_rrc_ies.explicitList_item Item No value umts_rrc_ies.LogicalChannelByRB
umts_rrc_ies.explicitPLMN_Id explicitPLMN-Id No value umts_rrc_ies.PLMN_Identity
umts_rrc_ies.explicit_config explicit-config Unsigned 32-bit integer umts_rrc_ies.TransportFormatSet
umts_rrc_ies.explicit_item Item Unsigned 32-bit integer umts_rrc_ies.HARQMemorySize
umts_rrc_ies.extraDopplerInfo extraDopplerInfo No value umts_rrc_ies.ExtraDopplerInfo
umts_rrc_ies.fACH_meas_occasion_coeff fACH-meas-occasion-coeff Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_12
umts_rrc_ies.f_MAX_PERIOD f-MAX-PERIOD Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_65535
umts_rrc_ies.f_MAX_TIME f-MAX-TIME Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_255
umts_rrc_ies.fach fach No value umts_rrc_ies.NULL
umts_rrc_ies.fachCarryingMCCH fachCarryingMCCH No value umts_rrc_ies.T_fachCarryingMCCH
umts_rrc_ies.fachCarryingMSCH fachCarryingMSCH Unsigned 32-bit integer umts_rrc_ies.TransportFormatSet
umts_rrc_ies.fachCarryingMTCH_List fachCarryingMTCH-List Unsigned 32-bit integer umts_rrc_ies.MBMS_FACHCarryingMTCH_List
umts_rrc_ies.fach_MeasurementOccasionInfo fach-MeasurementOccasionInfo No value umts_rrc_ies.FACH_MeasurementOccasionInfo
umts_rrc_ies.fach_MeasurementOccasionInfo_LCR_Ext fach-MeasurementOccasionInfo-LCR-Ext No value umts_rrc_ies.FACH_MeasurementOccasionInfo_LCR_r4_ext
umts_rrc_ies.fach_PCH_InformationList fach-PCH-InformationList Unsigned 32-bit integer umts_rrc_ies.FACH_PCH_InformationList
umts_rrc_ies.failureCause failureCause Unsigned 32-bit integer umts_rrc_ies.FailureCauseWithProtErr
umts_rrc_ies.fdd fdd No value umts_rrc_ies.T_fdd
umts_rrc_ies.fddPhysChCapability fddPhysChCapability No value umts_rrc_ies.T_fddPhysChCapability
umts_rrc_ies.fddRF_Capability fddRF-Capability No value umts_rrc_ies.T_fddRF_Capability
umts_rrc_ies.fdd_Measurements fdd-Measurements Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.fdd_UMTS_Frequency_List fdd-UMTS-Frequency-List Unsigned 32-bit integer umts_rrc_ies.FDD_UMTS_Frequency_List
umts_rrc_ies.fdd_edch fdd-edch Unsigned 32-bit integer umts_rrc_ies.T_fdd_edch
umts_rrc_ies.fdd_hspdsch fdd-hspdsch Unsigned 32-bit integer umts_rrc_ies.T_fdd_hspdsch
umts_rrc_ies.fdd_item Item No value umts_rrc_ies.ASCSetting_FDD
umts_rrc_ies.fdpch_FrameOffset fdpch-FrameOffset Unsigned 32-bit integer umts_rrc_ies.DPCH_FrameOffset
umts_rrc_ies.feedback_cycle feedback-cycle Unsigned 32-bit integer umts_rrc_ies.Feedback_cycle
umts_rrc_ies.filterCoefficient filterCoefficient Unsigned 32-bit integer umts_rrc_ies.FilterCoefficient
umts_rrc_ies.fineSFN_SFN fineSFN-SFN Unsigned 32-bit integer umts_rrc_ies.FineSFN_SFN
umts_rrc_ies.firstChannelisationCode firstChannelisationCode Unsigned 32-bit integer umts_rrc_ies.DL_TS_ChannelisationCode
umts_rrc_ies.firstIndividualTimeslotInfo firstIndividualTimeslotInfo No value umts_rrc_ies.IndividualTimeslotInfo
umts_rrc_ies.fitInterval fitInterval Byte array umts_rrc_ies.BIT_STRING_SIZE_1
umts_rrc_ies.forbiddenAffectCellList forbiddenAffectCellList Unsigned 32-bit integer umts_rrc_ies.ForbiddenAffectCellList
umts_rrc_ies.fpach_Info fpach-Info No value umts_rrc_ies.FPACH_Info_r4
umts_rrc_ies.fractionalGPS_Chips fractionalGPS-Chips Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1023
umts_rrc_ies.freqQualityEstimateQuantity_FDD freqQualityEstimateQuantity-FDD Unsigned 32-bit integer umts_rrc_ies.FreqQualityEstimateQuantity_FDD
umts_rrc_ies.freqQualityEstimateQuantity_TDD freqQualityEstimateQuantity-TDD Unsigned 32-bit integer umts_rrc_ies.FreqQualityEstimateQuantity_TDD
umts_rrc_ies.frequency frequency Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_8
umts_rrc_ies.frequencyBandIndicator frequencyBandIndicator Unsigned 32-bit integer umts_rrc_ies.RadioFrequencyBandFDD
umts_rrc_ies.frequencyBandIndicator2 frequencyBandIndicator2 Unsigned 32-bit integer umts_rrc_ies.RadioFrequencyBandFDD2
umts_rrc_ies.frequencyInfo frequencyInfo No value umts_rrc_ies.FrequencyInfo
umts_rrc_ies.frequencyQualityEstimate frequencyQualityEstimate Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.frequency_band frequency-band Unsigned 32-bit integer umts_rrc_ies.Frequency_Band
umts_rrc_ies.fullTFCS fullTFCS No value umts_rrc_ies.NULL
umts_rrc_ies.functionType functionType Unsigned 32-bit integer umts_rrc_ies.MappingFunctionType
umts_rrc_ies.futurecoding futurecoding Byte array umts_rrc_ies.BIT_STRING_SIZE_15
umts_rrc_ies.gainFactorBetaC gainFactorBetaC Unsigned 32-bit integer umts_rrc_ies.GainFactor
umts_rrc_ies.gainFactorBetaD gainFactorBetaD Unsigned 32-bit integer umts_rrc_ies.GainFactor
umts_rrc_ies.gainFactorInformation gainFactorInformation Unsigned 32-bit integer umts_rrc_ies.GainFactorInformation
umts_rrc_ies.gea0 gea0 Boolean
umts_rrc_ies.gea1 gea1 Boolean
umts_rrc_ies.gea2 gea2 Boolean
umts_rrc_ies.geranIu_RadioAccessCapability geranIu-RadioAccessCapability Byte array umts_rrc_ies.GERANIu_RadioAccessCapability
umts_rrc_ies.gps_BitNumber gps-BitNumber Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_3
umts_rrc_ies.gps_MeasurementParamList gps-MeasurementParamList Unsigned 32-bit integer umts_rrc_ies.GPS_MeasurementParamList
umts_rrc_ies.gps_ReferenceTime gps-ReferenceTime Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_604799999
umts_rrc_ies.gps_ReferenceTimeOnly gps-ReferenceTimeOnly Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_604799999
umts_rrc_ies.gps_TOW gps-TOW Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_604799
umts_rrc_ies.gps_TOW_AssistList gps-TOW-AssistList Unsigned 32-bit integer umts_rrc_ies.GPS_TOW_AssistList
umts_rrc_ies.gps_TimingOfCellWanted gps-TimingOfCellWanted Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.gps_Toe gps-Toe Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_255
umts_rrc_ies.gps_Week gps-Week Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1023
umts_rrc_ies.gps_tow_1msec gps-tow-1msec Unsigned 32-bit integer umts_rrc_ies.GPS_TOW_1msec
umts_rrc_ies.groupReleaseInformation groupReleaseInformation No value umts_rrc_ies.GroupReleaseInformation
umts_rrc_ies.gsm gsm No value umts_rrc_ies.T_gsm
umts_rrc_ies.gsm1900 gsm1900 Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.gsm900 gsm900 Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.gsmLowRangeUARFCN gsmLowRangeUARFCN Unsigned 32-bit integer umts_rrc_ies.UARFCN
umts_rrc_ies.gsmSecurityCapability gsmSecurityCapability Byte array umts_rrc_ies.GsmSecurityCapability
umts_rrc_ies.gsmUpRangeUARFCN gsmUpRangeUARFCN Unsigned 32-bit integer umts_rrc_ies.UARFCN
umts_rrc_ies.gsm_BA_Range_List gsm-BA-Range-List Unsigned 32-bit integer umts_rrc_ies.GSM_BA_Range_List
umts_rrc_ies.gsm_CarrierRSSI gsm-CarrierRSSI Byte array umts_rrc_ies.GSM_CarrierRSSI
umts_rrc_ies.gsm_Carrier_RSSI gsm-Carrier-RSSI Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.gsm_Classmark2 gsm-Classmark2 Byte array umts_rrc_ies.GSM_Classmark2
umts_rrc_ies.gsm_Classmark3 gsm-Classmark3 Byte array umts_rrc_ies.GSM_Classmark3
umts_rrc_ies.gsm_MAP gsm-MAP Byte array umts_rrc_ies.NAS_SystemInformationGSM_MAP
umts_rrc_ies.gsm_MAP_RAB_Identity gsm-MAP-RAB-Identity Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.gsm_MAP_and_ANSI_41 gsm-MAP-and-ANSI-41 No value umts_rrc_ies.T_gsm_MAP_and_ANSI_41
umts_rrc_ies.gsm_MS_RadioAccessCapability gsm-MS-RadioAccessCapability Byte array umts_rrc_ies.GSM_MS_RadioAccessCapability
umts_rrc_ies.gsm_Map_IDNNS gsm-Map-IDNNS No value umts_rrc_ies.Gsm_map_IDNNS
umts_rrc_ies.gsm_Measurements gsm-Measurements No value umts_rrc_ies.GSM_Measurements
umts_rrc_ies.gsm_TargetCellInfoList gsm-TargetCellInfoList Unsigned 32-bit integer umts_rrc_ies.GSM_TargetCellInfoList
umts_rrc_ies.hS_SCCHChannelisationCodeInfo hS-SCCHChannelisationCodeInfo Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxHSSCCHs_OF_HS_SCCH_Codes
umts_rrc_ies.hS_SCCHChannelisationCodeInfo_item Item Unsigned 32-bit integer umts_rrc_ies.HS_SCCH_Codes
umts_rrc_ies.hS_SCCH_SetConfiguration hS-SCCH-SetConfiguration Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxHSSCCHs_OF_HS_SCCH_TDD384
umts_rrc_ies.hS_SCCH_SetConfiguration_item Item No value umts_rrc_ies.HS_SCCH_TDD384
umts_rrc_ies.happyBit_DelayCondition happyBit-DelayCondition Unsigned 32-bit integer umts_rrc_ies.HappyBit_DelayCondition
umts_rrc_ies.harqInfo harqInfo No value umts_rrc_ies.HARQ_Info
umts_rrc_ies.harq_Info harq-Info No value umts_rrc_ies.E_DCH_Harq_Info
umts_rrc_ies.harq_Preamble_Mode harq-Preamble-Mode Unsigned 32-bit integer umts_rrc_ies.HARQ_Preamble_Mode
umts_rrc_ies.harq_RV_Configuration harq-RV-Configuration Unsigned 32-bit integer umts_rrc_ies.T_harq_RV_Configuration
umts_rrc_ies.hcr_r5_SpecificInfo hcr-r5-SpecificInfo No value umts_rrc_ies.T_hcr_r5_SpecificInfo
umts_rrc_ies.hcs_CellReselectInformation hcs-CellReselectInformation No value umts_rrc_ies.HCS_CellReselectInformation_RSCP
umts_rrc_ies.hcs_NeighbouringCellInformation_ECN0 hcs-NeighbouringCellInformation-ECN0 No value umts_rrc_ies.HCS_NeighbouringCellInformation_ECN0
umts_rrc_ies.hcs_NeighbouringCellInformation_RSCP hcs-NeighbouringCellInformation-RSCP No value umts_rrc_ies.HCS_NeighbouringCellInformation_RSCP
umts_rrc_ies.hcs_PRIO hcs-PRIO Unsigned 32-bit integer umts_rrc_ies.HCS_PRIO
umts_rrc_ies.hcs_ServingCellInformation hcs-ServingCellInformation No value umts_rrc_ies.HCS_ServingCellInformation
umts_rrc_ies.hcs_not_used hcs-not-used No value umts_rrc_ies.T_hcs_not_used
umts_rrc_ies.hcs_used hcs-used No value umts_rrc_ies.T_hcs_used
umts_rrc_ies.headerCompressionInfoList headerCompressionInfoList Unsigned 32-bit integer umts_rrc_ies.HeaderCompressionInfoList
umts_rrc_ies.horizontalAccuracy horizontalAccuracy Byte array umts_rrc_ies.UE_Positioning_Accuracy
umts_rrc_ies.horizontal_Accuracy horizontal-Accuracy Byte array umts_rrc_ies.UE_Positioning_Accuracy
umts_rrc_ies.hs_PDSCH_Midamble_Configuration_tdd128 hs-PDSCH-Midamble-Configuration-tdd128 No value umts_rrc_ies.HS_PDSCH_Midamble_Configuration_TDD128
umts_rrc_ies.hs_SICH_PowerControl_Info hs-SICH-PowerControl-Info No value umts_rrc_ies.HS_SICH_Power_Control_Info_TDD384
umts_rrc_ies.hs_scch_Info hs-scch-Info No value umts_rrc_ies.HS_SCCH_Info
umts_rrc_ies.hs_sich_ConstantValue hs-sich-ConstantValue Signed 32-bit integer umts_rrc_ies.ConstantValue
umts_rrc_ies.hs_sich_configuration hs-sich-configuration No value umts_rrc_ies.HS_SICH_Configuration_TDD128
umts_rrc_ies.hsdsch hsdsch Unsigned 32-bit integer umts_rrc_ies.MAC_d_FlowIdentity
umts_rrc_ies.hsdsch_mac_d_flow_id hsdsch-mac-d-flow-id Unsigned 32-bit integer umts_rrc_ies.MAC_d_FlowIdentity
umts_rrc_ies.hsdsch_physical_layer_category hsdsch-physical-layer-category Unsigned 32-bit integer umts_rrc_ies.HSDSCH_physical_layer_category
umts_rrc_ies.hysteresis hysteresis Unsigned 32-bit integer umts_rrc_ies.HysteresisInterFreq
umts_rrc_ies.i0 i0 Byte array umts_rrc_ies.BIT_STRING_SIZE_32
umts_rrc_ies.iDot iDot Byte array umts_rrc_ies.BIT_STRING_SIZE_14
umts_rrc_ies.iMEI iMEI No value umts_rrc_ies.T_iMEI
umts_rrc_ies.iMSIcauseUEinitiatedEvent iMSIcauseUEinitiatedEvent No value umts_rrc_ies.T_iMSIcauseUEinitiatedEvent
umts_rrc_ies.iMSIresponsetopaging iMSIresponsetopaging No value umts_rrc_ies.T_iMSIresponsetopaging
umts_rrc_ies.idleModePLMNIdentities idleModePLMNIdentities No value umts_rrc_ies.PLMNIdentitiesOfNeighbourCells
umts_rrc_ies.ie_ValueNotComprehended ie-ValueNotComprehended No value umts_rrc_ies.IdentificationOfReceivedMessage
umts_rrc_ies.imei imei Unsigned 32-bit integer umts_rrc_ies.IMEI
umts_rrc_ies.implicit implicit No value umts_rrc_ies.NULL
umts_rrc_ies.imsi imsi Unsigned 32-bit integer umts_rrc_ies.IMSI_GSM_MAP
umts_rrc_ies.imsi_DS_41 imsi-DS-41 Byte array umts_rrc_ies.IMSI_DS_41
umts_rrc_ies.imsi_GSM_MAP imsi-GSM-MAP Unsigned 32-bit integer umts_rrc_ies.IMSI_GSM_MAP
umts_rrc_ies.imsi_and_ESN_DS_41 imsi-and-ESN-DS-41 No value umts_rrc_ies.IMSI_and_ESN_DS_41
umts_rrc_ies.inSequenceDelivery inSequenceDelivery Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.includeInSchedulingInfo includeInSchedulingInfo Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.incompatibleSimultaneousReconfiguration incompatibleSimultaneousReconfiguration No value umts_rrc_ies.NULL
umts_rrc_ies.individualDL_CCTrCH_InfoList individualDL-CCTrCH-InfoList Unsigned 32-bit integer umts_rrc_ies.IndividualDL_CCTrCH_InfoList
umts_rrc_ies.individualTS_InterferenceList individualTS-InterferenceList Unsigned 32-bit integer umts_rrc_ies.IndividualTS_InterferenceList
umts_rrc_ies.individualTimeslotInfo individualTimeslotInfo No value umts_rrc_ies.IndividualTimeslotInfo
umts_rrc_ies.individualTimeslotLCR_Ext individualTimeslotLCR-Ext No value umts_rrc_ies.IndividualTimeslotInfo_LCR_r4_ext
umts_rrc_ies.individualUL_CCTrCH_InfoList individualUL-CCTrCH-InfoList Unsigned 32-bit integer umts_rrc_ies.IndividualUL_CCTrCH_InfoList
umts_rrc_ies.individuallySignalled individuallySignalled No value umts_rrc_ies.T_individuallySignalled
umts_rrc_ies.initialPriorityDelayList initialPriorityDelayList Unsigned 32-bit integer umts_rrc_ies.InitialPriorityDelayList
umts_rrc_ies.initialise initialise No value umts_rrc_ies.T_initialise
umts_rrc_ies.integerCodePhase integerCodePhase Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_19
umts_rrc_ies.integrityProtInitNumber integrityProtInitNumber Byte array umts_rrc_ies.IntegrityProtInitNumber
umts_rrc_ies.integrityProtectionAlgorithm integrityProtectionAlgorithm Unsigned 32-bit integer umts_rrc_ies.IntegrityProtectionAlgorithm
umts_rrc_ies.integrityProtectionAlgorithmCap integrityProtectionAlgorithmCap Byte array umts_rrc_ies.T_integrityProtectionAlgorithmCap
umts_rrc_ies.integrityProtectionModeCommand integrityProtectionModeCommand Unsigned 32-bit integer umts_rrc_ies.IntegrityProtectionModeCommand
umts_rrc_ies.interFreqCellID interFreqCellID Unsigned 32-bit integer umts_rrc_ies.InterFreqCellID
umts_rrc_ies.interFreqCellIndication_SIB11 interFreqCellIndication-SIB11 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1
umts_rrc_ies.interFreqCellIndication_SIB12 interFreqCellIndication-SIB12 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1
umts_rrc_ies.interFreqCellInfoList interFreqCellInfoList No value umts_rrc_ies.InterFreqCellInfoList
umts_rrc_ies.interFreqCellInfoSI_List interFreqCellInfoSI-List No value umts_rrc_ies.InterFreqCellInfoSI_List_RSCP
umts_rrc_ies.interFreqCellList interFreqCellList Unsigned 32-bit integer umts_rrc_ies.InterFreqCellList
umts_rrc_ies.interFreqCellMeasuredResultsList interFreqCellMeasuredResultsList Unsigned 32-bit integer umts_rrc_ies.InterFreqCellMeasuredResultsList
umts_rrc_ies.interFreqEventList interFreqEventList Unsigned 32-bit integer umts_rrc_ies.InterFreqEventList
umts_rrc_ies.interFreqEventResults interFreqEventResults No value umts_rrc_ies.InterFreqEventResults
umts_rrc_ies.interFreqMeasQuantity interFreqMeasQuantity No value umts_rrc_ies.InterFreqMeasQuantity
umts_rrc_ies.interFreqMeasuredResultsList interFreqMeasuredResultsList Unsigned 32-bit integer umts_rrc_ies.InterFreqMeasuredResultsList
umts_rrc_ies.interFreqMeasurementSysInfo interFreqMeasurementSysInfo No value umts_rrc_ies.InterFreqMeasurementSysInfo_RSCP
umts_rrc_ies.interFreqRACHRepCellsList interFreqRACHRepCellsList Unsigned 32-bit integer umts_rrc_ies.InterFreqRACHRepCellsList
umts_rrc_ies.interFreqRACHReportingInfo interFreqRACHReportingInfo No value umts_rrc_ies.InterFreqRACHReportingInfo
umts_rrc_ies.interFreqRACHReportingThreshold interFreqRACHReportingThreshold Signed 32-bit integer umts_rrc_ies.Threshold
umts_rrc_ies.interFreqRepQuantityRACH_FDD interFreqRepQuantityRACH-FDD Unsigned 32-bit integer umts_rrc_ies.InterFreqRepQuantityRACH_FDD
umts_rrc_ies.interFreqRepQuantityRACH_TDDList interFreqRepQuantityRACH-TDDList Unsigned 32-bit integer umts_rrc_ies.InterFreqRepQuantityRACH_TDDList
umts_rrc_ies.interFreqReportingCriteria interFreqReportingCriteria No value umts_rrc_ies.T_interFreqReportingCriteria
umts_rrc_ies.interFreqReportingQuantity interFreqReportingQuantity No value umts_rrc_ies.InterFreqReportingQuantity
umts_rrc_ies.interFreqSetUpdate interFreqSetUpdate Unsigned 32-bit integer umts_rrc_ies.UE_AutonomousUpdateMode
umts_rrc_ies.interFrequencyMeasuredResultsList interFrequencyMeasuredResultsList Unsigned 32-bit integer umts_rrc_ies.InterFrequencyMeasuredResultsList_v590ext
umts_rrc_ies.interFrequencyMeasurement interFrequencyMeasurement No value umts_rrc_ies.InterFrequencyMeasurement
umts_rrc_ies.interFrequencyTreselectionScalingFactor interFrequencyTreselectionScalingFactor Unsigned 32-bit integer umts_rrc_ies.TreselectionScalingFactor
umts_rrc_ies.interRATCellID interRATCellID Unsigned 32-bit integer umts_rrc_ies.InterRATCellID
umts_rrc_ies.interRATCellIndividualOffset interRATCellIndividualOffset Signed 32-bit integer umts_rrc_ies.InterRATCellIndividualOffset
umts_rrc_ies.interRATCellInfoList interRATCellInfoList No value umts_rrc_ies.InterRATCellInfoList
umts_rrc_ies.interRATEventList interRATEventList Unsigned 32-bit integer umts_rrc_ies.InterRATEventList
umts_rrc_ies.interRATEventResults interRATEventResults No value umts_rrc_ies.InterRATEventResults
umts_rrc_ies.interRATInfo interRATInfo Unsigned 32-bit integer umts_rrc_ies.InterRATInfo
umts_rrc_ies.interRATMeasQuantity interRATMeasQuantity No value umts_rrc_ies.InterRATMeasQuantity
umts_rrc_ies.interRATMeasuredResultsList interRATMeasuredResultsList Unsigned 32-bit integer umts_rrc_ies.InterRATMeasuredResultsList
umts_rrc_ies.interRATMeasurement interRATMeasurement No value umts_rrc_ies.InterRATMeasurement
umts_rrc_ies.interRATMeasurementSysInfo interRATMeasurementSysInfo No value umts_rrc_ies.InterRATMeasurementSysInfo_B
umts_rrc_ies.interRATReportingCriteria interRATReportingCriteria No value umts_rrc_ies.InterRATReportingCriteria
umts_rrc_ies.interRATReportingQuantity interRATReportingQuantity No value umts_rrc_ies.InterRATReportingQuantity
umts_rrc_ies.interRATTreselectionScalingFactor interRATTreselectionScalingFactor Unsigned 32-bit integer umts_rrc_ies.TreselectionScalingFactor
umts_rrc_ies.interRAT_ProtocolError interRAT-ProtocolError No value umts_rrc_ies.NULL
umts_rrc_ies.inter_RAT_meas_ind inter-RAT-meas-ind Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxOtherRAT_OF_RAT_Type
umts_rrc_ies.inter_RAT_meas_ind_item Item Unsigned 32-bit integer umts_rrc_ies.RAT_Type
umts_rrc_ies.inter_freq_FDD_meas_ind inter-freq-FDD-meas-ind Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.inter_freq_TDD128_meas_ind inter-freq-TDD128-meas-ind Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.inter_freq_TDD_meas_ind inter-freq-TDD-meas-ind Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.intraFreqCellID intraFreqCellID Unsigned 32-bit integer umts_rrc_ies.IntraFreqCellID
umts_rrc_ies.intraFreqCellInfoList intraFreqCellInfoList No value umts_rrc_ies.IntraFreqCellInfoList
umts_rrc_ies.intraFreqCellInfoSI_List intraFreqCellInfoSI-List No value umts_rrc_ies.IntraFreqCellInfoSI_List_RSCP
umts_rrc_ies.intraFreqCellReselectionInd intraFreqCellReselectionInd Unsigned 32-bit integer umts_rrc_ies.AllowedIndicator
umts_rrc_ies.intraFreqEventCriteriaList_v590ext intraFreqEventCriteriaList-v590ext Unsigned 32-bit integer umts_rrc_ies.Intra_FreqEventCriteriaList_v590ext
umts_rrc_ies.intraFreqEventResults intraFreqEventResults No value umts_rrc_ies.IntraFreqEventResults
umts_rrc_ies.intraFreqEvent_1d_r5 intraFreqEvent-1d-r5 No value umts_rrc_ies.IntraFreqEvent_1d_r5
umts_rrc_ies.intraFreqMeasQuantity intraFreqMeasQuantity No value umts_rrc_ies.IntraFreqMeasQuantity
umts_rrc_ies.intraFreqMeasQuantity_FDD intraFreqMeasQuantity-FDD Unsigned 32-bit integer umts_rrc_ies.IntraFreqMeasQuantity_FDD
umts_rrc_ies.intraFreqMeasQuantity_TDDList intraFreqMeasQuantity-TDDList Unsigned 32-bit integer umts_rrc_ies.IntraFreqMeasQuantity_TDDList
umts_rrc_ies.intraFreqMeasuredResultsList intraFreqMeasuredResultsList Unsigned 32-bit integer umts_rrc_ies.IntraFreqMeasuredResultsList
umts_rrc_ies.intraFreqMeasurementID intraFreqMeasurementID Unsigned 32-bit integer umts_rrc_ies.MeasurementIdentity
umts_rrc_ies.intraFreqMeasurementSysInfo intraFreqMeasurementSysInfo No value umts_rrc_ies.IntraFreqMeasurementSysInfo_RSCP
umts_rrc_ies.intraFreqRepQuantityRACH_FDD intraFreqRepQuantityRACH-FDD Unsigned 32-bit integer umts_rrc_ies.IntraFreqRepQuantityRACH_FDD
umts_rrc_ies.intraFreqRepQuantityRACH_TDDList intraFreqRepQuantityRACH-TDDList Unsigned 32-bit integer umts_rrc_ies.IntraFreqRepQuantityRACH_TDDList
umts_rrc_ies.intraFreqReportingCriteria intraFreqReportingCriteria No value umts_rrc_ies.IntraFreqReportingCriteria
umts_rrc_ies.intraFreqReportingCriteria_1b_r5 intraFreqReportingCriteria-1b-r5 No value umts_rrc_ies.IntraFreqReportingCriteria_1b_r5
umts_rrc_ies.intraFreqReportingQuantity intraFreqReportingQuantity No value umts_rrc_ies.IntraFreqReportingQuantity
umts_rrc_ies.intraFreqReportingQuantityForRACH intraFreqReportingQuantityForRACH No value umts_rrc_ies.IntraFreqReportingQuantityForRACH
umts_rrc_ies.intraFrequencyMeasuredResultsList intraFrequencyMeasuredResultsList Unsigned 32-bit integer umts_rrc_ies.IntraFrequencyMeasuredResultsList_v590ext
umts_rrc_ies.intraFrequencyMeasurement intraFrequencyMeasurement No value umts_rrc_ies.IntraFrequencyMeasurement
umts_rrc_ies.invalidConfiguration invalidConfiguration No value umts_rrc_ies.NULL
umts_rrc_ies.iodc iodc Byte array umts_rrc_ies.BIT_STRING_SIZE_10
umts_rrc_ies.iode iode Unsigned 32-bit integer umts_rrc_ies.IODE
umts_rrc_ies.ionosphericModelRequest ionosphericModelRequest Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ip_Length ip-Length Unsigned 32-bit integer umts_rrc_ies.IP_Length
umts_rrc_ies.ip_Offset ip-Offset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_9
umts_rrc_ies.ip_PCCPCG ip-PCCPCG Boolean umts_rrc_ies.IP_PCCPCH_r4
umts_rrc_ies.ip_Spacing ip-Spacing Unsigned 32-bit integer umts_rrc_ies.IP_Spacing
umts_rrc_ies.ip_Spacing_TDD ip-Spacing-TDD Unsigned 32-bit integer umts_rrc_ies.IP_Spacing_TDD
umts_rrc_ies.ip_Start ip-Start Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_4095
umts_rrc_ies.ip_slot ip-slot Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_14
umts_rrc_ies.ipdl_alpha ipdl-alpha Unsigned 32-bit integer umts_rrc_ies.Alpha
umts_rrc_ies.isActive isActive Unsigned 32-bit integer umts_rrc_ies.AvailableMinimumSF_ListVCAM
umts_rrc_ies.is_2000 is-2000 No value umts_rrc_ies.NULL
umts_rrc_ies.is_2000SpecificMeasInfo is-2000SpecificMeasInfo Unsigned 32-bit integer umts_rrc_ies.IS_2000SpecificMeasInfo
umts_rrc_ies.itp itp Unsigned 32-bit integer umts_rrc_ies.ITP
umts_rrc_ies.l2Pflag l2Pflag Byte array umts_rrc_ies.BIT_STRING_SIZE_1
umts_rrc_ies.lac lac Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.lai lai No value umts_rrc_ies.LAI
umts_rrc_ies.large large Unsigned 32-bit integer umts_rrc_ies.INTEGER_18_512
umts_rrc_ies.lastChannelisationCode lastChannelisationCode Unsigned 32-bit integer umts_rrc_ies.DL_TS_ChannelisationCode
umts_rrc_ies.lastRetransmissionPDU_Poll lastRetransmissionPDU-Poll Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.lastTransmissionPDU_Poll lastTransmissionPDU-Poll Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.later later No value umts_rrc_ies.T_later
umts_rrc_ies.latitude latitude Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_8388607
umts_rrc_ies.latitudeSign latitudeSign Unsigned 32-bit integer umts_rrc_ies.T_latitudeSign
umts_rrc_ies.layer1Combining layer1Combining Unsigned 32-bit integer umts_rrc_ies.T_layer1Combining
umts_rrc_ies.layer1_CombiningStatus layer1-CombiningStatus Unsigned 32-bit integer umts_rrc_ies.T_layer1_CombiningStatus
umts_rrc_ies.layerConvergenceInformation layerConvergenceInformation Unsigned 32-bit integer umts_rrc_ies.T_layerConvergenceInformation
umts_rrc_ies.length length No value umts_rrc_ies.NULL
umts_rrc_ies.localPTMSI localPTMSI No value umts_rrc_ies.T_localPTMSI
umts_rrc_ies.logChOfRb logChOfRb Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1
umts_rrc_ies.logicalChIdentity logicalChIdentity Unsigned 32-bit integer umts_rrc_ies.MBMS_LogicalChIdentity
umts_rrc_ies.logicalChannelIdentity logicalChannelIdentity Unsigned 32-bit integer umts_rrc_ies.LogicalChannelIdentity
umts_rrc_ies.logicalChannelList logicalChannelList Unsigned 32-bit integer umts_rrc_ies.LogicalChannelList
umts_rrc_ies.longitude longitude Signed 32-bit integer umts_rrc_ies.INTEGER_M8388608_8388607
umts_rrc_ies.losslessDLRLC_PDUSizeChange losslessDLRLC-PDUSizeChange Unsigned 32-bit integer umts_rrc_ies.T_losslessDLRLC_PDUSizeChange
umts_rrc_ies.losslessSRNS_RelocSupport losslessSRNS-RelocSupport Unsigned 32-bit integer umts_rrc_ies.LosslessSRNS_RelocSupport
umts_rrc_ies.losslessSRNS_RelocationSupport losslessSRNS-RelocationSupport Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.lowerPriorityMBMSService lowerPriorityMBMSService No value umts_rrc_ies.NULL
umts_rrc_ies.ls_part ls-part Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_4294967295
umts_rrc_ies.lsbTOW lsbTOW Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.m0 m0 Byte array umts_rrc_ies.BIT_STRING_SIZE_24
umts_rrc_ies.mac_LogicalChannelPriority mac-LogicalChannelPriority Unsigned 32-bit integer umts_rrc_ies.MAC_LogicalChannelPriority
umts_rrc_ies.mac_dFlowId mac-dFlowId Unsigned 32-bit integer umts_rrc_ies.MAC_d_FlowIdentity
umts_rrc_ies.mac_d_FlowIdentity mac-d-FlowIdentity Unsigned 32-bit integer umts_rrc_ies.E_DCH_MAC_d_FlowIdentity
umts_rrc_ies.mac_d_FlowMaxRetrans mac-d-FlowMaxRetrans Unsigned 32-bit integer umts_rrc_ies.E_DCH_MAC_d_FlowMaxRetrans
umts_rrc_ies.mac_d_FlowMultiplexingList mac-d-FlowMultiplexingList Byte array umts_rrc_ies.E_DCH_MAC_d_FlowMultiplexingList
umts_rrc_ies.mac_d_FlowPowerOffset mac-d-FlowPowerOffset Unsigned 32-bit integer umts_rrc_ies.E_DCH_MAC_d_FlowPowerOffset
umts_rrc_ies.mac_d_HFN_initial_value mac-d-HFN-initial-value Byte array umts_rrc_ies.MAC_d_HFN_initial_value
umts_rrc_ies.mac_d_PDU_Index mac-d-PDU-Index Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_7
umts_rrc_ies.mac_d_PDU_Size mac-d-PDU-Size Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_5000
umts_rrc_ies.mac_d_PDU_SizeInfo_List mac-d-PDU-SizeInfo-List Unsigned 32-bit integer umts_rrc_ies.MAC_d_PDU_SizeInfo_List
umts_rrc_ies.mac_hsQueueId mac-hsQueueId Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_7
umts_rrc_ies.mac_hsResetIndicator mac-hsResetIndicator Unsigned 32-bit integer umts_rrc_ies.T_mac_hsResetIndicator
umts_rrc_ies.mac_hsWindowSize mac-hsWindowSize Unsigned 32-bit integer umts_rrc_ies.MAC_hs_WindowSize
umts_rrc_ies.mac_hs_AddReconfQueue_List mac-hs-AddReconfQueue-List Unsigned 32-bit integer umts_rrc_ies.MAC_hs_AddReconfQueue_List
umts_rrc_ies.mac_hs_DelQueue_List mac-hs-DelQueue-List Unsigned 32-bit integer umts_rrc_ies.MAC_hs_DelQueue_List
umts_rrc_ies.maintain maintain No value umts_rrc_ies.NULL
umts_rrc_ies.mapParameter1 mapParameter1 Unsigned 32-bit integer umts_rrc_ies.MapParameter
umts_rrc_ies.mapParameter2 mapParameter2 Unsigned 32-bit integer umts_rrc_ies.MapParameter
umts_rrc_ies.mappingFunctionParameterList mappingFunctionParameterList Unsigned 32-bit integer umts_rrc_ies.MappingFunctionParameterList
umts_rrc_ies.mappingInfo mappingInfo Unsigned 32-bit integer umts_rrc_ies.MappingInfo
umts_rrc_ies.mapping_LCR mapping-LCR No value umts_rrc_ies.Mapping_LCR_r4
umts_rrc_ies.masterInformationBlock_v6xyext masterInformationBlock-v6xyext No value umts_rrc_ies.MasterInformationBlock_v6xyext
umts_rrc_ies.maxAllowedUL_TX_Power maxAllowedUL-TX-Power Signed 32-bit integer umts_rrc_ies.MaxAllowedUL_TX_Power
umts_rrc_ies.maxAvailablePCPCH_Number maxAvailablePCPCH-Number Unsigned 32-bit integer umts_rrc_ies.MaxAvailablePCPCH_Number
umts_rrc_ies.maxChannelisationCodes maxChannelisationCodes Unsigned 32-bit integer umts_rrc_ies.E_DPDCH_MaxChannelisationCodes
umts_rrc_ies.maxConvCodeBitsReceived maxConvCodeBitsReceived Unsigned 32-bit integer umts_rrc_ies.MaxNoBits
umts_rrc_ies.maxConvCodeBitsTransmitted maxConvCodeBitsTransmitted Unsigned 32-bit integer umts_rrc_ies.MaxNoBits
umts_rrc_ies.maxDAT maxDAT Unsigned 32-bit integer umts_rrc_ies.MaxDAT
umts_rrc_ies.maxDAT_Retransmissions maxDAT-Retransmissions No value umts_rrc_ies.MaxDAT_Retransmissions
umts_rrc_ies.maxHcContextSpace maxHcContextSpace Unsigned 32-bit integer umts_rrc_ies.MaxHcContextSpace_r5_ext
umts_rrc_ies.maxMAC_e_PDUContents maxMAC-e-PDUContents Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_19982
umts_rrc_ies.maxMRW maxMRW Unsigned 32-bit integer umts_rrc_ies.MaxMRW
umts_rrc_ies.maxNoBitsReceived maxNoBitsReceived Unsigned 32-bit integer umts_rrc_ies.MaxNoBits
umts_rrc_ies.maxNoBitsTransmitted maxNoBitsTransmitted Unsigned 32-bit integer umts_rrc_ies.MaxNoBits
umts_rrc_ies.maxNoDPCH_PDSCH_Codes maxNoDPCH-PDSCH-Codes Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_8
umts_rrc_ies.maxNoDPDCH_BitsTransmitted maxNoDPDCH-BitsTransmitted Unsigned 32-bit integer umts_rrc_ies.MaxNoDPDCH_BitsTransmitted
umts_rrc_ies.maxNoPhysChBitsReceived maxNoPhysChBitsReceived Unsigned 32-bit integer umts_rrc_ies.MaxNoPhysChBitsReceived
umts_rrc_ies.maxNoSCCPCH_RL maxNoSCCPCH-RL Unsigned 32-bit integer umts_rrc_ies.MaxNoSCCPCH_RL
umts_rrc_ies.maxNumberOfTF maxNumberOfTF Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfTF
umts_rrc_ies.maxNumberOfTFC maxNumberOfTFC Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfTFC_DL
umts_rrc_ies.maxPhysChPerFrame maxPhysChPerFrame Unsigned 32-bit integer umts_rrc_ies.MaxPhysChPerFrame
umts_rrc_ies.maxPhysChPerTS maxPhysChPerTS Unsigned 32-bit integer umts_rrc_ies.MaxPhysChPerTS
umts_rrc_ies.maxPhysChPerTimeslot maxPhysChPerTimeslot Unsigned 32-bit integer umts_rrc_ies.MaxPhysChPerTimeslot
umts_rrc_ies.maxPowerIncrease maxPowerIncrease Unsigned 32-bit integer umts_rrc_ies.MaxPowerIncrease_r4
umts_rrc_ies.maxROHC_ContextSessions maxROHC-ContextSessions Unsigned 32-bit integer umts_rrc_ies.MaxROHC_ContextSessions_r4
umts_rrc_ies.maxReceivedTransportBlocks maxReceivedTransportBlocks Unsigned 32-bit integer umts_rrc_ies.MaxTransportBlocksDL
umts_rrc_ies.maxReportedCellsOnRACH maxReportedCellsOnRACH Unsigned 32-bit integer umts_rrc_ies.MaxReportedCellsOnRACH
umts_rrc_ies.maxReportedCellsOnRACHinterFreq maxReportedCellsOnRACHinterFreq Unsigned 32-bit integer umts_rrc_ies.MaxReportedCellsOnRACHinterFreq
umts_rrc_ies.maxSimultaneousCCTrCH_Count maxSimultaneousCCTrCH-Count Unsigned 32-bit integer umts_rrc_ies.MaxSimultaneousCCTrCH_Count
umts_rrc_ies.maxSimultaneousTransChs maxSimultaneousTransChs Unsigned 32-bit integer umts_rrc_ies.MaxSimultaneousTransChsDL
umts_rrc_ies.maxTFCIField2Value maxTFCIField2Value Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_1023
umts_rrc_ies.maxTFCI_Field2Value maxTFCI-Field2Value Unsigned 32-bit integer umts_rrc_ies.MaxTFCI_Field2Value
umts_rrc_ies.maxTS_PerFrame maxTS-PerFrame Unsigned 32-bit integer umts_rrc_ies.MaxTS_PerFrame
umts_rrc_ies.maxTS_PerSubFrame maxTS-PerSubFrame Unsigned 32-bit integer umts_rrc_ies.MaxTS_PerSubFrame_r4
umts_rrc_ies.maxTransmittedBlocks maxTransmittedBlocks Unsigned 32-bit integer umts_rrc_ies.MaxTransportBlocksUL
umts_rrc_ies.max_CID max-CID Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_16383
umts_rrc_ies.max_HEADER max-HEADER Unsigned 32-bit integer umts_rrc_ies.INTEGER_60_65535
umts_rrc_ies.max_RST max-RST Unsigned 32-bit integer umts_rrc_ies.MaxRST
umts_rrc_ies.max_SYNC_UL_Transmissions max-SYNC-UL-Transmissions Unsigned 32-bit integer umts_rrc_ies.T_max_SYNC_UL_Transmissions
umts_rrc_ies.maximumAM_EntityNumber maximumAM-EntityNumber Unsigned 32-bit integer umts_rrc_ies.MaximumAM_EntityNumberRLC_Cap
umts_rrc_ies.maximumBitRate maximumBitRate Unsigned 32-bit integer umts_rrc_ies.MaximumBitRate
umts_rrc_ies.maximumRLC_WindowSize maximumRLC-WindowSize Unsigned 32-bit integer umts_rrc_ies.MaximumRLC_WindowSize
umts_rrc_ies.mbmsNotificationIndLength mbmsNotificationIndLength Unsigned 32-bit integer umts_rrc_ies.MBMS_MICHNotificationIndLength
umts_rrc_ies.mbmsPreferredFrequency mbmsPreferredFrequency Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_maxMBMSFreq
umts_rrc_ies.mbmsSessionAlreadyReceivedCorrectly mbmsSessionAlreadyReceivedCorrectly No value umts_rrc_ies.NULL
umts_rrc_ies.mbms_CommonPhyChIdentity mbms-CommonPhyChIdentity Unsigned 32-bit integer umts_rrc_ies.MBMS_CommonPhyChIdentity
umts_rrc_ies.mbms_ConnectedModeCountingScope mbms-ConnectedModeCountingScope No value umts_rrc_ies.MBMS_ConnectedModeCountingScope
umts_rrc_ies.mbms_DispersionIndicator mbms-DispersionIndicator Unsigned 32-bit integer umts_rrc_ies.T_mbms_DispersionIndicator
umts_rrc_ies.mbms_HCSoffset mbms-HCSoffset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_7
umts_rrc_ies.mbms_L1CombiningSchedule mbms-L1CombiningSchedule Unsigned 32-bit integer umts_rrc_ies.MBMS_L1CombiningSchedule
umts_rrc_ies.mbms_L1CombiningTransmTimeDiff mbms-L1CombiningTransmTimeDiff Unsigned 32-bit integer umts_rrc_ies.MBMS_L1CombiningTransmTimeDiff
umts_rrc_ies.mbms_L23Configuration mbms-L23Configuration Unsigned 32-bit integer umts_rrc_ies.MBMS_L23Configuration
umts_rrc_ies.mbms_PL_ServiceRestrictInfo mbms-PL-ServiceRestrictInfo Unsigned 32-bit integer umts_rrc_ies.MBMS_PL_ServiceRestrictInfo_r6
umts_rrc_ies.mbms_PreferredFrequency mbms-PreferredFrequency Unsigned 32-bit integer umts_rrc_ies.T_mbms_PreferredFrequency
umts_rrc_ies.mbms_Qoffset mbms-Qoffset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_7
umts_rrc_ies.mbms_RequiredUEAction mbms-RequiredUEAction Unsigned 32-bit integer umts_rrc_ies.MBMS_RequiredUEAction_Mod
umts_rrc_ies.mbms_ServiceIdentity mbms-ServiceIdentity No value umts_rrc_ies.MBMS_ServiceIdentity
umts_rrc_ies.mbms_ServiceTransmInfoList mbms-ServiceTransmInfoList Unsigned 32-bit integer umts_rrc_ies.MBMS_ServiceTransmInfoList
umts_rrc_ies.mbms_SessionIdentity mbms-SessionIdentity Byte array umts_rrc_ies.MBMS_SessionIdentity
umts_rrc_ies.mbms_TransmissionIdentity mbms-TransmissionIdentity No value umts_rrc_ies.MBMS_TransmissionIdentity
umts_rrc_ies.mcc mcc Unsigned 32-bit integer umts_rrc_ies.MCC
umts_rrc_ies.mcch mcch Unsigned 32-bit integer umts_rrc_ies.MBMS_PFLIndex
umts_rrc_ies.mcch_ConfigurationInfo mcch-ConfigurationInfo No value umts_rrc_ies.MBMS_MCCH_ConfigurationInfo_r6
umts_rrc_ies.measQuantityUTRAN_QualityEstimate measQuantityUTRAN-QualityEstimate No value umts_rrc_ies.IntraFreqMeasQuantity
umts_rrc_ies.measurementCapability measurementCapability No value umts_rrc_ies.MeasurementCapability
umts_rrc_ies.measurementCapability2 measurementCapability2 No value umts_rrc_ies.MeasurementCapabilityExt2
umts_rrc_ies.measurementCapability_r4_ext measurementCapability-r4-ext No value umts_rrc_ies.MeasurementCapability_r4_ext
umts_rrc_ies.measurementControlSysInfo measurementControlSysInfo No value umts_rrc_ies.MeasurementControlSysInfo
umts_rrc_ies.measurementControlSysInfo_LCR measurementControlSysInfo-LCR No value umts_rrc_ies.MeasurementControlSysInfo_LCR_r4_ext
umts_rrc_ies.measurementInterval measurementInterval Unsigned 32-bit integer umts_rrc_ies.UE_Positioning_MeasurementInterval
umts_rrc_ies.measurementPowerOffset measurementPowerOffset Signed 32-bit integer umts_rrc_ies.MeasurementPowerOffset
umts_rrc_ies.measurementQuantity measurementQuantity Unsigned 32-bit integer umts_rrc_ies.MeasurementQuantityGSM
umts_rrc_ies.measurementReportTransferMode measurementReportTransferMode Unsigned 32-bit integer umts_rrc_ies.TransferMode
umts_rrc_ies.measurementReportingMode measurementReportingMode No value umts_rrc_ies.MeasurementReportingMode
umts_rrc_ies.measurementType measurementType Unsigned 32-bit integer umts_rrc_ies.MeasurementType
umts_rrc_ies.measurementValidity measurementValidity No value umts_rrc_ies.MeasurementValidity
umts_rrc_ies.measurement_feedback_Info measurement-feedback-Info No value umts_rrc_ies.Measurement_Feedback_Info
umts_rrc_ies.memoryPartitioning memoryPartitioning Unsigned 32-bit integer umts_rrc_ies.T_memoryPartitioning
umts_rrc_ies.messType messType Unsigned 32-bit integer umts_rrc_ies.MessType
umts_rrc_ies.messageAuthenticationCode messageAuthenticationCode Byte array umts_rrc_ies.MessageAuthenticationCode
umts_rrc_ies.messageExtensionNotComprehended messageExtensionNotComprehended No value umts_rrc_ies.IdentificationOfReceivedMessage
umts_rrc_ies.messageNotCompatibleWithReceiverState messageNotCompatibleWithReceiverState No value umts_rrc_ies.IdentificationOfReceivedMessage
umts_rrc_ies.messageTypeNonexistent messageTypeNonexistent No value umts_rrc_ies.NULL
umts_rrc_ies.methodType methodType Unsigned 32-bit integer umts_rrc_ies.UE_Positioning_MethodType
umts_rrc_ies.mibPLMN_Identity mibPLMN-Identity Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.mib_ValueTag mib-ValueTag Unsigned 32-bit integer umts_rrc_ies.MIB_ValueTag
umts_rrc_ies.michPowerOffset michPowerOffset Signed 32-bit integer umts_rrc_ies.MBMS_MICHPowerOffset
umts_rrc_ies.midambleAllocationMode midambleAllocationMode Unsigned 32-bit integer umts_rrc_ies.T_midambleAllocationMode
umts_rrc_ies.midambleConfiguration midambleConfiguration Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_8
umts_rrc_ies.midambleConfigurationBurstType1and3 midambleConfigurationBurstType1and3 Unsigned 32-bit integer umts_rrc_ies.MidambleConfigurationBurstType1and3
umts_rrc_ies.midambleConfigurationBurstType2 midambleConfigurationBurstType2 Unsigned 32-bit integer umts_rrc_ies.MidambleConfigurationBurstType2
umts_rrc_ies.midambleShift midambleShift Unsigned 32-bit integer umts_rrc_ies.MidambleShiftLong
umts_rrc_ies.midambleShiftAndBurstType midambleShiftAndBurstType No value umts_rrc_ies.MidambleShiftAndBurstType_DL
umts_rrc_ies.midambleconfiguration midambleconfiguration Unsigned 32-bit integer umts_rrc_ies.MidambleConfigurationBurstType1and3
umts_rrc_ies.min_P_REV min-P-REV Byte array umts_rrc_ies.Min_P_REV
umts_rrc_ies.minimumAllowedTFC_Number minimumAllowedTFC-Number Unsigned 32-bit integer umts_rrc_ies.TFC_Value
umts_rrc_ies.minimumSF minimumSF Unsigned 32-bit integer umts_rrc_ies.MinimumSF_DL
umts_rrc_ies.minimumSpreadingFactor minimumSpreadingFactor Unsigned 32-bit integer umts_rrc_ies.MinimumSpreadingFactor
umts_rrc_ies.missingPDU_Indicator missingPDU-Indicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.mmax mmax Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_32
umts_rrc_ies.mnc mnc Unsigned 32-bit integer umts_rrc_ies.MNC
umts_rrc_ies.mode mode Unsigned 32-bit integer umts_rrc_ies.T_mode
umts_rrc_ies.mode1 mode1 No value umts_rrc_ies.NULL
umts_rrc_ies.mode2 mode2 No value umts_rrc_ies.T_mode2
umts_rrc_ies.modeSpecificInfo modeSpecificInfo Unsigned 32-bit integer umts_rrc_ies.T_modeSpecificInfo
umts_rrc_ies.modificationPeriodCoefficient modificationPeriodCoefficient Unsigned 32-bit integer umts_rrc_ies.INTEGER_7_10
umts_rrc_ies.modify modify No value umts_rrc_ies.T_modify
umts_rrc_ies.modulation modulation Unsigned 32-bit integer umts_rrc_ies.T_modulation
umts_rrc_ies.monitoredCells monitoredCells Unsigned 32-bit integer umts_rrc_ies.MonitoredCellRACH_List
umts_rrc_ies.monitoredSetReportingQuantities monitoredSetReportingQuantities No value umts_rrc_ies.CellReportingQuantities
umts_rrc_ies.moreTimeslots moreTimeslots Unsigned 32-bit integer umts_rrc_ies.T_moreTimeslots
umts_rrc_ies.ms2_NonSchedTransmGrantHARQAlloc ms2-NonSchedTransmGrantHARQAlloc Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.ms2_SchedTransmGrantHARQAlloc ms2-SchedTransmGrantHARQAlloc Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.ms_part ms-part Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1023
umts_rrc_ies.mschConfigurationInfo mschConfigurationInfo No value umts_rrc_ies.MBMS_MSCHConfigurationInfo_r6
umts_rrc_ies.mschShedulingInfo mschShedulingInfo Unsigned 32-bit integer umts_rrc_ies.MBMS_MSCHSchedulingInfo
umts_rrc_ies.msg_Type msg-Type Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.mtch_L1CombiningPeriodList mtch-L1CombiningPeriodList Unsigned 32-bit integer umts_rrc_ies.T_mtch_L1CombiningPeriodList
umts_rrc_ies.mtch_L1CombiningPeriodList_item Item No value umts_rrc_ies.T_mtch_L1CombiningPeriodList_item
umts_rrc_ies.multiCarrierMeasurements multiCarrierMeasurements Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.multiCodeInfo multiCodeInfo Unsigned 32-bit integer umts_rrc_ies.MultiCodeInfo
umts_rrc_ies.multiModeCapability multiModeCapability Unsigned 32-bit integer umts_rrc_ies.MultiModeCapability
umts_rrc_ies.multiModeRAT_Capability_v590ext multiModeRAT-Capability-v590ext No value umts_rrc_ies.MultiModeRAT_Capability_v590ext
umts_rrc_ies.multiRAT_CapabilityList multiRAT-CapabilityList No value umts_rrc_ies.MultiRAT_Capability
umts_rrc_ies.multipathIndicator multipathIndicator Unsigned 32-bit integer umts_rrc_ies.MultipathIndicator
umts_rrc_ies.multiplePLMN_List multiplePLMN-List No value umts_rrc_ies.MultiplePLMN_List_r6
umts_rrc_ies.multiplePLMNs multiplePLMNs Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_5_OF_PLMN_IdentityWithOptionalMCC_r6
umts_rrc_ies.multiplePLMNs_item Item No value umts_rrc_ies.PLMN_IdentityWithOptionalMCC_r6
umts_rrc_ies.n_300 n-300 Unsigned 32-bit integer umts_rrc_ies.N_300
umts_rrc_ies.n_301 n-301 Unsigned 32-bit integer umts_rrc_ies.N_301
umts_rrc_ies.n_302 n-302 Unsigned 32-bit integer umts_rrc_ies.N_302
umts_rrc_ies.n_304 n-304 Unsigned 32-bit integer umts_rrc_ies.N_304
umts_rrc_ies.n_310 n-310 Unsigned 32-bit integer umts_rrc_ies.N_310
umts_rrc_ies.n_312 n-312 Unsigned 32-bit integer umts_rrc_ies.N_312
umts_rrc_ies.n_313 n-313 Unsigned 32-bit integer umts_rrc_ies.N_313
umts_rrc_ies.n_315 n-315 Unsigned 32-bit integer umts_rrc_ies.N_315
umts_rrc_ies.n_AP_RetransMax n-AP-RetransMax Unsigned 32-bit integer umts_rrc_ies.N_AP_RetransMax
umts_rrc_ies.n_AccessFails n-AccessFails Unsigned 32-bit integer umts_rrc_ies.N_AccessFails
umts_rrc_ies.n_CR n-CR Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_16
umts_rrc_ies.n_EOT n-EOT Unsigned 32-bit integer umts_rrc_ies.N_EOT
umts_rrc_ies.n_GAP n-GAP Unsigned 32-bit integer umts_rrc_ies.N_GAP
umts_rrc_ies.n_PCH n-PCH Unsigned 32-bit integer umts_rrc_ies.N_PCH
umts_rrc_ies.n_StartMessage n-StartMessage Unsigned 32-bit integer umts_rrc_ies.N_StartMessage
umts_rrc_ies.nack_ack_power_offset nack-ack-power-offset Signed 32-bit integer umts_rrc_ies.INTEGER_M7_8
umts_rrc_ies.nas_Synchronisation_Indicator nas-Synchronisation-Indicator Byte array umts_rrc_ies.NAS_Synchronisation_Indicator
umts_rrc_ies.navModelAddDataRequest navModelAddDataRequest No value umts_rrc_ies.UE_Positioning_GPS_NavModelAddDataReq
umts_rrc_ies.navigationModelRequest navigationModelRequest Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.navigationModelSatInfoList navigationModelSatInfoList Unsigned 32-bit integer umts_rrc_ies.NavigationModelSatInfoList
umts_rrc_ies.nb01Max nb01Max Unsigned 32-bit integer umts_rrc_ies.NB01
umts_rrc_ies.nb01Min nb01Min Unsigned 32-bit integer umts_rrc_ies.NB01
umts_rrc_ies.ncMode ncMode Byte array umts_rrc_ies.NC_Mode
umts_rrc_ies.ncc ncc Unsigned 32-bit integer umts_rrc_ies.NCC
umts_rrc_ies.neighbourAndChannelIdentity neighbourAndChannelIdentity No value umts_rrc_ies.CellAndChannelIdentity
umts_rrc_ies.neighbourIdentity neighbourIdentity No value umts_rrc_ies.PrimaryCPICH_Info
umts_rrc_ies.neighbourList neighbourList Unsigned 32-bit integer umts_rrc_ies.NeighbourList
umts_rrc_ies.neighbourList_v390ext neighbourList-v390ext Unsigned 32-bit integer umts_rrc_ies.NeighbourList_v390ext
umts_rrc_ies.neighbourQuality neighbourQuality No value umts_rrc_ies.NeighbourQuality
umts_rrc_ies.networkAssistedGPS_Supported networkAssistedGPS-Supported Unsigned 32-bit integer umts_rrc_ies.NetworkAssistedGPS_Supported
umts_rrc_ies.newInterFreqCellList newInterFreqCellList Unsigned 32-bit integer umts_rrc_ies.NewInterFreqCellList
umts_rrc_ies.newInterFrequencyCellInfoList_v590ext newInterFrequencyCellInfoList-v590ext Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxCellMeas_OF_CellSelectReselectInfo_v590ext
umts_rrc_ies.newInterFrequencyCellInfoList_v590ext_item Item No value umts_rrc_ies.CellSelectReselectInfo_v590ext
umts_rrc_ies.newInterRATCellInfoList_v590ext newInterRATCellInfoList-v590ext Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxCellMeas_OF_CellSelectReselectInfo_v590ext
umts_rrc_ies.newInterRATCellInfoList_v590ext_item Item No value umts_rrc_ies.CellSelectReselectInfo_v590ext
umts_rrc_ies.newInterRATCellList newInterRATCellList Unsigned 32-bit integer umts_rrc_ies.NewInterRATCellList
umts_rrc_ies.newIntraFreqCellList newIntraFreqCellList Unsigned 32-bit integer umts_rrc_ies.NewIntraFreqCellList
umts_rrc_ies.newIntraFrequencyCellInfoList_v590ext newIntraFrequencyCellInfoList-v590ext Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxCellMeas_OF_CellSelectReselectInfo_v590ext
umts_rrc_ies.newIntraFrequencyCellInfoList_v590ext_item Item No value umts_rrc_ies.CellSelectReselectInfo_v590ext
umts_rrc_ies.newParameters newParameters No value umts_rrc_ies.T_newParameters
umts_rrc_ies.new_Configuration new-Configuration No value umts_rrc_ies.T_new_Configuration
umts_rrc_ies.nextSchedulingperiod nextSchedulingperiod Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_31
umts_rrc_ies.nf_BO_AllBusy nf-BO-AllBusy Unsigned 32-bit integer umts_rrc_ies.NF_BO_AllBusy
umts_rrc_ies.nf_BO_Mismatch nf-BO-Mismatch Unsigned 32-bit integer umts_rrc_ies.NF_BO_Mismatch
umts_rrc_ies.nf_BO_NoAICH nf-BO-NoAICH Unsigned 32-bit integer umts_rrc_ies.NF_BO_NoAICH
umts_rrc_ies.nf_Max nf-Max Unsigned 32-bit integer umts_rrc_ies.NF_Max
umts_rrc_ies.ni_CountPerFrame ni-CountPerFrame Unsigned 32-bit integer umts_rrc_ies.MBMS_NI_CountPerFrame
umts_rrc_ies.nid nid Byte array umts_rrc_ies.NID
umts_rrc_ies.nidentifyAbort nidentifyAbort Unsigned 32-bit integer umts_rrc_ies.NidentifyAbort
umts_rrc_ies.noCoding noCoding No value umts_rrc_ies.NULL
umts_rrc_ies.noDiscard noDiscard Unsigned 32-bit integer umts_rrc_ies.MaxDAT
umts_rrc_ies.noError noError No value umts_rrc_ies.NULL
umts_rrc_ies.noMore noMore No value umts_rrc_ies.NULL
umts_rrc_ies.noRelease noRelease No value umts_rrc_ies.NULL
umts_rrc_ies.noReporting noReporting No value umts_rrc_ies.ReportingCellStatusOpt
umts_rrc_ies.noRestriction noRestriction No value umts_rrc_ies.NULL
umts_rrc_ies.nonCriticalExtensions nonCriticalExtensions No value umts_rrc_ies.T_nonCriticalExtensions
umts_rrc_ies.nonFreqRelatedEventResults nonFreqRelatedEventResults Unsigned 32-bit integer umts_rrc_ies.CellMeasurementEventResults
umts_rrc_ies.nonFreqRelatedQuantities nonFreqRelatedQuantities No value umts_rrc_ies.CellReportingQuantities
umts_rrc_ies.nonUsedFreqParameterList nonUsedFreqParameterList Unsigned 32-bit integer umts_rrc_ies.NonUsedFreqParameterList
umts_rrc_ies.nonUsedFreqThreshold nonUsedFreqThreshold Signed 32-bit integer umts_rrc_ies.Threshold
umts_rrc_ies.nonUsedFreqW nonUsedFreqW Unsigned 32-bit integer umts_rrc_ies.W
umts_rrc_ies.nonVerifiedBSIC nonVerifiedBSIC Unsigned 32-bit integer umts_rrc_ies.BCCH_ARFCN
umts_rrc_ies.non_HCS_t_CR_Max non-HCS-t-CR-Max Unsigned 32-bit integer umts_rrc_ies.T_CRMax
umts_rrc_ies.non_ScheduledTranmGrantInfo non-ScheduledTranmGrantInfo No value umts_rrc_ies.T_non_ScheduledTranmGrantInfo
umts_rrc_ies.non_TCP_SPACE non-TCP-SPACE Unsigned 32-bit integer umts_rrc_ies.INTEGER_3_65535
umts_rrc_ies.non_allowedTFC_List non-allowedTFC-List Unsigned 32-bit integer umts_rrc_ies.Non_allowedTFC_List
umts_rrc_ies.normalTFCI_Signalling normalTFCI-Signalling Unsigned 32-bit integer umts_rrc_ies.ExplicitTFCS_Configuration
umts_rrc_ies.notActive notActive No value umts_rrc_ies.NULL
umts_rrc_ies.notBarred notBarred No value umts_rrc_ies.NULL
umts_rrc_ies.notStored notStored No value umts_rrc_ies.NULL
umts_rrc_ies.notSupported notSupported No value umts_rrc_ies.NULL
umts_rrc_ies.notUsed notUsed No value umts_rrc_ies.NULL
umts_rrc_ies.ns_BO_Busy ns-BO-Busy Unsigned 32-bit integer umts_rrc_ies.NS_BO_Busy
umts_rrc_ies.numAdditionalTimeslots numAdditionalTimeslots Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_maxTS1
umts_rrc_ies.numberOfDPDCH numberOfDPDCH Unsigned 32-bit integer umts_rrc_ies.NumberOfDPDCH
umts_rrc_ies.numberOfFBI_Bits numberOfFBI-Bits Unsigned 32-bit integer umts_rrc_ies.NumberOfFBI_Bits
umts_rrc_ies.numberOfOTDOA_Measurements numberOfOTDOA-Measurements Byte array umts_rrc_ies.BIT_STRING_SIZE_3
umts_rrc_ies.numberOfProcesses numberOfProcesses Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_8
umts_rrc_ies.numberOfRepetitionsPerSFNPeriod numberOfRepetitionsPerSFNPeriod Unsigned 32-bit integer umts_rrc_ies.T_numberOfRepetitionsPerSFNPeriod
umts_rrc_ies.numberOfTbSizeAndTTIList numberOfTbSizeAndTTIList Unsigned 32-bit integer umts_rrc_ies.NumberOfTbSizeAndTTIList
umts_rrc_ies.numberOfTbSizeList numberOfTbSizeList Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxTF_OF_NumberOfTransportBlocks
umts_rrc_ies.numberOfTbSizeList_item Item Unsigned 32-bit integer umts_rrc_ies.NumberOfTransportBlocks
umts_rrc_ies.numberOfTransportBlocks numberOfTransportBlocks Unsigned 32-bit integer umts_rrc_ies.NumberOfTransportBlocks
umts_rrc_ies.octetModeRLC_SizeInfoType1 octetModeRLC-SizeInfoType1 Unsigned 32-bit integer umts_rrc_ies.OctetModeRLC_SizeInfoType1
umts_rrc_ies.octetModeRLC_SizeInfoType2 octetModeRLC-SizeInfoType2 Unsigned 32-bit integer umts_rrc_ies.OctetModeRLC_SizeInfoType2
umts_rrc_ies.octetModeType1 octetModeType1 Unsigned 32-bit integer umts_rrc_ies.OctetModeRLC_SizeInfoType1
umts_rrc_ies.off off Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_255
umts_rrc_ies.offset offset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1
umts_rrc_ies.old_Configuration old-Configuration No value umts_rrc_ies.T_old_Configuration
umts_rrc_ies.omega omega Byte array umts_rrc_ies.BIT_STRING_SIZE_24
umts_rrc_ies.omega0 omega0 Byte array umts_rrc_ies.BIT_STRING_SIZE_24
umts_rrc_ies.omegaDot omegaDot Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.onWithNoReporting onWithNoReporting No value umts_rrc_ies.NULL
umts_rrc_ies.one one No value umts_rrc_ies.NULL
umts_rrc_ies.oneLogicalChannel oneLogicalChannel No value umts_rrc_ies.UL_LogicalChannelMapping
umts_rrc_ies.openLoopPowerControl_IPDL_TDD openLoopPowerControl-IPDL-TDD No value umts_rrc_ies.OpenLoopPowerControl_IPDL_TDD_r4
umts_rrc_ies.openLoopPowerControl_TDD openLoopPowerControl-TDD No value umts_rrc_ies.OpenLoopPowerControl_TDD
umts_rrc_ies.orientationMajorAxis orientationMajorAxis Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_89
umts_rrc_ies.other other Unsigned 32-bit integer umts_rrc_ies.T_other
umts_rrc_ies.otherEntries otherEntries Unsigned 32-bit integer umts_rrc_ies.PredefinedConfigStatusListVarSz
umts_rrc_ies.pCCPCH_LCR_Extensions pCCPCH-LCR-Extensions No value umts_rrc_ies.PrimaryCCPCH_Info_LCR_r4_ext
umts_rrc_ies.pCPICH_UsageForChannelEst pCPICH-UsageForChannelEst Unsigned 32-bit integer umts_rrc_ies.PCPICH_UsageForChannelEst
umts_rrc_ies.pNBSCH_Allocation_r4 pNBSCH-Allocation-r4 No value umts_rrc_ies.PNBSCH_Allocation_r4
umts_rrc_ies.pSDomainSpecificAccessRestriction pSDomainSpecificAccessRestriction Unsigned 32-bit integer umts_rrc_ies.DomainSpecificAccessRestriction_v670ext
umts_rrc_ies.p_REV p-REV Byte array umts_rrc_ies.P_REV
umts_rrc_ies.p_TMSI p-TMSI Byte array umts_rrc_ies.P_TMSI_GSM_MAP
umts_rrc_ies.p_TMSI_GSM_MAP p-TMSI-GSM-MAP Byte array umts_rrc_ies.P_TMSI_GSM_MAP
umts_rrc_ies.p_TMSI_and_RAI p-TMSI-and-RAI No value umts_rrc_ies.P_TMSI_and_RAI_GSM_MAP
umts_rrc_ies.pagingCause pagingCause Unsigned 32-bit integer umts_rrc_ies.PagingCause
umts_rrc_ies.pagingIndicatorLength pagingIndicatorLength Unsigned 32-bit integer umts_rrc_ies.PagingIndicatorLength
umts_rrc_ies.pagingRecordTypeID pagingRecordTypeID Unsigned 32-bit integer umts_rrc_ies.PagingRecordTypeID
umts_rrc_ies.parameters parameters Unsigned 32-bit integer umts_rrc_ies.T_parameters
umts_rrc_ies.part1 part1 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.part2 part2 Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_7
umts_rrc_ies.pathloss pathloss Unsigned 32-bit integer umts_rrc_ies.Pathloss
umts_rrc_ies.pathloss_reportingIndicator pathloss-reportingIndicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.payload payload Byte array umts_rrc_ies.BIT_STRING_SIZE_1_512
umts_rrc_ies.pc_Preamble pc-Preamble Unsigned 32-bit integer umts_rrc_ies.PC_Preamble
umts_rrc_ies.pcp_Length pcp-Length Unsigned 32-bit integer umts_rrc_ies.PCP_Length
umts_rrc_ies.pcpch_ChannelInfoList pcpch-ChannelInfoList Unsigned 32-bit integer umts_rrc_ies.PCPCH_ChannelInfoList
umts_rrc_ies.pcpch_DL_ChannelisationCode pcpch-DL-ChannelisationCode Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_511
umts_rrc_ies.pcpch_DL_ScramblingCode pcpch-DL-ScramblingCode Unsigned 32-bit integer umts_rrc_ies.SecondaryScramblingCode
umts_rrc_ies.pcpch_UL_ScramblingCode pcpch-UL-ScramblingCode Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_79
umts_rrc_ies.pdcp_Capability pdcp-Capability No value umts_rrc_ies.PDCP_Capability
umts_rrc_ies.pdcp_Capability_r4_ext pdcp-Capability-r4-ext No value umts_rrc_ies.PDCP_Capability_r4_ext
umts_rrc_ies.pdcp_Capability_r5_ext pdcp-Capability-r5-ext No value umts_rrc_ies.PDCP_Capability_r5_ext
umts_rrc_ies.pdcp_Capability_r5_ext2 pdcp-Capability-r5-ext2 No value umts_rrc_ies.PDCP_Capability_r5_ext2
umts_rrc_ies.pdcp_Info pdcp-Info No value umts_rrc_ies.PDCP_Info
umts_rrc_ies.pdcp_PDU_Header pdcp-PDU-Header Unsigned 32-bit integer umts_rrc_ies.PDCP_PDU_Header
umts_rrc_ies.pdcp_SN_Info pdcp-SN-Info Unsigned 32-bit integer umts_rrc_ies.PDCP_SN_Info
umts_rrc_ies.pdsch_AllocationPeriodInfo pdsch-AllocationPeriodInfo No value umts_rrc_ies.AllocationPeriodInfo
umts_rrc_ies.pdsch_CodeMapList pdsch-CodeMapList Unsigned 32-bit integer umts_rrc_ies.PDSCH_CodeMapList
umts_rrc_ies.pdsch_Identity pdsch-Identity Unsigned 32-bit integer umts_rrc_ies.PDSCH_Identity
umts_rrc_ies.pdsch_Info pdsch-Info No value umts_rrc_ies.PDSCH_Info
umts_rrc_ies.pdsch_PowerControlInfo pdsch-PowerControlInfo No value umts_rrc_ies.PDSCH_PowerControlInfo
umts_rrc_ies.pdsch_SysInfo pdsch-SysInfo No value umts_rrc_ies.PDSCH_SysInfo
umts_rrc_ies.pdsch_SysInfoList pdsch-SysInfoList Unsigned 32-bit integer umts_rrc_ies.PDSCH_SysInfoList
umts_rrc_ies.pdsch_SysInfoList_SFN pdsch-SysInfoList-SFN Unsigned 32-bit integer umts_rrc_ies.PDSCH_SysInfoList_SFN
umts_rrc_ies.pdsch_TimeslotsCodes pdsch-TimeslotsCodes No value umts_rrc_ies.DownlinkTimeslotsCodes
umts_rrc_ies.penaltyTime penaltyTime Unsigned 32-bit integer umts_rrc_ies.PenaltyTime_RSCP
umts_rrc_ies.pendingAfterTrigger pendingAfterTrigger Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_512
umts_rrc_ies.pendingTimeAfterTrigger pendingTimeAfterTrigger Unsigned 32-bit integer umts_rrc_ies.PendingTimeAfterTrigger
umts_rrc_ies.periodDuration periodDuration Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_8
umts_rrc_ies.periodStart periodStart Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_7
umts_rrc_ies.periodicReportingInfo_1b periodicReportingInfo-1b No value umts_rrc_ies.PeriodicReportingInfo_1b
umts_rrc_ies.periodicalOrEventTrigger periodicalOrEventTrigger Unsigned 32-bit integer umts_rrc_ies.PeriodicalOrEventTrigger
umts_rrc_ies.periodicalReportingCriteria periodicalReportingCriteria No value umts_rrc_ies.PeriodicalReportingCriteria
umts_rrc_ies.periodicityOfSchedInfo_Grant periodicityOfSchedInfo-Grant Unsigned 32-bit integer umts_rrc_ies.E_DPDCH_PeriodicyOfSchedInfo
umts_rrc_ies.periodicityOfSchedInfo_NoGrant periodicityOfSchedInfo-NoGrant Unsigned 32-bit integer umts_rrc_ies.E_DPDCH_PeriodicyOfSchedInfo
umts_rrc_ies.persistenceScalingFactorList persistenceScalingFactorList Unsigned 32-bit integer umts_rrc_ies.PersistenceScalingFactorList
umts_rrc_ies.physChDuration physChDuration Unsigned 32-bit integer umts_rrc_ies.DurationTimeInfo
umts_rrc_ies.physicalChannelCapability physicalChannelCapability No value umts_rrc_ies.PhysicalChannelCapability
umts_rrc_ies.physicalChannelCapability_LCR physicalChannelCapability-LCR No value umts_rrc_ies.PhysicalChannelCapability_LCR_r4
umts_rrc_ies.physicalChannelFailure physicalChannelFailure No value umts_rrc_ies.NULL
umts_rrc_ies.physicalchannelcapability_edch physicalchannelcapability-edch No value umts_rrc_ies.PhysicalChannelCapability_edch_r6
umts_rrc_ies.pi_CountPerFrame pi-CountPerFrame Unsigned 32-bit integer umts_rrc_ies.PI_CountPerFrame
umts_rrc_ies.pichChannelisationCodeList_LCR_r4 pichChannelisationCodeList-LCR-r4 Unsigned 32-bit integer umts_rrc_ies.PichChannelisationCodeList_LCR_r4
umts_rrc_ies.pich_Info pich-Info Unsigned 32-bit integer umts_rrc_ies.PICH_Info
umts_rrc_ies.pich_PowerOffset pich-PowerOffset Signed 32-bit integer umts_rrc_ies.PICH_PowerOffset
umts_rrc_ies.pilotSymbolExistence pilotSymbolExistence Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.pl_NonMax pl-NonMax Unsigned 32-bit integer umts_rrc_ies.E_DPDCH_PL_NonMax
umts_rrc_ies.plmn_Identity plmn-Identity No value umts_rrc_ies.PLMN_Identity
umts_rrc_ies.plmn_Type plmn-Type Unsigned 32-bit integer umts_rrc_ies.PLMN_Type
umts_rrc_ies.plmnsOfInterFreqCellsList plmnsOfInterFreqCellsList Unsigned 32-bit integer umts_rrc_ies.PLMNsOfInterFreqCellsList
umts_rrc_ies.plmnsOfInterRATCellsList plmnsOfInterRATCellsList Unsigned 32-bit integer umts_rrc_ies.PLMNsOfInterRATCellsList
umts_rrc_ies.plmnsOfIntraFreqCellsList plmnsOfIntraFreqCellsList Unsigned 32-bit integer umts_rrc_ies.PLMNsOfIntraFreqCellsList
umts_rrc_ies.pollWindow pollWindow Unsigned 32-bit integer umts_rrc_ies.PollWindow
umts_rrc_ies.poll_PDU poll-PDU Unsigned 32-bit integer umts_rrc_ies.Poll_PDU
umts_rrc_ies.poll_SDU poll-SDU Unsigned 32-bit integer umts_rrc_ies.Poll_SDU
umts_rrc_ies.pollingInfo pollingInfo No value umts_rrc_ies.PollingInfo
umts_rrc_ies.positionEstimate positionEstimate Unsigned 32-bit integer umts_rrc_ies.PositionEstimate
umts_rrc_ies.positionFixedOrFlexible positionFixedOrFlexible Unsigned 32-bit integer umts_rrc_ies.PositionFixedOrFlexible
umts_rrc_ies.positioningMethod positioningMethod Unsigned 32-bit integer umts_rrc_ies.PositioningMethod
umts_rrc_ies.positioningMode positioningMode Unsigned 32-bit integer umts_rrc_ies.T_positioningMode
umts_rrc_ies.postVerificationPeriod postVerificationPeriod Unsigned 32-bit integer umts_rrc_ies.T_postVerificationPeriod
umts_rrc_ies.powerControlAlgorithm powerControlAlgorithm Unsigned 32-bit integer umts_rrc_ies.PowerControlAlgorithm
umts_rrc_ies.powerOffsetForSchedInfo powerOffsetForSchedInfo Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_6
umts_rrc_ies.powerOffsetInformation powerOffsetInformation No value umts_rrc_ies.PowerOffsetInformation
umts_rrc_ies.powerOffsetPilot_pdpdch powerOffsetPilot-pdpdch Unsigned 32-bit integer umts_rrc_ies.PowerOffsetPilot_pdpdch
umts_rrc_ies.powerOffsetPp_m powerOffsetPp-m Signed 32-bit integer umts_rrc_ies.PowerOffsetPp_m
umts_rrc_ies.powerOffsetTPC_pdpdch powerOffsetTPC-pdpdch Unsigned 32-bit integer umts_rrc_ies.PowerOffsetTPC_pdpdch
umts_rrc_ies.powerRampStep powerRampStep Unsigned 32-bit integer umts_rrc_ies.PowerRampStep
umts_rrc_ies.power_level_HSSICH power-level-HSSICH Signed 32-bit integer umts_rrc_ies.INTEGER_M120_M58
umts_rrc_ies.prach_ChanCodes_LCR prach-ChanCodes-LCR Unsigned 32-bit integer umts_rrc_ies.PRACH_ChanCodes_LCR_r4
umts_rrc_ies.prach_ConstantValue prach-ConstantValue Signed 32-bit integer umts_rrc_ies.ConstantValueTdd
umts_rrc_ies.prach_DefinitionList prach-DefinitionList Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxPRACHFPACH_OF_PRACH_Definition_LCR_r4
umts_rrc_ies.prach_DefinitionList_item Item No value umts_rrc_ies.PRACH_Definition_LCR_r4
umts_rrc_ies.prach_Information_SIB5_List prach-Information-SIB5-List Unsigned 32-bit integer umts_rrc_ies.DynamicPersistenceLevelList
umts_rrc_ies.prach_Information_SIB6_List prach-Information-SIB6-List Unsigned 32-bit integer umts_rrc_ies.DynamicPersistenceLevelList
umts_rrc_ies.prach_Midamble prach-Midamble Unsigned 32-bit integer umts_rrc_ies.PRACH_Midamble
umts_rrc_ies.prach_Partitioning prach-Partitioning Unsigned 32-bit integer umts_rrc_ies.PRACH_Partitioning
umts_rrc_ies.prach_Partitioning_LCR prach-Partitioning-LCR Unsigned 32-bit integer umts_rrc_ies.PRACH_Partitioning_LCR_r4
umts_rrc_ies.prach_PowerOffset prach-PowerOffset No value umts_rrc_ies.PRACH_PowerOffset
umts_rrc_ies.prach_RACH_Info prach-RACH-Info No value umts_rrc_ies.PRACH_RACH_Info
umts_rrc_ies.prach_RACH_Info_LCR prach-RACH-Info-LCR No value umts_rrc_ies.PRACH_RACH_Info_LCR_r4
umts_rrc_ies.prach_SystemInformationList prach-SystemInformationList Unsigned 32-bit integer umts_rrc_ies.PRACH_SystemInformationList
umts_rrc_ies.prach_SystemInformationList_LCR_r4 prach-SystemInformationList-LCR-r4 Unsigned 32-bit integer umts_rrc_ies.PRACH_SystemInformationList_LCR_r4
umts_rrc_ies.prach_TFCS prach-TFCS Unsigned 32-bit integer umts_rrc_ies.TFCS
umts_rrc_ies.prc prc Signed 32-bit integer umts_rrc_ies.PRC
umts_rrc_ies.preDefPhyChConfiguration preDefPhyChConfiguration No value umts_rrc_ies.PreDefPhyChConfiguration
umts_rrc_ies.preDefTransChConfiguration preDefTransChConfiguration No value umts_rrc_ies.PreDefTransChConfiguration
umts_rrc_ies.preDefinedRadioConfiguration preDefinedRadioConfiguration No value umts_rrc_ies.PreDefRadioConfiguration
umts_rrc_ies.preambleRetransMax preambleRetransMax Unsigned 32-bit integer umts_rrc_ies.PreambleRetransMax
umts_rrc_ies.preambleScramblingCodeWordNumber preambleScramblingCodeWordNumber Unsigned 32-bit integer umts_rrc_ies.PreambleScramblingCodeWordNumber
umts_rrc_ies.predefinedConfigIdentity predefinedConfigIdentity Unsigned 32-bit integer umts_rrc_ies.PredefinedConfigIdentity
umts_rrc_ies.predefinedConfigValueTag predefinedConfigValueTag Unsigned 32-bit integer umts_rrc_ies.PredefinedConfigValueTag
umts_rrc_ies.predefinedRB_Configuration predefinedRB-Configuration No value umts_rrc_ies.PredefinedRB_Configuration
umts_rrc_ies.preferredFreqRequest preferredFreqRequest No value umts_rrc_ies.FrequencyInfo
umts_rrc_ies.primaryCCPCH_Info primaryCCPCH-Info No value umts_rrc_ies.PrimaryCCPCH_InfoPost
umts_rrc_ies.primaryCCPCH_RSCP primaryCCPCH-RSCP Unsigned 32-bit integer umts_rrc_ies.PrimaryCCPCH_RSCP
umts_rrc_ies.primaryCCPCH_RSCP_reportingIndicator primaryCCPCH-RSCP-reportingIndicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.primaryCCPCH_TX_Power primaryCCPCH-TX-Power Unsigned 32-bit integer umts_rrc_ies.PrimaryCCPCH_TX_Power
umts_rrc_ies.primaryCPICH_Info primaryCPICH-Info No value umts_rrc_ies.PrimaryCPICH_Info
umts_rrc_ies.primaryCPICH_TX_Power primaryCPICH-TX-Power Signed 32-bit integer umts_rrc_ies.PrimaryCPICH_TX_Power
umts_rrc_ies.primaryScramblingCode primaryScramblingCode Unsigned 32-bit integer umts_rrc_ies.PrimaryScramblingCode
umts_rrc_ies.primary_Secondary_GrantSelector primary-Secondary-GrantSelector Unsigned 32-bit integer umts_rrc_ies.T_primary_Secondary_GrantSelector
umts_rrc_ies.primary_plmn_Identity primary-plmn-Identity No value umts_rrc_ies.PLMN_Identity
umts_rrc_ies.proposedTGSN proposedTGSN Unsigned 32-bit integer umts_rrc_ies.TGSN
umts_rrc_ies.proposedTGSN_ReportingRequired proposedTGSN-ReportingRequired Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.protocolError protocolError No value umts_rrc_ies.ProtocolErrorInformation
umts_rrc_ies.protocolErrorCause protocolErrorCause Unsigned 32-bit integer umts_rrc_ies.ProtocolErrorCause
umts_rrc_ies.protocolErrorInformation protocolErrorInformation No value umts_rrc_ies.ProtocolErrorInformation
umts_rrc_ies.prxUpPCHdes prxUpPCHdes Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_62
umts_rrc_ies.pseudorangeRMS_Error pseudorangeRMS-Error Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.pt10 pt10 Unsigned 32-bit integer umts_rrc_ies.TemporaryOffset1
umts_rrc_ies.pt20 pt20 Unsigned 32-bit integer umts_rrc_ies.TemporaryOffset1
umts_rrc_ies.pt30 pt30 Unsigned 32-bit integer umts_rrc_ies.TemporaryOffset1
umts_rrc_ies.pt40 pt40 Unsigned 32-bit integer umts_rrc_ies.TemporaryOffset1
umts_rrc_ies.pt50 pt50 Unsigned 32-bit integer umts_rrc_ies.TemporaryOffset1
umts_rrc_ies.pt60 pt60 Unsigned 32-bit integer umts_rrc_ies.TemporaryOffset1
umts_rrc_ies.puncturingLimit puncturingLimit Unsigned 32-bit integer umts_rrc_ies.PuncturingLimit
umts_rrc_ies.pusch_Allocation pusch-Allocation Unsigned 32-bit integer umts_rrc_ies.T_pusch_Allocation
umts_rrc_ies.pusch_AllocationAssignment pusch-AllocationAssignment No value umts_rrc_ies.T_pusch_AllocationAssignment
umts_rrc_ies.pusch_AllocationPending pusch-AllocationPending No value umts_rrc_ies.NULL
umts_rrc_ies.pusch_AllocationPeriodInfo pusch-AllocationPeriodInfo No value umts_rrc_ies.AllocationPeriodInfo
umts_rrc_ies.pusch_ConstantValue pusch-ConstantValue Signed 32-bit integer umts_rrc_ies.ConstantValueTdd
umts_rrc_ies.pusch_Identity pusch-Identity Unsigned 32-bit integer umts_rrc_ies.PUSCH_Identity
umts_rrc_ies.pusch_Info pusch-Info No value umts_rrc_ies.PUSCH_Info
umts_rrc_ies.pusch_PowerControlInfo pusch-PowerControlInfo Unsigned 32-bit integer umts_rrc_ies.UL_TargetSIR
umts_rrc_ies.pusch_SysInfo pusch-SysInfo No value umts_rrc_ies.PUSCH_SysInfo
umts_rrc_ies.pusch_SysInfoList pusch-SysInfoList Unsigned 32-bit integer umts_rrc_ies.PUSCH_SysInfoList
umts_rrc_ies.pusch_SysInfoList_SFN pusch-SysInfoList-SFN Unsigned 32-bit integer umts_rrc_ies.PUSCH_SysInfoList_SFN
umts_rrc_ies.pusch_TimeslotsCodes pusch-TimeslotsCodes No value umts_rrc_ies.UplinkTimeslotsCodes
umts_rrc_ies.q_HCS q-HCS Unsigned 32-bit integer umts_rrc_ies.Q_HCS
umts_rrc_ies.q_HYST_2_S q-HYST-2-S Unsigned 32-bit integer umts_rrc_ies.Q_Hyst_S
umts_rrc_ies.q_Hyst_2_S_FACH q-Hyst-2-S-FACH Unsigned 32-bit integer umts_rrc_ies.Q_Hyst_S_Fine
umts_rrc_ies.q_Hyst_2_S_PCH q-Hyst-2-S-PCH Unsigned 32-bit integer umts_rrc_ies.Q_Hyst_S_Fine
umts_rrc_ies.q_Hyst_l_S q-Hyst-l-S Unsigned 32-bit integer umts_rrc_ies.Q_Hyst_S
umts_rrc_ies.q_Hyst_l_S_FACH q-Hyst-l-S-FACH Unsigned 32-bit integer umts_rrc_ies.Q_Hyst_S_Fine
umts_rrc_ies.q_Hyst_l_S_PCH q-Hyst-l-S-PCH Unsigned 32-bit integer umts_rrc_ies.Q_Hyst_S_Fine
umts_rrc_ies.q_Offset1S_N q-Offset1S-N Signed 32-bit integer umts_rrc_ies.Q_OffsetS_N
umts_rrc_ies.q_Offset2S_N q-Offset2S-N Signed 32-bit integer umts_rrc_ies.Q_OffsetS_N
umts_rrc_ies.q_OffsetS_N q-OffsetS-N Signed 32-bit integer umts_rrc_ies.Q_OffsetS_N
umts_rrc_ies.q_QualMin q-QualMin Signed 32-bit integer umts_rrc_ies.Q_QualMin
umts_rrc_ies.q_RxlevMin q-RxlevMin Signed 32-bit integer umts_rrc_ies.Q_RxlevMin
umts_rrc_ies.qualityEventResults qualityEventResults Unsigned 32-bit integer umts_rrc_ies.QualityEventResults
umts_rrc_ies.qualityMeasuredResults qualityMeasuredResults No value umts_rrc_ies.QualityMeasuredResults
umts_rrc_ies.qualityMeasurement qualityMeasurement No value umts_rrc_ies.QualityMeasurement
umts_rrc_ies.qualityReportingCriteria qualityReportingCriteria Unsigned 32-bit integer umts_rrc_ies.QualityReportingCriteria
umts_rrc_ies.qualityReportingQuantity qualityReportingQuantity No value umts_rrc_ies.QualityReportingQuantity
umts_rrc_ies.qualityTarget qualityTarget No value umts_rrc_ies.QualityTarget
umts_rrc_ies.rB_WithPDCP_InfoList rB-WithPDCP-InfoList Unsigned 32-bit integer umts_rrc_ies.RB_WithPDCP_InfoList
umts_rrc_ies.rL_RemovalInformationList rL-RemovalInformationList Unsigned 32-bit integer umts_rrc_ies.RL_RemovalInformationList
umts_rrc_ies.rab_Identity rab-Identity Unsigned 32-bit integer umts_rrc_ies.RAB_Identity
umts_rrc_ies.rab_Info rab-Info No value umts_rrc_ies.RAB_Info
umts_rrc_ies.rab_Info_r6_ext rab-Info-r6-ext No value umts_rrc_ies.RAB_Info_r6_ext
umts_rrc_ies.rac rac Byte array umts_rrc_ies.RoutingAreaCode
umts_rrc_ies.rach rach No value umts_rrc_ies.NULL
umts_rrc_ies.rach_TFCS rach-TFCS Unsigned 32-bit integer umts_rrc_ies.TFCS
umts_rrc_ies.rach_TransmissionParameters rach-TransmissionParameters No value umts_rrc_ies.RACH_TransmissionParameters
umts_rrc_ies.rach_TransportFormatSet rach-TransportFormatSet Unsigned 32-bit integer umts_rrc_ies.TransportFormatSet
umts_rrc_ies.rach_TransportFormatSet_LCR rach-TransportFormatSet-LCR Unsigned 32-bit integer umts_rrc_ies.TransportFormatSet_LCR
umts_rrc_ies.rachorcpch rachorcpch No value umts_rrc_ies.NULL
umts_rrc_ies.radioFrequencyBandFDD radioFrequencyBandFDD Unsigned 32-bit integer umts_rrc_ies.RadioFrequencyBandFDD
umts_rrc_ies.radioFrequencyBandFDD2 radioFrequencyBandFDD2 Unsigned 32-bit integer umts_rrc_ies.RadioFrequencyBandFDD2
umts_rrc_ies.radioFrequencyBandGSM radioFrequencyBandGSM Unsigned 32-bit integer umts_rrc_ies.RadioFrequencyBandGSM
umts_rrc_ies.radioFrequencyBandTDD radioFrequencyBandTDD Unsigned 32-bit integer umts_rrc_ies.RadioFrequencyBandTDD
umts_rrc_ies.radioFrequencyBandTDDList radioFrequencyBandTDDList Unsigned 32-bit integer umts_rrc_ies.RadioFrequencyBandTDDList
umts_rrc_ies.radioFrequencyTDDBandList radioFrequencyTDDBandList Unsigned 32-bit integer umts_rrc_ies.RadioFrequencyBandTDDList
umts_rrc_ies.rai rai No value umts_rrc_ies.RAI
umts_rrc_ies.rat rat Unsigned 32-bit integer umts_rrc_ies.RAT
umts_rrc_ies.ratSpecificInfo ratSpecificInfo Unsigned 32-bit integer umts_rrc_ies.T_ratSpecificInfo
umts_rrc_ies.rat_Identifier rat-Identifier Unsigned 32-bit integer umts_rrc_ies.RAT_Identifier
umts_rrc_ies.rat_List rat-List Unsigned 32-bit integer umts_rrc_ies.RAT_FDD_InfoList
umts_rrc_ies.rateMatchingAttribute rateMatchingAttribute Unsigned 32-bit integer umts_rrc_ies.RateMatchingAttribute
umts_rrc_ies.rbInformation rbInformation Unsigned 32-bit integer umts_rrc_ies.MBMS_CommonRBIdentity
umts_rrc_ies.rb_Change rb-Change Unsigned 32-bit integer umts_rrc_ies.T_rb_Change
umts_rrc_ies.rb_DL_CiphActivationTimeInfo rb-DL-CiphActivationTimeInfo Unsigned 32-bit integer umts_rrc_ies.RB_ActivationTimeInfoList
umts_rrc_ies.rb_Identity rb-Identity Unsigned 32-bit integer umts_rrc_ies.RB_Identity
umts_rrc_ies.rb_InformationList rb-InformationList Unsigned 32-bit integer umts_rrc_ies.RB_InformationSetupList
umts_rrc_ies.rb_InformationSetupList rb-InformationSetupList Unsigned 32-bit integer umts_rrc_ies.RB_InformationSetupList
umts_rrc_ies.rb_MappingInfo rb-MappingInfo Unsigned 32-bit integer umts_rrc_ies.RB_MappingInfo
umts_rrc_ies.rb_PDCPContextRelocationList rb-PDCPContextRelocationList Unsigned 32-bit integer umts_rrc_ies.RB_PDCPContextRelocationList
umts_rrc_ies.rb_StopContinue rb-StopContinue Unsigned 32-bit integer umts_rrc_ies.RB_StopContinue
umts_rrc_ies.rb_WithPDCP_InfoList rb-WithPDCP-InfoList Unsigned 32-bit integer umts_rrc_ies.RB_WithPDCP_InfoList
umts_rrc_ies.re_EstablishmentTimer re-EstablishmentTimer Unsigned 32-bit integer umts_rrc_ies.Re_EstablishmentTimer
umts_rrc_ies.re_mapToDefaultRb re-mapToDefaultRb Unsigned 32-bit integer umts_rrc_ies.RB_Identity
umts_rrc_ies.readSFN_Indicator readSFN-Indicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.realTimeIntegrityRequest realTimeIntegrityRequest Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.receivedMessageType receivedMessageType Unsigned 32-bit integer umts_rrc_ies.ReceivedMessageType
umts_rrc_ies.receivingWindowSize receivingWindowSize Unsigned 32-bit integer umts_rrc_ies.ReceivingWindowSize
umts_rrc_ies.reducedScramblingCodeNumber reducedScramblingCodeNumber Unsigned 32-bit integer umts_rrc_ies.ReducedScramblingCodeNumber
umts_rrc_ies.referenceCellIDentity referenceCellIDentity No value umts_rrc_ies.PrimaryCPICH_Info
umts_rrc_ies.referenceCellIdentity referenceCellIdentity Unsigned 32-bit integer umts_rrc_ies.CellParametersID
umts_rrc_ies.referenceIdentity referenceIdentity No value umts_rrc_ies.PrimaryCPICH_Info
umts_rrc_ies.referenceLocationRequest referenceLocationRequest Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.referenceTFC referenceTFC Unsigned 32-bit integer umts_rrc_ies.TFC_Value
umts_rrc_ies.referenceTFC_ID referenceTFC-ID Unsigned 32-bit integer umts_rrc_ies.ReferenceTFC_ID
umts_rrc_ies.referenceTime referenceTime Unsigned 32-bit integer umts_rrc_ies.T_referenceTime
umts_rrc_ies.referenceTimeDifferenceToCell referenceTimeDifferenceToCell Unsigned 32-bit integer umts_rrc_ies.ReferenceTimeDifferenceToCell
umts_rrc_ies.referenceTimeRequest referenceTimeRequest Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.reference_E_TFCI reference-E-TFCI Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_127
umts_rrc_ies.reference_E_TFCI_PO reference-E-TFCI-PO Unsigned 32-bit integer umts_rrc_ies.INTEGER_0
umts_rrc_ies.reference_E_TFCIs reference-E-TFCIs Unsigned 32-bit integer umts_rrc_ies.E_DPDCH_Reference_E_TFCIList
umts_rrc_ies.relativeAltitude relativeAltitude Signed 32-bit integer umts_rrc_ies.INTEGER_M4000_4000
umts_rrc_ies.relativeEast relativeEast Signed 32-bit integer umts_rrc_ies.INTEGER_M20000_20000
umts_rrc_ies.relativeNorth relativeNorth Signed 32-bit integer umts_rrc_ies.INTEGER_M20000_20000
umts_rrc_ies.release release No value umts_rrc_ies.T_release
umts_rrc_ies.release99 release99 No value umts_rrc_ies.T_release99
umts_rrc_ies.releaseCause releaseCause Unsigned 32-bit integer umts_rrc_ies.ReleaseCause
umts_rrc_ies.removal removal Unsigned 32-bit integer umts_rrc_ies.TFCS_RemovalList
umts_rrc_ies.removeAllInterFreqCells removeAllInterFreqCells No value umts_rrc_ies.NULL
umts_rrc_ies.removeAllInterRATCells removeAllInterRATCells No value umts_rrc_ies.NULL
umts_rrc_ies.removeAllIntraFreqCells removeAllIntraFreqCells No value umts_rrc_ies.NULL
umts_rrc_ies.removeNoInterFreqCells removeNoInterFreqCells No value umts_rrc_ies.NULL
umts_rrc_ies.removeNoInterRATCells removeNoInterRATCells No value umts_rrc_ies.NULL
umts_rrc_ies.removeNoIntraFreqCells removeNoIntraFreqCells No value umts_rrc_ies.NULL
umts_rrc_ies.removeSomeInterFreqCells removeSomeInterFreqCells Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxCellMeas_OF_InterFreqCellID
umts_rrc_ies.removeSomeInterFreqCells_item Item Unsigned 32-bit integer umts_rrc_ies.InterFreqCellID
umts_rrc_ies.removeSomeInterRATCells removeSomeInterRATCells Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxCellMeas_OF_InterRATCellID
umts_rrc_ies.removeSomeInterRATCells_item Item Unsigned 32-bit integer umts_rrc_ies.InterRATCellID
umts_rrc_ies.removeSomeIntraFreqCells removeSomeIntraFreqCells Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxCellMeas_OF_IntraFreqCellID
umts_rrc_ies.removeSomeIntraFreqCells_item Item Unsigned 32-bit integer umts_rrc_ies.IntraFreqCellID
umts_rrc_ies.removedInterFreqCellList removedInterFreqCellList Unsigned 32-bit integer umts_rrc_ies.RemovedInterFreqCellList
umts_rrc_ies.removedInterRATCellList removedInterRATCellList Unsigned 32-bit integer umts_rrc_ies.RemovedInterRATCellList
umts_rrc_ies.removedIntraFreqCellList removedIntraFreqCellList Unsigned 32-bit integer umts_rrc_ies.RemovedIntraFreqCellList
umts_rrc_ies.reorderingReleaseTimer reorderingReleaseTimer Unsigned 32-bit integer umts_rrc_ies.T1_ReleaseTimer
umts_rrc_ies.rep1024 rep1024 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_511
umts_rrc_ies.rep128 rep128 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.rep16 rep16 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_7
umts_rrc_ies.rep2048 rep2048 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1023
umts_rrc_ies.rep256 rep256 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_127
umts_rrc_ies.rep32 rep32 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.rep4 rep4 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1
umts_rrc_ies.rep4096 rep4096 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_2047
umts_rrc_ies.rep512 rep512 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_255
umts_rrc_ies.rep64 rep64 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_31
umts_rrc_ies.rep8 rep8 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_3
umts_rrc_ies.repetitionPeriod1 repetitionPeriod1 No value umts_rrc_ies.NULL
umts_rrc_ies.repetitionPeriod16 repetitionPeriod16 Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_15
umts_rrc_ies.repetitionPeriod2 repetitionPeriod2 Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_1
umts_rrc_ies.repetitionPeriod32 repetitionPeriod32 Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_31
umts_rrc_ies.repetitionPeriod4 repetitionPeriod4 Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_3
umts_rrc_ies.repetitionPeriod64 repetitionPeriod64 Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_63
umts_rrc_ies.repetitionPeriod8 repetitionPeriod8 Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_7
umts_rrc_ies.repetitionPeriodAndLength repetitionPeriodAndLength Unsigned 32-bit integer umts_rrc_ies.RepetitionPeriodAndLength
umts_rrc_ies.repetitionPeriodCoefficient repetitionPeriodCoefficient Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_3
umts_rrc_ies.repetitionPeriodLengthAndOffset repetitionPeriodLengthAndOffset Unsigned 32-bit integer umts_rrc_ies.RepetitionPeriodLengthAndOffset
umts_rrc_ies.repetitionPeriodLengthOffset repetitionPeriodLengthOffset Unsigned 32-bit integer umts_rrc_ies.RepPerLengthOffset_PICH
umts_rrc_ies.replace replace Unsigned 32-bit integer umts_rrc_ies.ReplacedPDSCH_CodeInfoList
umts_rrc_ies.replacement replacement No value umts_rrc_ies.T_replacement
umts_rrc_ies.replacementActivationThreshold replacementActivationThreshold Unsigned 32-bit integer umts_rrc_ies.ReplacementActivationThreshold
umts_rrc_ies.reportCriteria reportCriteria Unsigned 32-bit integer umts_rrc_ies.InterFreqReportCriteria
umts_rrc_ies.reportCriteriaSysInf reportCriteriaSysInf Unsigned 32-bit integer umts_rrc_ies.TrafficVolumeReportCriteriaSysInfo
umts_rrc_ies.reportDeactivationThreshold reportDeactivationThreshold Unsigned 32-bit integer umts_rrc_ies.ReportDeactivationThreshold
umts_rrc_ies.reportFirstFix reportFirstFix Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.reportingAmount reportingAmount Unsigned 32-bit integer umts_rrc_ies.ReportingAmount
umts_rrc_ies.reportingCellStatus reportingCellStatus Unsigned 32-bit integer umts_rrc_ies.ReportingCellStatus
umts_rrc_ies.reportingCriteria reportingCriteria Unsigned 32-bit integer umts_rrc_ies.T_reportingCriteria
umts_rrc_ies.reportingInfoForCellDCH reportingInfoForCellDCH No value umts_rrc_ies.ReportingInfoForCellDCH
umts_rrc_ies.reportingInterval reportingInterval Unsigned 32-bit integer umts_rrc_ies.ReportingInterval
umts_rrc_ies.reportingRange reportingRange Unsigned 32-bit integer umts_rrc_ies.ReportingRange
umts_rrc_ies.reportingThreshold reportingThreshold Unsigned 32-bit integer umts_rrc_ies.TrafficVolumeThreshold
umts_rrc_ies.reserved1 reserved1 Byte array umts_rrc_ies.BIT_STRING_SIZE_23
umts_rrc_ies.reserved2 reserved2 Byte array umts_rrc_ies.BIT_STRING_SIZE_24
umts_rrc_ies.reserved3 reserved3 Byte array umts_rrc_ies.BIT_STRING_SIZE_24
umts_rrc_ies.reserved4 reserved4 Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.restrictedDL_TrCH_Identity restrictedDL-TrCH-Identity Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.restrictedTrCH_InfoList restrictedTrCH-InfoList Unsigned 32-bit integer umts_rrc_ies.RestrictedTrCH_InfoList
umts_rrc_ies.restrictedTrChIdentity restrictedTrChIdentity Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.restrictedTrChInfoList restrictedTrChInfoList Unsigned 32-bit integer umts_rrc_ies.RestrictedTrChInfoList
umts_rrc_ies.restriction restriction No value umts_rrc_ies.T_restriction
umts_rrc_ies.reverseCompressionDepth reverseCompressionDepth Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_65535
umts_rrc_ies.reverseDecompressionDepth reverseDecompressionDepth Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_65535
umts_rrc_ies.rf_Capability rf-Capability No value umts_rrc_ies.RF_Capability
umts_rrc_ies.rf_CapabilityComp rf-CapabilityComp No value umts_rrc_ies.RF_CapabilityComp
umts_rrc_ies.rfc2507_Info rfc2507-Info No value umts_rrc_ies.RFC2507_Info
umts_rrc_ies.rfc3095_Info rfc3095-Info No value umts_rrc_ies.RFC3095_Info_r4
umts_rrc_ies.rg_CombinationIndex rg-CombinationIndex Unsigned 32-bit integer umts_rrc_ies.E_RGCH_CombinationIndex
umts_rrc_ies.rl_AdditionInfoList rl-AdditionInfoList Unsigned 32-bit integer umts_rrc_ies.RL_AdditionInfoList
umts_rrc_ies.rl_IdentifierList rl-IdentifierList Unsigned 32-bit integer umts_rrc_ies.RL_IdentifierList
umts_rrc_ies.rlc_BufferPayload rlc-BufferPayload No value umts_rrc_ies.NULL
umts_rrc_ies.rlc_BuffersPayload rlc-BuffersPayload Unsigned 32-bit integer umts_rrc_ies.RLC_BuffersPayload
umts_rrc_ies.rlc_Capability rlc-Capability No value umts_rrc_ies.RLC_Capability
umts_rrc_ies.rlc_Capability_r5_ext rlc-Capability-r5-ext No value umts_rrc_ies.RLC_Capability_r5_ext
umts_rrc_ies.rlc_Info rlc-Info No value umts_rrc_ies.RLC_Info
umts_rrc_ies.rlc_InfoChoice rlc-InfoChoice Unsigned 32-bit integer umts_rrc_ies.RLC_InfoChoice
umts_rrc_ies.rlc_Info_r5 rlc-Info-r5 No value umts_rrc_ies.RLC_Info_r5
umts_rrc_ies.rlc_Info_r6 rlc-Info-r6 No value umts_rrc_ies.RLC_Info_r6
umts_rrc_ies.rlc_LogicalChannelMappingIndicator rlc-LogicalChannelMappingIndicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.rlc_OneSidedReEst rlc-OneSidedReEst Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.rlc_PDU_SizeList rlc-PDU-SizeList Unsigned 32-bit integer umts_rrc_ies.RLC_PDU_SizeList
umts_rrc_ies.rlc_RB_BufferPayload rlc-RB-BufferPayload Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.rlc_RB_BufferPayloadAverage rlc-RB-BufferPayloadAverage Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.rlc_RB_BufferPayloadVariance rlc-RB-BufferPayloadVariance Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.rlc_SequenceNumber rlc-SequenceNumber Unsigned 32-bit integer umts_rrc_ies.RLC_SequenceNumber
umts_rrc_ies.rlc_Size rlc-Size Unsigned 32-bit integer umts_rrc_ies.T_rlc_Size
umts_rrc_ies.rlc_SizeIndex rlc-SizeIndex Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_maxTF
umts_rrc_ies.rlc_SizeList rlc-SizeList Unsigned 32-bit integer umts_rrc_ies.T_rlc_SizeList
umts_rrc_ies.rohcPacketSizeList rohcPacketSizeList Unsigned 32-bit integer umts_rrc_ies.ROHC_PacketSizeList_r4
umts_rrc_ies.rohcProfileList rohcProfileList Unsigned 32-bit integer umts_rrc_ies.ROHC_ProfileList_r4
umts_rrc_ies.roundTripTime roundTripTime Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_32766
umts_rrc_ies.routingbasis routingbasis Unsigned 32-bit integer umts_rrc_ies.T_routingbasis
umts_rrc_ies.routingparameter routingparameter Byte array umts_rrc_ies.RoutingParameter
umts_rrc_ies.rpp rpp Unsigned 32-bit integer umts_rrc_ies.RPP
umts_rrc_ies.rpp16_2 rpp16-2 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.rpp16_4 rpp16-4 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.rpp32_2 rpp32-2 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_31
umts_rrc_ies.rpp32_4 rpp32-4 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_31
umts_rrc_ies.rpp4_2 rpp4-2 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_3
umts_rrc_ies.rpp64_2 rpp64-2 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.rpp64_4 rpp64-4 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.rpp8_2 rpp8-2 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_7
umts_rrc_ies.rpp8_4 rpp8-4 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_7
umts_rrc_ies.rrc rrc Signed 32-bit integer umts_rrc_ies.RRC
umts_rrc_ies.rrc_ConnectionReleaseInformation rrc-ConnectionReleaseInformation Unsigned 32-bit integer umts_rrc_ies.RRC_ConnectionReleaseInformation
umts_rrc_ies.rrc_MessageSequenceNumber rrc-MessageSequenceNumber Unsigned 32-bit integer umts_rrc_ies.RRC_MessageSequenceNumber
umts_rrc_ies.rrc_MessageSequenceNumberList rrc-MessageSequenceNumberList Unsigned 32-bit integer umts_rrc_ies.RRC_MessageSequenceNumberList
umts_rrc_ies.rrc_TransactionIdentifier rrc-TransactionIdentifier Unsigned 32-bit integer umts_rrc_ies.RRC_TransactionIdentifier
umts_rrc_ies.rx_tx_TimeDifferenceType2Capable rx-tx-TimeDifferenceType2Capable Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.sCCPCH_LCR_ExtensionsList sCCPCH-LCR-ExtensionsList Unsigned 32-bit integer umts_rrc_ies.SCCPCH_SystemInformationList_LCR_r4_ext
umts_rrc_ies.sCCPCH_SystemInformationList sCCPCH-SystemInformationList Unsigned 32-bit integer umts_rrc_ies.SCCPCH_SystemInformationList
umts_rrc_ies.sRB_delay sRB-delay Unsigned 32-bit integer umts_rrc_ies.SRB_delay
umts_rrc_ies.s_Field s-Field Unsigned 32-bit integer umts_rrc_ies.S_Field
umts_rrc_ies.s_HCS_RAT s-HCS-RAT Signed 32-bit integer umts_rrc_ies.S_SearchRXLEV
umts_rrc_ies.s_Intersearch s-Intersearch Signed 32-bit integer umts_rrc_ies.S_SearchQual
umts_rrc_ies.s_Intrasearch s-Intrasearch Signed 32-bit integer umts_rrc_ies.S_SearchQual
umts_rrc_ies.s_Limit_SearchRAT s-Limit-SearchRAT Signed 32-bit integer umts_rrc_ies.S_SearchQual
umts_rrc_ies.s_RNTI s-RNTI Byte array umts_rrc_ies.S_RNTI
umts_rrc_ies.s_RNTI_2 s-RNTI-2 Byte array umts_rrc_ies.S_RNTI_2
umts_rrc_ies.s_SearchHCS s-SearchHCS Signed 32-bit integer umts_rrc_ies.S_SearchRXLEV
umts_rrc_ies.s_SearchRAT s-SearchRAT Signed 32-bit integer umts_rrc_ies.S_SearchQual
umts_rrc_ies.sameAsCurrent sameAsCurrent No value umts_rrc_ies.T_sameAsCurrent
umts_rrc_ies.sameAsLast sameAsLast No value umts_rrc_ies.T_sameAsLast
umts_rrc_ies.sameAsMIB_MultiPLMN_Id sameAsMIB-MultiPLMN-Id Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_5
umts_rrc_ies.sameAsMIB_PLMN_Id sameAsMIB-PLMN-Id No value umts_rrc_ies.NULL
umts_rrc_ies.sameAsUL sameAsUL No value umts_rrc_ies.NULL
umts_rrc_ies.sameAsULTrCH sameAsULTrCH No value umts_rrc_ies.UL_TransportChannelIdentity
umts_rrc_ies.same_as_RB same-as-RB Unsigned 32-bit integer umts_rrc_ies.RB_Identity
umts_rrc_ies.satDataList satDataList Unsigned 32-bit integer umts_rrc_ies.SatDataList
umts_rrc_ies.satHealth satHealth Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.satID satID Unsigned 32-bit integer umts_rrc_ies.SatID
umts_rrc_ies.satMask satMask Byte array umts_rrc_ies.BIT_STRING_SIZE_1_32
umts_rrc_ies.satelliteID satelliteID Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.satelliteInformationList satelliteInformationList Unsigned 32-bit integer umts_rrc_ies.AcquisitionSatInfoList
umts_rrc_ies.satelliteStatus satelliteStatus Unsigned 32-bit integer umts_rrc_ies.SatelliteStatus
umts_rrc_ies.sccpchIdentity sccpchIdentity Unsigned 32-bit integer umts_rrc_ies.MBMS_SCCPCHIdentity
umts_rrc_ies.sccpch_CommonForMBMSAndNonMBMS sccpch-CommonForMBMSAndNonMBMS Unsigned 32-bit integer umts_rrc_ies.SCCPCH_SystemInformationList_MBMS_r6_ext
umts_rrc_ies.sccpch_DedicatedForMBMS sccpch-DedicatedForMBMS No value umts_rrc_ies.SCCPCH_SystemInformation_MBMS_r6
umts_rrc_ies.sccpch_InfoforFACH sccpch-InfoforFACH No value umts_rrc_ies.SCCPCH_InfoForFACH
umts_rrc_ies.sccpch_SystemInformation_MBMS sccpch-SystemInformation-MBMS Unsigned 32-bit integer umts_rrc_ies.T_sccpch_SystemInformation_MBMS
umts_rrc_ies.sccpch_TFCS sccpch-TFCS Unsigned 32-bit integer umts_rrc_ies.TFCS
umts_rrc_ies.scheduledTransmissionGrantInfo scheduledTransmissionGrantInfo No value umts_rrc_ies.NULL
umts_rrc_ies.scheduling scheduling No value umts_rrc_ies.T_scheduling
umts_rrc_ies.schedulingInfoConfiguration schedulingInfoConfiguration No value umts_rrc_ies.E_DPDCH_SchedulingInfoConfiguration
umts_rrc_ies.schedulingInformation schedulingInformation No value umts_rrc_ies.T_schedulingInformation
umts_rrc_ies.schedulingPeriod_1024_Offset schedulingPeriod-1024-Offset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1023
umts_rrc_ies.schedulingPeriod_128_Offset schedulingPeriod-128-Offset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_127
umts_rrc_ies.schedulingPeriod_256_Offset schedulingPeriod-256-Offset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_255
umts_rrc_ies.schedulingPeriod_32_Offset schedulingPeriod-32-Offset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_31
umts_rrc_ies.schedulingPeriod_512_Offset schedulingPeriod-512-Offset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_511
umts_rrc_ies.schedulingPeriod_64_Offset schedulingPeriod-64-Offset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.schedulingTransmConfiguraration schedulingTransmConfiguraration No value umts_rrc_ies.E_DPDCH_SchedulingTransmConfiguration
umts_rrc_ies.scramblingCode scramblingCode Unsigned 32-bit integer umts_rrc_ies.UL_ScramblingCode
umts_rrc_ies.scramblingCodeChange scramblingCodeChange Unsigned 32-bit integer umts_rrc_ies.ScramblingCodeChange
umts_rrc_ies.scramblingCodeType scramblingCodeType Unsigned 32-bit integer umts_rrc_ies.ScramblingCodeType
umts_rrc_ies.sctd_Indicator sctd-Indicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.searchWindowSize searchWindowSize Unsigned 32-bit integer umts_rrc_ies.OTDOA_SearchWindowSize
umts_rrc_ies.secondChannelisationCode secondChannelisationCode Unsigned 32-bit integer umts_rrc_ies.HS_ChannelisationCode_LCR
umts_rrc_ies.secondInterleavingMode secondInterleavingMode Unsigned 32-bit integer umts_rrc_ies.SecondInterleavingMode
umts_rrc_ies.secondaryCCPCHInfo_MBMS secondaryCCPCHInfo-MBMS No value umts_rrc_ies.SecondaryCCPCHInfo_MBMS_r6
umts_rrc_ies.secondaryCCPCHPwrOffsetDiff secondaryCCPCHPwrOffsetDiff Unsigned 32-bit integer umts_rrc_ies.MBMS_SCCPCHPwrOffsetDiff
umts_rrc_ies.secondaryCCPCH_Info secondaryCCPCH-Info No value umts_rrc_ies.SecondaryCCPCH_Info
umts_rrc_ies.secondaryCCPCH_LCR_Extensions secondaryCCPCH-LCR-Extensions No value umts_rrc_ies.SecondaryCCPCH_Info_LCR_r4_ext
umts_rrc_ies.secondaryCPICH_Info secondaryCPICH-Info No value umts_rrc_ies.SecondaryCPICH_Info
umts_rrc_ies.secondaryDL_ScramblingCode secondaryDL-ScramblingCode Unsigned 32-bit integer umts_rrc_ies.SecondaryScramblingCode
umts_rrc_ies.secondaryScramblingCode secondaryScramblingCode Unsigned 32-bit integer umts_rrc_ies.SecondaryScramblingCode
umts_rrc_ies.securityCapability securityCapability No value umts_rrc_ies.SecurityCapability
umts_rrc_ies.seed seed Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.segCount segCount Unsigned 32-bit integer umts_rrc_ies.SegCount
umts_rrc_ies.segmentationIndication segmentationIndication Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.semistaticTF_Information semistaticTF-Information No value umts_rrc_ies.SemistaticTF_Information
umts_rrc_ies.serviceIdentity serviceIdentity Byte array umts_rrc_ies.OCTET_STRING_SIZE_3
umts_rrc_ies.servingEDCH_RL_indicator servingEDCH-RL-indicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.servingGrant servingGrant Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_31
umts_rrc_ies.servingHSDSCH_RL_indicator servingHSDSCH-RL-indicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.setsWithDifferentValueTag setsWithDifferentValueTag Unsigned 32-bit integer umts_rrc_ies.PredefinedConfigSetsWithDifferentValueTag
umts_rrc_ies.setup setup Unsigned 32-bit integer umts_rrc_ies.MeasurementType
umts_rrc_ies.sf128 sf128 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_127
umts_rrc_ies.sf16 sf16 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.sf16_item Item Unsigned 32-bit integer umts_rrc_ies.TDD_PRACH_CCode16
umts_rrc_ies.sf1Revd sf1Revd No value umts_rrc_ies.SubFrame1Reserved
umts_rrc_ies.sf256 sf256 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_255
umts_rrc_ies.sf32 sf32 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_31
umts_rrc_ies.sf4 sf4 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_3
umts_rrc_ies.sf512 sf512 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_511
umts_rrc_ies.sf64 sf64 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.sf8 sf8 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_7
umts_rrc_ies.sf8_item Item Unsigned 32-bit integer umts_rrc_ies.TDD_PRACH_CCode8
umts_rrc_ies.sf_AndCodeNumber sf-AndCodeNumber Unsigned 32-bit integer umts_rrc_ies.SF512_AndCodeNumber
umts_rrc_ies.sfd128 sfd128 Unsigned 32-bit integer umts_rrc_ies.PilotBits128
umts_rrc_ies.sfd16 sfd16 No value umts_rrc_ies.NULL
umts_rrc_ies.sfd256 sfd256 Unsigned 32-bit integer umts_rrc_ies.PilotBits256
umts_rrc_ies.sfd32 sfd32 No value umts_rrc_ies.NULL
umts_rrc_ies.sfd4 sfd4 No value umts_rrc_ies.NULL
umts_rrc_ies.sfd512 sfd512 No value umts_rrc_ies.NULL
umts_rrc_ies.sfd64 sfd64 No value umts_rrc_ies.NULL
umts_rrc_ies.sfd8 sfd8 No value umts_rrc_ies.NULL
umts_rrc_ies.sfn sfn Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_4095
umts_rrc_ies.sfn_Offset sfn-Offset Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_4095
umts_rrc_ies.sfn_Offset_Validity sfn-Offset-Validity Unsigned 32-bit integer umts_rrc_ies.SFN_Offset_Validity
umts_rrc_ies.sfn_SFN_Drift sfn-SFN-Drift Unsigned 32-bit integer umts_rrc_ies.SFN_SFN_Drift
umts_rrc_ies.sfn_SFN_OTD_Type sfn-SFN-OTD-Type Unsigned 32-bit integer umts_rrc_ies.SFN_SFN_OTD_Type
umts_rrc_ies.sfn_SFN_ObsTimeDifference sfn-SFN-ObsTimeDifference Unsigned 32-bit integer umts_rrc_ies.SFN_SFN_ObsTimeDifference
umts_rrc_ies.sfn_SFN_ObsTimeDifference2 sfn-SFN-ObsTimeDifference2 Unsigned 32-bit integer umts_rrc_ies.SFN_SFN_ObsTimeDifference2
umts_rrc_ies.sfn_SFN_RelTimeDifference sfn-SFN-RelTimeDifference No value umts_rrc_ies.SFN_SFN_RelTimeDifference1
umts_rrc_ies.sfn_TimeInfo sfn-TimeInfo No value umts_rrc_ies.SFN_TimeInfo
umts_rrc_ies.sfn_sfnType2Capability sfn-sfnType2Capability Unsigned 32-bit integer umts_rrc_ies.T_sfn_sfnType2Capability
umts_rrc_ies.sfn_sfn_Reltimedifference sfn-sfn-Reltimedifference Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_38399
umts_rrc_ies.sfn_tow_Uncertainty sfn-tow-Uncertainty Unsigned 32-bit integer umts_rrc_ies.SFN_TOW_Uncertainty
umts_rrc_ies.sharedChannelIndicator sharedChannelIndicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.shortTransmissionID shortTransmissionID Unsigned 32-bit integer umts_rrc_ies.MBMS_ShortTransmissionID
umts_rrc_ies.sib12indicator sib12indicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.sib4indicator sib4indicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.sib6indicator sib6indicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.sibOccurIdentity sibOccurIdentity Unsigned 32-bit integer umts_rrc_ies.SIBOccurIdentity
umts_rrc_ies.sibOccurValueTag sibOccurValueTag Unsigned 32-bit integer umts_rrc_ies.SIBOccurValueTag
umts_rrc_ies.sibSb_ReferenceList sibSb-ReferenceList Unsigned 32-bit integer umts_rrc_ies.SIBSb_ReferenceList
umts_rrc_ies.sibSb_Type sibSb-Type Unsigned 32-bit integer umts_rrc_ies.SIBSb_TypeAndTag
umts_rrc_ies.sib_Pos sib-Pos Unsigned 32-bit integer umts_rrc_ies.T_sib_Pos
umts_rrc_ies.sib_PosOffsetInfo sib-PosOffsetInfo Unsigned 32-bit integer umts_rrc_ies.SibOFF_List
umts_rrc_ies.sib_ReferenceList sib-ReferenceList Unsigned 32-bit integer umts_rrc_ies.SIB_ReferenceList
umts_rrc_ies.sib_ReferenceListFACH sib-ReferenceListFACH Unsigned 32-bit integer umts_rrc_ies.SIB_ReferenceListFACH
umts_rrc_ies.sib_Type sib-Type Unsigned 32-bit integer umts_rrc_ies.SIB_TypeAndTag
umts_rrc_ies.sid sid Byte array umts_rrc_ies.SID
umts_rrc_ies.signalledGainFactors signalledGainFactors No value umts_rrc_ies.SignalledGainFactors
umts_rrc_ies.signallingMethod signallingMethod Unsigned 32-bit integer umts_rrc_ies.T_signallingMethod
umts_rrc_ies.signature0 signature0 Boolean
umts_rrc_ies.signature1 signature1 Boolean
umts_rrc_ies.signature10 signature10 Boolean
umts_rrc_ies.signature11 signature11 Boolean
umts_rrc_ies.signature12 signature12 Boolean
umts_rrc_ies.signature13 signature13 Boolean
umts_rrc_ies.signature14 signature14 Boolean
umts_rrc_ies.signature15 signature15 Boolean
umts_rrc_ies.signature2 signature2 Boolean
umts_rrc_ies.signature3 signature3 Boolean
umts_rrc_ies.signature4 signature4 Boolean
umts_rrc_ies.signature5 signature5 Boolean
umts_rrc_ies.signature6 signature6 Boolean
umts_rrc_ies.signature7 signature7 Boolean
umts_rrc_ies.signature8 signature8 Boolean
umts_rrc_ies.signature9 signature9 Boolean
umts_rrc_ies.signatureSequence signatureSequence Unsigned 32-bit integer umts_rrc_ies.E_HICH_RGCH_SignatureSequence
umts_rrc_ies.simultaneousSCCPCH_DPCH_DPDCH_Reception simultaneousSCCPCH-DPCH-DPDCH-Reception Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.sir_MeasurementResults sir-MeasurementResults Unsigned 32-bit integer umts_rrc_ies.SIR_MeasurementList
umts_rrc_ies.sir_TFCS_List sir-TFCS-List Unsigned 32-bit integer umts_rrc_ies.SIR_TFCS_List
umts_rrc_ies.sir_TimeslotList sir-TimeslotList Unsigned 32-bit integer umts_rrc_ies.SIR_TimeslotList
umts_rrc_ies.size1 size1 No value umts_rrc_ies.NULL
umts_rrc_ies.size2 size2 No value umts_rrc_ies.T_size2
umts_rrc_ies.size4 size4 No value umts_rrc_ies.T_size4
umts_rrc_ies.size8 size8 No value umts_rrc_ies.T_size8
umts_rrc_ies.sizeType1 sizeType1 Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_127
umts_rrc_ies.sizeType2 sizeType2 No value umts_rrc_ies.T_sizeType2
umts_rrc_ies.sizeType3 sizeType3 No value umts_rrc_ies.T_sizeType3
umts_rrc_ies.sizeType4 sizeType4 No value umts_rrc_ies.T_sizeType4
umts_rrc_ies.small small Unsigned 32-bit integer umts_rrc_ies.INTEGER_2_17
umts_rrc_ies.softComb_TimingOffset softComb-TimingOffset Unsigned 32-bit integer umts_rrc_ies.MBMS_SoftComb_TimingOffset
umts_rrc_ies.softSlope softSlope Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.spare spare No value umts_rrc_ies.NULL
umts_rrc_ies.spare0 spare0 Boolean
umts_rrc_ies.spare1 spare1 No value umts_rrc_ies.T_spare1
umts_rrc_ies.spare10 spare10 No value umts_rrc_ies.NULL
umts_rrc_ies.spare11 spare11 Boolean
umts_rrc_ies.spare12 spare12 Boolean
umts_rrc_ies.spare13 spare13 Boolean
umts_rrc_ies.spare14 spare14 Boolean
umts_rrc_ies.spare15 spare15 Boolean
umts_rrc_ies.spare2 spare2 No value umts_rrc_ies.T_spare2
umts_rrc_ies.spare3 spare3 No value umts_rrc_ies.NULL
umts_rrc_ies.spare4 spare4 No value umts_rrc_ies.NULL
umts_rrc_ies.spare5 spare5 No value umts_rrc_ies.NULL
umts_rrc_ies.spare6 spare6 No value umts_rrc_ies.NULL
umts_rrc_ies.spare7 spare7 No value umts_rrc_ies.NULL
umts_rrc_ies.spare8 spare8 No value umts_rrc_ies.NULL
umts_rrc_ies.spare9 spare9 No value umts_rrc_ies.NULL
umts_rrc_ies.speedDependentScalingFactor speedDependentScalingFactor Unsigned 32-bit integer umts_rrc_ies.SpeedDependentScalingFactor
umts_rrc_ies.splitType splitType Unsigned 32-bit integer umts_rrc_ies.SplitType
umts_rrc_ies.spreadingFactor spreadingFactor Unsigned 32-bit integer umts_rrc_ies.SF_PDSCH
umts_rrc_ies.spreadingFactorAndPilot spreadingFactorAndPilot Unsigned 32-bit integer umts_rrc_ies.SF512_AndPilot
umts_rrc_ies.srb_InformationList srb-InformationList Unsigned 32-bit integer umts_rrc_ies.SRB_InformationSetupList
umts_rrc_ies.srnc_Identity srnc-Identity Byte array umts_rrc_ies.SRNC_Identity
umts_rrc_ies.ss_TPC_Symbols ss-TPC-Symbols Unsigned 32-bit integer umts_rrc_ies.T_ss_TPC_Symbols
umts_rrc_ies.ssdt_UL_r4 ssdt-UL-r4 Unsigned 32-bit integer umts_rrc_ies.SSDT_UL
umts_rrc_ies.standaloneLocMethodsSupported standaloneLocMethodsSupported Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.start start Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_255
umts_rrc_ies.startIntegrityProtection startIntegrityProtection No value umts_rrc_ies.T_startIntegrityProtection
umts_rrc_ies.startList startList Unsigned 32-bit integer umts_rrc_ies.STARTList
umts_rrc_ies.startPosition startPosition Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_10
umts_rrc_ies.startRestart startRestart Unsigned 32-bit integer umts_rrc_ies.CipheringAlgorithm
umts_rrc_ies.start_CS start-CS Byte array umts_rrc_ies.START_Value
umts_rrc_ies.start_PS start-PS Byte array umts_rrc_ies.START_Value
umts_rrc_ies.start_Value start-Value Byte array umts_rrc_ies.START_Value
umts_rrc_ies.statusHealth statusHealth Unsigned 32-bit integer umts_rrc_ies.DiffCorrectionStatus
umts_rrc_ies.stdOfOTDOA_Measurements stdOfOTDOA-Measurements Byte array umts_rrc_ies.BIT_STRING_SIZE_5
umts_rrc_ies.stdResolution stdResolution Byte array umts_rrc_ies.BIT_STRING_SIZE_2
umts_rrc_ies.stepSize stepSize Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_8
umts_rrc_ies.storedWithDifferentValueTag storedWithDifferentValueTag Unsigned 32-bit integer umts_rrc_ies.PredefinedConfigValueTag
umts_rrc_ies.storedWithValueTagSameAsPrevius storedWithValueTagSameAsPrevius No value umts_rrc_ies.NULL
umts_rrc_ies.sttd_Indicator sttd-Indicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.subCh0 subCh0 Boolean
umts_rrc_ies.subCh1 subCh1 Boolean
umts_rrc_ies.subCh10 subCh10 Boolean
umts_rrc_ies.subCh11 subCh11 Boolean
umts_rrc_ies.subCh2 subCh2 Boolean
umts_rrc_ies.subCh3 subCh3 Boolean
umts_rrc_ies.subCh4 subCh4 Boolean
umts_rrc_ies.subCh5 subCh5 Boolean
umts_rrc_ies.subCh6 subCh6 Boolean
umts_rrc_ies.subCh7 subCh7 Boolean
umts_rrc_ies.subCh8 subCh8 Boolean
umts_rrc_ies.subCh9 subCh9 Boolean
umts_rrc_ies.subchannelSize subchannelSize Unsigned 32-bit integer umts_rrc_ies.T_subchannelSize
umts_rrc_ies.subchannels subchannels Unsigned 32-bit integer umts_rrc_ies.T_subchannels
umts_rrc_ies.sulCodeIndex0 sulCodeIndex0 Boolean
umts_rrc_ies.sulCodeIndex1 sulCodeIndex1 Boolean
umts_rrc_ies.sulCodeIndex2 sulCodeIndex2 Boolean
umts_rrc_ies.sulCodeIndex3 sulCodeIndex3 Boolean
umts_rrc_ies.sulCodeIndex4 sulCodeIndex4 Boolean
umts_rrc_ies.sulCodeIndex5 sulCodeIndex5 Boolean
umts_rrc_ies.sulCodeIndex6 sulCodeIndex6 Boolean
umts_rrc_ies.sulCodeIndex7 sulCodeIndex7 Boolean
umts_rrc_ies.supportForIPDL supportForIPDL Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.supportForRfc2507 supportForRfc2507 Unsigned 32-bit integer umts_rrc_ies.T_supportForRfc2507
umts_rrc_ies.supportForRfc3095 supportForRfc3095 Unsigned 32-bit integer umts_rrc_ies.T_supportForRfc3095
umts_rrc_ies.supportForRfc3095ContextRelocation supportForRfc3095ContextRelocation Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.supportForSF_512 supportForSF-512 Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.supportForUE_GPS_TimingOfCellFrames supportForUE-GPS-TimingOfCellFrames Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.supportOf8PSK supportOf8PSK Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.supportOfGSM supportOfGSM Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.supportOfMulticarrier supportOfMulticarrier Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.supportOfPDSCH supportOfPDSCH Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.supportOfPUSCH supportOfPUSCH Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.supportOfUTRAN_ToGERAN_NACC supportOfUTRAN-ToGERAN-NACC Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.supported supported Unsigned 32-bit integer umts_rrc_ies.MaxHcContextSpace
umts_rrc_ies.sv_GlobalHealth sv-GlobalHealth Byte array umts_rrc_ies.BIT_STRING_SIZE_364
umts_rrc_ies.syncCase syncCase Unsigned 32-bit integer umts_rrc_ies.SyncCase
umts_rrc_ies.syncCase1 syncCase1 No value umts_rrc_ies.T_syncCase1
umts_rrc_ies.syncCase2 syncCase2 No value umts_rrc_ies.T_syncCase2
umts_rrc_ies.sync_UL_CodesBitmap sync-UL-CodesBitmap Byte array umts_rrc_ies.T_sync_UL_CodesBitmap
umts_rrc_ies.sync_UL_Codes_Bitmap sync-UL-Codes-Bitmap Byte array umts_rrc_ies.T_sync_UL_Codes_Bitmap
umts_rrc_ies.sync_UL_Info sync-UL-Info No value umts_rrc_ies.SYNC_UL_Info_r4
umts_rrc_ies.sync_UL_Procedure sync-UL-Procedure No value umts_rrc_ies.SYNC_UL_Procedure_r4
umts_rrc_ies.synchronisationParameters synchronisationParameters No value umts_rrc_ies.SynchronisationParameters_r4
umts_rrc_ies.sysInfoType1 sysInfoType1 Unsigned 32-bit integer umts_rrc_ies.PLMN_ValueTag
umts_rrc_ies.sysInfoType11 sysInfoType11 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType11_v4b0ext sysInfoType11-v4b0ext No value umts_rrc_ies.SysInfoType11_v4b0ext_IEs
umts_rrc_ies.sysInfoType11_v590ext sysInfoType11-v590ext No value umts_rrc_ies.SysInfoType11_v590ext_IEs
umts_rrc_ies.sysInfoType11_v6xyext sysInfoType11-v6xyext No value umts_rrc_ies.SysInfoType11_v6xyext_IEs
umts_rrc_ies.sysInfoType12 sysInfoType12 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType12_v4b0ext sysInfoType12-v4b0ext No value umts_rrc_ies.SysInfoType12_v4b0ext_IEs
umts_rrc_ies.sysInfoType12_v590ext sysInfoType12-v590ext No value umts_rrc_ies.SysInfoType12_v590ext_IEs
umts_rrc_ies.sysInfoType12_v6xyext sysInfoType12-v6xyext No value umts_rrc_ies.SysInfoType12_v6xyext_IEs
umts_rrc_ies.sysInfoType13 sysInfoType13 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType13_1 sysInfoType13-1 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType13_2 sysInfoType13-2 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType13_3 sysInfoType13-3 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType13_4 sysInfoType13-4 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType13_v3a0ext sysInfoType13-v3a0ext No value umts_rrc_ies.SysInfoType13_v3a0ext_IEs
umts_rrc_ies.sysInfoType13_v4b0ext sysInfoType13-v4b0ext No value umts_rrc_ies.SysInfoType13_v4b0ext_IEs
umts_rrc_ies.sysInfoType14 sysInfoType14 No value umts_rrc_ies.NULL
umts_rrc_ies.sysInfoType15 sysInfoType15 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType15_1 sysInfoType15-1 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType15_2 sysInfoType15-2 No value umts_rrc_ies.SIBOccurrenceIdentityAndValueTag
umts_rrc_ies.sysInfoType15_3 sysInfoType15-3 No value umts_rrc_ies.SIBOccurrenceIdentityAndValueTag
umts_rrc_ies.sysInfoType15_4 sysInfoType15-4 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType15_4_v3a0ext sysInfoType15-4-v3a0ext No value umts_rrc_ies.SysInfoType15_4_v3a0ext
umts_rrc_ies.sysInfoType15_4_v4b0ext sysInfoType15-4-v4b0ext No value umts_rrc_ies.SysInfoType15_4_v4b0ext
umts_rrc_ies.sysInfoType15_5 sysInfoType15-5 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType15_5_v3a0ext sysInfoType15-5-v3a0ext No value umts_rrc_ies.SysInfoType15_5_v3a0ext
umts_rrc_ies.sysInfoType15_v4b0ext sysInfoType15-v4b0ext No value umts_rrc_ies.SysInfoType15_v4b0ext_IEs
umts_rrc_ies.sysInfoType16 sysInfoType16 No value umts_rrc_ies.PredefinedConfigIdentityAndValueTag
umts_rrc_ies.sysInfoType17 sysInfoType17 No value umts_rrc_ies.NULL
umts_rrc_ies.sysInfoType17_v4b0ext sysInfoType17-v4b0ext No value umts_rrc_ies.SysInfoType17_v4b0ext_IEs
umts_rrc_ies.sysInfoType17_v590ext sysInfoType17-v590ext No value umts_rrc_ies.SysInfoType17_v590ext_IEs
umts_rrc_ies.sysInfoType18 sysInfoType18 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType1_v3a0ext sysInfoType1-v3a0ext No value umts_rrc_ies.SysInfoType1_v3a0ext_IEs
umts_rrc_ies.sysInfoType2 sysInfoType2 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType3 sysInfoType3 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType3_v4b0ext sysInfoType3-v4b0ext No value umts_rrc_ies.SysInfoType3_v4b0ext_IEs
umts_rrc_ies.sysInfoType3_v590ext sysInfoType3-v590ext No value umts_rrc_ies.SysInfoType3_v590ext
umts_rrc_ies.sysInfoType3_v5c0ext sysInfoType3-v5c0ext No value umts_rrc_ies.SysInfoType3_v5c0ext_IEs
umts_rrc_ies.sysInfoType3_v670ext sysInfoType3-v670ext No value umts_rrc_ies.SysInfoType3_v670ext
umts_rrc_ies.sysInfoType4 sysInfoType4 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType4_v4b0ext sysInfoType4-v4b0ext No value umts_rrc_ies.SysInfoType4_v4b0ext_IEs
umts_rrc_ies.sysInfoType4_v590ext sysInfoType4-v590ext No value umts_rrc_ies.SysInfoType4_v590ext
umts_rrc_ies.sysInfoType4_v5b0ext sysInfoType4-v5b0ext No value umts_rrc_ies.SysInfoType4_v5b0ext_IEs
umts_rrc_ies.sysInfoType4_v5c0ext sysInfoType4-v5c0ext No value umts_rrc_ies.SysInfoType4_v5c0ext_IEs
umts_rrc_ies.sysInfoType5 sysInfoType5 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType5_v4b0ext sysInfoType5-v4b0ext No value umts_rrc_ies.SysInfoType5_v4b0ext_IEs
umts_rrc_ies.sysInfoType5_v590ext sysInfoType5-v590ext No value umts_rrc_ies.SysInfoType5_v590ext_IEs
umts_rrc_ies.sysInfoType5_v650ext sysInfoType5-v650ext No value umts_rrc_ies.SysInfoType5_v650ext_IEs
umts_rrc_ies.sysInfoType5_v6xyext sysInfoType5-v6xyext No value umts_rrc_ies.SysInfoType5_v6xyext_IEs
umts_rrc_ies.sysInfoType5bis sysInfoType5bis Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType6 sysInfoType6 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoType6_v4b0ext sysInfoType6-v4b0ext No value umts_rrc_ies.SysInfoType6_v4b0ext_IEs
umts_rrc_ies.sysInfoType6_v590ext sysInfoType6-v590ext No value umts_rrc_ies.SysInfoType6_v590ext_IEs
umts_rrc_ies.sysInfoType6_v650ext sysInfoType6-v650ext No value umts_rrc_ies.SysInfoType6_v650ext_IEs
umts_rrc_ies.sysInfoType6_v6xyext sysInfoType6-v6xyext No value umts_rrc_ies.SysInfoType6_v6xyext_IEs
umts_rrc_ies.sysInfoType7 sysInfoType7 No value umts_rrc_ies.NULL
umts_rrc_ies.sysInfoTypeSB1 sysInfoTypeSB1 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.sysInfoTypeSB2 sysInfoTypeSB2 Unsigned 32-bit integer umts_rrc_ies.CellValueTag
umts_rrc_ies.systemSpecificCapUpdateReqList systemSpecificCapUpdateReqList Unsigned 32-bit integer umts_rrc_ies.SystemSpecificCapUpdateReqList
umts_rrc_ies.t120 t120 No value umts_rrc_ies.N_CR_T_CRMaxHyst
umts_rrc_ies.t180 t180 No value umts_rrc_ies.N_CR_T_CRMaxHyst
umts_rrc_ies.t240 t240 No value umts_rrc_ies.N_CR_T_CRMaxHyst
umts_rrc_ies.t30 t30 No value umts_rrc_ies.N_CR_T_CRMaxHyst
umts_rrc_ies.t314_expired t314-expired Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.t315_expired t315-expired Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.t60 t60 No value umts_rrc_ies.N_CR_T_CRMaxHyst
umts_rrc_ies.tMSIofdifferentPLMN tMSIofdifferentPLMN No value umts_rrc_ies.T_tMSIofdifferentPLMN
umts_rrc_ies.tMSIofsamePLMN tMSIofsamePLMN No value umts_rrc_ies.T_tMSIofsamePLMN
umts_rrc_ies.tToeLimit tToeLimit Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.t_300 t-300 Unsigned 32-bit integer umts_rrc_ies.T_300
umts_rrc_ies.t_301 t-301 Unsigned 32-bit integer umts_rrc_ies.T_301
umts_rrc_ies.t_302 t-302 Unsigned 32-bit integer umts_rrc_ies.T_302
umts_rrc_ies.t_304 t-304 Unsigned 32-bit integer umts_rrc_ies.T_304
umts_rrc_ies.t_305 t-305 Unsigned 32-bit integer umts_rrc_ies.T_305
umts_rrc_ies.t_307 t-307 Unsigned 32-bit integer umts_rrc_ies.T_307
umts_rrc_ies.t_308 t-308 Unsigned 32-bit integer umts_rrc_ies.T_308
umts_rrc_ies.t_309 t-309 Unsigned 32-bit integer umts_rrc_ies.T_309
umts_rrc_ies.t_310 t-310 Unsigned 32-bit integer umts_rrc_ies.T_310
umts_rrc_ies.t_311 t-311 Unsigned 32-bit integer umts_rrc_ies.T_311
umts_rrc_ies.t_312 t-312 Unsigned 32-bit integer umts_rrc_ies.T_312
umts_rrc_ies.t_313 t-313 Unsigned 32-bit integer umts_rrc_ies.T_313
umts_rrc_ies.t_314 t-314 Unsigned 32-bit integer umts_rrc_ies.T_314
umts_rrc_ies.t_315 t-315 Unsigned 32-bit integer umts_rrc_ies.T_315
umts_rrc_ies.t_316 t-316 Unsigned 32-bit integer umts_rrc_ies.T_316
umts_rrc_ies.t_317 t-317 Unsigned 32-bit integer umts_rrc_ies.T_317
umts_rrc_ies.t_318 t-318 Unsigned 32-bit integer umts_rrc_ies.T_318
umts_rrc_ies.t_ADV t-ADV Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_2047
umts_rrc_ies.t_ADVinfo t-ADVinfo No value umts_rrc_ies.T_ADVinfo
umts_rrc_ies.t_Barred t-Barred Unsigned 32-bit integer umts_rrc_ies.T_Barred
umts_rrc_ies.t_CPCH t-CPCH Unsigned 32-bit integer umts_rrc_ies.T_CPCH
umts_rrc_ies.t_CRMaxHyst t-CRMaxHyst Unsigned 32-bit integer umts_rrc_ies.T_CRMaxHyst
umts_rrc_ies.t_CR_Max t-CR-Max Unsigned 32-bit integer umts_rrc_ies.T_CRMax
umts_rrc_ies.t_GD t-GD Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.t_Reselection_S t-Reselection-S Unsigned 32-bit integer umts_rrc_ies.T_Reselection_S
umts_rrc_ies.t_Reselection_S_FACH t-Reselection-S-FACH Unsigned 32-bit integer umts_rrc_ies.T_Reselection_S_Fine
umts_rrc_ies.t_Reselection_S_PCH t-Reselection-S-PCH Unsigned 32-bit integer umts_rrc_ies.T_Reselection_S
umts_rrc_ies.t_oa t-oa Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.t_oc t-oc Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.t_oe t-oe Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.t_ot t-ot Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.tadd_EcIo tadd-EcIo Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_63
umts_rrc_ies.tcomp_EcIo tcomp-EcIo Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.tcp_SPACE tcp-SPACE Unsigned 32-bit integer umts_rrc_ies.INTEGER_3_255
umts_rrc_ies.tctf_Presence tctf-Presence Unsigned 32-bit integer umts_rrc_ies.MBMS_TCTF_Presence
umts_rrc_ies.tdd tdd No value umts_rrc_ies.T_tdd
umts_rrc_ies.tdd128 tdd128 No value umts_rrc_ies.T_tdd128
umts_rrc_ies.tdd128SpecificInfo tdd128SpecificInfo No value umts_rrc_ies.T_tdd128SpecificInfo
umts_rrc_ies.tdd128_Measurements tdd128-Measurements Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.tdd128_PhysChCapability tdd128-PhysChCapability No value umts_rrc_ies.T_tdd128_PhysChCapability
umts_rrc_ies.tdd128_RF_Capability tdd128-RF-Capability Unsigned 32-bit integer umts_rrc_ies.T_tdd128_RF_Capability
umts_rrc_ies.tdd128_UMTS_Frequency_List tdd128-UMTS-Frequency-List Unsigned 32-bit integer umts_rrc_ies.TDD_UMTS_Frequency_List
umts_rrc_ies.tdd128_hspdsch tdd128-hspdsch Unsigned 32-bit integer umts_rrc_ies.T_tdd128_hspdsch
umts_rrc_ies.tdd128_item Item No value umts_rrc_ies.HS_SCCH_TDD128
umts_rrc_ies.tdd384 tdd384 No value umts_rrc_ies.T_tdd384
umts_rrc_ies.tdd384_RF_Capability tdd384-RF-Capability Unsigned 32-bit integer umts_rrc_ies.T_tdd384_RF_Capability
umts_rrc_ies.tdd384_UMTS_Frequency_List tdd384-UMTS-Frequency-List Unsigned 32-bit integer umts_rrc_ies.TDD_UMTS_Frequency_List
umts_rrc_ies.tdd384_hspdsch tdd384-hspdsch Unsigned 32-bit integer umts_rrc_ies.T_tdd384_hspdsch
umts_rrc_ies.tdd384_item Item Unsigned 32-bit integer umts_rrc_ies.TimeslotNumber
umts_rrc_ies.tddOption tddOption Unsigned 32-bit integer umts_rrc_ies.T_tddOption
umts_rrc_ies.tddPhysChCapability tddPhysChCapability No value umts_rrc_ies.T_tddPhysChCapability
umts_rrc_ies.tddRF_Capability tddRF-Capability No value umts_rrc_ies.T_tddRF_Capability
umts_rrc_ies.tdd_CapabilityExt tdd-CapabilityExt No value umts_rrc_ies.T_tdd_CapabilityExt
umts_rrc_ies.tdd_Measurements tdd-Measurements Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.tdd_UMTS_Frequency_List tdd-UMTS-Frequency-List Unsigned 32-bit integer umts_rrc_ies.TDD_UMTS_Frequency_List
umts_rrc_ies.tdd_item Item No value umts_rrc_ies.ASCSetting_TDD
umts_rrc_ies.technologySpecificInfo technologySpecificInfo Unsigned 32-bit integer umts_rrc_ies.T_technologySpecificInfo
umts_rrc_ies.temporaryOffset1 temporaryOffset1 Unsigned 32-bit integer umts_rrc_ies.TemporaryOffset1
umts_rrc_ies.temporaryOffset2 temporaryOffset2 Unsigned 32-bit integer umts_rrc_ies.TemporaryOffset2
umts_rrc_ies.tfc_Subset tfc-Subset Unsigned 32-bit integer umts_rrc_ies.TFC_Subset
umts_rrc_ies.tfc_SubsetList tfc-SubsetList Unsigned 32-bit integer umts_rrc_ies.TFC_SubsetList
umts_rrc_ies.tfci tfci Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1023
umts_rrc_ies.tfci_Coding tfci-Coding Unsigned 32-bit integer umts_rrc_ies.TFCI_Coding
umts_rrc_ies.tfci_Existence tfci-Existence Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.tfci_Field1_Information tfci-Field1-Information Unsigned 32-bit integer umts_rrc_ies.ExplicitTFCS_Configuration
umts_rrc_ies.tfci_Field2 tfci-Field2 Unsigned 32-bit integer umts_rrc_ies.MaxTFCI_Field2Value
umts_rrc_ies.tfci_Field2_Information tfci-Field2-Information Unsigned 32-bit integer umts_rrc_ies.TFCI_Field2_Information
umts_rrc_ies.tfci_Field2_Length tfci-Field2-Length Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_10
umts_rrc_ies.tfci_Range tfci-Range Unsigned 32-bit integer umts_rrc_ies.TFCI_RangeList
umts_rrc_ies.tfcs tfcs Unsigned 32-bit integer umts_rrc_ies.TFCS
umts_rrc_ies.tfcsAdd tfcsAdd No value umts_rrc_ies.TFCS_ReconfAdd
umts_rrc_ies.tfcsRemoval tfcsRemoval Unsigned 32-bit integer umts_rrc_ies.TFCS_RemovalList
umts_rrc_ies.tfcs_ID tfcs-ID No value umts_rrc_ies.TFCS_Identity
umts_rrc_ies.tfcs_Identity tfcs-Identity No value umts_rrc_ies.TFCS_Identity
umts_rrc_ies.tfcs_InfoForDSCH tfcs-InfoForDSCH Unsigned 32-bit integer umts_rrc_ies.TFCS_InfoForDSCH
umts_rrc_ies.tfcs_SignallingMode tfcs-SignallingMode Unsigned 32-bit integer umts_rrc_ies.T_tfcs_SignallingMode
umts_rrc_ies.tfs_SignallingMode tfs-SignallingMode Unsigned 32-bit integer umts_rrc_ies.T_tfs_SignallingMode
umts_rrc_ies.tgcfn tgcfn Unsigned 32-bit integer umts_rrc_ies.TGCFN
umts_rrc_ies.tgd tgd Unsigned 32-bit integer umts_rrc_ies.TGD
umts_rrc_ies.tgl1 tgl1 Unsigned 32-bit integer umts_rrc_ies.TGL
umts_rrc_ies.tgl2 tgl2 Unsigned 32-bit integer umts_rrc_ies.TGL
umts_rrc_ies.tgmp tgmp Unsigned 32-bit integer umts_rrc_ies.TGMP
umts_rrc_ies.tgp_SequenceList tgp-SequenceList Unsigned 32-bit integer umts_rrc_ies.TGP_SequenceList
umts_rrc_ies.tgp_SequenceShortList tgp-SequenceShortList Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxTGPS_OF_TGP_SequenceShort
umts_rrc_ies.tgp_SequenceShortList_item Item No value umts_rrc_ies.TGP_SequenceShort
umts_rrc_ies.tgpl1 tgpl1 Unsigned 32-bit integer umts_rrc_ies.TGPL
umts_rrc_ies.tgprc tgprc Unsigned 32-bit integer umts_rrc_ies.TGPRC
umts_rrc_ies.tgps_ConfigurationParams tgps-ConfigurationParams No value umts_rrc_ies.TGPS_ConfigurationParams
umts_rrc_ies.tgps_Reconfiguration_CFN tgps-Reconfiguration-CFN Unsigned 32-bit integer umts_rrc_ies.TGPS_Reconfiguration_CFN
umts_rrc_ies.tgps_Status tgps-Status Unsigned 32-bit integer umts_rrc_ies.T_tgps_Status
umts_rrc_ies.tgpsi tgpsi Unsigned 32-bit integer umts_rrc_ies.TGPSI
umts_rrc_ies.tgsn tgsn Unsigned 32-bit integer umts_rrc_ies.TGSN
umts_rrc_ies.threholdNonUsedFrequency_deltaList threholdNonUsedFrequency-deltaList Unsigned 32-bit integer umts_rrc_ies.ThreholdNonUsedFrequency_deltaList
umts_rrc_ies.threholdUsedFrequency_delta threholdUsedFrequency-delta Signed 32-bit integer umts_rrc_ies.DeltaRSCP
umts_rrc_ies.thresholdOtherSystem thresholdOtherSystem Signed 32-bit integer umts_rrc_ies.Threshold
umts_rrc_ies.thresholdOwnSystem thresholdOwnSystem Signed 32-bit integer umts_rrc_ies.Threshold
umts_rrc_ies.thresholdUsedFrequency thresholdUsedFrequency Signed 32-bit integer umts_rrc_ies.ThresholdUsedFrequency
umts_rrc_ies.timeDurationBeforeRetry timeDurationBeforeRetry Unsigned 32-bit integer umts_rrc_ies.TimeDurationBeforeRetry
umts_rrc_ies.timeInfo timeInfo No value umts_rrc_ies.TimeInfo
umts_rrc_ies.timeToTrigger timeToTrigger Unsigned 32-bit integer umts_rrc_ies.TimeToTrigger
umts_rrc_ies.timerBasedExplicit timerBasedExplicit No value umts_rrc_ies.ExplicitDiscard
umts_rrc_ies.timerBasedNoExplicit timerBasedNoExplicit Unsigned 32-bit integer umts_rrc_ies.NoExplicitDiscard
umts_rrc_ies.timerDiscard timerDiscard Unsigned 32-bit integer umts_rrc_ies.TimerDiscard
umts_rrc_ies.timerMRW timerMRW Unsigned 32-bit integer umts_rrc_ies.TimerMRW
umts_rrc_ies.timerPoll timerPoll Unsigned 32-bit integer umts_rrc_ies.TimerPoll
umts_rrc_ies.timerPollPeriodic timerPollPeriodic Unsigned 32-bit integer umts_rrc_ies.TimerPollPeriodic
umts_rrc_ies.timerPollProhibit timerPollProhibit Unsigned 32-bit integer umts_rrc_ies.TimerPollProhibit
umts_rrc_ies.timerRST timerRST Unsigned 32-bit integer umts_rrc_ies.TimerRST
umts_rrc_ies.timerStatusPeriodic timerStatusPeriodic Unsigned 32-bit integer umts_rrc_ies.TimerStatusPeriodic
umts_rrc_ies.timerStatusProhibit timerStatusProhibit Unsigned 32-bit integer umts_rrc_ies.TimerStatusProhibit
umts_rrc_ies.timer_DAR timer-DAR Unsigned 32-bit integer umts_rrc_ies.TimerDAR_r6
umts_rrc_ies.timer_OSD timer-OSD Unsigned 32-bit integer umts_rrc_ies.TimerOSD_r6
umts_rrc_ies.timeslot timeslot Unsigned 32-bit integer umts_rrc_ies.TimeslotNumber
umts_rrc_ies.timeslotISCP timeslotISCP Unsigned 32-bit integer umts_rrc_ies.TimeslotISCP_List
umts_rrc_ies.timeslotISCP_List timeslotISCP-List Unsigned 32-bit integer umts_rrc_ies.TimeslotISCP_List
umts_rrc_ies.timeslotISCP_reportingIndicator timeslotISCP-reportingIndicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.timeslotInfoList timeslotInfoList Unsigned 32-bit integer umts_rrc_ies.TimeslotInfoList
umts_rrc_ies.timeslotList timeslotList Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxTS1_OF_DownlinkAdditionalTimeslots
umts_rrc_ies.timeslotList_item Item No value umts_rrc_ies.DownlinkAdditionalTimeslots
umts_rrc_ies.timeslotNumber timeslotNumber Unsigned 32-bit integer umts_rrc_ies.TimeslotNumber
umts_rrc_ies.timeslotSync2 timeslotSync2 Unsigned 32-bit integer umts_rrc_ies.TimeslotSync2
umts_rrc_ies.timingOffset timingOffset Unsigned 32-bit integer umts_rrc_ies.TimingOffset
umts_rrc_ies.timingmaintainedsynchind timingmaintainedsynchind Unsigned 32-bit integer umts_rrc_ies.TimingMaintainedSynchInd
umts_rrc_ies.tlm_Message tlm-Message Byte array umts_rrc_ies.BIT_STRING_SIZE_14
umts_rrc_ies.tlm_Reserved tlm-Reserved Byte array umts_rrc_ies.BIT_STRING_SIZE_2
umts_rrc_ies.tm tm Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_38399
umts_rrc_ies.tm_SignallingMode tm-SignallingMode Unsigned 32-bit integer umts_rrc_ies.T_tm_SignallingMode
umts_rrc_ies.tmsi tmsi Byte array umts_rrc_ies.TMSI_GSM_MAP
umts_rrc_ies.tmsi_DS_41 tmsi-DS-41 Byte array umts_rrc_ies.TMSI_DS_41
umts_rrc_ies.tmsi_GSM_MAP tmsi-GSM-MAP Byte array umts_rrc_ies.TMSI_GSM_MAP
umts_rrc_ies.tmsi_and_LAI tmsi-and-LAI No value umts_rrc_ies.TMSI_and_LAI_GSM_MAP
umts_rrc_ies.totalAM_RLCMemoryExceeds10kB totalAM-RLCMemoryExceeds10kB Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.totalCRC totalCRC Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_512
umts_rrc_ies.totalRLC_AM_BufferSize totalRLC-AM-BufferSize Unsigned 32-bit integer umts_rrc_ies.TotalRLC_AM_BufferSize
umts_rrc_ies.tpc_CombinationIndex tpc-CombinationIndex Unsigned 32-bit integer umts_rrc_ies.TPC_CombinationIndex
umts_rrc_ies.tpc_StepSize tpc-StepSize Unsigned 32-bit integer umts_rrc_ies.TPC_StepSizeTDD
umts_rrc_ies.tpc_StepSizeTDD tpc-StepSizeTDD Unsigned 32-bit integer umts_rrc_ies.TPC_StepSizeTDD
umts_rrc_ies.tpc_step_size tpc-step-size Unsigned 32-bit integer umts_rrc_ies.T_tpc_step_size
umts_rrc_ies.trafficVolumeEventIdentity trafficVolumeEventIdentity Unsigned 32-bit integer umts_rrc_ies.TrafficVolumeEventType
umts_rrc_ies.trafficVolumeEventResults trafficVolumeEventResults No value umts_rrc_ies.TrafficVolumeEventResults
umts_rrc_ies.trafficVolumeMeasQuantity trafficVolumeMeasQuantity Unsigned 32-bit integer umts_rrc_ies.TrafficVolumeMeasQuantity
umts_rrc_ies.trafficVolumeMeasSysInfo trafficVolumeMeasSysInfo No value umts_rrc_ies.TrafficVolumeMeasSysInfo
umts_rrc_ies.trafficVolumeMeasuredResultsList trafficVolumeMeasuredResultsList Unsigned 32-bit integer umts_rrc_ies.TrafficVolumeMeasuredResultsList
umts_rrc_ies.trafficVolumeMeasurement trafficVolumeMeasurement No value umts_rrc_ies.TrafficVolumeMeasurement
umts_rrc_ies.trafficVolumeMeasurementID trafficVolumeMeasurementID Unsigned 32-bit integer umts_rrc_ies.MeasurementIdentity
umts_rrc_ies.trafficVolumeMeasurementObjectList trafficVolumeMeasurementObjectList Unsigned 32-bit integer umts_rrc_ies.TrafficVolumeMeasurementObjectList
umts_rrc_ies.trafficVolumeReportingCriteria trafficVolumeReportingCriteria No value umts_rrc_ies.TrafficVolumeReportingCriteria
umts_rrc_ies.trafficVolumeReportingQuantity trafficVolumeReportingQuantity No value umts_rrc_ies.TrafficVolumeReportingQuantity
umts_rrc_ies.transChCriteriaList transChCriteriaList Unsigned 32-bit integer umts_rrc_ies.TransChCriteriaList
umts_rrc_ies.transmissionGrantType transmissionGrantType Unsigned 32-bit integer umts_rrc_ies.T_transmissionGrantType
umts_rrc_ies.transmissionProbability transmissionProbability Unsigned 32-bit integer umts_rrc_ies.TransmissionProbability
umts_rrc_ies.transmissionRLC_Discard transmissionRLC-Discard Unsigned 32-bit integer umts_rrc_ies.TransmissionRLC_Discard
umts_rrc_ies.transmissionTOW transmissionTOW Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_604799
umts_rrc_ies.transmissionTimeInterval transmissionTimeInterval Unsigned 32-bit integer umts_rrc_ies.TransmissionTimeInterval
umts_rrc_ies.transmissionTimeValidity transmissionTimeValidity Unsigned 32-bit integer umts_rrc_ies.TransmissionTimeValidity
umts_rrc_ies.transmissionWindowSize transmissionWindowSize Unsigned 32-bit integer umts_rrc_ies.TransmissionWindowSize
umts_rrc_ies.transmittedPowerThreshold transmittedPowerThreshold Signed 32-bit integer umts_rrc_ies.TransmittedPowerThreshold
umts_rrc_ies.transpCHInformation transpCHInformation Unsigned 32-bit integer umts_rrc_ies.MBMS_TrCHInformation_CommList
umts_rrc_ies.transpCh_CombiningStatus transpCh-CombiningStatus Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.transpCh_Identity transpCh-Identity Unsigned 32-bit integer umts_rrc_ies.INTEGER_1_maxFACHPCH
umts_rrc_ies.transpCh_Info transpCh-Info Unsigned 32-bit integer umts_rrc_ies.MBMS_CommonTrChIdentity
umts_rrc_ies.transpCh_InfoCommonForAllTrCh transpCh-InfoCommonForAllTrCh Unsigned 32-bit integer umts_rrc_ies.MBMS_CommonCCTrChIdentity
umts_rrc_ies.transportChannelCapability transportChannelCapability No value umts_rrc_ies.TransportChannelCapability
umts_rrc_ies.transportChannelIdentity transportChannelIdentity Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.transportFormatCombinationSet transportFormatCombinationSet Unsigned 32-bit integer umts_rrc_ies.TFCS
umts_rrc_ies.transportFormatSet transportFormatSet Unsigned 32-bit integer umts_rrc_ies.TransportFormatSet
umts_rrc_ies.treconfirmAbort treconfirmAbort Unsigned 32-bit integer umts_rrc_ies.TreconfirmAbort
umts_rrc_ies.triggeringCondition triggeringCondition Unsigned 32-bit integer umts_rrc_ies.TriggeringCondition2
umts_rrc_ies.tstd_Indicator tstd-Indicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.tti tti Unsigned 32-bit integer umts_rrc_ies.T_tti
umts_rrc_ies.tti10 tti10 Unsigned 32-bit integer umts_rrc_ies.CommonDynamicTF_InfoList
umts_rrc_ies.tti20 tti20 Unsigned 32-bit integer umts_rrc_ies.CommonDynamicTF_InfoList
umts_rrc_ies.tti40 tti40 Unsigned 32-bit integer umts_rrc_ies.CommonDynamicTF_InfoList
umts_rrc_ies.tti5 tti5 Unsigned 32-bit integer umts_rrc_ies.CommonDynamicTF_InfoList
umts_rrc_ies.tti80 tti80 Unsigned 32-bit integer umts_rrc_ies.CommonDynamicTF_InfoList
umts_rrc_ies.turbo turbo No value umts_rrc_ies.NULL
umts_rrc_ies.turboDecodingSupport turboDecodingSupport Unsigned 32-bit integer umts_rrc_ies.TurboSupport
umts_rrc_ies.turboEncodingSupport turboEncodingSupport Unsigned 32-bit integer umts_rrc_ies.TurboSupport
umts_rrc_ies.twoLogicalChannels twoLogicalChannels No value umts_rrc_ies.UL_LogicalChannelMappingList
umts_rrc_ies.txRxFrequencySeparation txRxFrequencySeparation Unsigned 32-bit integer umts_rrc_ies.TxRxFrequencySeparation
umts_rrc_ies.tx_DiversityIndicator tx-DiversityIndicator Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.tx_DiversityMode tx-DiversityMode Unsigned 32-bit integer umts_rrc_ies.TX_DiversityMode
umts_rrc_ies.tx_InterruptionAfterTrigger tx-InterruptionAfterTrigger Unsigned 32-bit integer umts_rrc_ies.TX_InterruptionAfterTrigger
umts_rrc_ies.type1 type1 Unsigned 32-bit integer umts_rrc_ies.T_type1
umts_rrc_ies.type2 type2 No value umts_rrc_ies.T_type2
umts_rrc_ies.type3 type3 No value umts_rrc_ies.T_type3
umts_rrc_ies.uE_RX_TX_TimeDifferenceType2Info uE-RX-TX-TimeDifferenceType2Info No value umts_rrc_ies.UE_RX_TX_TimeDifferenceType2Info
umts_rrc_ies.uRNTI_Group uRNTI-Group Unsigned 32-bit integer umts_rrc_ies.U_RNTI_Group
umts_rrc_ies.u_RNTI u-RNTI No value umts_rrc_ies.U_RNTI
umts_rrc_ies.u_RNTI_BitMaskIndex_b1 u-RNTI-BitMaskIndex-b1 Byte array umts_rrc_ies.BIT_STRING_SIZE_31
umts_rrc_ies.u_RNTI_BitMaskIndex_b10 u-RNTI-BitMaskIndex-b10 Byte array umts_rrc_ies.BIT_STRING_SIZE_22
umts_rrc_ies.u_RNTI_BitMaskIndex_b11 u-RNTI-BitMaskIndex-b11 Byte array umts_rrc_ies.BIT_STRING_SIZE_21
umts_rrc_ies.u_RNTI_BitMaskIndex_b12 u-RNTI-BitMaskIndex-b12 Byte array umts_rrc_ies.BIT_STRING_SIZE_20
umts_rrc_ies.u_RNTI_BitMaskIndex_b13 u-RNTI-BitMaskIndex-b13 Byte array umts_rrc_ies.BIT_STRING_SIZE_19
umts_rrc_ies.u_RNTI_BitMaskIndex_b14 u-RNTI-BitMaskIndex-b14 Byte array umts_rrc_ies.BIT_STRING_SIZE_18
umts_rrc_ies.u_RNTI_BitMaskIndex_b15 u-RNTI-BitMaskIndex-b15 Byte array umts_rrc_ies.BIT_STRING_SIZE_17
umts_rrc_ies.u_RNTI_BitMaskIndex_b16 u-RNTI-BitMaskIndex-b16 Byte array umts_rrc_ies.BIT_STRING_SIZE_16
umts_rrc_ies.u_RNTI_BitMaskIndex_b17 u-RNTI-BitMaskIndex-b17 Byte array umts_rrc_ies.BIT_STRING_SIZE_15
umts_rrc_ies.u_RNTI_BitMaskIndex_b18 u-RNTI-BitMaskIndex-b18 Byte array umts_rrc_ies.BIT_STRING_SIZE_14
umts_rrc_ies.u_RNTI_BitMaskIndex_b19 u-RNTI-BitMaskIndex-b19 Byte array umts_rrc_ies.BIT_STRING_SIZE_13
umts_rrc_ies.u_RNTI_BitMaskIndex_b2 u-RNTI-BitMaskIndex-b2 Byte array umts_rrc_ies.BIT_STRING_SIZE_30
umts_rrc_ies.u_RNTI_BitMaskIndex_b20 u-RNTI-BitMaskIndex-b20 Byte array umts_rrc_ies.BIT_STRING_SIZE_12
umts_rrc_ies.u_RNTI_BitMaskIndex_b21 u-RNTI-BitMaskIndex-b21 Byte array umts_rrc_ies.BIT_STRING_SIZE_11
umts_rrc_ies.u_RNTI_BitMaskIndex_b22 u-RNTI-BitMaskIndex-b22 Byte array umts_rrc_ies.BIT_STRING_SIZE_10
umts_rrc_ies.u_RNTI_BitMaskIndex_b23 u-RNTI-BitMaskIndex-b23 Byte array umts_rrc_ies.BIT_STRING_SIZE_9
umts_rrc_ies.u_RNTI_BitMaskIndex_b24 u-RNTI-BitMaskIndex-b24 Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.u_RNTI_BitMaskIndex_b25 u-RNTI-BitMaskIndex-b25 Byte array umts_rrc_ies.BIT_STRING_SIZE_7
umts_rrc_ies.u_RNTI_BitMaskIndex_b26 u-RNTI-BitMaskIndex-b26 Byte array umts_rrc_ies.BIT_STRING_SIZE_6
umts_rrc_ies.u_RNTI_BitMaskIndex_b27 u-RNTI-BitMaskIndex-b27 Byte array umts_rrc_ies.BIT_STRING_SIZE_5
umts_rrc_ies.u_RNTI_BitMaskIndex_b28 u-RNTI-BitMaskIndex-b28 Byte array umts_rrc_ies.BIT_STRING_SIZE_4
umts_rrc_ies.u_RNTI_BitMaskIndex_b29 u-RNTI-BitMaskIndex-b29 Byte array umts_rrc_ies.BIT_STRING_SIZE_3
umts_rrc_ies.u_RNTI_BitMaskIndex_b3 u-RNTI-BitMaskIndex-b3 Byte array umts_rrc_ies.BIT_STRING_SIZE_29
umts_rrc_ies.u_RNTI_BitMaskIndex_b30 u-RNTI-BitMaskIndex-b30 Byte array umts_rrc_ies.BIT_STRING_SIZE_2
umts_rrc_ies.u_RNTI_BitMaskIndex_b31 u-RNTI-BitMaskIndex-b31 Byte array umts_rrc_ies.BIT_STRING_SIZE_1
umts_rrc_ies.u_RNTI_BitMaskIndex_b4 u-RNTI-BitMaskIndex-b4 Byte array umts_rrc_ies.BIT_STRING_SIZE_28
umts_rrc_ies.u_RNTI_BitMaskIndex_b5 u-RNTI-BitMaskIndex-b5 Byte array umts_rrc_ies.BIT_STRING_SIZE_27
umts_rrc_ies.u_RNTI_BitMaskIndex_b6 u-RNTI-BitMaskIndex-b6 Byte array umts_rrc_ies.BIT_STRING_SIZE_26
umts_rrc_ies.u_RNTI_BitMaskIndex_b7 u-RNTI-BitMaskIndex-b7 Byte array umts_rrc_ies.BIT_STRING_SIZE_25
umts_rrc_ies.u_RNTI_BitMaskIndex_b8 u-RNTI-BitMaskIndex-b8 Byte array umts_rrc_ies.BIT_STRING_SIZE_24
umts_rrc_ies.u_RNTI_BitMaskIndex_b9 u-RNTI-BitMaskIndex-b9 Byte array umts_rrc_ies.BIT_STRING_SIZE_23
umts_rrc_ies.uarfcn_DL uarfcn-DL Unsigned 32-bit integer umts_rrc_ies.UARFCN
umts_rrc_ies.uarfcn_Nt uarfcn-Nt Unsigned 32-bit integer umts_rrc_ies.UARFCN
umts_rrc_ies.uarfcn_UL uarfcn-UL Unsigned 32-bit integer umts_rrc_ies.UARFCN
umts_rrc_ies.ucsm_Info ucsm-Info No value umts_rrc_ies.UCSM_Info
umts_rrc_ies.udre udre Unsigned 32-bit integer umts_rrc_ies.UDRE
umts_rrc_ies.ueAssisted ueAssisted No value umts_rrc_ies.T_ueAssisted
umts_rrc_ies.ueBased ueBased No value umts_rrc_ies.T_ueBased
umts_rrc_ies.ueSpecificMidamble ueSpecificMidamble Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_15
umts_rrc_ies.ue_BasedOTDOA_Supported ue-BasedOTDOA-Supported Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ue_ConnTimersAndConstants ue-ConnTimersAndConstants No value umts_rrc_ies.UE_ConnTimersAndConstants
umts_rrc_ies.ue_ConnTimersAndConstants_v3a0ext ue-ConnTimersAndConstants-v3a0ext No value umts_rrc_ies.UE_ConnTimersAndConstants_v3a0ext
umts_rrc_ies.ue_GPSTimingOfCell ue-GPSTimingOfCell No value umts_rrc_ies.T_ue_GPSTimingOfCell
umts_rrc_ies.ue_IdleTimersAndConstants ue-IdleTimersAndConstants No value umts_rrc_ies.UE_IdleTimersAndConstants
umts_rrc_ies.ue_IdleTimersAndConstants_v3a0ext ue-IdleTimersAndConstants-v3a0ext No value umts_rrc_ies.UE_IdleTimersAndConstants_v3a0ext
umts_rrc_ies.ue_InternalEventParamList ue-InternalEventParamList Unsigned 32-bit integer umts_rrc_ies.UE_InternalEventParamList
umts_rrc_ies.ue_InternalEventResults ue-InternalEventResults Unsigned 32-bit integer umts_rrc_ies.UE_InternalEventResults
umts_rrc_ies.ue_InternalMeasQuantity ue-InternalMeasQuantity No value umts_rrc_ies.UE_InternalMeasQuantity
umts_rrc_ies.ue_InternalMeasuredResults ue-InternalMeasuredResults No value umts_rrc_ies.UE_InternalMeasuredResults
umts_rrc_ies.ue_InternalMeasurement ue-InternalMeasurement No value umts_rrc_ies.UE_InternalMeasurement
umts_rrc_ies.ue_InternalMeasurementID ue-InternalMeasurementID Unsigned 32-bit integer umts_rrc_ies.MeasurementIdentity
umts_rrc_ies.ue_InternalReportingCriteria ue-InternalReportingCriteria No value umts_rrc_ies.UE_InternalReportingCriteria
umts_rrc_ies.ue_InternalReportingQuantity ue-InternalReportingQuantity No value umts_rrc_ies.UE_InternalReportingQuantity
umts_rrc_ies.ue_MultiModeRAT_Capability ue-MultiModeRAT-Capability No value umts_rrc_ies.UE_MultiModeRAT_Capability
umts_rrc_ies.ue_PositioningCapabilityExt_v380 ue-PositioningCapabilityExt-v380 No value umts_rrc_ies.UE_PositioningCapabilityExt_v380
umts_rrc_ies.ue_PositioningCapabilityExt_v3a0 ue-PositioningCapabilityExt-v3a0 No value umts_rrc_ies.UE_PositioningCapabilityExt_v3a0
umts_rrc_ies.ue_PositioningCapabilityExt_v3g0 ue-PositioningCapabilityExt-v3g0 No value umts_rrc_ies.UE_PositioningCapabilityExt_v3g0
umts_rrc_ies.ue_Positioning_IPDL_Parameters_TDDList_r4_ext ue-Positioning-IPDL-Parameters-TDDList-r4-ext Unsigned 32-bit integer umts_rrc_ies.UE_Positioning_IPDL_Parameters_TDDList_r4_ext
umts_rrc_ies.ue_Positioning_IPDL_Parameters_TDD_r4_ext ue-Positioning-IPDL-Parameters-TDD-r4-ext No value umts_rrc_ies.UE_Positioning_IPDL_Parameters_TDD_r4_ext
umts_rrc_ies.ue_Positioning_OTDOA_AssistanceData_r4ext ue-Positioning-OTDOA-AssistanceData-r4ext No value umts_rrc_ies.UE_Positioning_OTDOA_AssistanceData_r4ext
umts_rrc_ies.ue_Positioning_OTDOA_Measurement_v390ext ue-Positioning-OTDOA-Measurement-v390ext No value umts_rrc_ies.UE_Positioning_OTDOA_Measurement_v390ext
umts_rrc_ies.ue_Positioning_OTDOA_Quality ue-Positioning-OTDOA-Quality No value umts_rrc_ies.UE_Positioning_OTDOA_Quality
umts_rrc_ies.ue_PowerClass ue-PowerClass Unsigned 32-bit integer umts_rrc_ies.UE_PowerClass
umts_rrc_ies.ue_RATSpecificCapability_v6xyext ue-RATSpecificCapability-v6xyext No value umts_rrc_ies.InterRAT_UE_RadioAccessCapability_v6xyext
umts_rrc_ies.ue_RX_TX_ReportEntryList ue-RX-TX-ReportEntryList Unsigned 32-bit integer umts_rrc_ies.UE_RX_TX_ReportEntryList
umts_rrc_ies.ue_RX_TX_TimeDifference ue-RX-TX-TimeDifference Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ue_RX_TX_TimeDifferenceThreshold ue-RX-TX-TimeDifferenceThreshold Unsigned 32-bit integer umts_rrc_ies.UE_RX_TX_TimeDifferenceThreshold
umts_rrc_ies.ue_RX_TX_TimeDifferenceType1 ue-RX-TX-TimeDifferenceType1 Unsigned 32-bit integer umts_rrc_ies.UE_RX_TX_TimeDifferenceType1
umts_rrc_ies.ue_RX_TX_TimeDifferenceType2 ue-RX-TX-TimeDifferenceType2 Unsigned 32-bit integer umts_rrc_ies.UE_RX_TX_TimeDifferenceType2
umts_rrc_ies.ue_RX_TX_TimeDifferenceType2Info ue-RX-TX-TimeDifferenceType2Info No value umts_rrc_ies.UE_RX_TX_TimeDifferenceType2Info
umts_rrc_ies.ue_RadioAccessCapabBandFDDList ue-RadioAccessCapabBandFDDList Unsigned 32-bit integer umts_rrc_ies.UE_RadioAccessCapabBandFDDList
umts_rrc_ies.ue_RadioAccessCapabBandFDDList2 ue-RadioAccessCapabBandFDDList2 Unsigned 32-bit integer umts_rrc_ies.UE_RadioAccessCapabBandFDDList2
umts_rrc_ies.ue_RadioAccessCapabBandFDDList_ext ue-RadioAccessCapabBandFDDList-ext Unsigned 32-bit integer umts_rrc_ies.UE_RadioAccessCapabBandFDDList_ext
umts_rrc_ies.ue_RadioAccessCapability ue-RadioAccessCapability No value umts_rrc_ies.UE_RadioAccessCapability
umts_rrc_ies.ue_RadioAccessCapability_v370ext ue-RadioAccessCapability-v370ext No value umts_rrc_ies.UE_RadioAccessCapability_v370ext
umts_rrc_ies.ue_RadioAccessCapability_v6xyext ue-RadioAccessCapability-v6xyext No value umts_rrc_ies.UE_RadioAccessCapability_v6xyext
umts_rrc_ies.ue_RadioCapabilityFDDUpdateRequirement ue-RadioCapabilityFDDUpdateRequirement Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ue_RadioCapabilityFDDUpdateRequirement_FDD ue-RadioCapabilityFDDUpdateRequirement-FDD Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ue_RadioCapabilityTDDUpdateRequirement ue-RadioCapabilityTDDUpdateRequirement Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ue_RadioCapabilityTDDUpdateRequirement_TDD128 ue-RadioCapabilityTDDUpdateRequirement-TDD128 Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ue_RadioCapabilityTDDUpdateRequirement_TDD384 ue-RadioCapabilityTDDUpdateRequirement-TDD384 Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ue_RadioCapabilityUpdateRequirement_TDD128 ue-RadioCapabilityUpdateRequirement-TDD128 Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ue_State ue-State Unsigned 32-bit integer umts_rrc_ies.T_ue_State
umts_rrc_ies.ue_TransmittedPower ue-TransmittedPower Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ue_TransmittedPowerFDD ue-TransmittedPowerFDD Unsigned 32-bit integer umts_rrc_ies.UE_TransmittedPower
umts_rrc_ies.ue_TransmittedPowerTDD_List ue-TransmittedPowerTDD-List Unsigned 32-bit integer umts_rrc_ies.UE_TransmittedPowerTDD_List
umts_rrc_ies.ue_positioniing_MeasuredResults ue-positioniing-MeasuredResults No value umts_rrc_ies.UE_Positioning_MeasuredResults
umts_rrc_ies.ue_positioning_Capability ue-positioning-Capability No value umts_rrc_ies.UE_Positioning_Capability
umts_rrc_ies.ue_positioning_Error ue-positioning-Error No value umts_rrc_ies.UE_Positioning_Error
umts_rrc_ies.ue_positioning_GPS_AcquisitionAssistance ue-positioning-GPS-AcquisitionAssistance No value umts_rrc_ies.UE_Positioning_GPS_AcquisitionAssistance
umts_rrc_ies.ue_positioning_GPS_Almanac ue-positioning-GPS-Almanac No value umts_rrc_ies.UE_Positioning_GPS_Almanac
umts_rrc_ies.ue_positioning_GPS_AssistanceData ue-positioning-GPS-AssistanceData No value umts_rrc_ies.UE_Positioning_GPS_AssistanceData
umts_rrc_ies.ue_positioning_GPS_CipherParameters ue-positioning-GPS-CipherParameters No value umts_rrc_ies.UE_Positioning_CipherParameters
umts_rrc_ies.ue_positioning_GPS_DGPS_Corrections ue-positioning-GPS-DGPS-Corrections No value umts_rrc_ies.UE_Positioning_GPS_DGPS_Corrections
umts_rrc_ies.ue_positioning_GPS_IonosphericModel ue-positioning-GPS-IonosphericModel No value umts_rrc_ies.UE_Positioning_GPS_IonosphericModel
umts_rrc_ies.ue_positioning_GPS_Measurement ue-positioning-GPS-Measurement No value umts_rrc_ies.UE_Positioning_GPS_MeasurementResults
umts_rrc_ies.ue_positioning_GPS_NavigationModel ue-positioning-GPS-NavigationModel No value umts_rrc_ies.UE_Positioning_GPS_NavigationModel
umts_rrc_ies.ue_positioning_GPS_Real_timeIntegrity ue-positioning-GPS-Real-timeIntegrity Unsigned 32-bit integer umts_rrc_ies.BadSatList
umts_rrc_ies.ue_positioning_GPS_ReferenceLocation ue-positioning-GPS-ReferenceLocation No value umts_rrc_ies.ReferenceLocation
umts_rrc_ies.ue_positioning_GPS_ReferenceTime ue-positioning-GPS-ReferenceTime No value umts_rrc_ies.UE_Positioning_GPS_ReferenceTime
umts_rrc_ies.ue_positioning_GPS_UTC_Model ue-positioning-GPS-UTC-Model No value umts_rrc_ies.UE_Positioning_GPS_UTC_Model
umts_rrc_ies.ue_positioning_GPS_additionalAssistanceDataRequest ue-positioning-GPS-additionalAssistanceDataRequest No value umts_rrc_ies.UE_Positioning_GPS_AdditionalAssistanceDataRequest
umts_rrc_ies.ue_positioning_IPDL_Paremeters ue-positioning-IPDL-Paremeters No value umts_rrc_ies.UE_Positioning_IPDL_Parameters
umts_rrc_ies.ue_positioning_MeasuredResults ue-positioning-MeasuredResults No value umts_rrc_ies.UE_Positioning_MeasuredResults
umts_rrc_ies.ue_positioning_MeasuredResults_v390ext ue-positioning-MeasuredResults-v390ext No value umts_rrc_ies.UE_Positioning_MeasuredResults_v390ext
umts_rrc_ies.ue_positioning_Measurement ue-positioning-Measurement No value umts_rrc_ies.UE_Positioning_Measurement
umts_rrc_ies.ue_positioning_MeasurementEventResults ue-positioning-MeasurementEventResults Unsigned 32-bit integer umts_rrc_ies.UE_Positioning_MeasurementEventResults
umts_rrc_ies.ue_positioning_OTDOA_AssistanceData ue-positioning-OTDOA-AssistanceData No value umts_rrc_ies.UE_Positioning_OTDOA_AssistanceData
umts_rrc_ies.ue_positioning_OTDOA_AssistanceData_UEB ue-positioning-OTDOA-AssistanceData-UEB No value umts_rrc_ies.UE_Positioning_OTDOA_AssistanceData_UEB
umts_rrc_ies.ue_positioning_OTDOA_CipherParameters ue-positioning-OTDOA-CipherParameters No value umts_rrc_ies.UE_Positioning_CipherParameters
umts_rrc_ies.ue_positioning_OTDOA_Measurement ue-positioning-OTDOA-Measurement No value umts_rrc_ies.UE_Positioning_OTDOA_Measurement
umts_rrc_ies.ue_positioning_OTDOA_NeighbourCellList ue-positioning-OTDOA-NeighbourCellList Unsigned 32-bit integer umts_rrc_ies.UE_Positioning_OTDOA_NeighbourCellList
umts_rrc_ies.ue_positioning_OTDOA_NeighbourCellList_UEB ue-positioning-OTDOA-NeighbourCellList-UEB Unsigned 32-bit integer umts_rrc_ies.UE_Positioning_OTDOA_NeighbourCellList_UEB
umts_rrc_ies.ue_positioning_OTDOA_ReferenceCellInfo ue-positioning-OTDOA-ReferenceCellInfo No value umts_rrc_ies.UE_Positioning_OTDOA_ReferenceCellInfo
umts_rrc_ies.ue_positioning_OTDOA_ReferenceCellInfo_UEB ue-positioning-OTDOA-ReferenceCellInfo-UEB No value umts_rrc_ies.UE_Positioning_OTDOA_ReferenceCellInfo_UEB
umts_rrc_ies.ue_positioning_PositionEstimateInfo ue-positioning-PositionEstimateInfo No value umts_rrc_ies.UE_Positioning_PositionEstimateInfo
umts_rrc_ies.ue_positioning_ReportingCriteria ue-positioning-ReportingCriteria Unsigned 32-bit integer umts_rrc_ies.UE_Positioning_EventParamList
umts_rrc_ies.ue_positioning_ReportingQuantity ue-positioning-ReportingQuantity No value umts_rrc_ies.UE_Positioning_ReportingQuantity
umts_rrc_ies.ue_positioning_ReportingQuantity_v390ext ue-positioning-ReportingQuantity-v390ext No value umts_rrc_ies.UE_Positioning_ReportingQuantity_v390ext
umts_rrc_ies.uea0 uea0 Boolean
umts_rrc_ies.uea1 uea1 Boolean
umts_rrc_ies.uia1 uia1 Boolean
umts_rrc_ies.ul ul Unsigned 32-bit integer umts_rrc_ies.UL_CompressedModeMethod
umts_rrc_ies.ul_AM_RLC_Mode ul-AM-RLC-Mode No value umts_rrc_ies.UL_AM_RLC_Mode
umts_rrc_ies.ul_AddReconfTrChInfoList ul-AddReconfTrChInfoList Unsigned 32-bit integer umts_rrc_ies.UL_AddReconfTransChInfoList
umts_rrc_ies.ul_CCTrCHList ul-CCTrCHList Unsigned 32-bit integer umts_rrc_ies.UL_CCTrCHList
umts_rrc_ies.ul_CCTrCHListToRemove ul-CCTrCHListToRemove Unsigned 32-bit integer umts_rrc_ies.UL_CCTrCHListToRemove
umts_rrc_ies.ul_CCTrCH_TimeslotsCodes ul-CCTrCH-TimeslotsCodes No value umts_rrc_ies.UplinkTimeslotsCodes
umts_rrc_ies.ul_CCTrChTPCList ul-CCTrChTPCList Unsigned 32-bit integer umts_rrc_ies.UL_CCTrChTPCList
umts_rrc_ies.ul_CommonTransChInfo ul-CommonTransChInfo No value umts_rrc_ies.UL_CommonTransChInfo
umts_rrc_ies.ul_DL_Mode ul-DL-Mode Unsigned 32-bit integer umts_rrc_ies.UL_DL_Mode
umts_rrc_ies.ul_DPCCH_SlotFormat ul-DPCCH-SlotFormat Unsigned 32-bit integer umts_rrc_ies.UL_DPCCH_SlotFormat
umts_rrc_ies.ul_DPCH_Info ul-DPCH-Info No value umts_rrc_ies.UL_DPCH_Info
umts_rrc_ies.ul_DPCH_InfoPredef ul-DPCH-InfoPredef No value umts_rrc_ies.UL_DPCH_InfoPredef
umts_rrc_ies.ul_DPCH_PowerControlInfo ul-DPCH-PowerControlInfo Unsigned 32-bit integer umts_rrc_ies.UL_DPCH_PowerControlInfo
umts_rrc_ies.ul_Interference ul-Interference Signed 32-bit integer umts_rrc_ies.UL_Interference
umts_rrc_ies.ul_LogicalChannelMapping ul-LogicalChannelMapping Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_maxLoCHperRLC_OF_UL_LogicalChannelMapping
umts_rrc_ies.ul_LogicalChannelMapping_item Item No value umts_rrc_ies.UL_LogicalChannelMapping
umts_rrc_ies.ul_LogicalChannelMappings ul-LogicalChannelMappings Unsigned 32-bit integer umts_rrc_ies.UL_LogicalChannelMappings
umts_rrc_ies.ul_MeasurementsFDD ul-MeasurementsFDD Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ul_MeasurementsGSM ul-MeasurementsGSM Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ul_MeasurementsMC ul-MeasurementsMC Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ul_MeasurementsTDD ul-MeasurementsTDD Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ul_OL_PC_Signalling ul-OL-PC-Signalling Unsigned 32-bit integer umts_rrc_ies.T_ul_OL_PC_Signalling
umts_rrc_ies.ul_RFC3095 ul-RFC3095 No value umts_rrc_ies.UL_RFC3095_r4
umts_rrc_ies.ul_RFC3095_Context_Relocation ul-RFC3095-Context-Relocation Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.ul_RLC_Mode ul-RLC-Mode Unsigned 32-bit integer umts_rrc_ies.UL_RLC_Mode
umts_rrc_ies.ul_SynchronisationParameters ul-SynchronisationParameters No value umts_rrc_ies.UL_SynchronisationParameters_r4
umts_rrc_ies.ul_TFCS ul-TFCS Unsigned 32-bit integer umts_rrc_ies.TFCS
umts_rrc_ies.ul_TFCS_Identity ul-TFCS-Identity No value umts_rrc_ies.TFCS_Identity
umts_rrc_ies.ul_TM_RLC_Mode ul-TM-RLC-Mode No value umts_rrc_ies.UL_TM_RLC_Mode
umts_rrc_ies.ul_TS_ChannelisationCodeList ul-TS-ChannelisationCodeList Unsigned 32-bit integer umts_rrc_ies.UL_TS_ChannelisationCodeList
umts_rrc_ies.ul_TargetSIR ul-TargetSIR Unsigned 32-bit integer umts_rrc_ies.UL_TargetSIR
umts_rrc_ies.ul_TimeslotInterference ul-TimeslotInterference Signed 32-bit integer umts_rrc_ies.TDD_UL_Interference
umts_rrc_ies.ul_TimingAdvance ul-TimingAdvance Unsigned 32-bit integer umts_rrc_ies.UL_TimingAdvanceControl
umts_rrc_ies.ul_TrCH_Type ul-TrCH-Type Unsigned 32-bit integer umts_rrc_ies.T_ul_TrCH_Type
umts_rrc_ies.ul_TransChCapability ul-TransChCapability No value umts_rrc_ies.UL_TransChCapability
umts_rrc_ies.ul_TransportChannelIdentity ul-TransportChannelIdentity Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.ul_TransportChannelType ul-TransportChannelType Unsigned 32-bit integer umts_rrc_ies.UL_TransportChannelType
umts_rrc_ies.ul_UM_RLC_Mode ul-UM-RLC-Mode No value umts_rrc_ies.UL_UM_RLC_Mode
umts_rrc_ies.ul_and_dl ul-and-dl No value umts_rrc_ies.T_ul_and_dl
umts_rrc_ies.ul_controlledTrChList ul-controlledTrChList Unsigned 32-bit integer umts_rrc_ies.UL_ControlledTrChList
umts_rrc_ies.ul_target_SIR ul-target-SIR Signed 32-bit integer umts_rrc_ies.INTEGER_M22_40
umts_rrc_ies.ul_transportChannelCausingEvent ul-transportChannelCausingEvent Unsigned 32-bit integer umts_rrc_ies.UL_TrCH_Identity
umts_rrc_ies.ul_transportChannelID ul-transportChannelID Unsigned 32-bit integer umts_rrc_ies.UL_TrCH_Identity
umts_rrc_ies.uncertaintyAltitude uncertaintyAltitude Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_127
umts_rrc_ies.uncertaintyCode uncertaintyCode Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_127
umts_rrc_ies.uncertaintySemiMajor uncertaintySemiMajor Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_127
umts_rrc_ies.uncertaintySemiMinor uncertaintySemiMinor Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_127
umts_rrc_ies.unspecified unspecified No value umts_rrc_ies.NULL
umts_rrc_ies.unsupported unsupported No value umts_rrc_ies.NULL
umts_rrc_ies.unsupportedMeasurement unsupportedMeasurement No value umts_rrc_ies.NULL
umts_rrc_ies.up_Ipdl_Parameters_TDD up-Ipdl-Parameters-TDD No value umts_rrc_ies.UE_Positioning_IPDL_Parameters_TDD_r4_ext
umts_rrc_ies.up_Measurement up-Measurement No value umts_rrc_ies.UE_Positioning_Measurement_r4
umts_rrc_ies.uplinkCompressedMode uplinkCompressedMode No value umts_rrc_ies.CompressedModeMeasCapability
umts_rrc_ies.uplinkCompressedMode_LCR uplinkCompressedMode-LCR No value umts_rrc_ies.CompressedModeMeasCapability_LCR_r4
umts_rrc_ies.uplinkPhysChCapability uplinkPhysChCapability No value umts_rrc_ies.UL_PhysChCapabilityFDD
umts_rrc_ies.upperLimit upperLimit Unsigned 32-bit integer umts_rrc_ies.UpperLimit
umts_rrc_ies.uraIndex uraIndex Byte array umts_rrc_ies.BIT_STRING_SIZE_4
umts_rrc_ies.ura_IdentityList ura-IdentityList Unsigned 32-bit integer umts_rrc_ies.URA_IdentityList
umts_rrc_ies.usch usch Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.usch_TFCS usch-TFCS Unsigned 32-bit integer umts_rrc_ies.TFCS
umts_rrc_ies.usch_TFS usch-TFS Unsigned 32-bit integer umts_rrc_ies.TransportFormatSet
umts_rrc_ies.usch_TransportChannelIdentity usch-TransportChannelIdentity Unsigned 32-bit integer umts_rrc_ies.TransportChannelIdentity
umts_rrc_ies.usch_TransportChannelsInfo usch-TransportChannelsInfo Unsigned 32-bit integer umts_rrc_ies.USCH_TransportChannelsInfo
umts_rrc_ies.useCIO useCIO Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.use_of_HCS use-of-HCS Unsigned 32-bit integer umts_rrc_ies.T_use_of_HCS
umts_rrc_ies.usedFreqThreshold usedFreqThreshold Signed 32-bit integer umts_rrc_ies.Threshold
umts_rrc_ies.usedFreqW usedFreqW Unsigned 32-bit integer umts_rrc_ies.W
umts_rrc_ies.utcModelRequest utcModelRequest Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.utra_CarrierRSSI utra-CarrierRSSI Unsigned 32-bit integer umts_rrc_ies.UTRA_CarrierRSSI
umts_rrc_ies.utra_Carrier_RSSI utra-Carrier-RSSI Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.utran_EstimatedQuality utran-EstimatedQuality Boolean umts_rrc_ies.BOOLEAN
umts_rrc_ies.utran_GPSReferenceTime utran-GPSReferenceTime No value umts_rrc_ies.UTRAN_GPSReferenceTime
umts_rrc_ies.utran_GPSReferenceTimeResult utran-GPSReferenceTimeResult No value umts_rrc_ies.UTRAN_GPSReferenceTimeResult
umts_rrc_ies.utran_GPSTimingOfCell utran-GPSTimingOfCell No value umts_rrc_ies.T_utran_GPSTimingOfCell
umts_rrc_ies.utran_GPS_DriftRate utran-GPS-DriftRate Unsigned 32-bit integer umts_rrc_ies.UTRAN_GPS_DriftRate
umts_rrc_ies.utran_GroupIdentity utran-GroupIdentity Unsigned 32-bit integer umts_rrc_ies.SEQUENCE_SIZE_1_maxURNTIGroup_OF_GroupIdentityWithReleaseInformation
umts_rrc_ies.utran_GroupIdentity_item Item No value umts_rrc_ies.GroupIdentityWithReleaseInformation
umts_rrc_ies.utran_Identity utran-Identity No value umts_rrc_ies.T_utran_Identity
umts_rrc_ies.utran_SingleUE_Identity utran-SingleUE-Identity No value umts_rrc_ies.T_utran_SingleUE_Identity
umts_rrc_ies.v3a0NonCriticalExtensions v3a0NonCriticalExtensions No value umts_rrc_ies.T_v3a0NonCriticalExtensions
umts_rrc_ies.v4b0NonCriticalExtensions v4b0NonCriticalExtensions No value umts_rrc_ies.T_v4b0NonCriticalExtensions
umts_rrc_ies.v590NonCriticalExtension v590NonCriticalExtension No value umts_rrc_ies.T_v590NonCriticalExtension
umts_rrc_ies.v590NonCriticalExtensions v590NonCriticalExtensions No value umts_rrc_ies.T_v590NonCriticalExtensions
umts_rrc_ies.v5b0NonCriticalExtension v5b0NonCriticalExtension No value umts_rrc_ies.T_v5b0NonCriticalExtension
umts_rrc_ies.v5c0NonCriticalExtension v5c0NonCriticalExtension No value umts_rrc_ies.T_v5c0NonCriticalExtension
umts_rrc_ies.v5c0NoncriticalExtension v5c0NoncriticalExtension No value umts_rrc_ies.T_v5c0NoncriticalExtension
umts_rrc_ies.v650NonCriticalExtensions v650NonCriticalExtensions No value umts_rrc_ies.T_v650NonCriticalExtensions
umts_rrc_ies.v650nonCriticalExtensions v650nonCriticalExtensions No value umts_rrc_ies.T_v650nonCriticalExtensions
umts_rrc_ies.v670NonCriticalExtension v670NonCriticalExtension No value umts_rrc_ies.T_v670NonCriticalExtension
umts_rrc_ies.v6xyNonCriticalExtensions v6xyNonCriticalExtensions No value umts_rrc_ies.T_v6xyNonCriticalExtensions
umts_rrc_ies.v6xynonCriticalExtensions v6xynonCriticalExtensions No value umts_rrc_ies.T_v6xynonCriticalExtensions
umts_rrc_ies.validity_CellPCH_UraPCH validity-CellPCH-UraPCH Unsigned 32-bit integer umts_rrc_ies.T_validity_CellPCH_UraPCH
umts_rrc_ies.valueTagList valueTagList Unsigned 32-bit integer umts_rrc_ies.PredefinedConfigValueTagList
umts_rrc_ies.varianceOfRLC_BufferPayload varianceOfRLC-BufferPayload Unsigned 32-bit integer umts_rrc_ies.TimeInterval
umts_rrc_ies.verifiedBSIC verifiedBSIC Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_maxCellMeas
umts_rrc_ies.version version Unsigned 32-bit integer umts_rrc_ies.T_version
umts_rrc_ies.verticalAccuracy verticalAccuracy Byte array umts_rrc_ies.UE_Positioning_Accuracy
umts_rrc_ies.vertical_Accuracy vertical-Accuracy Byte array umts_rrc_ies.UE_Positioning_Accuracy
umts_rrc_ies.w w Unsigned 32-bit integer umts_rrc_ies.W
umts_rrc_ies.wholeGPS_Chips wholeGPS-Chips Unsigned 32-bit integer umts_rrc_ies.INTEGER_0_1022
umts_rrc_ies.wi wi Unsigned 32-bit integer umts_rrc_ies.Wi_LCR
umts_rrc_ies.widowSize_DAR widowSize-DAR Unsigned 32-bit integer umts_rrc_ies.WindowSizeDAR_r6
umts_rrc_ies.windowSize_OSD windowSize-OSD Unsigned 32-bit integer umts_rrc_ies.WindowSizeOSD_r6
umts_rrc_ies.withinActSetAndOrMonitoredUsedFreqOrVirtualActSetAndOrMonitoredNonUsedFreq withinActSetAndOrMonitoredUsedFreqOrVirtualActSetAndOrMonitoredNonUsedFreq Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType2
umts_rrc_ies.withinActSetOrVirtualActSet_InterRATcells withinActSetOrVirtualActSet-InterRATcells Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType2
umts_rrc_ies.withinActiveAndOrMonitoredUsedFreq withinActiveAndOrMonitoredUsedFreq Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType1
umts_rrc_ies.withinActiveSet withinActiveSet Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType1
umts_rrc_ies.withinDetectedSetUsedFreq withinDetectedSetUsedFreq Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType1
umts_rrc_ies.withinMonitoredAndOrDetectedUsedFreq withinMonitoredAndOrDetectedUsedFreq Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType1
umts_rrc_ies.withinMonitoredAndOrVirtualActiveSetNonUsedFreq withinMonitoredAndOrVirtualActiveSetNonUsedFreq Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType1
umts_rrc_ies.withinMonitoredSetNonUsedFreq withinMonitoredSetNonUsedFreq Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType1
umts_rrc_ies.withinMonitoredSetUsedFreq withinMonitoredSetUsedFreq Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType1
umts_rrc_ies.withinVirtualActSet withinVirtualActSet Unsigned 32-bit integer umts_rrc_ies.MaxNumberOfReportingCellsType1
umts_rrc_ies.wn_a wn-a Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.wn_lsf wn-lsf Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.wn_t wn-t Byte array umts_rrc_ies.BIT_STRING_SIZE_8
umts_rrc_ies.zero zero No value umts_rrc_ies.NULL
umts_rrc_pdu_def.CompleteSIB_List_item Item No value umts_rrc_pdu_def.CompleteSIBshort
umts_rrc_pdu_def.absent absent No value umts_rrc_pdu_def.NULL
umts_rrc_pdu_def.accessStratumReleaseIndicator accessStratumReleaseIndicator Unsigned 32-bit integer umts_rrc_ies.AccessStratumReleaseIndicator
umts_rrc_pdu_def.activationTime activationTime Unsigned 32-bit integer umts_rrc_ies.ActivationTime
umts_rrc_pdu_def.activationTimeForTFCSubset activationTimeForTFCSubset Unsigned 32-bit integer umts_rrc_ies.ActivationTime
umts_rrc_pdu_def.activeSetUpdateComplete_r3_add_ext activeSetUpdateComplete-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.activeSetUpdateFailure_r3_add_ext activeSetUpdateFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.activeSetUpdate_r3 activeSetUpdate-r3 No value umts_rrc_pdu_def.ActiveSetUpdate_r3_IEs
umts_rrc_pdu_def.activeSetUpdate_r3_add_ext activeSetUpdate-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.activeSetUpdate_r6 activeSetUpdate-r6 No value umts_rrc_pdu_def.ActiveSetUpdate_r6_IEs
umts_rrc_pdu_def.activeSetUpdate_r6_add_ext activeSetUpdate-r6-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.activeSetUpdate_v4b0ext activeSetUpdate-v4b0ext No value umts_rrc_pdu_def.ActiveSetUpdate_v4b0ext_IEs
umts_rrc_pdu_def.activeSetUpdate_v590ext activeSetUpdate-v590ext No value umts_rrc_pdu_def.ActiveSetUpdate_v590ext_IEs
umts_rrc_pdu_def.activeSetUpdate_v6xyext activeSetUpdate-v6xyext No value umts_rrc_pdu_def.ActiveSetUpdate_v6xyext_IEs
umts_rrc_pdu_def.additionalMeasuredResults additionalMeasuredResults Unsigned 32-bit integer umts_rrc_ies.MeasuredResultsList
umts_rrc_pdu_def.additionalMeasuredResults_LCR additionalMeasuredResults-LCR Unsigned 32-bit integer umts_rrc_ies.MeasuredResultsList_LCR_r4_ext
umts_rrc_pdu_def.additionalMeasurementList additionalMeasurementList Unsigned 32-bit integer umts_rrc_ies.AdditionalMeasurementID_List
umts_rrc_pdu_def.allocationConfirmation allocationConfirmation Unsigned 32-bit integer umts_rrc_pdu_def.T_allocationConfirmation
umts_rrc_pdu_def.alpha alpha Unsigned 32-bit integer umts_rrc_ies.Alpha
umts_rrc_pdu_def.am_RLC_ErrorIndicationRb2_3or4 am-RLC-ErrorIndicationRb2-3or4 Boolean umts_rrc_pdu_def.BOOLEAN
umts_rrc_pdu_def.am_RLC_ErrorIndicationRb5orAbove am-RLC-ErrorIndicationRb5orAbove Boolean umts_rrc_pdu_def.BOOLEAN
umts_rrc_pdu_def.assistanceDataDelivery_r3 assistanceDataDelivery-r3 No value umts_rrc_pdu_def.AssistanceDataDelivery_r3_IEs
umts_rrc_pdu_def.assistanceDataDelivery_r3_add_ext assistanceDataDelivery-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.assistanceDataDelivery_v3a0ext assistanceDataDelivery-v3a0ext No value umts_rrc_pdu_def.AssistanceDataDelivery_v3a0ext
umts_rrc_pdu_def.assistanceDataDelivery_v4b0ext assistanceDataDelivery-v4b0ext No value umts_rrc_pdu_def.AssistanceDataDelivery_v4b0ext_IEs
umts_rrc_pdu_def.bcch_ModificationInfo bcch-ModificationInfo No value umts_rrc_ies.BCCH_ModificationInfo
umts_rrc_pdu_def.beaconPLEst beaconPLEst Unsigned 32-bit integer umts_rrc_ies.BEACON_PL_Est
umts_rrc_pdu_def.capabilityUpdateRequirement capabilityUpdateRequirement No value umts_rrc_ies.CapabilityUpdateRequirement
umts_rrc_pdu_def.capabilityUpdateRequirement_r4_ext capabilityUpdateRequirement-r4-ext No value umts_rrc_ies.CapabilityUpdateRequirement_r4_ext
umts_rrc_pdu_def.ccTrCH_PowerControlInfo ccTrCH-PowerControlInfo No value umts_rrc_ies.CCTrCH_PowerControlInfo
umts_rrc_pdu_def.cdma2000 cdma2000 No value umts_rrc_pdu_def.T_cdma2000
umts_rrc_pdu_def.cdma2000_MessageList cdma2000-MessageList Unsigned 32-bit integer umts_rrc_ies.CDMA2000_MessageList
umts_rrc_pdu_def.cellChangeOrderFromUTRANFailure_r3 cellChangeOrderFromUTRANFailure-r3 No value umts_rrc_pdu_def.CellChangeOrderFromUTRANFailure_r3_IEs
umts_rrc_pdu_def.cellChangeOrderFromUTRANFailure_r3_add_ext cellChangeOrderFromUTRANFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.cellChangeOrderFromUTRAN_IEs cellChangeOrderFromUTRAN-IEs No value umts_rrc_pdu_def.CellChangeOrderFromUTRAN_r3_IEs
umts_rrc_pdu_def.cellChangeOrderFromUTRAN_r3_add_ext cellChangeOrderFromUTRAN-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.cellChangeOrderFromUTRAN_v590ext cellChangeOrderFromUTRAN-v590ext No value umts_rrc_pdu_def.CellChangeOrderFromUTRAN_v590ext_IEs
umts_rrc_pdu_def.cellGroupIdentity cellGroupIdentity Byte array umts_rrc_ies.MBMS_CellGroupIdentity_r6
umts_rrc_pdu_def.cellUpdateCause cellUpdateCause Unsigned 32-bit integer umts_rrc_ies.CellUpdateCause
umts_rrc_pdu_def.cellUpdateCause_ext cellUpdateCause-ext Unsigned 32-bit integer umts_rrc_ies.CellUpdateCause_ext
umts_rrc_pdu_def.cellUpdateConfirm_CCCH_r3_add_ext cellUpdateConfirm-CCCH-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.cellUpdateConfirm_CCCH_r4_add_ext cellUpdateConfirm-CCCH-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.cellUpdateConfirm_CCCH_r5_add_ext cellUpdateConfirm-CCCH-r5-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.cellUpdateConfirm_r3 cellUpdateConfirm-r3 No value umts_rrc_pdu_def.CellUpdateConfirm_r3_IEs
umts_rrc_pdu_def.cellUpdateConfirm_r3_add_ext cellUpdateConfirm-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.cellUpdateConfirm_r4 cellUpdateConfirm-r4 No value umts_rrc_pdu_def.CellUpdateConfirm_r4_IEs
umts_rrc_pdu_def.cellUpdateConfirm_r4_add_ext cellUpdateConfirm-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.cellUpdateConfirm_r5 cellUpdateConfirm-r5 No value umts_rrc_pdu_def.CellUpdateConfirm_r5_IEs
umts_rrc_pdu_def.cellUpdateConfirm_r5_add_ext cellUpdateConfirm-r5-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.cellUpdateConfirm_r6 cellUpdateConfirm-r6 No value umts_rrc_pdu_def.CellUpdateConfirm_r6_IEs
umts_rrc_pdu_def.cellUpdateConfirm_r6_add_ext cellUpdateConfirm-r6-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.cellUpdateConfirm_v3a0ext cellUpdateConfirm-v3a0ext No value umts_rrc_pdu_def.CellUpdateConfirm_v3a0ext
umts_rrc_pdu_def.cellUpdateConfirm_v4b0ext cellUpdateConfirm-v4b0ext No value umts_rrc_pdu_def.CellUpdateConfirm_v4b0ext_IEs
umts_rrc_pdu_def.cellUpdateConfirm_v590ext cellUpdateConfirm-v590ext No value umts_rrc_pdu_def.CellUpdateConfirm_v590ext_IEs
umts_rrc_pdu_def.cellUpdateConfirm_v5d0ext cellUpdateConfirm-v5d0ext No value umts_rrc_pdu_def.CellUpdateConfirm_v5d0ext_IEs
umts_rrc_pdu_def.cellUpdateConfirm_v6xyext cellUpdateConfirm-v6xyext No value umts_rrc_pdu_def.CellUpdateConfirm_v6xyext_IEs
umts_rrc_pdu_def.cellUpdate_r3_add_ext cellUpdate-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.cellUpdate_v590ext cellUpdate-v590ext No value umts_rrc_pdu_def.CellUpdate_v590ext
umts_rrc_pdu_def.cellUpdate_v6xyext cellUpdate-v6xyext No value umts_rrc_pdu_def.CellUpdate_v6xyext_IEs
umts_rrc_pdu_def.cell_id_PerRL_List cell-id-PerRL-List Unsigned 32-bit integer umts_rrc_ies.CellIdentity_PerRL_List
umts_rrc_pdu_def.cipheringAlgorithm cipheringAlgorithm Unsigned 32-bit integer umts_rrc_ies.CipheringAlgorithm
umts_rrc_pdu_def.cipheringModeInfo cipheringModeInfo No value umts_rrc_ies.CipheringModeInfo
umts_rrc_pdu_def.cn_DomainIdentity cn-DomainIdentity Unsigned 32-bit integer umts_rrc_ies.CN_DomainIdentity
umts_rrc_pdu_def.cn_InformationInfo cn-InformationInfo No value umts_rrc_ies.CN_InformationInfo
umts_rrc_pdu_def.complete complete No value umts_rrc_pdu_def.T_complete
umts_rrc_pdu_def.completeAndFirst completeAndFirst No value umts_rrc_pdu_def.T_completeAndFirst
umts_rrc_pdu_def.completeSIB completeSIB No value umts_rrc_pdu_def.CompleteSIB
umts_rrc_pdu_def.completeSIB_List completeSIB-List Unsigned 32-bit integer umts_rrc_pdu_def.CompleteSIB_List
umts_rrc_pdu_def.confirmRequest confirmRequest Unsigned 32-bit integer umts_rrc_pdu_def.T_confirmRequest
umts_rrc_pdu_def.count_C_ActivationTime count-C-ActivationTime Unsigned 32-bit integer umts_rrc_ies.ActivationTime
umts_rrc_pdu_def.counterCheckResponse_r3_add_ext counterCheckResponse-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.counterCheck_r3 counterCheck-r3 No value umts_rrc_pdu_def.CounterCheck_r3_IEs
umts_rrc_pdu_def.counterCheck_r3_add_ext counterCheck-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.criticalExtensions criticalExtensions Unsigned 32-bit integer umts_rrc_pdu_def.T_criticalExtensions
umts_rrc_pdu_def.defaultConfig defaultConfig No value umts_rrc_pdu_def.T_defaultConfig
umts_rrc_pdu_def.defaultConfigIdentity defaultConfigIdentity Unsigned 32-bit integer umts_rrc_ies.DefaultConfigIdentity
umts_rrc_pdu_def.defaultConfigMode defaultConfigMode Unsigned 32-bit integer umts_rrc_ies.DefaultConfigMode
umts_rrc_pdu_def.delayRestrictionFlag delayRestrictionFlag Unsigned 32-bit integer umts_rrc_ies.DelayRestrictionFlag
umts_rrc_pdu_def.dhs_sync dhs-sync Signed 32-bit integer umts_rrc_ies.DHS_Sync
umts_rrc_pdu_def.dl_AddReconfTransChInfoList dl-AddReconfTransChInfoList Unsigned 32-bit integer umts_rrc_ies.DL_AddReconfTransChInfoList
umts_rrc_pdu_def.dl_CommonInformation dl-CommonInformation No value umts_rrc_ies.DL_CommonInformation
umts_rrc_pdu_def.dl_CommonInformationPost dl-CommonInformationPost No value umts_rrc_ies.DL_CommonInformationPost
umts_rrc_pdu_def.dl_CommonTransChInfo dl-CommonTransChInfo No value umts_rrc_ies.DL_CommonTransChInfo
umts_rrc_pdu_def.dl_CounterSynchronisationInfo dl-CounterSynchronisationInfo No value umts_rrc_ies.DL_CounterSynchronisationInfo
umts_rrc_pdu_def.dl_DeletedTransChInfoList dl-DeletedTransChInfoList Unsigned 32-bit integer umts_rrc_ies.DL_DeletedTransChInfoList
umts_rrc_pdu_def.dl_HSPDSCH_Information dl-HSPDSCH-Information No value umts_rrc_ies.DL_HSPDSCH_Information
umts_rrc_pdu_def.dl_InformationPerRL dl-InformationPerRL No value umts_rrc_ies.DL_InformationPerRL_PostTDD
umts_rrc_pdu_def.dl_InformationPerRL_List dl-InformationPerRL-List Unsigned 32-bit integer umts_rrc_ies.DL_InformationPerRL_List
umts_rrc_pdu_def.dl_PhysChCapabilityFDD_v380ext dl-PhysChCapabilityFDD-v380ext No value umts_rrc_ies.DL_PhysChCapabilityFDD_v380ext
umts_rrc_pdu_def.dl_TPC_PowerOffsetPerRL_List dl-TPC-PowerOffsetPerRL-List Unsigned 32-bit integer umts_rrc_ies.DL_TPC_PowerOffsetPerRL_List
umts_rrc_pdu_def.downlinkDirectTransfer_r3 downlinkDirectTransfer-r3 No value umts_rrc_pdu_def.DownlinkDirectTransfer_r3_IEs
umts_rrc_pdu_def.downlinkDirectTransfer_r3_add_ext downlinkDirectTransfer-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.dpc_Mode dpc-Mode Unsigned 32-bit integer umts_rrc_ies.DPC_Mode
umts_rrc_pdu_def.dpch_CompressedModeStatusInfo dpch-CompressedModeStatusInfo No value umts_rrc_ies.DPCH_CompressedModeStatusInfo
umts_rrc_pdu_def.dpch_TFCS_InUplink dpch-TFCS-InUplink Unsigned 32-bit integer umts_rrc_ies.TFC_Subset
umts_rrc_pdu_def.dsch_RNTI dsch-RNTI Byte array umts_rrc_ies.DSCH_RNTI
umts_rrc_pdu_def.dummy dummy No value umts_rrc_pdu_def.T_dummy
umts_rrc_pdu_def.dummy1 dummy1 Unsigned 32-bit integer umts_rrc_ies.CPCH_SetID
umts_rrc_pdu_def.dummy1_CPCH_SetID dummy1-CPCH-SetID Unsigned 32-bit integer umts_rrc_ies.CPCH_SetID
umts_rrc_pdu_def.dummy2 dummy2 Unsigned 32-bit integer umts_rrc_ies.DRAC_StaticInformationList
umts_rrc_pdu_def.dummy2_CPCH_SetInfo dummy2-CPCH-SetInfo No value umts_rrc_ies.CPCH_SetInfo
umts_rrc_pdu_def.dummy2_CipheringModeInfo dummy2-CipheringModeInfo No value umts_rrc_ies.CipheringModeInfo
umts_rrc_pdu_def.dummy2_DRAC_StaticInformationList dummy2-DRAC-StaticInformationList Unsigned 32-bit integer umts_rrc_ies.DRAC_StaticInformationList
umts_rrc_pdu_def.dummy2_RB_ActivationTimeInfoList dummy2-RB-ActivationTimeInfoList Unsigned 32-bit integer umts_rrc_ies.RB_ActivationTimeInfoList
umts_rrc_pdu_def.dummy3_DL_CounterSynchronisationInfo dummy3-DL-CounterSynchronisationInfo No value umts_rrc_ies.DL_CounterSynchronisationInfo
umts_rrc_pdu_def.dummy3_UL_CounterSynchronisationInfo dummy3-UL-CounterSynchronisationInfo No value umts_rrc_ies.UL_CounterSynchronisationInfo
umts_rrc_pdu_def.dummy4_SSDT_Information dummy4-SSDT-Information No value umts_rrc_ies.SSDT_Information
umts_rrc_pdu_def.dummy_1a dummy-1a Unsigned 32-bit integer umts_rrc_pdu_def.T_dummy_1a
umts_rrc_pdu_def.dummy_ActivationTime dummy-ActivationTime Unsigned 32-bit integer umts_rrc_ies.ActivationTime
umts_rrc_pdu_def.dummy_CPCH_SetID dummy-CPCH-SetID Unsigned 32-bit integer umts_rrc_ies.CPCH_SetID
umts_rrc_pdu_def.dummy_DL_PDSCH_Information dummy-DL-PDSCH-Information No value umts_rrc_ies.DL_PDSCH_Information
umts_rrc_pdu_def.dummy_IntegrityProtActivationInfo dummy-IntegrityProtActivationInfo No value umts_rrc_ies.IntegrityProtActivationInfo
umts_rrc_pdu_def.dummy_IntegrityProtectionModeInfo dummy-IntegrityProtectionModeInfo No value umts_rrc_ies.IntegrityProtectionModeInfo
umts_rrc_pdu_def.dummy_RB_ActivationTimeInfoList dummy-RB-ActivationTimeInfoList Unsigned 32-bit integer umts_rrc_ies.RB_ActivationTimeInfoList
umts_rrc_pdu_def.dummy_SSDT_UL dummy-SSDT-UL Unsigned 32-bit integer umts_rrc_ies.SSDT_UL
umts_rrc_pdu_def.endOfModifiedMCCHInformation endOfModifiedMCCHInformation Unsigned 32-bit integer umts_rrc_pdu_def.INTEGER_1_16
umts_rrc_pdu_def.errorIndication errorIndication Unsigned 32-bit integer umts_rrc_ies.FailureCauseWithProtErr
umts_rrc_pdu_def.establishmentCause establishmentCause Unsigned 32-bit integer umts_rrc_ies.EstablishmentCause
umts_rrc_pdu_def.eventResults eventResults Unsigned 32-bit integer umts_rrc_ies.EventResults
umts_rrc_pdu_def.failureCause failureCause Unsigned 32-bit integer umts_rrc_ies.FailureCauseWithProtErr
umts_rrc_pdu_def.failureCauseWithProtErr failureCauseWithProtErr Unsigned 32-bit integer umts_rrc_ies.FailureCauseWithProtErr
umts_rrc_pdu_def.fdd fdd No value umts_rrc_pdu_def.T_fdd
umts_rrc_pdu_def.firstSegment firstSegment No value umts_rrc_pdu_def.FirstSegment
umts_rrc_pdu_def.frequencyInfo frequencyInfo No value umts_rrc_ies.FrequencyInfo
umts_rrc_pdu_def.frequency_Band frequency-Band Unsigned 32-bit integer umts_rrc_ies.Frequency_Band
umts_rrc_pdu_def.frequency_band frequency-band Unsigned 32-bit integer umts_rrc_ies.Frequency_Band
umts_rrc_pdu_def.geranIu_Message geranIu-Message Unsigned 32-bit integer umts_rrc_pdu_def.T_geranIu_Message
umts_rrc_pdu_def.geranIu_MessageList geranIu-MessageList No value umts_rrc_pdu_def.T_geranIu_MessageList
umts_rrc_pdu_def.geranIu_Messages geranIu-Messages Unsigned 32-bit integer umts_rrc_ies.GERANIu_MessageList
umts_rrc_pdu_def.geran_SystemInfoType geran-SystemInfoType Unsigned 32-bit integer umts_rrc_pdu_def.T_geran_SystemInfoType
umts_rrc_pdu_def.groupIdentity groupIdentity Unsigned 32-bit integer umts_rrc_pdu_def.SEQUENCE_SIZE_1_maxURNTIGroup_OF_GroupReleaseInformation
umts_rrc_pdu_def.groupIdentity_item Item No value umts_rrc_ies.GroupReleaseInformation
umts_rrc_pdu_def.gsm gsm No value umts_rrc_pdu_def.T_gsm
umts_rrc_pdu_def.gsmOTDreferenceCell gsmOTDreferenceCell No value umts_rrc_ies.PrimaryCPICH_Info
umts_rrc_pdu_def.gsmSecurityCapability_v6xyext gsmSecurityCapability-v6xyext Byte array umts_rrc_ies.GSMSecurityCapability_v6xyext
umts_rrc_pdu_def.gsm_MessageList gsm-MessageList No value umts_rrc_pdu_def.T_gsm_MessageList
umts_rrc_pdu_def.gsm_Messages gsm-Messages Unsigned 32-bit integer umts_rrc_ies.GSM_MessageList
umts_rrc_pdu_def.gsm_message gsm-message Unsigned 32-bit integer umts_rrc_pdu_def.T_gsm_message
umts_rrc_pdu_def.handoverFromUTRANCommand_CDMA2000_r3 handoverFromUTRANCommand-CDMA2000-r3 No value umts_rrc_pdu_def.HandoverFromUTRANCommand_CDMA2000_r3_IEs
umts_rrc_pdu_def.handoverFromUTRANCommand_CDMA2000_r3_add_ext handoverFromUTRANCommand-CDMA2000-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.handoverFromUTRANCommand_GERANIu handoverFromUTRANCommand-GERANIu Unsigned 32-bit integer umts_rrc_pdu_def.T_handoverFromUTRANCommand_GERANIu
umts_rrc_pdu_def.handoverFromUTRANCommand_GERANIu_r5 handoverFromUTRANCommand-GERANIu-r5 No value umts_rrc_pdu_def.HandoverFromUTRANCommand_GERANIu_r5_IEs
umts_rrc_pdu_def.handoverFromUTRANCommand_GSM_r3 handoverFromUTRANCommand-GSM-r3 No value umts_rrc_pdu_def.HandoverFromUTRANCommand_GSM_r3_IEs
umts_rrc_pdu_def.handoverFromUTRANCommand_GSM_r3_add_ext handoverFromUTRANCommand-GSM-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.handoverFromUTRANCommand_GSM_r6 handoverFromUTRANCommand-GSM-r6 No value umts_rrc_pdu_def.HandoverFromUTRANCommand_GSM_r6_IEs
umts_rrc_pdu_def.handoverFromUTRANCommand_GSM_r6_add_ext handoverFromUTRANCommand-GSM-r6-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.handoverFromUTRANCommand_GSM_v6xyext handoverFromUTRANCommand-GSM-v6xyext No value umts_rrc_pdu_def.HandoverFromUTRANCommand_GSM_v6xyext_IEs
umts_rrc_pdu_def.handoverFromUTRANFailure_r3_add_ext handoverFromUTRANFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.handoverFromUTRANFailure_v590ext handoverFromUTRANFailure-v590ext No value umts_rrc_pdu_def.HandoverFromUtranFailure_v590ext_IEs
umts_rrc_pdu_def.handoverToUTRANCommand_r3 handoverToUTRANCommand-r3 No value umts_rrc_pdu_def.HandoverToUTRANCommand_r3_IEs
umts_rrc_pdu_def.handoverToUTRANCommand_r4 handoverToUTRANCommand-r4 No value umts_rrc_pdu_def.HandoverToUTRANCommand_r4_IEs
umts_rrc_pdu_def.handoverToUTRANCommand_r5 handoverToUTRANCommand-r5 No value umts_rrc_pdu_def.HandoverToUTRANCommand_r5_IEs
umts_rrc_pdu_def.handoverToUTRANCommand_r6 handoverToUTRANCommand-r6 No value umts_rrc_pdu_def.HandoverToUTRANCommand_r6_IEs
umts_rrc_pdu_def.handoverToUTRANComplete_r3_add_ext handoverToUTRANComplete-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.harq_Preamble_Mode harq-Preamble-Mode Unsigned 32-bit integer umts_rrc_ies.HARQ_Preamble_Mode
umts_rrc_pdu_def.hs_SICH_PowerControl hs-SICH-PowerControl No value umts_rrc_ies.HS_SICH_Power_Control_Info_TDD384
umts_rrc_pdu_def.initialDirectTransfer_r3_add_ext initialDirectTransfer-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.initialDirectTransfer_v3a0ext initialDirectTransfer-v3a0ext No value umts_rrc_pdu_def.InitialDirectTransfer_v3a0ext
umts_rrc_pdu_def.initialDirectTransfer_v590ext initialDirectTransfer-v590ext No value umts_rrc_pdu_def.InitialDirectTransfer_v590ext
umts_rrc_pdu_def.initialDirectTransfer_v6xyext initialDirectTransfer-v6xyext No value umts_rrc_pdu_def.InitialDirectTransfer_v6xyext_IEs
umts_rrc_pdu_def.initialUE_Identity initialUE-Identity Unsigned 32-bit integer umts_rrc_ies.InitialUE_Identity
umts_rrc_pdu_def.integrityProtectionModeInfo integrityProtectionModeInfo No value umts_rrc_ies.IntegrityProtectionModeInfo
umts_rrc_pdu_def.interFreqEventResults_LCR interFreqEventResults-LCR No value umts_rrc_ies.InterFreqEventResults_LCR_r4_ext
umts_rrc_pdu_def.interRATCellInfoIndication interRATCellInfoIndication Unsigned 32-bit integer umts_rrc_ies.InterRATCellInfoIndication
umts_rrc_pdu_def.interRATHandoverInfo_r3_add_ext interRATHandoverInfo-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.interRATHandoverInfo_v390ext interRATHandoverInfo-v390ext No value umts_rrc_pdu_def.InterRATHandoverInfo_v390ext_IEs
umts_rrc_pdu_def.interRATHandoverInfo_v3a0ext interRATHandoverInfo-v3a0ext No value umts_rrc_pdu_def.InterRATHandoverInfo_v3a0ext_IEs
umts_rrc_pdu_def.interRATHandoverInfo_v3d0ext interRATHandoverInfo-v3d0ext No value umts_rrc_pdu_def.InterRATHandoverInfo_v3d0ext_IEs
umts_rrc_pdu_def.interRATHandoverInfo_v3g0ext interRATHandoverInfo-v3g0ext No value umts_rrc_pdu_def.InterRATHandoverInfo_v3g0ext_IEs
umts_rrc_pdu_def.interRATHandoverInfo_v4b0ext interRATHandoverInfo-v4b0ext No value umts_rrc_pdu_def.InterRATHandoverInfo_v4b0ext_IEs
umts_rrc_pdu_def.interRATHandoverInfo_v4d0ext interRATHandoverInfo-v4d0ext No value umts_rrc_pdu_def.InterRATHandoverInfo_v4d0ext_IEs
umts_rrc_pdu_def.interRATHandoverInfo_v590ext interRATHandoverInfo-v590ext No value umts_rrc_pdu_def.InterRATHandoverInfo_v590ext_IEs
umts_rrc_pdu_def.interRATHandoverInfo_v6xy0ext interRATHandoverInfo-v6xy0ext No value umts_rrc_pdu_def.InterRATHandoverInfo_v6xyext_IEs
umts_rrc_pdu_def.interRATMessage interRATMessage Unsigned 32-bit integer umts_rrc_pdu_def.T_interRATMessage
umts_rrc_pdu_def.interRAT_ChangeFailureCause interRAT-ChangeFailureCause Unsigned 32-bit integer umts_rrc_ies.InterRAT_ChangeFailureCause
umts_rrc_pdu_def.interRAT_HO_FailureCause interRAT-HO-FailureCause Unsigned 32-bit integer umts_rrc_ies.InterRAT_HO_FailureCause
umts_rrc_pdu_def.interRAT_TargetCellDescription interRAT-TargetCellDescription No value umts_rrc_ies.InterRAT_TargetCellDescription
umts_rrc_pdu_def.inter_frequency inter-frequency Unsigned 32-bit integer umts_rrc_ies.Inter_FreqEventCriteriaList_v590ext
umts_rrc_pdu_def.intraDomainNasNodeSelector intraDomainNasNodeSelector No value umts_rrc_ies.IntraDomainNasNodeSelector
umts_rrc_pdu_def.intraFreqEvent_1d_r5 intraFreqEvent-1d-r5 No value umts_rrc_ies.IntraFreqEvent_1d_r5
umts_rrc_pdu_def.intraFreqReportingCriteria_1b_r5 intraFreqReportingCriteria-1b-r5 No value umts_rrc_ies.IntraFreqReportingCriteria_1b_r5
umts_rrc_pdu_def.intra_frequency intra-frequency Unsigned 32-bit integer umts_rrc_ies.Intra_FreqEventCriteriaList_v590ext
umts_rrc_pdu_def.iscpTimeslotList iscpTimeslotList Unsigned 32-bit integer umts_rrc_ies.TimeslotList
umts_rrc_pdu_def.lastAndComplete lastAndComplete No value umts_rrc_pdu_def.T_lastAndComplete
umts_rrc_pdu_def.lastAndCompleteAndFirst lastAndCompleteAndFirst No value umts_rrc_pdu_def.T_lastAndCompleteAndFirst
umts_rrc_pdu_def.lastAndFirst lastAndFirst No value umts_rrc_pdu_def.T_lastAndFirst
umts_rrc_pdu_def.lastSegment lastSegment No value umts_rrc_pdu_def.LastSegment
umts_rrc_pdu_def.lastSegmentShort lastSegmentShort No value umts_rrc_pdu_def.LastSegmentShort
umts_rrc_pdu_def.laterNonCriticalExtensions laterNonCriticalExtensions No value umts_rrc_pdu_def.T_laterNonCriticalExtensions
umts_rrc_pdu_def.later_than_r3 later-than-r3 No value umts_rrc_pdu_def.T_later_than_r3
umts_rrc_pdu_def.later_than_r5 later-than-r5 No value umts_rrc_pdu_def.T_later_than_r5
umts_rrc_pdu_def.maxAllowedUL_TX_Power maxAllowedUL-TX-Power Signed 32-bit integer umts_rrc_ies.MaxAllowedUL_TX_Power
umts_rrc_pdu_def.mbmsNumberOfNeighbourCells mbmsNumberOfNeighbourCells Unsigned 32-bit integer umts_rrc_ies.MBMS_NumberOfNeighbourCells_r6
umts_rrc_pdu_def.mbms_AllUnmodifiedPTMServices mbms-AllUnmodifiedPTMServices Unsigned 32-bit integer umts_rrc_pdu_def.T_mbms_AllUnmodifiedPTMServices
umts_rrc_pdu_def.mbms_CommonRBInformationList mbms-CommonRBInformationList Unsigned 32-bit integer umts_rrc_ies.MBMS_CommonRBInformationList_r6
umts_rrc_pdu_def.mbms_CurrentCell_SCCPCHList mbms-CurrentCell-SCCPCHList Unsigned 32-bit integer umts_rrc_ies.MBMS_CurrentCell_SCCPCHList_r6
umts_rrc_pdu_def.mbms_DynamicPersistenceLevel mbms-DynamicPersistenceLevel Unsigned 32-bit integer umts_rrc_ies.DynamicPersistenceLevel
umts_rrc_pdu_def.mbms_JoinedInformation mbms-JoinedInformation No value umts_rrc_ies.MBMS_JoinedInformation_r6
umts_rrc_pdu_def.mbms_PL_ServiceRestrictInfo mbms-PL-ServiceRestrictInfo Unsigned 32-bit integer umts_rrc_ies.MBMS_PL_ServiceRestrictInfo_r6
umts_rrc_pdu_def.mbms_PhyChInformationList mbms-PhyChInformationList Unsigned 32-bit integer umts_rrc_ies.MBMS_PhyChInformationList_r6
umts_rrc_pdu_def.mbms_PreferredFreqRequest mbms-PreferredFreqRequest No value umts_rrc_ies.MBMS_ServiceIdentity
umts_rrc_pdu_def.mbms_PreferredFrequencyInfo mbms-PreferredFrequencyInfo Unsigned 32-bit integer umts_rrc_ies.MBMS_PreferredFrequencyList_r6
umts_rrc_pdu_def.mbms_PtMActivationTime mbms-PtMActivationTime Unsigned 32-bit integer umts_rrc_ies.MBMS_PtMActivationTime
umts_rrc_pdu_def.mbms_RB_ListReleasedToChangeTransferMode mbms-RB-ListReleasedToChangeTransferMode Unsigned 32-bit integer umts_rrc_ies.RB_InformationReleaseList
umts_rrc_pdu_def.mbms_ReacquireMCCH mbms-ReacquireMCCH Unsigned 32-bit integer umts_rrc_pdu_def.T_mbms_ReacquireMCCH
umts_rrc_pdu_def.mbms_SIBType5_SCCPCHList mbms-SIBType5-SCCPCHList Unsigned 32-bit integer umts_rrc_ies.MBMS_SIBType5_SCCPCHList_r6
umts_rrc_pdu_def.mbms_ServiceAccessInfoList mbms-ServiceAccessInfoList Unsigned 32-bit integer umts_rrc_ies.MBMS_ServiceAccessInfoList_r6
umts_rrc_pdu_def.mbms_TimersAndCouneters mbms-TimersAndCouneters No value umts_rrc_ies.MBMS_TimersAndCouneters_r6
umts_rrc_pdu_def.mbms_TranspChInfoForEachCCTrCh mbms-TranspChInfoForEachCCTrCh Unsigned 32-bit integer umts_rrc_ies.MBMS_TranspChInfoForEachCCTrCh_r6
umts_rrc_pdu_def.mbms_TranspChInfoForEachTrCh mbms-TranspChInfoForEachTrCh Unsigned 32-bit integer umts_rrc_ies.MBMS_TranspChInfoForEachTrCh_r6
umts_rrc_pdu_def.measuredResults measuredResults Unsigned 32-bit integer umts_rrc_ies.MeasuredResults
umts_rrc_pdu_def.measuredResultsOnRACH measuredResultsOnRACH No value umts_rrc_ies.MeasuredResultsOnRACH
umts_rrc_pdu_def.measuredResultsOnRACHinterFreq measuredResultsOnRACHinterFreq No value umts_rrc_ies.MeasuredResultsOnRACHinterFreq
umts_rrc_pdu_def.measuredResults_v390ext measuredResults-v390ext No value umts_rrc_ies.MeasuredResults_v390ext
umts_rrc_pdu_def.measuredResults_v590ext measuredResults-v590ext Unsigned 32-bit integer umts_rrc_ies.MeasuredResults_v590ext
umts_rrc_pdu_def.measurementCommand measurementCommand Unsigned 32-bit integer umts_rrc_ies.MeasurementCommand
umts_rrc_pdu_def.measurementCommand_v590ext measurementCommand-v590ext Unsigned 32-bit integer umts_rrc_pdu_def.T_measurementCommand_v590ext
umts_rrc_pdu_def.measurementControlFailure_r3_add_ext measurementControlFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.measurementControlFailure_v590ext measurementControlFailure-v590ext No value umts_rrc_pdu_def.MeasurementControlFailure_v590ext_IEs
umts_rrc_pdu_def.measurementControl_r3 measurementControl-r3 No value umts_rrc_pdu_def.MeasurementControl_r3_IEs
umts_rrc_pdu_def.measurementControl_r3_add_ext measurementControl-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.measurementControl_r4 measurementControl-r4 No value umts_rrc_pdu_def.MeasurementControl_r4_IEs
umts_rrc_pdu_def.measurementControl_r4_add_ext measurementControl-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.measurementControl_v390ext measurementControl-v390ext No value umts_rrc_pdu_def.MeasurementControl_v390ext
umts_rrc_pdu_def.measurementControl_v3a0ext measurementControl-v3a0ext No value umts_rrc_pdu_def.MeasurementControl_v3a0ext
umts_rrc_pdu_def.measurementControl_v590ext measurementControl-v590ext No value umts_rrc_pdu_def.MeasurementControl_v590ext_IEs
umts_rrc_pdu_def.measurementControl_v5b0ext measurementControl-v5b0ext No value umts_rrc_pdu_def.MeasurementControl_v5b0ext_IEs
umts_rrc_pdu_def.measurementIdentity measurementIdentity Unsigned 32-bit integer umts_rrc_ies.MeasurementIdentity
umts_rrc_pdu_def.measurementReport_r3_add_ext measurementReport-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.measurementReport_v390ext measurementReport-v390ext No value umts_rrc_pdu_def.MeasurementReport_v390ext
umts_rrc_pdu_def.measurementReport_v4b0ext measurementReport-v4b0ext No value umts_rrc_pdu_def.MeasurementReport_v4b0ext_IEs
umts_rrc_pdu_def.measurementReport_v590ext measurementReport-v590ext No value umts_rrc_pdu_def.MeasurementReport_v590ext_IEs
umts_rrc_pdu_def.measurementReport_v5b0ext measurementReport-v5b0ext No value umts_rrc_pdu_def.MeasurementReport_v5b0ext_IEs
umts_rrc_pdu_def.measurementReport_v6xyext measurementReport-v6xyext No value umts_rrc_pdu_def.MeasurementReport_v6xyext_IEs
umts_rrc_pdu_def.measurementReportingMode measurementReportingMode No value umts_rrc_ies.MeasurementReportingMode
umts_rrc_pdu_def.michConfigurationInfo michConfigurationInfo No value umts_rrc_ies.MBMS_MICHConfigurationInfo_r6
umts_rrc_pdu_def.modeSpecificInfo modeSpecificInfo Unsigned 32-bit integer umts_rrc_pdu_def.T_modeSpecificInfo
umts_rrc_pdu_def.modeSpecificPhysChInfo modeSpecificPhysChInfo Unsigned 32-bit integer umts_rrc_pdu_def.T_modeSpecificPhysChInfo
umts_rrc_pdu_def.modeSpecificTransChInfo modeSpecificTransChInfo Unsigned 32-bit integer umts_rrc_pdu_def.T_modeSpecificTransChInfo
umts_rrc_pdu_def.modifedServiceList modifedServiceList Unsigned 32-bit integer umts_rrc_ies.MBMS_ModifedServiceList_r6
umts_rrc_pdu_def.mschDefaultConfigurationInfo mschDefaultConfigurationInfo No value umts_rrc_ies.MBMS_MSCHConfigurationInfo_r6
umts_rrc_pdu_def.n_308 n-308 Unsigned 32-bit integer umts_rrc_ies.N_308
umts_rrc_pdu_def.nas_Message nas-Message Byte array umts_rrc_ies.NAS_Message
umts_rrc_pdu_def.neighbouringCellIdentity neighbouringCellIdentity Unsigned 32-bit integer umts_rrc_ies.IntraFreqCellID
umts_rrc_pdu_def.neighbouringCellSCCPCHList neighbouringCellSCCPCHList Unsigned 32-bit integer umts_rrc_ies.MBMS_NeighbouringCellSCCPCHList_r6
umts_rrc_pdu_def.newH_RNTI newH-RNTI Byte array umts_rrc_ies.H_RNTI
umts_rrc_pdu_def.newPrimary_E_RNTI newPrimary-E-RNTI Byte array umts_rrc_ies.E_RNTI
umts_rrc_pdu_def.newSecondary_E_RNTI newSecondary-E-RNTI Byte array umts_rrc_ies.E_RNTI
umts_rrc_pdu_def.newU_RNTI newU-RNTI No value umts_rrc_ies.U_RNTI
umts_rrc_pdu_def.new_C_RNTI new-C-RNTI Byte array umts_rrc_ies.C_RNTI
umts_rrc_pdu_def.new_DSCH_RNTI new-DSCH-RNTI Byte array umts_rrc_ies.DSCH_RNTI
umts_rrc_pdu_def.new_H_RNTI new-H-RNTI Byte array umts_rrc_ies.H_RNTI
umts_rrc_pdu_def.new_U_RNTI new-U-RNTI No value umts_rrc_ies.U_RNTI
umts_rrc_pdu_def.new_c_RNTI new-c-RNTI Byte array umts_rrc_ies.C_RNTI
umts_rrc_pdu_def.noSegment noSegment No value umts_rrc_pdu_def.NULL
umts_rrc_pdu_def.nonCriticalExtensions nonCriticalExtensions No value umts_rrc_pdu_def.T_nonCriticalExtensions
umts_rrc_pdu_def.noncriticalExtensions noncriticalExtensions No value umts_rrc_pdu_def.T_noncriticalExtensions
umts_rrc_pdu_def.openLoopPowerControl_IPDL_TDD openLoopPowerControl-IPDL-TDD No value umts_rrc_ies.OpenLoopPowerControl_IPDL_TDD_r4
umts_rrc_pdu_def.pSI pSI Unsigned 32-bit integer umts_rrc_ies.GERAN_SystemInformation
umts_rrc_pdu_def.pagingCause pagingCause Unsigned 32-bit integer umts_rrc_ies.PagingCause
umts_rrc_pdu_def.pagingRecord2List pagingRecord2List Unsigned 32-bit integer umts_rrc_ies.PagingRecord2List_r5
umts_rrc_pdu_def.pagingRecordList pagingRecordList Unsigned 32-bit integer umts_rrc_ies.PagingRecordList
umts_rrc_pdu_def.pagingRecordTypeID pagingRecordTypeID Unsigned 32-bit integer umts_rrc_ies.PagingRecordTypeID
umts_rrc_pdu_def.pagingType1_r3_add_ext pagingType1-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.pagingType1_v590ext pagingType1-v590ext No value umts_rrc_pdu_def.PagingType1_v590ext_IEs
umts_rrc_pdu_def.pagingType2_r3_add_ext pagingType2-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.payload payload Unsigned 32-bit integer umts_rrc_pdu_def.T_payload
umts_rrc_pdu_def.pdcp_ROHC_TargetMode pdcp-ROHC-TargetMode Unsigned 32-bit integer umts_rrc_ies.PDCP_ROHC_TargetMode
umts_rrc_pdu_def.pdschConfirmation pdschConfirmation Unsigned 32-bit integer umts_rrc_ies.PDSCH_Identity
umts_rrc_pdu_def.pdsch_CapacityAllocationInfo pdsch-CapacityAllocationInfo No value umts_rrc_ies.PDSCH_CapacityAllocationInfo
umts_rrc_pdu_def.physicalChannelReconfigurationComplete_r3_add_ext physicalChannelReconfigurationComplete-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.physicalChannelReconfigurationFailure_r3_add_ext physicalChannelReconfigurationFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.physicalChannelReconfiguration_r3 physicalChannelReconfiguration-r3 No value umts_rrc_pdu_def.PhysicalChannelReconfiguration_r3_IEs
umts_rrc_pdu_def.physicalChannelReconfiguration_r3_add_ext physicalChannelReconfiguration-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.physicalChannelReconfiguration_r4 physicalChannelReconfiguration-r4 No value umts_rrc_pdu_def.PhysicalChannelReconfiguration_r4_IEs
umts_rrc_pdu_def.physicalChannelReconfiguration_r4_add_ext physicalChannelReconfiguration-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.physicalChannelReconfiguration_r5 physicalChannelReconfiguration-r5 No value umts_rrc_pdu_def.PhysicalChannelReconfiguration_r5_IEs
umts_rrc_pdu_def.physicalChannelReconfiguration_r5_add_ext physicalChannelReconfiguration-r5-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.physicalChannelReconfiguration_r6 physicalChannelReconfiguration-r6 No value umts_rrc_pdu_def.PhysicalChannelReconfiguration_r6_IEs
umts_rrc_pdu_def.physicalChannelReconfiguration_r6_add_ext physicalChannelReconfiguration-r6-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.physicalChannelReconfiguration_v3a0ext physicalChannelReconfiguration-v3a0ext No value umts_rrc_pdu_def.PhysicalChannelReconfiguration_v3a0ext
umts_rrc_pdu_def.physicalChannelReconfiguration_v4b0ext physicalChannelReconfiguration-v4b0ext No value umts_rrc_pdu_def.PhysicalChannelReconfiguration_v4b0ext_IEs
umts_rrc_pdu_def.physicalChannelReconfiguration_v590ext physicalChannelReconfiguration-v590ext No value umts_rrc_pdu_def.PhysicalChannelReconfiguration_v590ext_IEs
umts_rrc_pdu_def.physicalChannelReconfiguration_v6xyext physicalChannelReconfiguration-v6xyext No value umts_rrc_pdu_def.PhysicalChannelReconfiguration_v6xyext_IEs
umts_rrc_pdu_def.physicalSharedChannelAllocation_r3 physicalSharedChannelAllocation-r3 No value umts_rrc_pdu_def.PhysicalSharedChannelAllocation_r3_IEs
umts_rrc_pdu_def.physicalSharedChannelAllocation_r3_add_ext physicalSharedChannelAllocation-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.physicalSharedChannelAllocation_r4 physicalSharedChannelAllocation-r4 No value umts_rrc_pdu_def.PhysicalSharedChannelAllocation_r4_IEs
umts_rrc_pdu_def.physicalSharedChannelAllocation_r4_add_ext physicalSharedChannelAllocation-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.physicalSharedChannelAllocation_v6xyext physicalSharedChannelAllocation-v6xyext No value umts_rrc_pdu_def.PhysicalSharedChannelAllocation_v6xyext_IEs
umts_rrc_pdu_def.plmn_Identity plmn-Identity No value umts_rrc_ies.PLMN_Identity
umts_rrc_pdu_def.postVerificationPeriod postVerificationPeriod Unsigned 32-bit integer umts_rrc_pdu_def.T_postVerificationPeriod
umts_rrc_pdu_def.potentiallySuccesfulBearerList potentiallySuccesfulBearerList Unsigned 32-bit integer umts_rrc_ies.RB_IdentityList
umts_rrc_pdu_def.powerOffsetInfoShort powerOffsetInfoShort No value umts_rrc_ies.PowerOffsetInfoShort
umts_rrc_pdu_def.prach_ConstantValue prach-ConstantValue Signed 32-bit integer umts_rrc_ies.ConstantValueTdd
umts_rrc_pdu_def.preConfigMode preConfigMode Unsigned 32-bit integer umts_rrc_pdu_def.T_preConfigMode
umts_rrc_pdu_def.preconfiguration preconfiguration No value umts_rrc_pdu_def.T_preconfiguration
umts_rrc_pdu_def.predefinedConfigIdentity predefinedConfigIdentity Unsigned 32-bit integer umts_rrc_ies.PredefinedConfigIdentity
umts_rrc_pdu_def.predefinedConfigStatusInfo predefinedConfigStatusInfo Boolean umts_rrc_pdu_def.BOOLEAN
umts_rrc_pdu_def.predefinedConfigStatusList predefinedConfigStatusList Unsigned 32-bit integer umts_rrc_pdu_def.T_predefinedConfigStatusList
umts_rrc_pdu_def.predefinedConfigStatusListComp predefinedConfigStatusListComp No value umts_rrc_ies.PredefinedConfigStatusListComp
umts_rrc_pdu_def.present present Unsigned 32-bit integer umts_rrc_ies.PredefinedConfigStatusList
umts_rrc_pdu_def.primaryCCPCH_RSCP primaryCCPCH-RSCP Unsigned 32-bit integer umts_rrc_ies.PrimaryCCPCH_RSCP
umts_rrc_pdu_def.primaryCCPCH_RSCP_delta primaryCCPCH-RSCP-delta Signed 32-bit integer umts_rrc_ies.DeltaRSCP
umts_rrc_pdu_def.primaryCCPCH_TX_Power primaryCCPCH-TX-Power Unsigned 32-bit integer umts_rrc_ies.PrimaryCCPCH_TX_Power
umts_rrc_pdu_def.primary_plmn_Identity primary-plmn-Identity No value umts_rrc_ies.PLMN_Identity
umts_rrc_pdu_def.protocolErrorIndicator protocolErrorIndicator Unsigned 32-bit integer umts_rrc_ies.ProtocolErrorIndicatorWithMoreInfo
umts_rrc_pdu_def.protocolErrorInformation protocolErrorInformation No value umts_rrc_ies.ProtocolErrorMoreInformation
umts_rrc_pdu_def.puschCapacityRequest_r3_add_ext puschCapacityRequest-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.puschCapacityRequest_v590ext puschCapacityRequest-v590ext No value umts_rrc_pdu_def.PUSCHCapacityRequest_v590ext
umts_rrc_pdu_def.puschConfirmation puschConfirmation Unsigned 32-bit integer umts_rrc_ies.PUSCH_Identity
umts_rrc_pdu_def.pusch_CapacityAllocationInfo pusch-CapacityAllocationInfo No value umts_rrc_ies.PUSCH_CapacityAllocationInfo
umts_rrc_pdu_def.pusch_ConstantValue pusch-ConstantValue Signed 32-bit integer umts_rrc_ies.ConstantValueTdd
umts_rrc_pdu_def.r3 r3 No value umts_rrc_pdu_def.T_r3
umts_rrc_pdu_def.r4 r4 No value umts_rrc_pdu_def.T_r4
umts_rrc_pdu_def.r5 r5 No value umts_rrc_pdu_def.T_r5
umts_rrc_pdu_def.r6 r6 No value umts_rrc_pdu_def.T_r6
umts_rrc_pdu_def.rRCConnectionRequest_v3d0ext rRCConnectionRequest-v3d0ext No value umts_rrc_pdu_def.RRCConnectionRequest_v3d0ext_IEs
umts_rrc_pdu_def.rRC_FailureInfo_r3 rRC-FailureInfo-r3 No value umts_rrc_pdu_def.RRC_FailureInfo_r3_IEs
umts_rrc_pdu_def.rab_Info rab-Info No value umts_rrc_ies.RAB_Info_Post
umts_rrc_pdu_def.rab_InformationList rab-InformationList Unsigned 32-bit integer umts_rrc_ies.RAB_InformationList
umts_rrc_pdu_def.rab_InformationReconfigList rab-InformationReconfigList Unsigned 32-bit integer umts_rrc_ies.RAB_InformationReconfigList
umts_rrc_pdu_def.rab_InformationSetupList rab-InformationSetupList Unsigned 32-bit integer umts_rrc_ies.RAB_InformationSetupList
umts_rrc_pdu_def.radioBearerReconfigurationComplete_r3_add_ext radioBearerReconfigurationComplete-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerReconfigurationFailure_r3_add_ext radioBearerReconfigurationFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerReconfiguration_r3 radioBearerReconfiguration-r3 No value umts_rrc_pdu_def.RadioBearerReconfiguration_r3_IEs
umts_rrc_pdu_def.radioBearerReconfiguration_r3_add_ext radioBearerReconfiguration-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerReconfiguration_r4 radioBearerReconfiguration-r4 No value umts_rrc_pdu_def.RadioBearerReconfiguration_r4_IEs
umts_rrc_pdu_def.radioBearerReconfiguration_r4_IEs_dummy radioBearerReconfiguration-r4-IEs-dummy Unsigned 32-bit integer umts_rrc_pdu_def.T_radioBearerReconfiguration_r4_IEs_dummy
umts_rrc_pdu_def.radioBearerReconfiguration_r4_add_ext radioBearerReconfiguration-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerReconfiguration_r5 radioBearerReconfiguration-r5 No value umts_rrc_pdu_def.RadioBearerReconfiguration_r5_IEs
umts_rrc_pdu_def.radioBearerReconfiguration_r5_add_ext radioBearerReconfiguration-r5-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerReconfiguration_r6 radioBearerReconfiguration-r6 No value umts_rrc_pdu_def.RadioBearerReconfiguration_r6_IEs
umts_rrc_pdu_def.radioBearerReconfiguration_r6_add_ext radioBearerReconfiguration-r6-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerReconfiguration_v3a0ext radioBearerReconfiguration-v3a0ext No value umts_rrc_pdu_def.RadioBearerReconfiguration_v3a0ext
umts_rrc_pdu_def.radioBearerReconfiguration_v4b0ext radioBearerReconfiguration-v4b0ext No value umts_rrc_pdu_def.RadioBearerReconfiguration_v4b0ext_IEs
umts_rrc_pdu_def.radioBearerReconfiguration_v590ext radioBearerReconfiguration-v590ext No value umts_rrc_pdu_def.RadioBearerReconfiguration_v590ext_IEs
umts_rrc_pdu_def.radioBearerReconfiguration_v5d0ext radioBearerReconfiguration-v5d0ext No value umts_rrc_pdu_def.RadioBearerReconfiguration_v5d0ext_IEs
umts_rrc_pdu_def.radioBearerReconfiguration_v6xyext radioBearerReconfiguration-v6xyext No value umts_rrc_pdu_def.RadioBearerReconfiguration_v6xyext_IEs
umts_rrc_pdu_def.radioBearerReleaseComplete_r3_add_ext radioBearerReleaseComplete-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerReleaseFailure_r3_add_ext radioBearerReleaseFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerRelease_r3 radioBearerRelease-r3 No value umts_rrc_pdu_def.RadioBearerRelease_r3_IEs
umts_rrc_pdu_def.radioBearerRelease_r3_IEs_dummy radioBearerRelease-r3-IEs-dummy Unsigned 32-bit integer umts_rrc_pdu_def.T_radioBearerRelease_r3_IEs_dummy
umts_rrc_pdu_def.radioBearerRelease_r3_add_ext radioBearerRelease-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerRelease_r4 radioBearerRelease-r4 No value umts_rrc_pdu_def.RadioBearerRelease_r4_IEs
umts_rrc_pdu_def.radioBearerRelease_r4_IEs_dummy radioBearerRelease-r4-IEs-dummy Unsigned 32-bit integer umts_rrc_pdu_def.T_radioBearerRelease_r4_IEs_dummy
umts_rrc_pdu_def.radioBearerRelease_r4_add_ext radioBearerRelease-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerRelease_r5 radioBearerRelease-r5 No value umts_rrc_pdu_def.RadioBearerRelease_r5_IEs
umts_rrc_pdu_def.radioBearerRelease_r5_IEs_dummy radioBearerRelease-r5-IEs-dummy Unsigned 32-bit integer umts_rrc_pdu_def.T_radioBearerRelease_r5_IEs_dummy
umts_rrc_pdu_def.radioBearerRelease_r5_add_ext radioBearerRelease-r5-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerRelease_r6 radioBearerRelease-r6 No value umts_rrc_pdu_def.RadioBearerRelease_r6_IEs
umts_rrc_pdu_def.radioBearerRelease_r6_add_ext radioBearerRelease-r6-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerRelease_v3a0ext radioBearerRelease-v3a0ext No value umts_rrc_pdu_def.RadioBearerRelease_v3a0ext
umts_rrc_pdu_def.radioBearerRelease_v4b0ext radioBearerRelease-v4b0ext No value umts_rrc_pdu_def.RadioBearerRelease_v4b0ext_IEs
umts_rrc_pdu_def.radioBearerRelease_v590ext radioBearerRelease-v590ext No value umts_rrc_pdu_def.RadioBearerRelease_v590ext_IEs
umts_rrc_pdu_def.radioBearerRelease_v6xyext radioBearerRelease-v6xyext No value umts_rrc_pdu_def.RadioBearerRelease_v6xyext_IEs
umts_rrc_pdu_def.radioBearerSetupComplete_r3_add_ext radioBearerSetupComplete-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerSetupFailure_r3_add_ext radioBearerSetupFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerSetup_r3 radioBearerSetup-r3 No value umts_rrc_pdu_def.RadioBearerSetup_r3_IEs
umts_rrc_pdu_def.radioBearerSetup_r3_IEs_dummy radioBearerSetup-r3-IEs-dummy Unsigned 32-bit integer umts_rrc_pdu_def.T_radioBearerSetup_r3_IEs_dummy
umts_rrc_pdu_def.radioBearerSetup_r3_add_ext radioBearerSetup-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerSetup_r4 radioBearerSetup-r4 No value umts_rrc_pdu_def.RadioBearerSetup_r4_IEs
umts_rrc_pdu_def.radioBearerSetup_r4_IEs_dummy radioBearerSetup-r4-IEs-dummy Unsigned 32-bit integer umts_rrc_pdu_def.T_radioBearerSetup_r4_IEs_dummy
umts_rrc_pdu_def.radioBearerSetup_r4_add_ext radioBearerSetup-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerSetup_r5 radioBearerSetup-r5 No value umts_rrc_pdu_def.RadioBearerSetup_r5_IEs
umts_rrc_pdu_def.radioBearerSetup_r5_IEs_dummy radioBearerSetup-r5-IEs-dummy Unsigned 32-bit integer umts_rrc_pdu_def.T_radioBearerSetup_r5_IEs_dummy
umts_rrc_pdu_def.radioBearerSetup_r5_add_ext radioBearerSetup-r5-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerSetup_r6 radioBearerSetup-r6 No value umts_rrc_pdu_def.RadioBearerSetup_r6_IEs
umts_rrc_pdu_def.radioBearerSetup_r6_add_ext radioBearerSetup-r6-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.radioBearerSetup_v3a0ext radioBearerSetup-v3a0ext No value umts_rrc_pdu_def.RadioBearerSetup_v3a0ext
umts_rrc_pdu_def.radioBearerSetup_v4b0ext radioBearerSetup-v4b0ext No value umts_rrc_pdu_def.RadioBearerSetup_v4b0ext_IEs
umts_rrc_pdu_def.radioBearerSetup_v590ext radioBearerSetup-v590ext No value umts_rrc_pdu_def.RadioBearerSetup_v590ext_IEs
umts_rrc_pdu_def.radioBearerSetup_v5d0ext radioBearerSetup-v5d0ext No value umts_rrc_pdu_def.RadioBearerSetup_v5d0ext_IEs
umts_rrc_pdu_def.radioBearerSetup_v6xyext radioBearerSetup-v6xyext No value umts_rrc_pdu_def.RadioBearerSetup_v6xyext_IEs
umts_rrc_pdu_def.rb_COUNT_C_InformationList rb-COUNT-C-InformationList Unsigned 32-bit integer umts_rrc_ies.RB_COUNT_C_InformationList
umts_rrc_pdu_def.rb_COUNT_C_MSB_InformationList rb-COUNT-C-MSB-InformationList Unsigned 32-bit integer umts_rrc_ies.RB_COUNT_C_MSB_InformationList
umts_rrc_pdu_def.rb_InformationAffectedList rb-InformationAffectedList Unsigned 32-bit integer umts_rrc_ies.RB_InformationAffectedList
umts_rrc_pdu_def.rb_InformationChangedList rb-InformationChangedList Unsigned 32-bit integer umts_rrc_ies.RB_InformationChangedList_r6
umts_rrc_pdu_def.rb_InformationReconfigList rb-InformationReconfigList Unsigned 32-bit integer umts_rrc_ies.RB_InformationReconfigList
umts_rrc_pdu_def.rb_InformationReleaseList rb-InformationReleaseList Unsigned 32-bit integer umts_rrc_ies.RB_InformationReleaseList
umts_rrc_pdu_def.rb_PDCPContextRelocationList rb-PDCPContextRelocationList Unsigned 32-bit integer umts_rrc_ies.RB_PDCPContextRelocationList
umts_rrc_pdu_def.rb_UL_CiphActivationTimeInfo rb-UL-CiphActivationTimeInfo Unsigned 32-bit integer umts_rrc_ies.RB_ActivationTimeInfoList
umts_rrc_pdu_def.rb_timer_indicator rb-timer-indicator No value umts_rrc_ies.Rb_timer_indicator
umts_rrc_pdu_def.reconfigurationStatusIndicator reconfigurationStatusIndicator Unsigned 32-bit integer umts_rrc_pdu_def.T_reconfigurationStatusIndicator
umts_rrc_pdu_def.redirectionInfo redirectionInfo Unsigned 32-bit integer umts_rrc_ies.RedirectionInfo
umts_rrc_pdu_def.redirectionInfo_v6xyext redirectionInfo-v6xyext Unsigned 32-bit integer umts_rrc_ies.GSM_TargetCellInfoList
umts_rrc_pdu_def.rejectionCause rejectionCause Unsigned 32-bit integer umts_rrc_ies.RejectionCause
umts_rrc_pdu_def.releaseCause releaseCause Unsigned 32-bit integer umts_rrc_ies.ReleaseCause
umts_rrc_pdu_def.requestPCCPCHRSCP requestPCCPCHRSCP Boolean umts_rrc_pdu_def.BOOLEAN
umts_rrc_pdu_def.rl_AdditionInformationList rl-AdditionInformationList Unsigned 32-bit integer umts_rrc_ies.RL_AdditionInformationList
umts_rrc_pdu_def.rl_RemovalInformationList rl-RemovalInformationList Unsigned 32-bit integer umts_rrc_ies.RL_RemovalInformationList
umts_rrc_pdu_def.rlc_Re_establishIndicatorRb2_3or4 rlc-Re-establishIndicatorRb2-3or4 Boolean umts_rrc_pdu_def.BOOLEAN
umts_rrc_pdu_def.rlc_Re_establishIndicatorRb5orAbove rlc-Re-establishIndicatorRb5orAbove Boolean umts_rrc_pdu_def.BOOLEAN
umts_rrc_pdu_def.rplmn_information rplmn-information No value umts_rrc_ies.Rplmn_Information
umts_rrc_pdu_def.rrcConnectionReject_r3 rrcConnectionReject-r3 No value umts_rrc_pdu_def.RRCConnectionReject_r3_IEs
umts_rrc_pdu_def.rrcConnectionReject_r3_add_ext rrcConnectionReject-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionReject_v6xyext rrcConnectionReject-v6xyext No value umts_rrc_pdu_def.RRCConnectionReject_v6xyext_IEs
umts_rrc_pdu_def.rrcConnectionRelease rrcConnectionRelease No value umts_rrc_pdu_def.RRCConnectionRelease_r3_IEs
umts_rrc_pdu_def.rrcConnectionReleaseComplete_r3_add_ext rrcConnectionReleaseComplete-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionRelease_CCCH_r3 rrcConnectionRelease-CCCH-r3 No value umts_rrc_pdu_def.RRCConnectionRelease_CCCH_r3_IEs
umts_rrc_pdu_def.rrcConnectionRelease_CCCH_r3_add_ext rrcConnectionRelease-CCCH-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionRelease_CCCH_r4 rrcConnectionRelease-CCCH-r4 No value umts_rrc_pdu_def.RRCConnectionRelease_CCCH_r4_IEs
umts_rrc_pdu_def.rrcConnectionRelease_CCCH_r4_add_ext rrcConnectionRelease-CCCH-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionRelease_CCCH_r5 rrcConnectionRelease-CCCH-r5 No value umts_rrc_pdu_def.RRCConnectionRelease_CCCH_r5_IEs
umts_rrc_pdu_def.rrcConnectionRelease_CCCH_r5_add_ext rrcConnectionRelease-CCCH-r5-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionRelease_r3 rrcConnectionRelease-r3 No value umts_rrc_pdu_def.RRCConnectionRelease_r3_IEs
umts_rrc_pdu_def.rrcConnectionRelease_r3_add_ext rrcConnectionRelease-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionRelease_r4 rrcConnectionRelease-r4 No value umts_rrc_pdu_def.RRCConnectionRelease_r4_IEs
umts_rrc_pdu_def.rrcConnectionRelease_r4_add_ext rrcConnectionRelease-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionRelease_v6xyext rrcConnectionRelease-v6xyext No value umts_rrc_pdu_def.RRCConnectionRelease_v6xyext_IEs
umts_rrc_pdu_def.rrcConnectionRequest_v4b0ext rrcConnectionRequest-v4b0ext No value umts_rrc_pdu_def.RRCConnectionRequest_v4b0ext_IEs
umts_rrc_pdu_def.rrcConnectionRequest_v590ext rrcConnectionRequest-v590ext No value umts_rrc_pdu_def.RRCConnectionRequest_v590ext_IEs
umts_rrc_pdu_def.rrcConnectionRequest_v6xyext rrcConnectionRequest-v6xyext No value umts_rrc_pdu_def.RRCConnectionRequest_v6xyext_IEs
umts_rrc_pdu_def.rrcConnectionSetupComplete_r3_add_ext rrcConnectionSetupComplete-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionSetupComplete_v370ext rrcConnectionSetupComplete-v370ext No value umts_rrc_pdu_def.RRCConnectionSetupComplete_v370ext
umts_rrc_pdu_def.rrcConnectionSetupComplete_v380ext rrcConnectionSetupComplete-v380ext No value umts_rrc_pdu_def.RRCConnectionSetupComplete_v380ext_IEs
umts_rrc_pdu_def.rrcConnectionSetupComplete_v3a0ext rrcConnectionSetupComplete-v3a0ext No value umts_rrc_pdu_def.RRCConnectionSetupComplete_v3a0ext_IEs
umts_rrc_pdu_def.rrcConnectionSetupComplete_v3g0ext rrcConnectionSetupComplete-v3g0ext No value umts_rrc_pdu_def.RRCConnectionSetupComplete_v3g0ext_IEs
umts_rrc_pdu_def.rrcConnectionSetupComplete_v4b0ext rrcConnectionSetupComplete-v4b0ext No value umts_rrc_pdu_def.RRCConnectionSetupComplete_v4b0ext_IEs
umts_rrc_pdu_def.rrcConnectionSetupComplete_v590ext rrcConnectionSetupComplete-v590ext No value umts_rrc_pdu_def.RRCConnectionSetupComplete_v590ext_IEs
umts_rrc_pdu_def.rrcConnectionSetupComplete_v5c0ext rrcConnectionSetupComplete-v5c0ext No value umts_rrc_pdu_def.RRCConnectionSetupComplete_v5c0ext_IEs
umts_rrc_pdu_def.rrcConnectionSetupComplete_v650ext rrcConnectionSetupComplete-v650ext No value umts_rrc_pdu_def.RRCConnectionSetupComplete_v650ext_IEs
umts_rrc_pdu_def.rrcConnectionSetupComplete_v6xyext rrcConnectionSetupComplete-v6xyext No value umts_rrc_pdu_def.RRCConnectionSetupComplete_v6xyext_IEs
umts_rrc_pdu_def.rrcConnectionSetup_r3 rrcConnectionSetup-r3 No value umts_rrc_pdu_def.RRCConnectionSetup_r3_IEs
umts_rrc_pdu_def.rrcConnectionSetup_r3_add_ext rrcConnectionSetup-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionSetup_r4 rrcConnectionSetup-r4 No value umts_rrc_pdu_def.RRCConnectionSetup_r4_IEs
umts_rrc_pdu_def.rrcConnectionSetup_r4_add_ext rrcConnectionSetup-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionSetup_r5 rrcConnectionSetup-r5 No value umts_rrc_pdu_def.RRCConnectionSetup_r5_IEs
umts_rrc_pdu_def.rrcConnectionSetup_r5_add_ext rrcConnectionSetup-r5-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionSetup_r6 rrcConnectionSetup-r6 No value umts_rrc_pdu_def.RRCConnectionSetup_r6_IEs
umts_rrc_pdu_def.rrcConnectionSetup_r6_add_ext rrcConnectionSetup-r6-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrcConnectionSetup_v4b0ext rrcConnectionSetup-v4b0ext No value umts_rrc_pdu_def.RRCConnectionSetup_v4b0ext_IEs
umts_rrc_pdu_def.rrcConnectionSetup_v590ext rrcConnectionSetup-v590ext No value umts_rrc_pdu_def.RRCConnectionSetup_v590ext_IEs
umts_rrc_pdu_def.rrcConnectionSetup_v6xyext rrcConnectionSetup-v6xyext No value umts_rrc_pdu_def.RRCConnectionSetup_v6xyext_IEs
umts_rrc_pdu_def.rrcStatus_r3_add_ext rrcStatus-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrc_FailureInfo_r3_add_ext rrc-FailureInfo-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.rrc_StateIndicator rrc-StateIndicator Unsigned 32-bit integer umts_rrc_ies.RRC_StateIndicator
umts_rrc_pdu_def.rrc_TransactionIdentifier rrc-TransactionIdentifier Unsigned 32-bit integer umts_rrc_ies.RRC_TransactionIdentifier
umts_rrc_pdu_def.rrc_TransactionIdentifier_MSP_v590ext rrc-TransactionIdentifier-MSP-v590ext Unsigned 32-bit integer umts_rrc_ies.RRC_TransactionIdentifier
umts_rrc_pdu_def.sI sI Unsigned 32-bit integer umts_rrc_ies.GERAN_SystemInformation
umts_rrc_pdu_def.scheduling_E_DCH_CellInformation scheduling-E-DCH-CellInformation No value umts_rrc_ies.Scheduling_E_DCH_CellInformation
umts_rrc_pdu_def.securityCapability securityCapability No value umts_rrc_ies.SecurityCapability
umts_rrc_pdu_def.securityModeCommand_r3 securityModeCommand-r3 No value umts_rrc_pdu_def.SecurityModeCommand_r3_IEs
umts_rrc_pdu_def.securityModeCommand_r3_add_ext securityModeCommand-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.securityModeCommand_v6xyext securityModeCommand-v6xyext No value umts_rrc_pdu_def.SecurityModeCommand_v6xyext_IEs
umts_rrc_pdu_def.securityModeComplete_r3_add_ext securityModeComplete-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.securityModeFailure_r3_add_ext securityModeFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.seg_Count seg-Count Unsigned 32-bit integer umts_rrc_ies.SegCount
umts_rrc_pdu_def.segmentIndex segmentIndex Unsigned 32-bit integer umts_rrc_ies.SegmentIndex
umts_rrc_pdu_def.serviceSchedulingInfoList serviceSchedulingInfoList Unsigned 32-bit integer umts_rrc_ies.MBMS_ServiceSchedulingInfoList_r6
umts_rrc_pdu_def.serving_HSDSCH_CellInformation serving-HSDSCH-CellInformation No value umts_rrc_ies.Serving_HSDSCH_CellInformation
umts_rrc_pdu_def.sfn_Offset_Validity sfn-Offset-Validity Unsigned 32-bit integer umts_rrc_ies.SFN_Offset_Validity
umts_rrc_pdu_def.sfn_Prime sfn-Prime Unsigned 32-bit integer umts_rrc_ies.SFN_Prime
umts_rrc_pdu_def.sib_Data_fixed sib-Data-fixed Byte array umts_rrc_ies.SIB_Data_fixed
umts_rrc_pdu_def.sib_Data_variable sib-Data-variable Byte array umts_rrc_ies.SIB_Data_variable
umts_rrc_pdu_def.sib_Type sib-Type Unsigned 32-bit integer umts_rrc_ies.SIB_Type
umts_rrc_pdu_def.signallingConnectionRelIndication signallingConnectionRelIndication Unsigned 32-bit integer umts_rrc_ies.CN_DomainIdentity
umts_rrc_pdu_def.signallingConnectionReleaseIndication_r3_add_ext signallingConnectionReleaseIndication-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.signallingConnectionRelease_r3 signallingConnectionRelease-r3 No value umts_rrc_pdu_def.SignallingConnectionRelease_r3_IEs
umts_rrc_pdu_def.signallingConnectionRelease_r3_add_ext signallingConnectionRelease-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.single_GERANIu_Message single-GERANIu-Message No value umts_rrc_pdu_def.T_single_GERANIu_Message
umts_rrc_pdu_def.single_GSM_Message single-GSM-Message No value umts_rrc_pdu_def.T_single_GSM_Message
umts_rrc_pdu_def.spare1 spare1 No value umts_rrc_pdu_def.NULL
umts_rrc_pdu_def.spare2 spare2 No value umts_rrc_pdu_def.NULL
umts_rrc_pdu_def.spare3 spare3 No value umts_rrc_pdu_def.NULL
umts_rrc_pdu_def.spare4 spare4 No value umts_rrc_pdu_def.NULL
umts_rrc_pdu_def.spare5 spare5 No value umts_rrc_pdu_def.NULL
umts_rrc_pdu_def.specialBurstScheduling specialBurstScheduling Unsigned 32-bit integer umts_rrc_ies.SpecialBurstScheduling
umts_rrc_pdu_def.specificationMode specificationMode Unsigned 32-bit integer umts_rrc_pdu_def.T_specificationMode
umts_rrc_pdu_def.srb_InformationSetupList srb-InformationSetupList Unsigned 32-bit integer umts_rrc_ies.SRB_InformationSetupList
umts_rrc_pdu_def.startList startList Unsigned 32-bit integer umts_rrc_ies.STARTList
umts_rrc_pdu_def.start_Value start-Value Byte array umts_rrc_ies.START_Value
umts_rrc_pdu_def.subsequentSegment subsequentSegment No value umts_rrc_pdu_def.SubsequentSegment
umts_rrc_pdu_def.systemInformationChangeIndication_r3_add_ext systemInformationChangeIndication-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.systemSpecificCapUpdateReq systemSpecificCapUpdateReq Unsigned 32-bit integer umts_rrc_ies.SystemSpecificCapUpdateReq_v590ext
umts_rrc_pdu_def.tdd tdd No value umts_rrc_pdu_def.NULL
umts_rrc_pdu_def.tdd128 tdd128 No value umts_rrc_pdu_def.T_tdd128
umts_rrc_pdu_def.tdd128_RF_Capability tdd128-RF-Capability Unsigned 32-bit integer umts_rrc_ies.RadioFrequencyBandTDDList
umts_rrc_pdu_def.tdd384 tdd384 No value umts_rrc_pdu_def.T_tdd384
umts_rrc_pdu_def.tddOption tddOption Unsigned 32-bit integer umts_rrc_pdu_def.T_tddOption
umts_rrc_pdu_def.tfc_ControlDuration tfc-ControlDuration Unsigned 32-bit integer umts_rrc_ies.TFC_ControlDuration
umts_rrc_pdu_def.tfcs_ID tfcs-ID No value umts_rrc_ies.TFCS_Identity
umts_rrc_pdu_def.timeslotListWithISCP timeslotListWithISCP Unsigned 32-bit integer umts_rrc_ies.TimeslotListWithISCP
umts_rrc_pdu_def.timingAdvance timingAdvance Unsigned 32-bit integer umts_rrc_ies.UL_TimingAdvanceControl
umts_rrc_pdu_def.timingMaintainedSynchInd timingMaintainedSynchInd Unsigned 32-bit integer umts_rrc_pdu_def.T_timingMaintainedSynchInd
umts_rrc_pdu_def.toHandoverRAB_Info toHandoverRAB-Info No value umts_rrc_ies.RAB_Info
umts_rrc_pdu_def.trafficVolume trafficVolume Unsigned 32-bit integer umts_rrc_ies.TrafficVolumeMeasuredResultsList
umts_rrc_pdu_def.trafficVolumeIndicator trafficVolumeIndicator Unsigned 32-bit integer umts_rrc_pdu_def.T_trafficVolumeIndicator
umts_rrc_pdu_def.trafficVolumeReportRequest trafficVolumeReportRequest Unsigned 32-bit integer umts_rrc_pdu_def.INTEGER_0_255
umts_rrc_pdu_def.transportChannelReconfigurationComplete_r3_add_ext transportChannelReconfigurationComplete-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.transportChannelReconfigurationFailure_r3_add_ext transportChannelReconfigurationFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.transportChannelReconfiguration_r3 transportChannelReconfiguration-r3 No value umts_rrc_pdu_def.TransportChannelReconfiguration_r3_IEs
umts_rrc_pdu_def.transportChannelReconfiguration_r3_IEs_dummy transportChannelReconfiguration-r3-IEs-dummy Unsigned 32-bit integer umts_rrc_pdu_def.T_transportChannelReconfiguration_r3_IEs_dummy
umts_rrc_pdu_def.transportChannelReconfiguration_r3_add_ext transportChannelReconfiguration-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.transportChannelReconfiguration_r4 transportChannelReconfiguration-r4 No value umts_rrc_pdu_def.TransportChannelReconfiguration_r4_IEs
umts_rrc_pdu_def.transportChannelReconfiguration_r4_IEs_dummy transportChannelReconfiguration-r4-IEs-dummy Unsigned 32-bit integer umts_rrc_pdu_def.T_transportChannelReconfiguration_r4_IEs_dummy
umts_rrc_pdu_def.transportChannelReconfiguration_r4_add_ext transportChannelReconfiguration-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.transportChannelReconfiguration_r5 transportChannelReconfiguration-r5 No value umts_rrc_pdu_def.TransportChannelReconfiguration_r5_IEs
umts_rrc_pdu_def.transportChannelReconfiguration_r5_IEs_dummy transportChannelReconfiguration-r5-IEs-dummy Unsigned 32-bit integer umts_rrc_pdu_def.T_transportChannelReconfiguration_r5_IEs_dummy
umts_rrc_pdu_def.transportChannelReconfiguration_r5_add_ext transportChannelReconfiguration-r5-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.transportChannelReconfiguration_r6 transportChannelReconfiguration-r6 No value umts_rrc_pdu_def.TransportChannelReconfiguration_r6_IEs
umts_rrc_pdu_def.transportChannelReconfiguration_r6_add_ext transportChannelReconfiguration-r6-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.transportChannelReconfiguration_v3a0ext transportChannelReconfiguration-v3a0ext No value umts_rrc_pdu_def.TransportChannelReconfiguration_v3a0ext
umts_rrc_pdu_def.transportChannelReconfiguration_v4b0ext transportChannelReconfiguration-v4b0ext No value umts_rrc_pdu_def.TransportChannelReconfiguration_v4b0ext_IEs
umts_rrc_pdu_def.transportChannelReconfiguration_v590ext transportChannelReconfiguration-v590ext No value umts_rrc_pdu_def.TransportChannelReconfiguration_v590ext_IEs
umts_rrc_pdu_def.transportChannelReconfiguration_v6xyext transportChannelReconfiguration-v6xyext No value umts_rrc_pdu_def.TransportChannelReconfiguration_v6xyext_IEs
umts_rrc_pdu_def.transportFormatCombinationControlFailure_r3_add_ext transportFormatCombinationControlFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.transportFormatCombinationControl_r3_add_ext transportFormatCombinationControl-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.tx_DiversityMode tx-DiversityMode Unsigned 32-bit integer umts_rrc_ies.TX_DiversityMode
umts_rrc_pdu_def.uESpecificBehaviourInformation1idle uESpecificBehaviourInformation1idle Byte array umts_rrc_ies.UESpecificBehaviourInformation1idle
umts_rrc_pdu_def.uESpecificBehaviourInformation1interRAT uESpecificBehaviourInformation1interRAT Byte array umts_rrc_ies.UESpecificBehaviourInformation1interRAT
umts_rrc_pdu_def.uE_SecurityInformation uE-SecurityInformation Unsigned 32-bit integer umts_rrc_pdu_def.T_uE_SecurityInformation
umts_rrc_pdu_def.u_RNTI u-RNTI No value umts_rrc_ies.U_RNTI
umts_rrc_pdu_def.ueCapabilityContainer ueCapabilityContainer Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.ueCapabilityEnquiry_r3 ueCapabilityEnquiry-r3 No value umts_rrc_pdu_def.UECapabilityEnquiry_r3_IEs
umts_rrc_pdu_def.ueCapabilityEnquiry_r3_add_ext ueCapabilityEnquiry-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.ueCapabilityEnquiry_v4b0ext ueCapabilityEnquiry-v4b0ext No value umts_rrc_pdu_def.UECapabilityEnquiry_v4b0ext_IEs
umts_rrc_pdu_def.ueCapabilityEnquiry_v590ext ueCapabilityEnquiry-v590ext No value umts_rrc_pdu_def.UECapabilityEnquiry_v590ext_IEs
umts_rrc_pdu_def.ueCapabilityIndication ueCapabilityIndication Unsigned 32-bit integer umts_rrc_pdu_def.T_ueCapabilityIndication
umts_rrc_pdu_def.ueCapabilityInformationConfirm_r3 ueCapabilityInformationConfirm-r3 No value umts_rrc_pdu_def.UECapabilityInformationConfirm_r3_IEs
umts_rrc_pdu_def.ueCapabilityInformationConfirm_r3_add_ext ueCapabilityInformationConfirm-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.ueCapabilityInformation_r3_add_ext ueCapabilityInformation-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.ueCapabilityInformation_v370ext ueCapabilityInformation-v370ext No value umts_rrc_pdu_def.UECapabilityInformation_v370ext
umts_rrc_pdu_def.ueCapabilityInformation_v380ext ueCapabilityInformation-v380ext No value umts_rrc_pdu_def.UECapabilityInformation_v380ext_IEs
umts_rrc_pdu_def.ueCapabilityInformation_v3a0ext ueCapabilityInformation-v3a0ext No value umts_rrc_pdu_def.UECapabilityInformation_v3a0ext_IEs
umts_rrc_pdu_def.ueCapabilityInformation_v4b0ext ueCapabilityInformation-v4b0ext No value umts_rrc_pdu_def.UECapabilityInformation_v4b0ext
umts_rrc_pdu_def.ueCapabilityInformation_v590ext ueCapabilityInformation-v590ext No value umts_rrc_pdu_def.UECapabilityInformation_v590ext
umts_rrc_pdu_def.ueCapabilityInformation_v5c0ext ueCapabilityInformation-v5c0ext No value umts_rrc_pdu_def.UECapabilityInformation_v5c0ext
umts_rrc_pdu_def.ueCapabilityInformation_v650ext ueCapabilityInformation-v650ext No value umts_rrc_pdu_def.UECapabilityInformation_v650ext_IEs
umts_rrc_pdu_def.ueCapabilityInformation_v6xyext ueCapabilityInformation-v6xyext No value umts_rrc_pdu_def.UECapabilityInformation_v6xyext_IEs
umts_rrc_pdu_def.ue_CapabilityContainer ue-CapabilityContainer Unsigned 32-bit integer umts_rrc_pdu_def.T_ue_CapabilityContainer
umts_rrc_pdu_def.ue_ConnTimersAndConstants ue-ConnTimersAndConstants No value umts_rrc_ies.UE_ConnTimersAndConstants
umts_rrc_pdu_def.ue_ConnTimersAndConstants_v3a0ext ue-ConnTimersAndConstants-v3a0ext No value umts_rrc_ies.UE_ConnTimersAndConstants_v3a0ext
umts_rrc_pdu_def.ue_Positioning_Measurement_v390ext ue-Positioning-Measurement-v390ext No value umts_rrc_ies.UE_Positioning_Measurement_v390ext
umts_rrc_pdu_def.ue_Positioning_OTDOA_AssistanceData_r4ext ue-Positioning-OTDOA-AssistanceData-r4ext No value umts_rrc_ies.UE_Positioning_OTDOA_AssistanceData_r4ext
umts_rrc_pdu_def.ue_RATSpecificCapability ue-RATSpecificCapability Unsigned 32-bit integer umts_rrc_ies.InterRAT_UE_RadioAccessCapabilityList
umts_rrc_pdu_def.ue_RATSpecificCapability_v590ext ue-RATSpecificCapability-v590ext No value umts_rrc_ies.InterRAT_UE_RadioAccessCapability_v590ext
umts_rrc_pdu_def.ue_RadioAccessCapability ue-RadioAccessCapability No value umts_rrc_ies.UE_RadioAccessCapability
umts_rrc_pdu_def.ue_RadioAccessCapabilityComp ue-RadioAccessCapabilityComp No value umts_rrc_ies.UE_RadioAccessCapabilityComp
umts_rrc_pdu_def.ue_RadioAccessCapability_v370ext ue-RadioAccessCapability-v370ext No value umts_rrc_ies.UE_RadioAccessCapability_v370ext
umts_rrc_pdu_def.ue_RadioAccessCapability_v380ext ue-RadioAccessCapability-v380ext No value umts_rrc_ies.UE_RadioAccessCapability_v380ext
umts_rrc_pdu_def.ue_RadioAccessCapability_v3a0ext ue-RadioAccessCapability-v3a0ext No value umts_rrc_ies.UE_RadioAccessCapability_v3a0ext
umts_rrc_pdu_def.ue_RadioAccessCapability_v3g0ext ue-RadioAccessCapability-v3g0ext No value umts_rrc_ies.UE_RadioAccessCapability_v3g0ext
umts_rrc_pdu_def.ue_RadioAccessCapability_v4b0ext ue-RadioAccessCapability-v4b0ext No value umts_rrc_ies.UE_RadioAccessCapability_v4b0ext
umts_rrc_pdu_def.ue_RadioAccessCapability_v590ext ue-RadioAccessCapability-v590ext No value umts_rrc_ies.UE_RadioAccessCapability_v590ext
umts_rrc_pdu_def.ue_RadioAccessCapability_v5c0ext ue-RadioAccessCapability-v5c0ext No value umts_rrc_ies.UE_RadioAccessCapability_v5c0ext
umts_rrc_pdu_def.ue_RadioAccessCapability_v650ext ue-RadioAccessCapability-v650ext No value umts_rrc_ies.UE_RadioAccessCapability_v650ext
umts_rrc_pdu_def.ue_SecurityInformation2 ue-SecurityInformation2 No value umts_rrc_ies.UE_SecurityInformation2
umts_rrc_pdu_def.ue_SystemSpecificSecurityCap ue-SystemSpecificSecurityCap Unsigned 32-bit integer umts_rrc_ies.InterRAT_UE_SecurityCapList
umts_rrc_pdu_def.ue_positioning_GPS_AssistanceData ue-positioning-GPS-AssistanceData No value umts_rrc_ies.UE_Positioning_GPS_AssistanceData
umts_rrc_pdu_def.ue_positioning_OTDOA_AssistanceData_UEB ue-positioning-OTDOA-AssistanceData-UEB No value umts_rrc_ies.UE_Positioning_OTDOA_AssistanceData_UEB
umts_rrc_pdu_def.ul_AddReconfTransChInfoList ul-AddReconfTransChInfoList Unsigned 32-bit integer umts_rrc_ies.UL_AddReconfTransChInfoList
umts_rrc_pdu_def.ul_ChannelRequirement ul-ChannelRequirement Unsigned 32-bit integer umts_rrc_ies.UL_ChannelRequirement
umts_rrc_pdu_def.ul_CommonTransChInfo ul-CommonTransChInfo No value umts_rrc_ies.UL_CommonTransChInfo
umts_rrc_pdu_def.ul_CounterSynchronisationInfo ul-CounterSynchronisationInfo No value umts_rrc_ies.UL_CounterSynchronisationInfo
umts_rrc_pdu_def.ul_DPCH_Info ul-DPCH-Info No value umts_rrc_ies.UL_DPCH_Info
umts_rrc_pdu_def.ul_EDCH_Information ul-EDCH-Information No value umts_rrc_ies.UL_EDCH_Information_r6
umts_rrc_pdu_def.ul_IntegProtActivationInfo ul-IntegProtActivationInfo No value umts_rrc_ies.IntegrityProtActivationInfo
umts_rrc_pdu_def.ul_SynchronisationParameters ul-SynchronisationParameters No value umts_rrc_ies.UL_SynchronisationParameters_r4
umts_rrc_pdu_def.ul_TimingAdvance ul-TimingAdvance Unsigned 32-bit integer umts_rrc_ies.UL_TimingAdvance
umts_rrc_pdu_def.ul_deletedTransChInfoList ul-deletedTransChInfoList Unsigned 32-bit integer umts_rrc_ies.UL_DeletedTransChInfoList
umts_rrc_pdu_def.unmodifiedServiceList unmodifiedServiceList Unsigned 32-bit integer umts_rrc_ies.MBMS_UnmodifiedServiceList_r6
umts_rrc_pdu_def.uplinkDirectTransfer_r3_add_ext uplinkDirectTransfer-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.uplinkDirectTransfer_v6xyext uplinkDirectTransfer-v6xyext No value umts_rrc_pdu_def.UplinkDirectTransfer_v6xyext_IEs
umts_rrc_pdu_def.uplinkPhysicalChannelControl_r3 uplinkPhysicalChannelControl-r3 No value umts_rrc_pdu_def.UplinkPhysicalChannelControl_r3_IEs
umts_rrc_pdu_def.uplinkPhysicalChannelControl_r3_add_ext uplinkPhysicalChannelControl-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.uplinkPhysicalChannelControl_r4 uplinkPhysicalChannelControl-r4 No value umts_rrc_pdu_def.UplinkPhysicalChannelControl_r4_IEs
umts_rrc_pdu_def.uplinkPhysicalChannelControl_r4_add_ext uplinkPhysicalChannelControl-r4-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.uplinkPhysicalChannelControl_r5 uplinkPhysicalChannelControl-r5 No value umts_rrc_pdu_def.UplinkPhysicalChannelControl_r5_IEs
umts_rrc_pdu_def.uplinkPhysicalChannelControl_r5_add_ext uplinkPhysicalChannelControl-r5-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.uplinkPhysicalChannelControl_v6xyext uplinkPhysicalChannelControl-v6xyext No value umts_rrc_pdu_def.UplinkPhysicalChannelControl_v6xyext_IEs
umts_rrc_pdu_def.uplinkPysicalChannelControl_v4b0ext uplinkPysicalChannelControl-v4b0ext No value umts_rrc_pdu_def.UplinkPhysicalChannelControl_v4b0ext_IEs
umts_rrc_pdu_def.uraUpdateConfirm uraUpdateConfirm No value umts_rrc_pdu_def.URAUpdateConfirm_r3_IEs
umts_rrc_pdu_def.uraUpdateConfirm_CCCH_r3 uraUpdateConfirm-CCCH-r3 No value umts_rrc_pdu_def.URAUpdateConfirm_CCCH_r3_IEs
umts_rrc_pdu_def.uraUpdateConfirm_CCCH_r3_add_ext uraUpdateConfirm-CCCH-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.uraUpdateConfirm_r3 uraUpdateConfirm-r3 No value umts_rrc_pdu_def.URAUpdateConfirm_r3_IEs
umts_rrc_pdu_def.uraUpdateConfirm_r3_add_ext uraUpdateConfirm-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.uraUpdateConfirm_r5 uraUpdateConfirm-r5 No value umts_rrc_pdu_def.URAUpdateConfirm_r5_IEs
umts_rrc_pdu_def.uraUpdateConfirm_v6xyext uraUpdateConfirm-v6xyext No value umts_rrc_pdu_def.URAUpdateConfirm_v6xyext_IEs
umts_rrc_pdu_def.uraUpdate_r3_add_ext uraUpdate-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.ura_Identity ura-Identity Byte array umts_rrc_ies.URA_Identity
umts_rrc_pdu_def.ura_UpdateCause ura-UpdateCause Unsigned 32-bit integer umts_rrc_ies.URA_UpdateCause
umts_rrc_pdu_def.utranMobilityInformationConfirm_r3_add_ext utranMobilityInformationConfirm-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.utranMobilityInformationFailure_r3_add_ext utranMobilityInformationFailure-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.utranMobilityInformation_r3 utranMobilityInformation-r3 No value umts_rrc_pdu_def.UTRANMobilityInformation_r3_IEs
umts_rrc_pdu_def.utranMobilityInformation_r3_add_ext utranMobilityInformation-r3-add-ext Byte array umts_rrc_pdu_def.BIT_STRING
umts_rrc_pdu_def.utranMobilityInformation_r5 utranMobilityInformation-r5 No value umts_rrc_pdu_def.UTRANMobilityInformation_r5_IEs
umts_rrc_pdu_def.utranMobilityInformation_v3a0ext utranMobilityInformation-v3a0ext No value umts_rrc_pdu_def.UTRANMobilityInformation_v3a0ext_IEs
umts_rrc_pdu_def.utranMobilityInformation_v6xyext utranMobilityInformation-v6xyext No value umts_rrc_pdu_def.UtranMobilityInformation_v6xyext_IEs
umts_rrc_pdu_def.utran_DRX_CycleLengthCoeff utran-DRX-CycleLengthCoeff Unsigned 32-bit integer umts_rrc_ies.UTRAN_DRX_CycleLengthCoefficient
umts_rrc_pdu_def.v370NonCriticalExtensions v370NonCriticalExtensions No value umts_rrc_pdu_def.T_v370NonCriticalExtensions
umts_rrc_pdu_def.v380NonCriticalExtensions v380NonCriticalExtensions No value umts_rrc_pdu_def.T_v380NonCriticalExtensions
umts_rrc_pdu_def.v390NonCriticalExtensions v390NonCriticalExtensions Unsigned 32-bit integer umts_rrc_pdu_def.T_v390NonCriticalExtensions
umts_rrc_pdu_def.v390nonCriticalExtensions v390nonCriticalExtensions No value umts_rrc_pdu_def.T_v390nonCriticalExtensions
umts_rrc_pdu_def.v3a0NonCriticalExtensions v3a0NonCriticalExtensions No value umts_rrc_pdu_def.T_v3a0NonCriticalExtensions
umts_rrc_pdu_def.v3aoNonCriticalExtensions v3aoNonCriticalExtensions No value umts_rrc_pdu_def.T_v3aoNonCriticalExtensions
umts_rrc_pdu_def.v3d0NonCriticalExtensions v3d0NonCriticalExtensions No value umts_rrc_pdu_def.T_v3d0NonCriticalExtensions
umts_rrc_pdu_def.v3g0NonCriticalExtensions v3g0NonCriticalExtensions No value umts_rrc_pdu_def.T_v3g0NonCriticalExtensions
umts_rrc_pdu_def.v4b0NonCriticalExtensions v4b0NonCriticalExtensions No value umts_rrc_pdu_def.T_v4b0NonCriticalExtensions
umts_rrc_pdu_def.v4b0NonCriticalExtenstions v4b0NonCriticalExtenstions No value umts_rrc_pdu_def.T_v4b0NonCriticalExtenstions
umts_rrc_pdu_def.v4d0NonCriticalExtensions v4d0NonCriticalExtensions No value umts_rrc_pdu_def.T_v4d0NonCriticalExtensions
umts_rrc_pdu_def.v590NonCriticalExtensions v590NonCriticalExtensions No value umts_rrc_pdu_def.T_v590NonCriticalExtensions
umts_rrc_pdu_def.v590NonCriticalExtenstions v590NonCriticalExtenstions No value umts_rrc_pdu_def.T_v590NonCriticalExtenstions
umts_rrc_pdu_def.v5b0NonCriticalExtensions v5b0NonCriticalExtensions No value umts_rrc_pdu_def.T_v5b0NonCriticalExtensions
umts_rrc_pdu_def.v5c0NonCriticalExtensions v5c0NonCriticalExtensions No value umts_rrc_pdu_def.T_v5c0NonCriticalExtensions
umts_rrc_pdu_def.v5d0NonCriticalExtenstions v5d0NonCriticalExtenstions No value umts_rrc_pdu_def.T_v5d0NonCriticalExtenstions
umts_rrc_pdu_def.v6xyNonCriticalExtensions v6xyNonCriticalExtensions No value umts_rrc_pdu_def.T_v6xyNonCriticalExtensions
umts_rrc_pdu_def.waitTime waitTime Unsigned 32-bit integer umts_rrc_ies.WaitTime
uma.ciphering_command_mac Ciphering Command MAC (Message Authentication Code) Byte array Ciphering Command MAC (Message Authentication Code)
uma.ciphering_key_seq_num Values for the ciphering key Unsigned 8-bit integer Values for the ciphering key
uma.li Length Indicator Unsigned 16-bit integer Length Indicator
uma.pd Protocol Discriminator Unsigned 8-bit integer Protocol Discriminator
uma.rand_val Ciphering Command RAND value Byte array Ciphering Command RAND value
uma.sapi_id SAPI ID Unsigned 8-bit integer SAPI ID
uma.skip.ind Skip Indicator Unsigned 8-bit integer Skip Indicator
uma.urlc.msg.type URLC Message Type Unsigned 8-bit integer URLC Message Type
uma.urlc.seq.nr Sequence Number Byte array Sequence Number
uma.urlc.tlli Temporary Logical Link Identifier Byte array Temporary Logical Link Identifier
uma.urr.3GECS 3GECS, 3G Early Classmark Sending Restriction Unsigned 8-bit integer 3GECS, 3G Early Classmark Sending Restriction
uma.urr.CR Cipher Response(CR) Unsigned 8-bit integer Cipher Response(CR)
uma.urr.ECMP ECMP, Emergency Call Mode Preference Unsigned 8-bit integer ECMP, Emergency Call Mode Preference
uma.urr.GPRS_resumption GPRS resumption ACK Unsigned 8-bit integer GPRS resumption ACK
uma.urr.L3_protocol_discriminator Protocol discriminator Unsigned 8-bit integer Protocol discriminator
uma.urr.LBLI LBLI, Location Black List indicator Unsigned 8-bit integer LBLI, Location Black List indicator
uma.urr.LS Location Status(LS) Unsigned 8-bit integer Location Status(LS)
uma.urr.NMO NMO, Network Mode of Operation Unsigned 8-bit integer NMO, Network Mode of Operation
uma.urr.PDU_in_error PDU in Error, Byte array PDU in Error,
uma.urr.PFCFM PFCFM, PFC_FEATURE_MODE Unsigned 8-bit integer PFCFM, PFC_FEATURE_MODE
uma.urr.RE RE, Call reestablishment allowed Unsigned 8-bit integer RE, Call reestablishment allowed
uma.urr.RI Reset Indicator(RI) Unsigned 8-bit integer Reset Indicator(RI)
uma.urr.SC SC Unsigned 8-bit integer SC
uma.urr.SGSNR SGSN Release Unsigned 8-bit integer SGSN Release
uma.urr.ULQI ULQI, UL Quality Indication Unsigned 8-bit integer ULQI, UL Quality Indication
uma.urr.URLCcause URLC Cause Unsigned 8-bit integer URLC Cause
uma.urr.algorithm_identifier Algorithm identifier Unsigned 8-bit integer Algorithm_identifier
uma.urr.ap_location AP Location Byte array AP Location
uma.urr.ap_service_name_type AP Service Name type Unsigned 8-bit integer AP Service Name type
uma.urr.ap_service_name_value AP Service Name Value String AP Service Name Value
uma.urr.att ATT, Attach-detach allowed Unsigned 8-bit integer ATT, Attach-detach allowed
uma.urr.bcc BCC Unsigned 8-bit integer BCC
uma.urr.cbs CBS Cell Broadcast Service Unsigned 8-bit integer CBS Cell Broadcast Service
uma.urr.cell_id Cell Identity Unsigned 16-bit integer Cell Identity
uma.urr.communication_port Communication Port Unsigned 16-bit integer Communication Portt
uma.urr.dtm DTM, Dual Transfer Mode of Operation by network Unsigned 8-bit integer DTM, Dual Transfer Mode of Operation by network
uma.urr.establishment_cause Establishment Cause Unsigned 8-bit integer Establishment Cause
uma.urr.fqdn Fully Qualified Domain/Host Name (FQDN) String Fully Qualified Domain/Host Name (FQDN)
uma.urr.gc GC, GERAN Capable Unsigned 8-bit integer GC, GERAN Capable
uma.urr.gci GCI, GSM Coverage Indicator Unsigned 8-bit integer GCI, GSM Coverage Indicator
uma.urr.gprs_port UDP Port for GPRS user data transport Unsigned 16-bit integer UDP Port for GPRS user data transport
uma.urr.gprs_usr_data_ipv4 IP address for GPRS user data transport IPv4 address IP address for GPRS user data transport
uma.urr.gsmrrstate GSM RR State value Unsigned 8-bit integer GSM RR State value
uma.urr.ie.len URR Information Element length Unsigned 16-bit integer URR Information Element length
uma.urr.ie.mobileid.type Mobile Identity Type Unsigned 8-bit integer Mobile Identity Type
uma.urr.ie.type URR Information Element Unsigned 8-bit integer URR Information Element
uma.urr.ip_type IP address type number value Unsigned 8-bit integer IP address type number value
uma.urr.is_rej_cau Discovery Reject Cause Unsigned 8-bit integer Discovery Reject Cause
uma.urr.l3 L3 message contents Byte array L3 message contents
uma.urr.lac Location area code Unsigned 16-bit integer Location area code
uma.urr.llc_pdu LLC-PDU Byte array LLC-PDU
uma.urr.mcc Mobile Country Code Unsigned 16-bit integer Mobile Country Code
uma.urr.mnc Mobile network code Unsigned 16-bit integer Mobile network code
uma.urr.mps UMPS, Manual PLMN Selection indicator Unsigned 8-bit integer MPS, Manual PLMN Selection indicator
uma.urr.ms_radio_id MS Radio Identity 6-byte Hardware (MAC) Address MS Radio Identity
uma.urr.mscr MSCR, MSC Release Unsigned 8-bit integer MSCR, MSC Release
uma.urr.msg.type URR Message Type Unsigned 16-bit integer URR Message Type
uma.urr.ncc NCC Unsigned 8-bit integer NCC
uma.urr.num_of_cbs_frms Number of CBS Frames Unsigned 8-bit integer Number of CBS Frames
uma.urr.num_of_plms Number of PLMN:s Unsigned 8-bit integer Number of PLMN:s
uma.urr.oddevenind Odd/even indication Unsigned 8-bit integer Mobile Identity
uma.urr.peak_tpt_cls PEAK_THROUGHPUT_CLASS Unsigned 8-bit integer PEAK_THROUGHPUT_CLASS
uma.urr.rac Routing Area Code Unsigned 8-bit integer Routing Area Code
uma.urr.radio_id Radio Identity 6-byte Hardware (MAC) Address Radio Identity
uma.urr.radio_pri Radio Priority Unsigned 8-bit integer RADIO_PRIORITY
uma.urr.radio_type_of_id Type of identity Unsigned 8-bit integer Type of identity
uma.urr.redirection_counter Redirection Counter Unsigned 8-bit integer Redirection Counter
uma.urr.rrlc_mode RLC mode Unsigned 8-bit integer RLC mode
uma.urr.rrs RTP Redundancy Support(RRS) Unsigned 8-bit integer RTP Redundancy Support(RRS)
uma.urr.rtcp_port RTCP UDP port Unsigned 16-bit integer RTCP UDP port
uma.urr.rtp_port RTP UDP port Unsigned 16-bit integer RTP UDP port
uma.urr.rxlevel RX Level Unsigned 8-bit integer RX Level
uma.urr.sample_size Sample Size Unsigned 8-bit integer Sample Size
uma.urr.service_zone_str_len Length of UMA Service Zone string Unsigned 8-bit integer Length of UMA Service Zone string
uma.urr.sgwipv4 SGW IPv4 address IPv4 address SGW IPv4 address
uma.urr.state URR State Unsigned 8-bit integer URR State
uma.urr.t3212 T3212 Timer value(seconds) Unsigned 8-bit integer T3212 Timer value(seconds)
uma.urr.tu3902 TU3902 Timer value(seconds) Unsigned 16-bit integer TU3902 Timer value(seconds)
uma.urr.tu3906 TU3907 Timer value(seconds) Unsigned 16-bit integer TU3906 Timer value(seconds)
uma.urr.tu3907 TU3907 Timer value(seconds) Unsigned 16-bit integer TU3907 Timer value(seconds)
uma.urr.tu3910 TU3907 Timer value(seconds) Unsigned 16-bit integer TU3910 Timer value(seconds)
uma.urr.tu3920 TU3920 Timer value(seconds) Unsigned 16-bit integer TU3920 Timer value(seconds)
uma.urr.tu4001 TU4001 Timer value(seconds) Unsigned 16-bit integer TU4001 Timer value(seconds)
uma.urr.tu4003 TU4003 Timer value(seconds) Unsigned 16-bit integer TU4003 Timer value(seconds)
uma.urr.tura TURA, Type of Unlicensed Radio Unsigned 8-bit integer TURA, Type of Unlicensed Radio
uma.urr.uc UC, UTRAN Capable Unsigned 8-bit integer GC, GERAN Capable
uma.urr.uma_UTRAN_cell_id_disc UTRAN Cell Identification Discriminator Unsigned 8-bit integer UTRAN Cell Identification Discriminator
uma.urr.uma_codec_mode Codec Mode Unsigned 8-bit integer Codec Mode
uma.urr.uma_service_zone_icon_ind UMA Service Zone Icon Indicator Unsigned 8-bit integer UMA Service Zone Icon Indicator
uma.urr.uma_service_zone_str UMA Service Zone string, String UMA Service Zone string,
uma.urr.uma_suti SUTI, Serving UNC table indicator indicator Unsigned 8-bit integer SUTI, Serving UNC table indicator indicator
uma.urr.uma_window_size Window Size Unsigned 8-bit integer Window Size
uma.urr.umaband UMA Band Unsigned 8-bit integer UMA Band
uma.urr.unc_fqdn UNC Fully Qualified Domain/Host Name (FQDN) String UNC Fully Qualified Domain/Host Name (FQDN)
uma.urr.uncipv4 UNC IPv4 address IPv4 address UNC IPv4 address
uma.urr.uri UMA Release Indicator (URI) Unsigned 8-bit integer URI
uma_urr.imei IMEI String IMEI
uma_urr.imeisv IMEISV String IMEISV
uma_urr.imsi IMSI String IMSI
uma_urr.tmsi_p_tmsi TMSI/P-TMSI String TMSI/P-TMSI
udp.checksum Checksum Unsigned 16-bit integer
udp.checksum_bad Bad Checksum Boolean
udp.dstport Destination Port Unsigned 16-bit integer
udp.length Length Unsigned 16-bit integer
udp.port Source or Destination Port Unsigned 16-bit integer
udp.srcport Source Port Unsigned 16-bit integer
llt.cluster_num Cluster number Unsigned 8-bit integer Cluster number that this node belongs to
llt.message_time Message time Unsigned 32-bit integer Number of ticks since this node was last rebooted
llt.message_type Message type Unsigned 8-bit integer Type of LLT message contained in this frame
llt.node_id Node ID Unsigned 8-bit integer Number identifying this node within the cluster
llt.sequence_num Sequence number Unsigned 32-bit integer Sequence number of this frame
vnc.protocol_version ProtocolVersion String Protocol Version
vrrp.adver_int Adver Int Unsigned 8-bit integer Time interval (in seconds) between ADVERTISEMENTS
vrrp.auth_type Auth Type Unsigned 8-bit integer The authentication method being utilized
vrrp.count_ip_addrs Count IP Addrs Unsigned 8-bit integer The number of IP addresses contained in this VRRP advertisement
vrrp.ip_addr IP Address IPv4 address IP address associated with the virtual router
vrrp.ipv6_addr IPv6 Address IPv6 address IPv6 address associated with the virtual router
vrrp.prio Priority Unsigned 8-bit integer Sending VRRP router's priority for the virtual router
vrrp.type VRRP packet type Unsigned 8-bit integer VRRP type
vrrp.typever VRRP message version and type Unsigned 8-bit integer VRRP version and type
vrrp.version VRRP protocol version Unsigned 8-bit integer VRRP version
vrrp.virt_rtr_id Virtual Rtr ID Unsigned 8-bit integer Virtual router this packet is reporting status for
vtp.code Code Unsigned 8-bit integer
vtp.conf_rev_num Configuration Revision Number Unsigned 32-bit integer Revision number of the configuration information
vtp.followers Followers Unsigned 8-bit integer Number of following Subset-Advert messages
vtp.md Management Domain String Management domain
vtp.md5_digest MD5 Digest Byte array
vtp.md_len Management Domain Length Unsigned 8-bit integer Length of management domain string
vtp.seq_num Sequence Number Unsigned 8-bit integer Order of this frame in the sequence of Subset-Advert frames
vtp.start_value Start Value Unsigned 16-bit integer Virtual LAN ID of first VLAN for which information is requested
vtp.upd_id Updater Identity IPv4 address IP address of the updater
vtp.upd_ts Update Timestamp String Time stamp of the current configuration revision
vtp.version Version Unsigned 8-bit integer
vtp.vlan_info.802_10_index 802.10 Index Unsigned 32-bit integer IEEE 802.10 security association identifier for this VLAN
vtp.vlan_info.isl_vlan_id ISL VLAN ID Unsigned 16-bit integer ID of this VLAN on ISL trunks
vtp.vlan_info.len VLAN Information Length Unsigned 8-bit integer Length of the VLAN information field
vtp.vlan_info.mtu_size MTU Size Unsigned 16-bit integer MTU for this VLAN
vtp.vlan_info.status.vlan_susp VLAN suspended Boolean VLAN suspended
vtp.vlan_info.tlv_len Length Unsigned 8-bit integer
vtp.vlan_info.tlv_type Type Unsigned 8-bit integer
vtp.vlan_info.vlan_name VLAN Name String VLAN name
vtp.vlan_info.vlan_name_len VLAN Name Length Unsigned 8-bit integer Length of VLAN name string
vtp.vlan_info.vlan_type VLAN Type Unsigned 8-bit integer Type of VLAN
wbxml.charset Character Set Unsigned 32-bit integer WBXML Character Set
wbxml.public_id.known Public Identifier (known) Unsigned 32-bit integer WBXML Known Public Identifier (integer)
wbxml.public_id.literal Public Identifier (literal) String WBXML Literal Public Identifier (text string)
wbxml.version Version Unsigned 8-bit integer WBXML Version
wap.sir Session Initiation Request No value Session Initiation Request content
wap.sir.app_id_list Application-ID List No value Application-ID list
wap.sir.app_id_list.length Application-ID List Length Unsigned 32-bit integer Length of the Application-ID list (bytes)
wap.sir.contact_points Non-WSP Contact Points No value Non-WSP Contact Points list
wap.sir.contact_points.length Non-WSP Contact Points Length Unsigned 32-bit integer Length of the Non-WSP Contact Points list (bytes)
wap.sir.cpi_tag CPITag Byte array CPITag (OTA-HTTP)
wap.sir.cpi_tag.length CPITag List Entries Unsigned 32-bit integer Number of entries in the CPITag list
wap.sir.protocol_options Protocol Options Unsigned 16-bit integer Protocol Options list
wap.sir.protocol_options.length Protocol Options List Entries Unsigned 32-bit integer Number of entries in the Protocol Options list
wap.sir.prov_url X-Wap-ProvURL String X-Wap-ProvURL (Identifies the WAP Client Provisioning Context)
wap.sir.prov_url.length X-Wap-ProvURL Length Unsigned 32-bit integer Length of the X-Wap-ProvURL (Identifies the WAP Client Provisioning Context)
wap.sir.version Version Unsigned 8-bit integer Version of the Session Initiation Request document
wap.sir.wsp_contact_points WSP Contact Points No value WSP Contact Points list
wap.sir.wsp_contact_points.length WSP Contact Points Length Unsigned 32-bit integer Length of the WSP Contact Points list (bytes)
winsrepl.assoc_ctx Assoc_Ctx Unsigned 32-bit integer WINS Replication Assoc_Ctx
winsrepl.initiator Initiator IPv4 address WINS Replication Initiator
winsrepl.ip_address IP Address IPv4 address WINS Replication IP Address
winsrepl.ip_owner IP Owner IPv4 address WINS Replication IP Owner
winsrepl.major_version Major Version Unsigned 16-bit integer WINS Replication Major Version
winsrepl.max_version Max Version Unsigned 64-bit integer WINS Replication Max Version
winsrepl.message_type Message_Type Unsigned 32-bit integer WINS Replication Message_Type
winsrepl.min_version Min Version Unsigned 64-bit integer WINS Replication Min Version
winsrepl.minor_version Minor Version Unsigned 16-bit integer WINS Replication Minor Version
winsrepl.name_flags Name Flags Unsigned 32-bit integer WINS Replication Name Flags
winsrepl.name_flags.hosttype Host Type Unsigned 32-bit integer WINS Replication Name Flags Host Type
winsrepl.name_flags.local Local Boolean WINS Replication Name Flags Local Flag
winsrepl.name_flags.recstate Record State Unsigned 32-bit integer WINS Replication Name Flags Record State
winsrepl.name_flags.rectype Record Type Unsigned 32-bit integer WINS Replication Name Flags Record Type
winsrepl.name_flags.static Static Boolean WINS Replication Name Flags Static Flag
winsrepl.name_group_flag Name Group Flag Unsigned 32-bit integer WINS Replication Name Group Flag
winsrepl.name_len Name Len Unsigned 32-bit integer WINS Replication Name Len
winsrepl.name_version_id Name Version Id Unsigned 64-bit integer WINS Replication Name Version Id
winsrepl.num_ips Num IPs Unsigned 32-bit integer WINS Replication Num IPs
winsrepl.num_names Num Names Unsigned 32-bit integer WINS Replication Num Names
winsrepl.opcode Opcode Unsigned 32-bit integer WINS Replication Opcode
winsrepl.owner_address Owner Address IPv4 address WINS Replication Owner Address
winsrepl.owner_type Owner Type Unsigned 32-bit integer WINS Replication Owner Type
winsrepl.partner_count Partner Count Unsigned 32-bit integer WINS Replication Partner Count
winsrepl.reason Reason Unsigned 32-bit integer WINS Replication Reason
winsrepl.repl_cmd Replication Command Unsigned 32-bit integer WINS Replication Command
winsrepl.size Packet Size Unsigned 32-bit integer WINS Replication Packet Size
winsrepl.unknown Unknown IP IPv4 address WINS Replication Unknown IP
wccp.cache_ip Web Cache IP address IPv4 address The IP address of a Web cache
wccp.change_num Change Number Unsigned 32-bit integer The Web-Cache list entry change number
wccp.hash_revision Hash Revision Unsigned 32-bit integer The cache hash revision
wccp.message WCCP Message Type Unsigned 32-bit integer The WCCP message that was sent
wccp.recvd_id Received ID Unsigned 32-bit integer The number of I_SEE_YOU's that have been sent
wccp.version WCCP Version Unsigned 32-bit integer The WCCP version
mq.api.completioncode Completion code Unsigned 32-bit integer API Completion code
mq.api.hobj Object handle Unsigned 32-bit integer API Object handle
mq.api.reasoncode Reason code Unsigned 32-bit integer API Reason code
mq.api.replylength Reply length Unsigned 32-bit integer API Reply length
mq.conn.acttoken Accounting token Byte array CONN accounting token
mq.conn.appname Application name String CONN application name
mq.conn.apptype Application type Signed 32-bit integer CONN application type
mq.conn.options Options Unsigned 32-bit integer CONN options
mq.conn.qm Queue manager String CONN queue manager
mq.conn.version Version Unsigned 32-bit integer CONN version
mq.dh.flagspmr Flags PMR Unsigned 32-bit integer DH flags PMR
mq.dh.nbrrec Number of records Unsigned 32-bit integer DH number of records
mq.dh.offsetor Offset of first OR Unsigned 32-bit integer DH offset of first OR
mq.dh.offsetpmr Offset of first PMR Unsigned 32-bit integer DH offset of first PMR
mq.dlh.ccsid Character set Signed 32-bit integer DLH character set
mq.dlh.destq Destination queue String DLH destination queue
mq.dlh.destqmgr Destination queue manager String DLH destination queue manager
mq.dlh.encoding Encoding Unsigned 32-bit integer DLH encoding
mq.dlh.format Format String DLH format
mq.dlh.putapplname Put application name String DLH put application name
mq.dlh.putappltype Put application type Signed 32-bit integer DLH put application type
mq.dlh.putdate Put date String DLH put date
mq.dlh.puttime Put time String DLH put time
mq.dlh.reason Reason Unsigned 32-bit integer DLH reason
mq.dlh.structid DLH structid String DLH structid
mq.dlh.version Version Unsigned 32-bit integer DLH version
mq.gmo.grpstat Group status Unsigned 8-bit integer GMO group status
mq.gmo.matchopt Match options Unsigned 32-bit integer GMO match options
mq.gmo.msgtoken Message token Byte array GMO message token
mq.gmo.options Options Unsigned 32-bit integer GMO options
mq.gmo.reserved Reserved Unsigned 8-bit integer GMO reserved
mq.gmo.resolvq Resolved queue name String GMO resolved queue name
mq.gmo.retlen Returned length Signed 32-bit integer GMO returned length
mq.gmo.segmentation Segmentation Unsigned 8-bit integer GMO segmentation
mq.gmo.sgmtstat Segment status Unsigned 8-bit integer GMO segment status
mq.gmo.signal1 Signal 1 Unsigned 32-bit integer GMO signal 1
mq.gmo.signal2 Signal 2 Unsigned 32-bit integer GMO signal 2
mq.gmo.structid GMO structid String GMO structid
mq.gmo.version Version Unsigned 32-bit integer GMO version
mq.gmo.waitint Wait Interval Signed 32-bit integer GMO wait interval
mq.head.ccsid Character set Signed 32-bit integer Header character set
mq.head.encoding Encoding Unsigned 32-bit integer Header encoding
mq.head.flags Flags Unsigned 32-bit integer Header flags
mq.head.format Format String Header format
mq.head.length Length Unsigned 32-bit integer Header length
mq.head.struct Struct Byte array Header struct
mq.head.structid Structid String Header structid
mq.head.version Structid Unsigned 32-bit integer Header version
mq.id.capflags Capability flags Unsigned 8-bit integer ID Capability flags
mq.id.ccsid Character set Unsigned 16-bit integer ID character set
mq.id.channelname Channel name String ID channel name
mq.id.flags Flags Unsigned 8-bit integer ID flags
mq.id.hbint Heartbeat interval Unsigned 32-bit integer ID Heartbeat interval
mq.id.icf.convcap Conversion capable Boolean ID ICF Conversion capable
mq.id.icf.mqreq MQ request Boolean ID ICF MQ request
mq.id.icf.msgseq Message sequence Boolean ID ICF Message sequence
mq.id.icf.runtime Runtime application Boolean ID ICF Runtime application
mq.id.icf.splitmsg Split messages Boolean ID ICF Split message
mq.id.icf.svrsec Server connection security Boolean ID ICF Server connection security
mq.id.ief Initial error flags Unsigned 8-bit integer ID initial error flags
mq.id.ief.ccsid Invalid CCSID Boolean ID invalid CCSID
mq.id.ief.enc Invalid encoding Boolean ID invalid encoding
mq.id.ief.fap Invalid FAP level Boolean ID invalid FAP level
mq.id.ief.hbint Invalid heartbeat interval Boolean ID invalid heartbeat interval
mq.id.ief.mxmsgpb Invalid maximum message per batch Boolean ID maximum message per batch
mq.id.ief.mxmsgsz Invalid message size Boolean ID invalid message size
mq.id.ief.mxtrsz Invalid maximum transmission size Boolean ID invalid maximum transmission size
mq.id.ief.seqwrap Invalid sequence wrap value Boolean ID invalid sequence wrap value
mq.id.level FAP level Unsigned 8-bit integer ID Formats And Protocols level
mq.id.maxmsgperbatch Maximum messages per batch Unsigned 16-bit integer ID max msg per batch
mq.id.maxmsgsize Maximum message size Unsigned 32-bit integer ID max msg size
mq.id.maxtranssize Maximum transmission size Unsigned 32-bit integer ID max trans size
mq.id.qm Queue manager String ID Queue manager
mq.id.seqwrap Sequence wrap value Unsigned 32-bit integer ID seq wrap value
mq.id.structid ID structid String ID structid
mq.id.unknown2 Unknown2 Unsigned 8-bit integer ID unknown2
mq.id.unknown4 Unknown4 Unsigned 16-bit integer ID unknown4
mq.id.unknown5 Unknown5 Unsigned 8-bit integer ID unknown5
mq.id.unknown6 Unknown6 Unsigned 16-bit integer ID unknown6
mq.inq.charlen Character length Unsigned 32-bit integer INQ Character length
mq.inq.charvalues Char values String INQ Character values
mq.inq.intvalue Integer value Unsigned 32-bit integer INQ Integer value
mq.inq.nbint Integer count Unsigned 32-bit integer INQ Integer count
mq.inq.nbsel Selector count Unsigned 32-bit integer INQ Selector count
mq.inq.sel Selector Unsigned 32-bit integer INQ Selector
mq.md.acttoken Accounting token Byte array MD accounting token
mq.md.appldata ApplicationId data String MD Put applicationId data
mq.md.applname Put Application Name String MD Put application name
mq.md.appltype Put Application Type Signed 32-bit integer MD Put application type
mq.md.backount Backount count Unsigned 32-bit integer MD Backount count
mq.md.ccsid Character set Signed 32-bit integer MD character set
mq.md.correlid CorrelationId Byte array MD Correlation Id
mq.md.date Put date String MD Put date
mq.md.encoding Encoding Unsigned 32-bit integer MD encoding
mq.md.expiry Expiry Signed 32-bit integer MD expiry
mq.md.feedback Feedback Unsigned 32-bit integer MD feedback
mq.md.format Format String MD format
mq.md.groupid GroupId Byte array MD GroupId
mq.md.lastformat Last format String MD Last format
mq.md.msgflags Message flags Unsigned 32-bit integer MD Message flags
mq.md.msgid MessageId Byte array MD Message Id
mq.md.msgseqnumber Message sequence number Unsigned 32-bit integer MD Message sequence number
mq.md.msgtype Message type Unsigned 32-bit integer MD message type
mq.md.offset Offset Unsigned 32-bit integer MD Offset
mq.md.origdata Application original data String MD Application original data
mq.md.persistence Persistence Unsigned 32-bit integer MD persistence
mq.md.priority Priority Signed 32-bit integer MD priority
mq.md.report Report Unsigned 32-bit integer MD report
mq.md.structid MD structid String MD structid
mq.md.time Put time String MD Put time
mq.md.userid UserId String MD UserId
mq.md.version Version Unsigned 32-bit integer MD version
mq.msh.buflength Buffer length Unsigned 32-bit integer MSH buffer length
mq.msh.msglength Message length Unsigned 32-bit integer MSH message length
mq.msh.seqnum Sequence number Unsigned 32-bit integer MSH sequence number
mq.msh.structid MSH structid String MSH structid
mq.msh.unknown1 Unknown1 Unsigned 32-bit integer MSH unknown1
mq.od.addror Address of first OR Unsigned 32-bit integer OD address of first OR
mq.od.addrrr Address of first RR Unsigned 32-bit integer OD address of first RR
mq.od.altsecid Alternate security id String OD alternate security id
mq.od.altuserid Alternate user id String OD alternate userid
mq.od.dynqname Dynamic queue name String OD dynamic queue name
mq.od.idestcount Invalid destination count Unsigned 32-bit integer OD invalid destination count
mq.od.kdestcount Known destination count Unsigned 32-bit integer OD known destination count
mq.od.nbrrec Number of records Unsigned 32-bit integer OD number of records
mq.od.objname Object name String OD object name
mq.od.objqmgrname Object queue manager name String OD object queue manager name
mq.od.objtype Object type Unsigned 32-bit integer OD object type
mq.od.offsetor Offset of first OR Unsigned 32-bit integer OD offset of first OR
mq.od.offsetrr Offset of first RR Unsigned 32-bit integer OD offset of first RR
mq.od.resolvq Resolved queue name String OD resolved queue name
mq.od.resolvqmgr Resolved queue manager name String OD resolved queue manager name
mq.od.structid OD structid String OD structid
mq.od.udestcount Unknown destination count Unsigned 32-bit integer OD unknown destination count
mq.od.version Version Unsigned 32-bit integer OD version
mq.open.options Options Unsigned 32-bit integer OPEN options
mq.ping.buffer Buffer Byte array PING buffer
mq.ping.length Length Unsigned 32-bit integer PING length
mq.ping.seqnum Sequence number Unsigned 32-bit integer RESET sequence number
mq.pmo.addrrec Address of first record Unsigned 32-bit integer PMO address of first record
mq.pmo.addrres Address of first response record Unsigned 32-bit integer PMO address of first response record
mq.pmo.context Context Unsigned 32-bit integer PMO context
mq.pmo.flagspmr Flags PMR fields Unsigned 32-bit integer PMO flags PMR fields
mq.pmo.idestcount Invalid destination count Unsigned 32-bit integer PMO invalid destination count
mq.pmo.kdstcount Known destination count Unsigned 32-bit integer PMO known destination count
mq.pmo.nbrrec Number of records Unsigned 32-bit integer PMO number of records
mq.pmo.offsetpmr Offset of first PMR Unsigned 32-bit integer PMO offset of first PMR
mq.pmo.offsetrr Offset of first RR Unsigned 32-bit integer PMO offset of first RR
mq.pmo.options Options Unsigned 32-bit integer PMO options
mq.pmo.resolvq Resolved queue name String PMO resolved queue name
mq.pmo.resolvqmgr Resolved queue name manager String PMO resolved queue manager name
mq.pmo.structid PMO structid String PMO structid
mq.pmo.timeout Timeout Signed 32-bit integer PMO time out
mq.pmo.udestcount Unknown destination count Unsigned 32-bit integer PMO unknown destination count
mq.pmr.acttoken Accounting token Byte array PMR accounting token
mq.pmr.correlid Correlation Id Byte array PMR Correlation Id
mq.pmr.feedback Feedback Unsigned 32-bit integer PMR Feedback
mq.pmr.groupid GroupId Byte array PMR GroupId
mq.pmr.msgid Message Id Byte array PMR Message Id
mq.put.length Data length Unsigned 32-bit integer PUT Data length
mq.rr.completioncode Completion code Unsigned 32-bit integer OR completion code
mq.rr.reasoncode Reason code Unsigned 32-bit integer OR reason code
mq.spai.mode Mode Unsigned 32-bit integer SPI Activate Input mode
mq.spai.msgid Message Id String SPI Activate Input message id
mq.spai.unknown1 Unknown1 String SPI Activate Input unknown1
mq.spai.unknown2 Unknown2 String SPI Activate Input unknown2
mq.spgi.batchint Batch interval Unsigned 32-bit integer SPI Get Input batch interval
mq.spgi.batchsize Batch size Unsigned 32-bit integer SPI Get Input batch size
mq.spgi.maxmsgsize Max message size Unsigned 32-bit integer SPI Get Input max message size
mq.spgo.options Options Unsigned 32-bit integer SPI Get Output options
mq.spgo.size Size Unsigned 32-bit integer SPI Get Output size
mq.spi.options.blank Blank padded Boolean SPI Options blank padded
mq.spi.options.deferred Deferred Boolean SPI Options deferred
mq.spi.options.sync Syncpoint Boolean SPI Options syncpoint
mq.spi.replength Max reply size Unsigned 32-bit integer SPI Max reply size
mq.spi.verb SPI Verb Unsigned 32-bit integer SPI Verb
mq.spi.version Version Unsigned 32-bit integer SPI Version
mq.spib.length Length Unsigned 32-bit integer SPI Base Length
mq.spib.structid SPI Structid String SPI Base structid
mq.spib.version Version Unsigned 32-bit integer SPI Base Version
mq.spqo.flags Flags Unsigned 32-bit integer SPI Query Output flags
mq.spqo.maxiov Max InOut Version Unsigned 32-bit integer SPI Query Output Max InOut Version
mq.spqo.maxiv Max In Version Unsigned 32-bit integer SPI Query Output Max In Version
mq.spqo.maxov Max Out Version Unsigned 32-bit integer SPI Query Output Max Out Version
mq.spqo.nbverb Number of verbs Unsigned 32-bit integer SPI Query Output Number of verbs
mq.spqo.verb Verb Unsigned 32-bit integer SPI Query Output VerbId
mq.status.code Code Unsigned 32-bit integer STATUS code
mq.status.length Length Unsigned 32-bit integer STATUS length
mq.status.value Value Unsigned 32-bit integer STATUS value
mq.tsh.byteorder Byte order Unsigned 8-bit integer TSH Byte order
mq.tsh.ccsid Character set Unsigned 16-bit integer TSH CCSID
mq.tsh.cflags Control flags Unsigned 8-bit integer TSH Control flags
mq.tsh.encoding Encoding Unsigned 32-bit integer TSH Encoding
mq.tsh.luwid Logical unit of work identifier Byte array TSH logical unit of work identifier
mq.tsh.padding Padding Unsigned 16-bit integer TSH Padding
mq.tsh.reserved Reserved Unsigned 8-bit integer TSH Reserved
mq.tsh.seglength MQ Segment length Unsigned 32-bit integer TSH MQ Segment length
mq.tsh.structid TSH structid String TSH structid
mq.tsh.tcf.closechann Close channel Boolean TSH TCF Close channel
mq.tsh.tcf.confirmreq Confirm request Boolean TSH TCF Confirm request
mq.tsh.tcf.dlq DLQ used Boolean TSH TCF DLQ used
mq.tsh.tcf.error Error Boolean TSH TCF Error
mq.tsh.tcf.first First Boolean TSH TCF First
mq.tsh.tcf.last Last Boolean TSH TCF Last
mq.tsh.tcf.reqacc Request accepted Boolean TSH TCF Request accepted
mq.tsh.tcf.reqclose Request close Boolean TSH TCF Request close
mq.tsh.type Segment type Unsigned 8-bit integer TSH MQ segment type
mq.uid.longuserid Long User ID String UID long user id
mq.uid.password Password String UID password
mq.uid.securityid Security ID Byte array UID security id
mq.uid.structid UID structid String UID structid
mq.uid.userid User ID String UID structid
mq.xa.length Length Unsigned 32-bit integer XA Length
mq.xa.nbxid Number of Xid Unsigned 32-bit integer XA Number of Xid
mq.xa.returnvalue Return value Signed 32-bit integer XA Return Value
mq.xa.rmid Resource manager ID Unsigned 32-bit integer XA Resource Manager ID
mq.xa.tmflags Transaction Manager Flags Unsigned 32-bit integer XA Transaction Manager Flags
mq.xa.tmflags.endrscan ENDRSCAN Boolean XA TM Flags ENDRSCAN
mq.xa.tmflags.fail FAIL Boolean XA TM Flags FAIL
mq.xa.tmflags.join JOIN Boolean XA TM Flags JOIN
mq.xa.tmflags.onephase ONEPHASE Boolean XA TM Flags ONEPHASE
mq.xa.tmflags.resume RESUME Boolean XA TM Flags RESUME
mq.xa.tmflags.startrscan STARTRSCAN Boolean XA TM Flags STARTRSCAN
mq.xa.tmflags.success SUCCESS Boolean XA TM Flags SUCCESS
mq.xa.tmflags.suspend SUSPEND Boolean XA TM Flags SUSPEND
mq.xa.xainfo.length Length Unsigned 8-bit integer XA XA_info Length
mq.xa.xainfo.value Value String XA XA_info Value
mq.xa.xid.bq Branch Qualifier Byte array XA Xid Branch Qualifier
mq.xa.xid.bql Branch Qualifier Length Unsigned 8-bit integer XA Xid Branch Qualifier Length
mq.xa.xid.formatid Format ID Signed 32-bit integer XA Xid Format ID
mq.xa.xid.gxid Global TransactionId Byte array XA Xid Global TransactionId
mq.xa.xid.gxidl Global TransactionId Length Unsigned 8-bit integer XA Xid Global TransactionId Length
mq.xqh.remoteq Remote queue String XQH remote queue
mq.xqh.remoteqmgr Remote queue manager String XQH remote queue manager
mq.xqh.structid XQH structid String XQH structid
mq.xqh.version Version Unsigned 32-bit integer XQH version
mqpcf.cfh.command Command Unsigned 32-bit integer CFH command
mqpcf.cfh.compcode Completion code Unsigned 32-bit integer CFH completion code
mqpcf.cfh.control Control Unsigned 32-bit integer CFH control
mqpcf.cfh.length Length Unsigned 32-bit integer CFH length
mqpcf.cfh.msgseqnumber Message sequence number Unsigned 32-bit integer CFH message sequence number
mqpcf.cfh.paramcount Parameter count Unsigned 32-bit integer CFH parameter count
mqpcf.cfh.reasoncode Reason code Unsigned 32-bit integer CFH reason code
mqpcf.cfh.type Type Unsigned 32-bit integer CFH type
mqpcf.cfh.version Version Unsigned 32-bit integer CFH version
bofl.pdu PDU Unsigned 32-bit integer PDU; normally equals 0x01010000 or 0x01011111
bofl.sequence Sequence Unsigned 32-bit integer incremental counter
wcp.alg Alg Unsigned 8-bit integer Algorithm
wcp.alg1 Alg 1 Unsigned 8-bit integer Algorithm #1
wcp.alg2 Alg 2 Unsigned 8-bit integer Algorithm #2
wcp.alg3 Alg 3 Unsigned 8-bit integer Algorithm #3
wcp.alg4 Alg 4 Unsigned 8-bit integer Algorithm #4
wcp.alg_cnt Alg Count Unsigned 8-bit integer Algorithm Count
wcp.checksum Checksum Unsigned 8-bit integer Packet Checksum
wcp.cmd Command Unsigned 8-bit integer Compression Command
wcp.ext_cmd Extended Command Unsigned 8-bit integer Extended Compression Command
wcp.flag Compress Flag Unsigned 8-bit integer Compressed byte flag
wcp.hist History Unsigned 8-bit integer History Size
wcp.init Initiator Unsigned 8-bit integer Initiator
wcp.long_comp Long Compression Unsigned 16-bit integer Long Compression type
wcp.long_len Compress Length Unsigned 8-bit integer Compressed length
wcp.mark Compress Marker Unsigned 8-bit integer Compressed marker
wcp.off Source offset Unsigned 16-bit integer Data source offset
wcp.pib PIB Unsigned 8-bit integer PIB
wcp.ppc PerPackComp Unsigned 8-bit integer Per Packet Compression
wcp.rev Revision Unsigned 8-bit integer Revision
wcp.rexmit Rexmit Unsigned 8-bit integer Retransmit
wcp.seq SEQ Unsigned 16-bit integer Sequence Number
wcp.seq_size Seq Size Unsigned 8-bit integer Sequence Size
wcp.short_comp Short Compression Unsigned 8-bit integer Short Compression type
wcp.short_len Compress Length Unsigned 8-bit integer Compressed length
wcp.tid TID Unsigned 16-bit integer TID
wfleet_hdlc.address Address Unsigned 8-bit integer
wfleet_hdlc.command Command Unsigned 8-bit integer
who.boottime Boot Time Date/Time stamp
who.hostname Hostname String
who.idle Time Idle Unsigned 32-bit integer
who.loadav_10 Load Average Over Past 10 Minutes Double-precision floating point
who.loadav_15 Load Average Over Past 15 Minutes Double-precision floating point
who.loadav_5 Load Average Over Past 5 Minutes Double-precision floating point
who.recvtime Receive Time Date/Time stamp
who.sendtime Send Time Date/Time stamp
who.timeon Time On Date/Time stamp
who.tty TTY Name String
who.type Type Unsigned 8-bit integer
who.uid User ID String
who.vers Version Unsigned 8-bit integer
who.whoent Who utmp Entry No value
dnsserver.opnum Operation Unsigned 16-bit integer Operation
dnsserver.rc Return code Unsigned 32-bit integer Return code
wsp.TID Transaction ID Unsigned 8-bit integer WSP Transaction ID (for connectionless WSP)
wsp.address Address Record Unsigned 32-bit integer Address Record
wsp.address.bearer_type Bearer Type Unsigned 8-bit integer Bearer Type
wsp.address.flags Flags/Length Unsigned 8-bit integer Address Flags/Length
wsp.address.flags.bearer_type_included Bearer Type Included Boolean Address bearer type included
wsp.address.flags.length Address Length Unsigned 8-bit integer Address Length
wsp.address.flags.port_number_included Port Number Included Boolean Address port number included
wsp.address.ipv4 IPv4 Address IPv4 address Address (IPv4)
wsp.address.ipv6 IPv6 Address IPv6 address Address (IPv6)
wsp.address.port Port Number Unsigned 16-bit integer Port Number
wsp.address.unknown Address Byte array Address (unknown)
wsp.capabilities Capabilities No value Capabilities
wsp.capabilities.length Capabilities Length Unsigned 32-bit integer Length of Capabilities field (bytes)
wsp.capability.aliases Aliases Byte array Aliases
wsp.capability.client_message_size Client Message Size Unsigned 8-bit integer Client Message size (bytes)
wsp.capability.client_sdu_size Client SDU Size Unsigned 8-bit integer Client Service Data Unit size (bytes)
wsp.capability.code_pages Header Code Pages String Header Code Pages
wsp.capability.extended_methods Extended Methods String Extended Methods
wsp.capability.method_mor Method MOR Unsigned 8-bit integer Method MOR
wsp.capability.protocol_opt Protocol Options String Protocol Options
wsp.capability.protocol_option.ack_headers Acknowledgement headers Boolean If set, this CO-WSP session supports Acknowledgement headers
wsp.capability.protocol_option.confirmed_push Confirmed Push facility Boolean If set, this CO-WSP session supports the Confirmed Push facility
wsp.capability.protocol_option.large_data_transfer Large data transfer Boolean If set, this CO-WSP session supports Large data transfer
wsp.capability.protocol_option.push Push facility Boolean If set, this CO-WSP session supports the Push facility
wsp.capability.protocol_option.session_resume Session Resume facility Boolean If set, this CO-WSP session supports the Session Resume facility
wsp.capability.push_mor Push MOR Unsigned 8-bit integer Push MOR
wsp.capability.server_message_size Server Message Size Unsigned 8-bit integer Server Message size (bytes)
wsp.capability.server_sdu_size Server SDU Size Unsigned 8-bit integer Server Service Data Unit size (bytes)
wsp.code_page Switching to WSP header code-page Unsigned 8-bit integer Header code-page shift code
wsp.header.accept Accept String WSP header Accept
wsp.header.accept_application Accept-Application String WSP header Accept-Application
wsp.header.accept_charset Accept-Charset String WSP header Accept-Charset
wsp.header.accept_encoding Accept-Encoding String WSP header Accept-Encoding
wsp.header.accept_language Accept-Language String WSP header Accept-Language
wsp.header.accept_ranges Accept-Ranges String WSP header Accept-Ranges
wsp.header.age Age String WSP header Age
wsp.header.allow Allow String WSP header Allow
wsp.header.application_id Application-Id String WSP header Application-Id
wsp.header.authorization Authorization String WSP header Authorization
wsp.header.authorization.password Password String WSP header Authorization: password for basic authorization
wsp.header.authorization.scheme Authorization Scheme String WSP header Authorization: used scheme
wsp.header.authorization.user_id User-id String WSP header Authorization: user ID for basic authorization
wsp.header.bearer_indication Bearer-Indication String WSP header Bearer-Indication
wsp.header.cache_control Cache-Control String WSP header Cache-Control
wsp.header.connection Connection String WSP header Connection
wsp.header.content_base Content-Base String WSP header Content-Base
wsp.header.content_disposition Content-Disposition String WSP header Content-Disposition
wsp.header.content_encoding Content-Encoding String WSP header Content-Encoding
wsp.header.content_id Content-Id String WSP header Content-Id
wsp.header.content_language Content-Language String WSP header Content-Language
wsp.header.content_length Content-Length String WSP header Content-Length
wsp.header.content_location Content-Location String WSP header Content-Location
wsp.header.content_md5 Content-Md5 String WSP header Content-Md5
wsp.header.content_range Content-Range String WSP header Content-Range
wsp.header.content_range.entity_length Entity-length Unsigned 32-bit integer WSP header Content-Range: length of the entity
wsp.header.content_range.first_byte_pos First-byte-position Unsigned 32-bit integer WSP header Content-Range: position of first byte
wsp.header.content_type Content-Type String WSP header Content-Type
wsp.header.content_uri Content-Uri String WSP header Content-Uri
wsp.header.cookie Cookie String WSP header Cookie
wsp.header.date Date String WSP header Date
wsp.header.encoding_version Encoding-Version String WSP header Encoding-Version
wsp.header.etag ETag String WSP header ETag
wsp.header.expect Expect String WSP header Expect
wsp.header.expires Expires String WSP header Expires
wsp.header.from From String WSP header From
wsp.header.host Host String WSP header Host
wsp.header.if_match If-Match String WSP header If-Match
wsp.header.if_modified_since If-Modified-Since String WSP header If-Modified-Since
wsp.header.if_none_match If-None-Match String WSP header If-None-Match
wsp.header.if_range If-Range String WSP header If-Range
wsp.header.if_unmodified_since If-Unmodified-Since String WSP header If-Unmodified-Since
wsp.header.initiator_uri Initiator-Uri String WSP header Initiator-Uri
wsp.header.last_modified Last-Modified String WSP header Last-Modified
wsp.header.location Location String WSP header Location
wsp.header.max_forwards Max-Forwards String WSP header Max-Forwards
wsp.header.name Header name String Name of the WSP header
wsp.header.pragma Pragma String WSP header Pragma
wsp.header.profile Profile String WSP header Profile
wsp.header.profile_diff Profile-Diff String WSP header Profile-Diff
wsp.header.profile_warning Profile-Warning String WSP header Profile-Warning
wsp.header.proxy_authenticate Proxy-Authenticate String WSP header Proxy-Authenticate
wsp.header.proxy_authenticate.realm Authentication Realm String WSP header Proxy-Authenticate: used realm
wsp.header.proxy_authenticate.scheme Authentication Scheme String WSP header Proxy-Authenticate: used scheme
wsp.header.proxy_authorization Proxy-Authorization String WSP header Proxy-Authorization
wsp.header.proxy_authorization.password Password String WSP header Proxy-Authorization: password for basic authorization
wsp.header.proxy_authorization.scheme Authorization Scheme String WSP header Proxy-Authorization: used scheme
wsp.header.proxy_authorization.user_id User-id String WSP header Proxy-Authorization: user ID for basic authorization
wsp.header.public Public String WSP header Public
wsp.header.push_flag Push-Flag String WSP header Push-Flag
wsp.header.push_flag.authenticated Initiator URI is authenticated Unsigned 8-bit integer The X-Wap-Initiator-URI has been authenticated.
wsp.header.push_flag.last Last push message Unsigned 8-bit integer Indicates whether this is the last push message.
wsp.header.push_flag.trusted Content is trusted Unsigned 8-bit integer The push content is trusted.
wsp.header.range Range String WSP header Range
wsp.header.range.first_byte_pos First-byte-position Unsigned 32-bit integer WSP header Range: position of first byte
wsp.header.range.last_byte_pos Last-byte-position Unsigned 32-bit integer WSP header Range: position of last byte
wsp.header.range.suffix_length Suffix-length Unsigned 32-bit integer WSP header Range: length of the suffix
wsp.header.referer Referer String WSP header Referer
wsp.header.retry_after Retry-After String WSP header Retry-After
wsp.header.server Server String WSP header Server
wsp.header.set_cookie Set-Cookie String WSP header Set-Cookie
wsp.header.te Te String WSP header Te
wsp.header.trailer Trailer String WSP header Trailer
wsp.header.transfer_encoding Transfer-Encoding String WSP header Transfer-Encoding
wsp.header.upgrade Upgrade String WSP header Upgrade
wsp.header.user_agent User-Agent String WSP header User-Agent
wsp.header.vary Vary String WSP header Vary
wsp.header.via Via String WSP header Via
wsp.header.warning Warning String WSP header Warning
wsp.header.warning.agent Warning agent String WSP header Warning agent
wsp.header.warning.code Warning code Unsigned 8-bit integer WSP header Warning code
wsp.header.warning.text Warning text String WSP header Warning text
wsp.header.www_authenticate Www-Authenticate String WSP header Www-Authenticate
wsp.header.www_authenticate.realm Authentication Realm String WSP header WWW-Authenticate: used realm
wsp.header.www_authenticate.scheme Authentication Scheme String WSP header WWW-Authenticate: used scheme
wsp.header.x_up_1.x_up_devcap_em_size x-up-devcap-em-size String WSP Openwave header x-up-devcap-em-size
wsp.header.x_up_1.x_up_devcap_gui x-up-devcap-gui String WSP Openwave header x-up-devcap-gui
wsp.header.x_up_1.x_up_devcap_has_color x-up-devcap-has-color String WSP Openwave header x-up-devcap-has-color
wsp.header.x_up_1.x_up_devcap_immed_alert x-up-devcap-immed-alert String WSP Openwave header x-up-devcap-immed-alert
wsp.header.x_up_1.x_up_devcap_num_softkeys x-up-devcap-num-softkeys String WSP Openwave header x-up-devcap-num-softkeys
wsp.header.x_up_1.x_up_devcap_screen_chars x-up-devcap-screen-chars String WSP Openwave header x-up-devcap-screen-chars
wsp.header.x_up_1.x_up_devcap_screen_depth x-up-devcap-screen-depth String WSP Openwave header x-up-devcap-screen-depth
wsp.header.x_up_1.x_up_devcap_screen_pixels x-up-devcap-screen-pixels String WSP Openwave header x-up-devcap-screen-pixels
wsp.header.x_up_1.x_up_devcap_softkey_size x-up-devcap-softkey-size String WSP Openwave header x-up-devcap-softkey-size
wsp.header.x_up_1.x_up_proxy_ba_enable x-up-proxy-ba-enable String WSP Openwave header x-up-proxy-ba-enable
wsp.header.x_up_1.x_up_proxy_ba_realm x-up-proxy-ba-realm String WSP Openwave header x-up-proxy-ba-realm
wsp.header.x_up_1.x_up_proxy_bookmark x-up-proxy-bookmark String WSP Openwave header x-up-proxy-bookmark
wsp.header.x_up_1.x_up_proxy_enable_trust x-up-proxy-enable-trust String WSP Openwave header x-up-proxy-enable-trust
wsp.header.x_up_1.x_up_proxy_home_page x-up-proxy-home-page String WSP Openwave header x-up-proxy-home-page
wsp.header.x_up_1.x_up_proxy_linger x-up-proxy-linger String WSP Openwave header x-up-proxy-linger
wsp.header.x_up_1.x_up_proxy_net_ask x-up-proxy-net-ask String WSP Openwave header x-up-proxy-net-ask
wsp.header.x_up_1.x_up_proxy_notify x-up-proxy-notify String WSP Openwave header x-up-proxy-notify
wsp.header.x_up_1.x_up_proxy_operator_domain x-up-proxy-operator-domain String WSP Openwave header x-up-proxy-operator-domain
wsp.header.x_up_1.x_up_proxy_push_accept x-up-proxy-push-accept String WSP Openwave header x-up-proxy-push-accept
wsp.header.x_up_1.x_up_proxy_push_seq x-up-proxy-push-seq String WSP Openwave header x-up-proxy-push-seq
wsp.header.x_up_1.x_up_proxy_redirect_enable x-up-proxy-redirect-enable String WSP Openwave header x-up-proxy-redirect-enable
wsp.header.x_up_1.x_up_proxy_redirect_status x-up-proxy-redirect-status String WSP Openwave header x-up-proxy-redirect-status
wsp.header.x_up_1.x_up_proxy_request_uri x-up-proxy-request-uri String WSP Openwave header x-up-proxy-request-uri
wsp.header.x_up_1.x_up_proxy_tod x-up-proxy-tod String WSP Openwave header x-up-proxy-tod
wsp.header.x_up_1.x_up_proxy_trans_charset x-up-proxy-trans-charset String WSP Openwave header x-up-proxy-trans-charset
wsp.header.x_up_1.x_up_proxy_trust x-up-proxy-trust String WSP Openwave header x-up-proxy-trust
wsp.header.x_up_1.x_up_proxy_uplink_version x-up-proxy-uplink-version String WSP Openwave header x-up-proxy-uplink-version
wsp.header.x_wap_application_id X-Wap-Application-Id String WSP header X-Wap-Application-Id
wsp.header.x_wap_security X-Wap-Security String WSP header X-Wap-Security
wsp.header.x_wap_tod X-Wap-Tod String WSP header X-Wap-Tod
wsp.headers Headers No value Headers
wsp.headers_length Headers Length Unsigned 32-bit integer Length of Headers field (bytes)
wsp.multipart Part Unsigned 32-bit integer MIME part of multipart data.
wsp.multipart.data Data in this part No value The data of 1 MIME-multipart part.
wsp.parameter.charset Charset String Charset parameter
wsp.parameter.comment Comment String Comment parameter
wsp.parameter.domain Domain String Domain parameter
wsp.parameter.filename Filename String Filename parameter
wsp.parameter.level Level String Level parameter
wsp.parameter.mac MAC String MAC parameter (Content-Type: application/vnd.wap.connectivity-wbxml)
wsp.parameter.name Name String Name parameter
wsp.parameter.path Path String Path parameter
wsp.parameter.q Q String Q parameter
wsp.parameter.sec SEC Unsigned 8-bit integer SEC parameter (Content-Type: application/vnd.wap.connectivity-wbxml)
wsp.parameter.size Size Unsigned 32-bit integer Size parameter
wsp.parameter.start Start String Start parameter
wsp.parameter.start_info Start-info String Start-info parameter
wsp.parameter.type Type Unsigned 32-bit integer Type parameter
wsp.parameter.upart.type Type String Multipart type parameter
wsp.pdu_type PDU Type Unsigned 8-bit integer PDU Type
wsp.post.data Data (Post) No value Post Data
wsp.push.data Push Data No value Push Data
wsp.redirect.addresses Redirect Addresses No value List of Redirect Addresses
wsp.redirect.flags Flags Unsigned 8-bit integer Redirect Flags
wsp.redirect.flags.permanent Permanent Redirect Boolean Permanent Redirect
wsp.redirect.flags.reuse_security_session Reuse Security Session Boolean If set, the existing Security Session may be reused
wsp.reply.data Data No value Data
wsp.reply.status Status Unsigned 8-bit integer Reply Status
wsp.server.session_id Server Session ID Unsigned 32-bit integer Server Session ID
wsp.uri URI String URI
wsp.uri_length URI Length Unsigned 32-bit integer Length of URI field
wsp.version.major Version (Major) Unsigned 8-bit integer Version (Major)
wsp.version.minor Version (Minor) Unsigned 8-bit integer Version (Minor)
wtp.RID Re-transmission Indicator Boolean Re-transmission Indicator
wtp.TID Transaction ID Unsigned 16-bit integer Transaction ID
wtp.TID.response TID Response Boolean TID Response
wtp.abort.reason.provider Abort Reason Unsigned 8-bit integer Abort Reason
wtp.abort.reason.user Abort Reason Unsigned 8-bit integer Abort Reason
wtp.abort.type Abort Type Unsigned 8-bit integer Abort Type
wtp.ack.tvetok Tve/Tok flag Boolean Tve/Tok flag
wtp.continue_flag Continue Flag Boolean Continue Flag
wtp.fragment WTP Fragment Frame number WTP Fragment
wtp.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
wtp.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
wtp.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
wtp.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
wtp.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
wtp.fragments WTP Fragments No value WTP Fragments
wtp.header.TIDNew TIDNew Boolean TIDNew
wtp.header.UP U/P flag Boolean U/P Flag
wtp.header.missing_packets Missing Packets Unsigned 8-bit integer Missing Packets
wtp.header.sequence Packet Sequence Number Unsigned 8-bit integer Packet Sequence Number
wtp.header.version Version Unsigned 8-bit integer Version
wtp.header_data Data Byte array Data
wtp.header_variable_part Header: Variable part Byte array Variable part of the header
wtp.inv.reserved Reserved Unsigned 8-bit integer Reserved
wtp.inv.transaction_class Transaction Class Unsigned 8-bit integer Transaction Class
wtp.pdu_type PDU Type Unsigned 8-bit integer PDU Type
wtp.reassembled.in Reassembled in Frame number WTP fragments are reassembled in the given packet
wtp.sub_pdu_size Sub PDU size Unsigned 16-bit integer Size of Sub-PDU (bytes)
wtp.tpi TPI Unsigned 8-bit integer Identification of the Transport Information Item
wtp.tpi.info Information No value The information being send by this TPI
wtp.tpi.opt Option Unsigned 8-bit integer The given option for this TPI
wtp.tpi.opt.val Option Value No value The value that is supplied with this option
wtp.tpi.psn Packet sequence number Unsigned 8-bit integer Sequence number of this packet
wtp.trailer_flags Trailer Flags Unsigned 8-bit integer Trailer Flags
wtls.alert Alert No value Alert
wtls.alert.description Description Unsigned 8-bit integer Description
wtls.alert.level Level Unsigned 8-bit integer Level
wtls.handshake Handshake Unsigned 8-bit integer Handshake
wtls.handshake.certificate Certificate No value Certificate
wtls.handshake.certificate.after Valid not after Date/Time stamp Valid not after
wtls.handshake.certificate.before Valid not before Date/Time stamp Valid not before
wtls.handshake.certificate.issuer.charset Charset Unsigned 16-bit integer Charset
wtls.handshake.certificate.issuer.name Name String Name
wtls.handshake.certificate.issuer.size Size Unsigned 8-bit integer Size
wtls.handshake.certificate.issuer.type Issuer Unsigned 8-bit integer Issuer
wtls.handshake.certificate.parameter Parameter Set String Parameter Set
wtls.handshake.certificate.parameter_index Parameter Index Unsigned 8-bit integer Parameter Index
wtls.handshake.certificate.public.type Public Key Type Unsigned 8-bit integer Public Key Type
wtls.handshake.certificate.rsa.exponent RSA Exponent Size Unsigned 32-bit integer RSA Exponent Size
wtls.handshake.certificate.rsa.modules RSA Modulus Size Unsigned 32-bit integer RSA Modulus Size
wtls.handshake.certificate.signature.signature Signature Size Unsigned 32-bit integer Signature Size
wtls.handshake.certificate.signature.type Signature Type Unsigned 8-bit integer Signature Type
wtls.handshake.certificate.subject.charset Charset Unsigned 16-bit integer Charset
wtls.handshake.certificate.subject.name Name String Name
wtls.handshake.certificate.subject.size Size Unsigned 8-bit integer Size
wtls.handshake.certificate.subject.type Subject Unsigned 8-bit integer Subject
wtls.handshake.certificate.type Type Unsigned 8-bit integer Type
wtls.handshake.certificate.version Version Unsigned 8-bit integer Version
wtls.handshake.certificates Certificates No value Certificates
wtls.handshake.client_hello Client Hello No value Client Hello
wtls.handshake.client_hello.cipher Cipher String Cipher
wtls.handshake.client_hello.ciphers Cipher Suites No value Cipher Suite
wtls.handshake.client_hello.client_keys_id Client Keys No value Client Keys
wtls.handshake.client_hello.client_keys_len Length Unsigned 16-bit integer Length
wtls.handshake.client_hello.comp_methods Compression Methods No value Compression Methods
wtls.handshake.client_hello.compression Compression Unsigned 8-bit integer Compression
wtls.handshake.client_hello.gmt Time GMT Date/Time stamp Time GMT
wtls.handshake.client_hello.ident_charset Identifier CharSet Unsigned 16-bit integer Identifier CharSet
wtls.handshake.client_hello.ident_name Identifier Name String Identifier Name
wtls.handshake.client_hello.ident_size Identifier Size Unsigned 8-bit integer Identifier Size
wtls.handshake.client_hello.ident_type Identifier Type Unsigned 8-bit integer Identifier Type
wtls.handshake.client_hello.identifier Identifier No value Identifier
wtls.handshake.client_hello.key.key_exchange Key Exchange Unsigned 8-bit integer Key Exchange
wtls.handshake.client_hello.key.key_exchange.suite Suite Unsigned 8-bit integer Suite
wtls.handshake.client_hello.parameter Parameter Set String Parameter Set
wtls.handshake.client_hello.parameter_index Parameter Index Unsigned 8-bit integer Parameter Index
wtls.handshake.client_hello.random Random No value Random
wtls.handshake.client_hello.refresh Refresh Unsigned 8-bit integer Refresh
wtls.handshake.client_hello.sequence_mode Sequence Mode Unsigned 8-bit integer Sequence Mode
wtls.handshake.client_hello.session.str Session ID String Session ID
wtls.handshake.client_hello.sessionid Session ID Unsigned 32-bit integer Session ID
wtls.handshake.client_hello.trusted_keys_id Trusted Keys No value Trusted Keys
wtls.handshake.client_hello.version Version Unsigned 8-bit integer Version
wtls.handshake.length Length Unsigned 16-bit integer Length
wtls.handshake.server_hello Server Hello No value Server Hello
wtls.handshake.server_hello.cipher Cipher No value Cipher
wtls.handshake.server_hello.cipher.bulk Cipher Bulk Unsigned 8-bit integer Cipher Bulk
wtls.handshake.server_hello.cipher.mac Cipher MAC Unsigned 8-bit integer Cipher MAC
wtls.handshake.server_hello.compression Compression Unsigned 8-bit integer Compression
wtls.handshake.server_hello.gmt Time GMT Date/Time stamp Time GMT
wtls.handshake.server_hello.key Client Key ID Unsigned 8-bit integer Client Key ID
wtls.handshake.server_hello.random Random No value Random
wtls.handshake.server_hello.refresh Refresh Unsigned 8-bit integer Refresh
wtls.handshake.server_hello.sequence_mode Sequence Mode Unsigned 8-bit integer Sequence Mode
wtls.handshake.server_hello.session.str Session ID String Session ID
wtls.handshake.server_hello.sessionid Session ID Unsigned 32-bit integer Session ID
wtls.handshake.server_hello.version Version Unsigned 8-bit integer Version
wtls.handshake.type Type Unsigned 8-bit integer Type
wtls.rec_cipher Record Ciphered No value Record Ciphered
wtls.rec_length Record Length Unsigned 16-bit integer Record Length
wtls.rec_seq Record Sequence Unsigned 16-bit integer Record Sequence
wtls.rec_type Record Type Unsigned 8-bit integer Record Type
wtls.record Record Unsigned 8-bit integer Record
wlancertextn.SSIDList SSIDList Unsigned 32-bit integer wlancertextn.SSIDList
wlancertextn.SSIDList_item Item Byte array wlancertextn.SSID
xdmcp.authentication_name Authentication name String Authentication name
xdmcp.authorization_name Authorization name String Authorization name
xdmcp.display_number Display number Unsigned 16-bit integer Display number
xdmcp.hostname Hostname String Hostname
xdmcp.length Message length Unsigned 16-bit integer Length of the remaining message
xdmcp.opcode Opcode Unsigned 16-bit integer Opcode
xdmcp.session_id Session ID Unsigned 32-bit integer Session identifier
xdmcp.status Status String Status
xdmcp.version Version Unsigned 16-bit integer Protocol version
rtse.abortReason abortReason Signed 32-bit integer rtse.AbortReason
rtse.additionalReferenceInformation additionalReferenceInformation String rtse.AdditionalReferenceInformation
rtse.applicationProtocol applicationProtocol Signed 32-bit integer rtse.T_applicationProtocol
rtse.arbitrary arbitrary Byte array rtse.BIT_STRING
rtse.callingSSuserReference callingSSuserReference Unsigned 32-bit integer rtse.CallingSSuserReference
rtse.checkpointSize checkpointSize Signed 32-bit integer rtse.INTEGER
rtse.commonReference commonReference String rtse.CommonReference
rtse.connectionDataAC connectionDataAC Unsigned 32-bit integer rtse.ConnectionData
rtse.connectionDataRQ connectionDataRQ Unsigned 32-bit integer rtse.ConnectionData
rtse.data_value_descriptor data-value-descriptor String rtse.ObjectDescriptor
rtse.dialogueMode dialogueMode Signed 32-bit integer rtse.T_dialogueMode
rtse.direct_reference direct-reference rtse.OBJECT_IDENTIFIER
rtse.encoding encoding Unsigned 32-bit integer rtse.T_encoding
rtse.indirect_reference indirect-reference Signed 32-bit integer rtse.T_indirect_reference
rtse.octetString octetString Byte array rtse.OCTET_STRING
rtse.octet_aligned octet-aligned Byte array rtse.OCTET_STRING
rtse.open open No value rtse.T_open
rtse.recover recover No value rtse.SessionConnectionIdentifier
rtse.reflectedParameter reflectedParameter Byte array rtse.BIT_STRING
rtse.refuseReason refuseReason Signed 32-bit integer rtse.RefuseReason
rtse.rtab_apdu rtab-apdu No value rtse.RTABapdu
rtse.rtoac_apdu rtoac-apdu No value rtse.RTOACapdu
rtse.rtorj_apdu rtorj-apdu No value rtse.RTORJapdu
rtse.rtorq_apdu rtorq-apdu No value rtse.RTORQapdu
rtse.rttp_apdu rttp-apdu Signed 32-bit integer rtse.RTTPapdu
rtse.rttr_apdu rttr-apdu Byte array rtse.RTTRapdu
rtse.single_ASN1_type single-ASN1-type No value rtse.T_single_ASN1_type
rtse.t61String t61String String rtse.T61String
rtse.userDataRJ userDataRJ No value rtse.T_userDataRJ
rtse.userdataAB userdataAB No value rtse.T_userdataAB
rtse.windowSize windowSize Signed 32-bit integer rtse.INTEGER
x.25.a A Bit Boolean Address Bit
x.25.d D Bit Boolean Delivery Confirmation Bit
x.25.gfi GFI Unsigned 16-bit integer General format identifier
x.25.lcn Logical Channel Unsigned 16-bit integer Logical Channel Number
x.25.m M Bit Boolean More Bit
x.25.mod Modulo Unsigned 16-bit integer Specifies whether the frame is modulo 8 or 128
x.25.p_r P(R) Unsigned 8-bit integer Packet Receive Sequence Number
x.25.p_s P(S) Unsigned 8-bit integer Packet Send Sequence Number
x.25.q Q Bit Boolean Qualifier Bit
x.25.type Packet Type Unsigned 8-bit integer Packet Type
x25.fragment X.25 Fragment Frame number X25 Fragment
x25.fragment.error Defragmentation error Frame number Defragmentation error due to illegal fragments
x25.fragment.multipletails Multiple tail fragments found Boolean Several tails were found when defragmenting the packet
x25.fragment.overlap Fragment overlap Boolean Fragment overlaps with other fragments
x25.fragment.overlap.conflict Conflicting data in fragment overlap Boolean Overlapping fragments contained conflicting data
x25.fragment.toolongfragment Fragment too long Boolean Fragment contained data past end of packet
x25.fragments X.25 Fragments No value X.25 Fragments
xot.length Length Unsigned 16-bit integer Length of X.25 over TCP packet
xot.version Version Unsigned 16-bit integer Version of X.25 over TCP protocol
x29.error_type Error type Unsigned 8-bit integer X.29 error PAD message error type
x29.inv_msg_code Invalid message code Unsigned 8-bit integer X.29 Error PAD message invalid message code
x29.msg_code Message code Unsigned 8-bit integer X.29 PAD message code
x411.AsymmetricToken AsymmetricToken No value x411.AsymmetricToken
x411.BindTokenEncryptedData BindTokenEncryptedData No value x411.BindTokenEncryptedData
x411.BindTokenSignedData BindTokenSignedData Byte array x411.BindTokenSignedData
x411.BuiltInDomainDefinedAttributes_item Item No value x411.BuiltInDomainDefinedAttribute
x411.CertificateSelectors CertificateSelectors No value x411.CertificateSelectors
x411.CommonName CommonName String x411.CommonName
x411.ContentConfidentialityAlgorithmIdentifier ContentConfidentialityAlgorithmIdentifier No value x411.ContentConfidentialityAlgorithmIdentifier
x411.ContentCorrelator ContentCorrelator Unsigned 32-bit integer x411.ContentCorrelator
x411.ContentIntegrityCheck ContentIntegrityCheck No value x411.ContentIntegrityCheck
x411.ContentLength ContentLength Unsigned 32-bit integer x411.ContentLength
x411.ContentTypes_item Item Unsigned 32-bit integer x411.ContentType
x411.ConversionWithLossProhibited ConversionWithLossProhibited Unsigned 32-bit integer x411.ConversionWithLossProhibited
x411.DLExemptedRecipients DLExemptedRecipients Unsigned 32-bit integer x411.DLExemptedRecipients
x411.DLExemptedRecipients_item Item No value x411.ORAddressAndOrDirectoryName
x411.DLExpansionHistory DLExpansionHistory Unsigned 32-bit integer x411.DLExpansionHistory
x411.DLExpansionHistory_item Item No value x411.DLExpansion
x411.DLExpansionProhibited DLExpansionProhibited Unsigned 32-bit integer x411.DLExpansionProhibited
x411.ExtendedCertificates ExtendedCertificates Unsigned 32-bit integer x411.ExtendedCertificates
x411.ExtendedCertificates_item Item Unsigned 32-bit integer x411.ExtendedCertificate
x411.ExtendedContentType ExtendedContentType x411.ExtendedContentType
x411.ExtendedEncodedInformationType ExtendedEncodedInformationType x411.ExtendedEncodedInformationType
x411.ExtendedEncodedInformationTypes_item Item x411.ExtendedEncodedInformationType
x411.ExtensionAttributes_item Item No value x411.ExtensionAttribute
x411.ImproperlySpecifiedRecipients_item Item No value x411.MTSRecipientName
x411.InternalTraceInformation InternalTraceInformation Unsigned 32-bit integer x411.InternalTraceInformation
x411.InternalTraceInformation_item Item No value x411.InternalTraceInformationElement
x411.LatestDeliveryTime LatestDeliveryTime String x411.LatestDeliveryTime
x411.MTABindArgument MTABindArgument Unsigned 32-bit integer x411.MTABindArgument
x411.MTABindError MTABindError Unsigned 32-bit integer x411.MTABindError
x411.MTABindResult MTABindResult Unsigned 32-bit integer x411.MTABindResult
x411.MTANameAndOptionalGDI MTANameAndOptionalGDI No value x411.MTANameAndOptionalGDI
x411.MTSOriginatorRequestedAlternateRecipient MTSOriginatorRequestedAlternateRecipient No value x411.MTSOriginatorRequestedAlternateRecipient
x411.MTS_APDU MTS-APDU Unsigned 32-bit integer x411.MTS_APDU
x411.MessageOriginAuthenticationCheck MessageOriginAuthenticationCheck No value x411.MessageOriginAuthenticationCheck
x411.MessageSecurityLabel MessageSecurityLabel No value x411.MessageSecurityLabel
x411.MessageToken MessageToken No value x411.MessageToken
x411.MessageTokenEncryptedData MessageTokenEncryptedData No value x411.MessageTokenEncryptedData
x411.MessageTokenSignedData MessageTokenSignedData No value x411.MessageTokenSignedData
x411.ORAddress ORAddress No value x411.ORAddress
x411.ORName ORName No value x411.ORName
x411.OrganizationalUnitNames_item Item String x411.OrganizationalUnitName
x411.OriginatorAndDLExpansionHistory OriginatorAndDLExpansionHistory Unsigned 32-bit integer x411.OriginatorAndDLExpansionHistory
x411.OriginatorAndDLExpansionHistory_item Item No value x411.OriginatorAndDLExpansion
x411.OriginatorCertificate OriginatorCertificate No value x411.OriginatorCertificate
x411.OriginatorReturnAddress OriginatorReturnAddress No value x411.OriginatorReturnAddress
x411.OtherRecipientNames_item Item No value x411.OtherRecipientName
x411.PDSName PDSName String x411.PDSName
x411.PhysicalDeliveryCountryName PhysicalDeliveryCountryName Unsigned 32-bit integer x411.PhysicalDeliveryCountryName
x411.PhysicalDeliveryModes PhysicalDeliveryModes Byte array x411.PhysicalDeliveryModes
x411.PhysicalDeliveryOfficeName PhysicalDeliveryOfficeName No value x411.PhysicalDeliveryOfficeName
x411.PhysicalDeliveryReportRequest PhysicalDeliveryReportRequest Signed 32-bit integer x411.PhysicalDeliveryReportRequest
x411.PhysicalForwardingAddress PhysicalForwardingAddress No value x411.PhysicalForwardingAddress
x411.PhysicalForwardingAddressRequest PhysicalForwardingAddressRequest Unsigned 32-bit integer x411.PhysicalForwardingAddressRequest
x411.PhysicalForwardingProhibited PhysicalForwardingProhibited Unsigned 32-bit integer x411.PhysicalForwardingProhibited
x411.PhysicalRenditionAttributes PhysicalRenditionAttributes x411.PhysicalRenditionAttributes
x411.PostalCode PostalCode Unsigned 32-bit integer x411.PostalCode
x411.ProbeOriginAuthenticationCheck ProbeOriginAuthenticationCheck No value x411.ProbeOriginAuthenticationCheck
x411.ProofOfDelivery ProofOfDelivery No value x411.ProofOfDelivery
x411.ProofOfDeliveryRequest ProofOfDeliveryRequest Unsigned 32-bit integer x411.ProofOfDeliveryRequest
x411.ProofOfSubmission ProofOfSubmission No value x411.ProofOfSubmission
x411.ProofOfSubmissionRequest ProofOfSubmissionRequest Unsigned 32-bit integer x411.ProofOfSubmissionRequest
x411.RecipientCertificate RecipientCertificate No value x411.RecipientCertificate
x411.RecipientNumberForAdvice RecipientNumberForAdvice String x411.RecipientNumberForAdvice
x411.RecipientReassignmentProhibited RecipientReassignmentProhibited Unsigned 32-bit integer x411.RecipientReassignmentProhibited
x411.RedirectionHistory RedirectionHistory Unsigned 32-bit integer x411.RedirectionHistory
x411.RedirectionHistory_item Item No value x411.Redirection
x411.Redirections_item Item No value x411.RecipientRedirection
x411.RegisteredMailType RegisteredMailType Unsigned 32-bit integer x411.RegisteredMailType
x411.ReportDeliveryArgument ReportDeliveryArgument No value x411.ReportDeliveryArgument
x411.ReportOriginAuthenticationCheck ReportOriginAuthenticationCheck No value x411.ReportOriginAuthenticationCheck
x411.ReportingDLName ReportingDLName No value x411.ReportingDLName
x411.ReportingMTACertificate ReportingMTACertificate No value x411.ReportingMTACertificate
x411.ReportingMTAName ReportingMTAName No value x411.ReportingMTAName
x411.RequestedDeliveryMethod RequestedDeliveryMethod Unsigned 32-bit integer x411.RequestedDeliveryMethod
x411.RequestedDeliveryMethod_item Item Unsigned 32-bit integer x411.RequestedDeliveryMethod_item
x411.RestrictedDelivery_item Item No value x411.Restriction
x411.SecurityCategories_item Item No value x411.SecurityCategory
x411.SecurityContext_item Item No value x411.SecurityLabel
x411.TeletexCommonName TeletexCommonName String x411.TeletexCommonName
x411.TeletexDomainDefinedAttributes_item Item No value x411.TeletexDomainDefinedAttribute
x411.TeletexOrganizationName TeletexOrganizationName String x411.TeletexOrganizationName
x411.TeletexOrganizationalUnitNames TeletexOrganizationalUnitNames Unsigned 32-bit integer x411.TeletexOrganizationalUnitNames
x411.TeletexOrganizationalUnitNames_item Item String x411.TeletexOrganizationalUnitName
x411.TeletexPersonalName TeletexPersonalName No value x411.TeletexPersonalName
x411.TraceInformation TraceInformation Unsigned 32-bit integer x411.TraceInformation
x411.TraceInformation_item Item No value x411.TraceInformationElement
x411.UniversalCommonName UniversalCommonName No value x411.UniversalCommonName
x411.UniversalDomainDefinedAttributes_item Item No value x411.UniversalDomainDefinedAttribute
x411.UniversalOrganizationName UniversalOrganizationName No value x411.UniversalOrganizationName
x411.UniversalOrganizationalUnitNames UniversalOrganizationalUnitNames Unsigned 32-bit integer x411.UniversalOrganizationalUnitNames
x411.UniversalOrganizationalUnitNames_item Item No value x411.UniversalOrganizationalUnitName
x411.UniversalPersonalName UniversalPersonalName No value x411.UniversalPersonalName
x411.a3-width a3-width Boolean
x411.acceptable_eits acceptable-eits Unsigned 32-bit integer x411.ExtendedEncodedInformationTypes
x411.actual_recipient_name actual-recipient-name No value x411.MTAActualRecipientName
x411.additional_information additional-information No value x411.AdditionalInformation
x411.administration_domain_name administration-domain-name Unsigned 32-bit integer x411.AdministrationDomainName
x411.algorithmIdentifier algorithmIdentifier No value x509af.AlgorithmIdentifier
x411.algorithm_identifier algorithm-identifier No value x509af.AlgorithmIdentifier
x411.alternate-recipient-allowed alternate-recipient-allowed Boolean
x411.applies_only_to applies-only-to Unsigned 32-bit integer x411.SEQUENCE_OF_Restriction
x411.applies_only_to_item Item No value x411.Restriction
x411.arrival_time arrival-time String x411.ArrivalTime
x411.asymmetric_token_data asymmetric-token-data No value x411.AsymmetricTokenData
x411.attempted attempted Unsigned 32-bit integer x411.T_attempted
x411.attempted_domain attempted-domain No value x411.GlobalDomainIdentifier
x411.authenticated authenticated No value x411.AuthenticatedArgument
x411.b4-length b4-length Boolean
x411.b4-width b4-width Boolean
x411.bft bft Boolean
x411.bind_token bind-token No value x411.Token
x411.bit-5 bit-5 Boolean
x411.bit-6 bit-6 Boolean
x411.built_in built-in Signed 32-bit integer x411.BuiltInContentType
x411.built_in_argument built-in-argument Unsigned 32-bit integer x411.RefusedArgument
x411.built_in_domain_defined_attributes built-in-domain-defined-attributes Unsigned 32-bit integer x411.BuiltInDomainDefinedAttributes
x411.built_in_encoded_information_types built-in-encoded-information-types Byte array x411.BuiltInEncodedInformationTypes
x411.built_in_standard_attributes built-in-standard-attributes No value x411.BuiltInStandardAttributes
x411.bureau-fax-delivery bureau-fax-delivery Boolean
x411.certificate certificate No value x509af.Certificates
x411.certificate_selector certificate-selector No value x509ce.CertificateAssertion
x411.character-mode character-mode Boolean
x411.character_encoding character-encoding Unsigned 32-bit integer x411.T_character_encoding
x411.content content Byte array x411.Content
x411.content-return-request content-return-request Boolean
x411.content_confidentiality_algorithm_identifier content-confidentiality-algorithm-identifier No value x411.ContentConfidentialityAlgorithmIdentifier
x411.content_confidentiality_key content-confidentiality-key Byte array x411.EncryptionKey
x411.content_identifier content-identifier String x411.ContentIdentifier
x411.content_integrity_check content-integrity-check No value x509ce.CertificateAssertion
x411.content_integrity_key content-integrity-key Byte array x411.EncryptionKey
x411.content_length content-length Unsigned 32-bit integer x411.ContentLength
x411.content_type content-type Unsigned 32-bit integer x411.ContentType
x411.content_types content-types Unsigned 32-bit integer x411.ContentTypes
x411.control_character_sets control-character-sets String x411.TeletexString
x411.converted_encoded_information_types converted-encoded-information-types No value x411.ConvertedEncodedInformationTypes
x411.counter-collection counter-collection Boolean
x411.counter-collection-with-telephone-advice counter-collection-with-telephone-advice Boolean
x411.counter-collection-with-teletex-advice counter-collection-with-teletex-advice Boolean
x411.counter-collection-with-telex-advice counter-collection-with-telex-advice Boolean
x411.country_name country-name Unsigned 32-bit integer x411.CountryName
x411.criticality criticality Byte array x411.Criticality
x411.default-delivery-controls default-delivery-controls Boolean
x411.default_delivery_controls default-delivery-controls No value x411.DefaultDeliveryControls
x411.deferred_delivery_time deferred-delivery-time String x411.DeferredDeliveryTime
x411.deferred_time deferred-time String x411.DeferredTime
x411.deliverable-class deliverable-class Boolean
x411.deliverable_class deliverable-class Unsigned 32-bit integer x411.SET_OF_DeliverableClass
x411.deliverable_class_item Item No value x411.DeliverableClass
x411.delivery delivery No value x411.DeliveryReport
x411.delivery_flags delivery-flags Byte array x411.DeliveryFlags
x411.directory_entry directory-entry Unsigned 32-bit integer x509if.Name
x411.directory_name directory-name Unsigned 32-bit integer x509if.Name
x411.disclosure-of-other-recipients disclosure-of-other-recipients Boolean
x411.dl dl No value x411.ORAddressAndOptionalDirectoryName
x411.dl-expanded-by dl-expanded-by Boolean
x411.dl-operation dl-operation Boolean
x411.dl_expansion_time dl-expansion-time String x411.Time
x411.domain domain Unsigned 32-bit integer x411.T_bilateral_domain
x411.domain_supplied_information domain-supplied-information No value x411.DomainSuppliedInformation
x411.dtm dtm Boolean
x411.e163_4_address e163-4-address No value x411.T_e163_4_address
x411.edi edi Boolean
x411.empty_result empty-result No value x411.NULL
x411.encoded_information_types_constraints encoded-information-types-constraints No value x411.EncodedInformationTypesConstraints
x411.encrypted encrypted Byte array x411.BIT_STRING
x411.encrypted_data encrypted-data Byte array x411.BIT_STRING
x411.encryption_algorithm_identifier encryption-algorithm-identifier No value x509af.AlgorithmIdentifier
x411.encryption_originator encryption-originator No value x509ce.CertificateAssertion
x411.encryption_recipient encryption-recipient No value x509ce.CertificateAssertion
x411.envelope envelope No value x411.MessageTransferEnvelope
x411.exact_match exact-match No value x411.ORName
x411.exclusively_acceptable_eits exclusively-acceptable-eits Unsigned 32-bit integer x411.ExtendedEncodedInformationTypes
x411.explicit_conversion explicit-conversion Unsigned 32-bit integer x411.ExplicitConversion
x411.express-mail express-mail Boolean
x411.extended extended x411.ExtendedContentType
x411.extended_encoded_information_types extended-encoded-information-types Unsigned 32-bit integer x411.ExtendedEncodedInformationTypes
x411.extension_attribute_type extension-attribute-type Signed 32-bit integer x411.INTEGER
x411.extension_attribute_value extension-attribute-value No value x411.T_extension_attribute_value
x411.extension_attributes extension-attributes Unsigned 32-bit integer x411.ExtensionAttributes
x411.extensions extensions Unsigned 32-bit integer x411.SET_OF_ExtensionField
x411.extensions_item Item No value x411.ExtensionField
x411.fine-resolution fine-resolution Boolean
x411.for-delivery for-delivery Boolean
x411.for-submission for-submission Boolean
x411.for-transfer for-transfer Boolean
x411.four_octets four-octets String x411.UniversalString
x411.full-colour full-colour Boolean
x411.g3-facsimile g3-facsimile Boolean
x411.g3_facsimile g3-facsimile Byte array x411.G3FacsimileNonBasicParameters
x411.g4-class-1 g4-class-1 Boolean
x411.generation_qualifier generation-qualifier String x411.PrintableString
x411.given_name given-name String x411.PrintableString
x411.global_domain_identifier global-domain-identifier No value x411.GlobalDomainIdentifier
x411.graphic_character_sets graphic-character-sets String x411.TeletexString
x411.ia5-text ia5-text Boolean
x411.ia5_string ia5-string String x411.IA5String
x411.ia5text ia5text String x411.IA5String
x411.implicit-conversion-prohibited implicit-conversion-prohibited Boolean
x411.initials initials String x411.PrintableString
x411.initiator_credentials initiator-credentials Unsigned 32-bit integer x411.InitiatorCredentials
x411.initiator_name initiator-name String x411.MTAName
x411.intended_recipient intended-recipient No value x411.ORAddressAndOptionalDirectoryName
x411.intended_recipient_name intended-recipient-name No value x411.IntendedRecipientName
x411.iso_3166_alpha2_code iso-3166-alpha2-code String x411.PrintableString
x411.iso_639_language_code iso-639-language-code String x411.PrintableString
x411.jpeg jpeg Boolean
x411.last_trace_information last-trace-information No value x411.LastTraceInformation
x411.local_identifier local-identifier String x411.LocalIdentifier
x411.long-content long-content Boolean
x411.low-priority low-priority Boolean
x411.mTA mTA String x411.MTAName
x411.maximum_content_length maximum-content-length Unsigned 32-bit integer x411.ContentLength
x411.message message No value x411.Message
x411.message-submission-or-message-delivery message-submission-or-message-delivery Boolean
x411.message_delivery_identifier message-delivery-identifier No value x411.MessageDeliveryIdentifier
x411.message_delivery_time message-delivery-time String x411.MessageDeliveryTime
x411.message_identifier message-identifier No value x411.MessageIdentifier
x411.message_origin_authentication message-origin-authentication No value x509ce.CertificateAssertion
x411.message_security_label message-security-label No value x411.MessageSecurityLabel
x411.message_sequence_number message-sequence-number Signed 32-bit integer x411.INTEGER
x411.message_store message-store No value x411.ORAddressAndOptionalDirectoryName
x411.message_submission_identifier message-submission-identifier No value x411.MessageSubmissionIdentifier
x411.message_submission_time message-submission-time String x411.MessageSubmissionTime
x411.messages messages Signed 32-bit integer x411.INTEGER
x411.messages_waiting messages-waiting No value x411.MessagesWaiting
x411.miscellaneous_terminal_capabilities miscellaneous-terminal-capabilities String x411.TeletexString
x411.mixed-mode mixed-mode Boolean
x411.mta mta String x411.MTAName
x411.mta_directory_name mta-directory-name Unsigned 32-bit integer x509if.Name
x411.mta_name mta-name String x411.MTAName
x411.mta_supplied_information mta-supplied-information No value x411.MTASuppliedInformation
x411.name name Unsigned 32-bit integer x411.T_name
x411.network_address network-address String x411.NetworkAddress
x411.new_credentials new-credentials Unsigned 32-bit integer x411.Credentials
x411.non-delivery-report non-delivery-report Boolean
x411.non_delivery non-delivery No value x411.NonDeliveryReport
x411.non_delivery_diagnostic_code non-delivery-diagnostic-code Unsigned 32-bit integer x411.NonDeliveryDiagnosticCode
x411.non_delivery_reason_code non-delivery-reason-code Unsigned 32-bit integer x411.NonDeliveryReasonCode
x411.non_empty_result non-empty-result No value x411.T_non_empty_result
x411.non_urgent non-urgent No value x411.DeliveryQueue
x411.normal normal No value x411.DeliveryQueue
x411.number number String x411.NumericString
x411.numeric numeric String x411.NumericString
x411.numeric_code numeric-code String x411.NumericString
x411.numeric_user_identifier numeric-user-identifier String x411.NumericUserIdentifier
x411.objects objects Unsigned 32-bit integer x411.T_objects
x411.octet_string octet-string Byte array x411.OCTET_STRING
x411.octets octets Signed 32-bit integer x411.INTEGER
x411.old_credentials old-credentials Unsigned 32-bit integer x411.Credentials
x411.ordinary-mail ordinary-mail Boolean
x411.organization_name organization-name String x411.OrganizationName
x411.organizational_unit_names organizational-unit-names Unsigned 32-bit integer x411.OrganizationalUnitNames
x411.original_encoded_information_types original-encoded-information-types No value x411.OriginalEncodedInformationTypes
x411.originally_intended_recipient_name originally-intended-recipient-name No value x411.MTAOriginallyIntendedRecipientName
x411.originally_specified_recipient_number originally-specified-recipient-number Signed 32-bit integer x411.OriginallySpecifiedRecipientNumber
x411.originated-by originated-by Boolean
x411.originating-MTA-non-delivery-report originating-MTA-non-delivery-report Boolean
x411.originating-MTA-report originating-MTA-report Boolean
x411.origination_or_expansion_time origination-or-expansion-time String x411.Time
x411.originator-non-delivery-report originator-non-delivery-report Boolean
x411.originator-report originator-report Boolean
x411.originator_name originator-name No value x411.MTAOriginatorName
x411.originator_or_dl_name originator-or-dl-name No value x411.ORAddressAndOptionalDirectoryName
x411.originator_report_request originator-report-request Byte array x411.OriginatorReportRequest
x411.other-security-labels other-security-labels Boolean
x411.other_actions other-actions Byte array x411.OtherActions
x411.other_fields other-fields No value x411.OtherMessageDeliveryFields
x411.other_recipient_names other-recipient-names Unsigned 32-bit integer x411.OtherRecipientNames
x411.page_formats page-formats Byte array x411.OCTET_STRING
x411.pattern_match pattern-match No value x411.ORName
x411.per_domain_bilateral_information per-domain-bilateral-information Unsigned 32-bit integer x411.SEQUENCE_OF_PerDomainBilateralInformation
x411.per_domain_bilateral_information_item Item No value x411.PerDomainBilateralInformation
x411.per_message_indicators per-message-indicators Byte array x411.PerMessageIndicators
x411.per_recipient_fields per-recipient-fields Unsigned 32-bit integer x411.SEQUENCE_OF_PerRecipientMessageTransferFields
x411.per_recipient_fields_item Item No value x411.PerRecipientMessageTransferFields
x411.per_recipient_indicators per-recipient-indicators Byte array x411.PerRecipientIndicators
x411.permissible_content_types permissible-content-types Unsigned 32-bit integer x411.ContentTypes
x411.permissible_encoded_information_types permissible-encoded-information-types No value x411.PermissibleEncodedInformationTypes
x411.permissible_lowest_priority permissible-lowest-priority Unsigned 32-bit integer x411.Priority
x411.permissible_maximum_content_length permissible-maximum-content-length Unsigned 32-bit integer x411.ContentLength
x411.permissible_operations permissible-operations Byte array x411.Operations
x411.permissible_security_context permissible-security-context Unsigned 32-bit integer x411.SecurityContext
x411.permitted permitted Boolean x411.BOOLEAN
x411.personal_name personal-name No value x411.PersonalName
x411.preferred-huffmann preferred-huffmann Boolean
x411.presentation presentation No value x411.PSAPAddress
x411.printable printable String x411.PrintableString
x411.printable_address printable-address Unsigned 32-bit integer x411.T_printable_address
x411.printable_address_item Item String x411.PrintableString
x411.printable_code printable-code String x411.PrintableString
x411.printable_string printable-string String x411.PrintableString
x411.priority priority Unsigned 32-bit integer x411.Priority
x411.priority_item Item Unsigned 32-bit integer x411.Priority
x411.privacy_mark privacy-mark String x411.PrivacyMark
x411.private_domain private-domain No value x411.T_private_domain
x411.private_domain_identifier private-domain-identifier Unsigned 32-bit integer x411.PrivateDomainIdentifier
x411.private_domain_name private-domain-name Unsigned 32-bit integer x411.PrivateDomainName
x411.private_extension private-extension x411.OBJECT_IDENTIFIER
x411.private_use private-use Byte array x411.OCTET_STRING
x411.probe probe No value x411.Probe
x411.probe-submission-or-report-delivery probe-submission-or-report-delivery Boolean
x411.probe_identifier probe-identifier No value x411.ProbeIdentifier
x411.probe_submission_identifier probe-submission-identifier No value x411.ProbeSubmissionIdentifier
x411.probe_submission_time probe-submission-time String x411.ProbeSubmissionTime
x411.processable-mode-26 processable-mode-26 Boolean
x411.proof_of_delivery proof-of-delivery No value x411.ProofOfDelivery
x411.proof_of_delivery_request proof-of-delivery-request Unsigned 32-bit integer x411.ProofOfDeliveryRequest
x411.protected protected No value x411.ProtectedPassword
x411.psap_address psap-address No value x509sat.PresentationAddress
x411.random1 random1 Byte array x411.BIT_STRING
x411.random2 random2 Byte array x411.BIT_STRING
x411.recipient_assigned_alternate_recipient recipient-assigned-alternate-recipient No value x411.RecipientAssignedAlternateRecipient
x411.recipient_certificate recipient-certificate No value x411.RecipientCertificate
x411.recipient_name recipient-name No value x411.MTARecipientName
x411.redirected redirected Boolean
x411.redirected-by redirected-by Boolean
x411.redirection_classes redirection-classes Unsigned 32-bit integer x411.SET_OF_RedirectionClass
x411.redirection_classes_item Item No value x411.RedirectionClass
x411.redirection_reason redirection-reason Unsigned 32-bit integer x411.RedirectionReason
x411.redirection_time redirection-time String x411.Time
x411.redirections redirections Unsigned 32-bit integer x411.Redirections
x411.refusal_reason refusal-reason Unsigned 32-bit integer x411.RefusalReason
x411.refused_argument refused-argument Unsigned 32-bit integer x411.T_refused_argument
x411.refused_extension refused-extension No value x411.T_refused_extension
x411.registered_information registered-information No value x411.RegisterArgument
x411.report report No value x411.Report
x411.report_destination_name report-destination-name No value x411.ReportDestinationName
x411.report_identifier report-identifier No value x411.ReportIdentifier
x411.report_type report-type Unsigned 32-bit integer x411.ReportType
x411.reserved reserved Boolean
x411.reserved-5 reserved-5 Boolean
x411.reserved-6 reserved-6 Boolean
x411.reserved-7 reserved-7 Boolean
x411.resolution-300x300 resolution-300x300 Boolean
x411.resolution-400x400 resolution-400x400 Boolean
x411.resolution-8x15 resolution-8x15 Boolean
x411.resolution-type resolution-type Boolean
x411.responder_credentials responder-credentials Unsigned 32-bit integer x411.ResponderCredentials
x411.responder_name responder-name String x411.MTAName
x411.responsibility responsibility Boolean
x411.restrict restrict Boolean x411.BOOLEAN
x411.restricted-delivery restricted-delivery Boolean
x411.restricted_delivery restricted-delivery Unsigned 32-bit integer x411.RestrictedDelivery
x411.retrieve_registrations retrieve-registrations No value x411.RegistrationTypes
x411.returned_content returned-content Byte array x411.Content
x411.routing_action routing-action Unsigned 32-bit integer x411.RoutingAction
x411.security_categories security-categories Unsigned 32-bit integer x411.SecurityCategories
x411.security_classification security-classification Unsigned 32-bit integer x411.SecurityClassification
x411.security_context security-context Unsigned 32-bit integer x411.SecurityContext
x411.security_labels security-labels Unsigned 32-bit integer x411.SecurityContext
x411.security_policy_identifier security-policy-identifier x411.SecurityPolicyIdentifier
x411.service-message service-message Boolean
x411.sfd sfd Boolean
x411.signature signature No value x411.Signature
x411.signature_algorithm_identifier signature-algorithm-identifier No value x509af.AlgorithmIdentifier
x411.signed_data signed-data No value x411.TokenData
x411.simple simple Unsigned 32-bit integer x411.Password
x411.source_name source-name Unsigned 32-bit integer x411.ExactOrPattern
x411.source_type source-type Byte array x411.T_source_type
x411.special-delivery special-delivery Boolean
x411.standard_extension standard-extension Signed 32-bit integer x411.INTEGER
x411.standard_parameters standard-parameters Byte array x411.T_standard_parameters
x411.strong strong No value x411.StrongCredentials
x411.sub_address sub-address String x411.NumericString
x411.subject_identifier subject-identifier No value x411.SubjectIdentifier
x411.subject_intermediate_trace_information subject-intermediate-trace-information Unsigned 32-bit integer x411.SubjectIntermediateTraceInformation
x411.subject_submission_identifier subject-submission-identifier No value x411.SubjectSubmissionIdentifier
x411.supplementary_information supplementary-information String x411.SupplementaryInformation
x411.surname surname String x411.PrintableString
x411.t6-coding t6-coding Boolean
x411.teletex teletex No value x411.TeletexNonBasicParameters
x411.teletex_string teletex-string String x411.TeletexString
x411.terminal_identifier terminal-identifier String x411.TerminalIdentifier
x411.this_recipient_name this-recipient-name No value x411.ThisRecipientName
x411.time time String x411.Time
x411.time1 time1 String x411.UTCTime
x411.time2 time2 String x411.UTCTime
x411.token token No value x411.TokenTypeData
x411.token_signature token-signature No value x509ce.CertificateAssertion
x411.token_type_identifier token-type-identifier x411.TokenTypeIdentifier
x411.trace_information trace-information Unsigned 32-bit integer x411.TraceInformation
x411.tsap_id tsap-id String x411.PrintableString
x411.twelve-bits twelve-bits Boolean
x411.two-dimensional two-dimensional Boolean
x411.two_octets two-octets String x411.BMPString
x411.type type Unsigned 32-bit integer x411.ExtensionType
x411.type_of_MTS_user type-of-MTS-user Unsigned 32-bit integer x411.TypeOfMTSUser
x411.unacceptable_eits unacceptable-eits Unsigned 32-bit integer x411.ExtendedEncodedInformationTypes
x411.unauthenticated unauthenticated No value x411.NULL
x411.uncompressed uncompressed Boolean
x411.unknown unknown Boolean
x411.unlimited-length unlimited-length Boolean
x411.urgent urgent No value x411.DeliveryQueue
x411.user-address user-address Boolean
x411.user-name user-name Boolean
x411.user_address user-address Unsigned 32-bit integer x411.UserAddress
x411.user_agent user-agent No value x411.ORAddressAndOptionalDirectoryName
x411.user_name user-name No value x411.UserName
x411.value value No value x411.ExtensionValue
x411.videotex videotex Boolean
x411.voice voice Boolean
x411.waiting_content_types waiting-content-types Unsigned 32-bit integer x411.SET_OF_ContentType
x411.waiting_content_types_item Item Unsigned 32-bit integer x411.ContentType
x411.waiting_encoded_information_types waiting-encoded-information-types No value x411.EncodedInformationTypes
x411.waiting_messages waiting-messages Byte array x411.WaitingMessages
x411.waiting_operations waiting-operations Byte array x411.Operations
x411.width-middle-1216-of-1728 width-middle-1216-of-1728 Boolean
x411.width-middle-864-of-1728 width-middle-864-of-1728 Boolean
x411.x121 x121 No value x411.T_x121
x411.x121_address x121-address String x411.NumericString
x411.x121_dcc_code x121-dcc-code String x411.NumericString
ftbp.FileTransferData FileTransferData Unsigned 32-bit integer ftbp.FileTransferData
ftbp.FileTransferData_item Item No value acse.EXTERNAL
ftbp.FileTransferParameters FileTransferParameters No value ftbp.FileTransferParameters
ftbp.Pass_Passwords_item Item Unsigned 32-bit integer ftbp.Password
ftbp.RelatedStoredFile_item Item No value ftbp.RelatedStoredFile_item
ftbp.abstract_syntax_name abstract-syntax-name ftbp.Abstract_Syntax_Name
ftbp.access_control access-control Unsigned 32-bit integer ftbp.Access_Control_Attribute
ftbp.action_list action-list Byte array ftbp.Access_Request
ftbp.actual_values actual-values String ftbp.Account
ftbp.actual_values_item Item No value ftbp.Access_Control_Element
ftbp.ae_qualifier ae-qualifier Unsigned 32-bit integer acse.AE_qualifier
ftbp.ap_title ap-title Unsigned 32-bit integer acse.AP_title
ftbp.application_cross_reference application-cross-reference Byte array ftbp.OCTET_STRING
ftbp.application_reference application-reference Unsigned 32-bit integer ftbp.GeneralIdentifier
ftbp.attribute_extensions attribute-extensions Unsigned 32-bit integer ftam.Attribute_Extensions
ftbp.body_part_reference body-part-reference Signed 32-bit integer ftbp.INTEGER
ftbp.change-attribute change-attribute Boolean
ftbp.change_attribute_password change-attribute-password Unsigned 32-bit integer ftbp.Password
ftbp.complete_pathname complete-pathname Unsigned 32-bit integer ftam.Pathname
ftbp.compression compression No value ftbp.CompressionParameter
ftbp.compression_algorithm_id compression-algorithm-id ftbp.OBJECT_IDENTIFIER
ftbp.compression_algorithm_param compression-algorithm-param No value ftbp.T_compression_algorithm_param
ftbp.concurrency_access concurrency-access No value ftam.Concurrency_Access
ftbp.constraint_set_and_abstract_syntax constraint-set-and-abstract-syntax No value ftbp.T_constraint_set_and_abstract_syntax
ftbp.constraint_set_name constraint-set-name ftbp.Constraint_Set_Name
ftbp.contents_type contents-type Unsigned 32-bit integer ftbp.ContentsTypeParameter
ftbp.cross_reference cross-reference No value ftbp.CrossReference
ftbp.date_and_time_of_creation date-and-time-of-creation Unsigned 32-bit integer ftam.Date_and_Time_Attribute
ftbp.date_and_time_of_last_attribute_modification date-and-time-of-last-attribute-modification Unsigned 32-bit integer ftam.Date_and_Time_Attribute
ftbp.date_and_time_of_last_modification date-and-time-of-last-modification Unsigned 32-bit integer ftam.Date_and_Time_Attribute
ftbp.date_and_time_of_last_read_access date-and-time-of-last-read-access Unsigned 32-bit integer ftam.Date_and_Time_Attribute
ftbp.delete-object delete-object Boolean
ftbp.delete_password delete-password Unsigned 32-bit integer ftbp.Password
ftbp.descriptive_identifier descriptive-identifier Unsigned 32-bit integer ftbp.T_descriptive_identifier
ftbp.descriptive_identifier_item Item String ftbp.GraphicString
ftbp.descriptive_relationship descriptive-relationship String ftbp.GraphicString
ftbp.document_type document-type No value ftbp.T_document_type
ftbp.document_type_name document-type-name ftbp.Document_Type_Name
ftbp.environment environment No value ftbp.EnvironmentParameter
ftbp.erase erase Boolean
ftbp.erase_password erase-password Unsigned 32-bit integer ftbp.Password
ftbp.explicit_relationship explicit-relationship Signed 32-bit integer ftbp.ExplicitRelationship
ftbp.extend extend Boolean
ftbp.extend_password extend-password Unsigned 32-bit integer ftbp.Password
ftbp.extensions extensions Unsigned 32-bit integer x420.ExtensionsField
ftbp.file_attributes file-attributes No value ftbp.FileAttributes
ftbp.file_identifier file-identifier Unsigned 32-bit integer ftbp.FileIdentifier
ftbp.file_version file-version String ftbp.GraphicString
ftbp.future_object_size future-object-size Unsigned 32-bit integer ftam.Object_Size_Attribute
ftbp.graphic_string graphic-string String ftbp.GraphicString
ftbp.identity identity String ftbp.User_Identity
ftbp.identity_of_creator identity-of-creator Unsigned 32-bit integer ftbp.User_Identity_Attribute
ftbp.identity_of_last_attribute_modifier identity-of-last-attribute-modifier Unsigned 32-bit integer ftbp.User_Identity_Attribute
ftbp.identity_of_last_modifier identity-of-last-modifier Unsigned 32-bit integer ftbp.User_Identity_Attribute
ftbp.identity_of_last_reader identity-of-last-reader Unsigned 32-bit integer ftbp.User_Identity_Attribute
ftbp.incomplete_pathname incomplete-pathname Unsigned 32-bit integer ftam.Pathname
ftbp.insert insert Boolean
ftbp.insert_password insert-password Unsigned 32-bit integer ftbp.Password
ftbp.legal_qualifications legal-qualifications Unsigned 32-bit integer ftam.Legal_Qualification_Attribute
ftbp.link_password link-password Unsigned 32-bit integer ftbp.Password
ftbp.location location No value ftbp.Application_Entity_Title
ftbp.machine machine Unsigned 32-bit integer ftbp.GeneralIdentifier
ftbp.message_reference message-reference No value ftbp.MessageReference
ftbp.no_value_available no-value-available No value ftbp.NULL
ftbp.object_availability object-availability Unsigned 32-bit integer ftam.Object_Availability_Attribute
ftbp.object_size object-size Unsigned 32-bit integer ftam.Object_Size_Attribute
ftbp.octet_string octet-string Byte array ftbp.OCTET_STRING
ftbp.operating_system operating-system ftbp.OBJECT_IDENTIFIER
ftbp.parameter parameter No value ftbp.T_parameter
ftbp.pass_passwords pass-passwords Unsigned 32-bit integer ftbp.Pass_Passwords
ftbp.passwords passwords No value ftbp.Access_Passwords
ftbp.pathname pathname Unsigned 32-bit integer ftbp.Pathname_Attribute
ftbp.pathname_and_version pathname-and-version No value ftbp.PathnameandVersion
ftbp.permitted_actions permitted-actions Byte array ftam.Permitted_Actions_Attribute
ftbp.private_use private-use Unsigned 32-bit integer ftam.Private_Use_Attribute
ftbp.read read Boolean
ftbp.read-attribute read-attribute Boolean
ftbp.read_attribute_password read-attribute-password Unsigned 32-bit integer ftbp.Password
ftbp.read_password read-password Unsigned 32-bit integer ftbp.Password
ftbp.registered_identifier registered-identifier ftbp.OBJECT_IDENTIFIER
ftbp.related_stored_file related-stored-file Unsigned 32-bit integer ftbp.RelatedStoredFile
ftbp.relationship relationship Unsigned 32-bit integer ftbp.Relationship
ftbp.replace replace Boolean
ftbp.replace_password replace-password Unsigned 32-bit integer ftbp.Password
ftbp.storage_account storage-account Unsigned 32-bit integer ftbp.Account_Attribute
ftbp.user user No value x411.ORName
ftbp.user_relative_identifier user-relative-identifier String ftbp.PrintableString
ftbp.user_visible_string user-visible-string Unsigned 32-bit integer ftbp.T_user_visible_string
ftbp.user_visible_string_item Item String ftbp.GraphicString
x420.AbsenceAdvice AbsenceAdvice No value x420.AbsenceAdvice
x420.AuthorizationTime AuthorizationTime String x420.AuthorizationTime
x420.AuthorizingUsersField_item Item No value x420.AuthorizingUsersSubfield
x420.AutoSubmitted AutoSubmitted Unsigned 32-bit integer x420.AutoSubmitted
x420.BilaterallyDefinedBodyPart BilaterallyDefinedBodyPart Byte array x420.BilaterallyDefinedBodyPart
x420.BlindCopyRecipientsField_item Item No value x420.BlindCopyRecipientsSubfield
x420.BodyPartReferences_item Item Unsigned 32-bit integer x420.BodyPartReference
x420.BodyPartSignatures BodyPartSignatures Unsigned 32-bit integer x420.BodyPartSignatures
x420.BodyPartSignatures_item Item No value x420.BodyPartSignatures_item
x420.Body_item Item Unsigned 32-bit integer x420.BodyPart
x420.ChangeOfAddressAdvice ChangeOfAddressAdvice No value x420.ChangeOfAddressAdvice
x420.CirculationList CirculationList Unsigned 32-bit integer x420.CirculationList
x420.CirculationListIndicator CirculationListIndicator No value x420.CirculationListIndicator
x420.CirculationList_item Item No value x420.CirculationMember
x420.CopyRecipientsField_item Item No value x420.CopyRecipientsSubfield
x420.DistributionCodes DistributionCodes Unsigned 32-bit integer x420.DistributionCodes
x420.DistributionCodes_item Item No value x420.DistributionCode
x420.EncryptedData EncryptedData Byte array x420.EncryptedData
x420.EncryptedParameters EncryptedParameters No value x420.EncryptedParameters
x420.ExtendedSubject ExtendedSubject No value x420.ExtendedSubject
x420.ExtensionsField_item Item No value x420.IPMSExtension
x420.ForwardedContentParameters ForwardedContentParameters No value x420.ForwardedContentParameters
x420.G3FacsimileData G3FacsimileData Unsigned 32-bit integer x420.G3FacsimileData
x420.G3FacsimileData_item Item Byte array x420.BIT_STRING
x420.G3FacsimileParameters G3FacsimileParameters No value x420.G3FacsimileParameters
x420.G4Class1Data G4Class1Data Unsigned 32-bit integer x420.G4Class1Data
x420.G4Class1Data_item Item No value x420.Interchange_Data_Element
x420.GeneralTextData GeneralTextData String x420.GeneralTextData
x420.GeneralTextParameters GeneralTextParameters Unsigned 32-bit integer x420.GeneralTextParameters
x420.GeneralTextParameters_item Item Unsigned 32-bit integer x420.CharacterSetRegistration
x420.IA5TextData IA5TextData String x420.IA5TextData
x420.IA5TextParameters IA5TextParameters No value x420.IA5TextParameters
x420.IPMAssemblyInstructions IPMAssemblyInstructions No value x420.IPMAssemblyInstructions
x420.IPMSecurityLabel IPMSecurityLabel No value x420.IPMSecurityLabel
x420.IPN IPN No value x420.IPN
x420.IncompleteCopy IncompleteCopy No value x420.IncompleteCopy
x420.InformationCategories InformationCategories Unsigned 32-bit integer x420.InformationCategories
x420.InformationCategories_item Item No value x420.InformationCategory
x420.InformationObject InformationObject Unsigned 32-bit integer x420.InformationObject
x420.Languages Languages Unsigned 32-bit integer x420.Languages
x420.Languages_item Item String x420.Language
x420.ManualHandlingInstructions ManualHandlingInstructions Unsigned 32-bit integer x420.ManualHandlingInstructions
x420.ManualHandlingInstructions_item Item No value x420.ManualHandlingInstruction
x420.MessageData MessageData No value x420.MessageData
x420.MessageParameters MessageParameters No value x420.MessageParameters
x420.MixedModeData MixedModeData Unsigned 32-bit integer x420.MixedModeData
x420.MixedModeData_item Item No value x420.Interchange_Data_Element
x420.NRNExtensionsField_item Item No value x420.IPMSExtension
x420.NotificationExtensionsField_item Item No value x420.IPMSExtension
x420.ObsoletedIPMsField_item Item No value x420.ObsoletedIPMsSubfield
x420.OriginatingUA OriginatingUA String x420.OriginatingUA
x420.OriginatorsReference OriginatorsReference No value x420.OriginatorsReference
x420.OtherNotificationTypeFields_item Item No value x420.IPMSExtension
x420.Precedence Precedence Unsigned 32-bit integer x420.Precedence
x420.PrecedencePolicyIdentifier PrecedencePolicyIdentifier x420.PrecedencePolicyIdentifier
x420.PrimaryRecipientsField_item Item No value x420.PrimaryRecipientsSubfield
x420.RNExtensionsField_item Item No value x420.IPMSExtension
x420.RecipientExtensionsField_item Item No value x420.IPMSExtension
x420.RelatedIPMsField_item Item No value x420.RelatedIPMsSubfield
x420.ReplyRecipientsField_item Item No value x420.ReplyRecipientsSubfield
x420.TeletexData TeletexData Unsigned 32-bit integer x420.TeletexData
x420.TeletexData_item Item String x420.TeletexString
x420.TeletexParameters TeletexParameters No value x420.TeletexParameters
x420.VideotexData VideotexData String x420.VideotexData
x420.VideotexParameters VideotexParameters No value x420.VideotexParameters
x420.VoiceData VoiceData Byte array x420.VoiceData
x420.VoiceParameters VoiceParameters No value x420.VoiceParameters
x420.acknowledgment_mode acknowledgment-mode Unsigned 32-bit integer x420.AcknowledgmentModeField
x420.advice advice Unsigned 32-bit integer x420.BodyPart
x420.algorithmIdentifier algorithmIdentifier No value x509af.AlgorithmIdentifier
x420.algorithm_identifier algorithm-identifier No value x509af.AlgorithmIdentifier
x420.alphanumeric_code alphanumeric-code No value x420.AlphaCode
x420.an-supported an-supported Boolean
x420.assembly_instructions assembly-instructions Unsigned 32-bit integer x420.BodyPartReferences
x420.authorizing_users authorizing-users Unsigned 32-bit integer x420.AuthorizingUsersField
x420.auto_forward_comment auto-forward-comment String x420.AutoForwardCommentField
x420.auto_forwarded auto-forwarded Boolean x420.AutoForwardedField
x420.bilaterally_defined bilaterally-defined Byte array x420.BilaterallyDefinedBodyPart
x420.blind_copy_recipients blind-copy-recipients Unsigned 32-bit integer x420.BlindCopyRecipientsField
x420.body body Unsigned 32-bit integer x420.Body
x420.body_part_number body-part-number Signed 32-bit integer x420.BodyPartNumber
x420.body_part_security_label body-part-security-label No value x411.SecurityLabel
x420.body_part_security_labels body-part-security-labels Unsigned 32-bit integer x420.SEQUENCE_OF_BodyPartSecurityLabel
x420.body_part_security_labels_item Item Unsigned 32-bit integer x420.BodyPartSecurityLabel
x420.body_part_signature body-part-signature No value x420.BodyPartSignature
x420.body_part_unlabelled body-part-unlabelled No value x420.NULL
x420.checked checked Unsigned 32-bit integer x420.Checkmark
x420.choice choice Unsigned 32-bit integer x420.T_choice
x420.circulation_recipient circulation-recipient No value x420.RecipientSpecifier
x420.circulation_signature_data circulation-signature-data No value x420.CirculationSignatureData
x420.content_security_label content-security-label No value x411.SecurityLabel
x420.conversion_eits conversion-eits No value x420.ConversionEITsField
x420.copy_recipients copy-recipients Unsigned 32-bit integer x420.CopyRecipientsField
x420.data data No value acse.EXTERNAL
x420.delivery_envelope delivery-envelope No value x411.OtherMessageDeliveryFields
x420.delivery_time delivery-time String x411.MessageDeliveryTime
x420.description description No value x420.DescriptionString
x420.discard_reason discard-reason Unsigned 32-bit integer x420.DiscardReasonField
x420.effective_from effective-from String x420.Time
x420.encrypted encrypted No value x420.EncryptedBodyPart
x420.expiry_time expiry-time String x420.ExpiryTimeField
x420.extended extended No value x420.ExtendedBodyPart
x420.extensions extensions Unsigned 32-bit integer x420.ExtensionsField
x420.formal_name formal-name No value x411.ORName
x420.free_form_name free-form-name String x420.FreeFormName
x420.g3_facsimile g3-facsimile No value x420.G3FacsimileBodyPart
x420.g4_class1 g4-class1 Unsigned 32-bit integer x420.G4Class1BodyPart
x420.heading heading No value x420.Heading
x420.heading_security_label heading-security-label No value x411.SecurityLabel
x420.ia5_text ia5-text No value x420.IA5TextBodyPart
x420.importance importance Unsigned 32-bit integer x420.ImportanceField
x420.ipm ipm No value x420.IPM
x420.ipm-return ipm-return Boolean
x420.ipm_intended_recipient ipm-intended-recipient No value x420.IPMIntendedRecipientField
x420.ipn ipn No value x420.IPN
x420.ipn_originator ipn-originator No value x420.IPNOriginatorField
x420.message message No value x420.MessageBodyPart
x420.message_entry message-entry Signed 32-bit integer x420.SequenceNumber
x420.message_submission_envelope message-submission-envelope No value x411.MessageSubmissionEnvelope
x420.mixed_mode mixed-mode Unsigned 32-bit integer x420.MixedModeBodyPart
x420.mts_identifier mts-identifier No value x411.MessageDeliveryIdentifier
x420.nationally_defined nationally-defined No value x420.NationallyDefinedBodyPart
x420.new_address new-address No value x420.ORDescriptor
x420.next_available next-available String x420.Time
x420.non_basic_parameters non-basic-parameters Byte array x411.G3FacsimileNonBasicParameters
x420.non_receipt_fields non-receipt-fields No value x420.NonReceiptFields
x420.non_receipt_reason non-receipt-reason Unsigned 32-bit integer x420.NonReceiptReasonField
x420.notification_extensions notification-extensions Unsigned 32-bit integer x420.NotificationExtensionsField
x420.notification_requests notification-requests Byte array x420.NotificationRequests
x420.nrn nrn Boolean
x420.nrn_extensions nrn-extensions Unsigned 32-bit integer x420.NRNExtensionsField
x420.number_of_pages number-of-pages Signed 32-bit integer x420.INTEGER
x420.obsoleted_IPMs obsoleted-IPMs Unsigned 32-bit integer x420.ObsoletedIPMsField
x420.oid_code oid-code x420.OBJECT_IDENTIFIER
x420.or_descriptor or-descriptor No value x420.ORDescriptor
x420.originating_MTA_certificate originating-MTA-certificate No value x411.OriginatingMTACertificate
x420.originator originator No value x420.OriginatorField
x420.originator_certificate_selector originator-certificate-selector No value x509ce.CertificateAssertion
x420.originator_certificates originator-certificates Unsigned 32-bit integer x411.ExtendedCertificates
x420.other_notification_type_fields other-notification-type-fields Unsigned 32-bit integer x420.OtherNotificationTypeFields
x420.parameters parameters No value acse.EXTERNAL
x420.primary_recipients primary-recipients Unsigned 32-bit integer x420.PrimaryRecipientsField
x420.proof_of_submission proof-of-submission No value x411.ProofOfSubmission
x420.receipt_fields receipt-fields No value x420.ReceiptFields
x420.receipt_time receipt-time String x420.ReceiptTimeField
x420.recipient recipient No value x420.ORDescriptor
x420.recipient_extensions recipient-extensions Unsigned 32-bit integer x420.RecipientExtensionsField
x420.reference reference x420.OBJECT_IDENTIFIER
x420.related_IPMs related-IPMs Unsigned 32-bit integer x420.RelatedIPMsField
x420.repertoire repertoire Unsigned 32-bit integer x420.Repertoire
x420.replied_to_IPM replied-to-IPM No value x420.RepliedToIPMField
x420.reply_recipients reply-recipients Unsigned 32-bit integer x420.ReplyRecipientsField
x420.reply_requested reply-requested Boolean x420.BOOLEAN
x420.reply_time reply-time String x420.ReplyTimeField
x420.returned_ipm returned-ipm No value x420.ReturnedIPMField
x420.rn rn Boolean
x420.rn_extensions rn-extensions Unsigned 32-bit integer x420.RNExtensionsField
x420.sensitivity sensitivity Unsigned 32-bit integer x420.SensitivityField
x420.signed signed No value x420.CirculationSignature
x420.simple simple No value x420.NULL
x420.stored_body_part stored-body-part No value x420.T_stored_body_part
x420.stored_content stored-content Signed 32-bit integer x420.SequenceNumber
x420.stored_entry stored-entry Signed 32-bit integer x420.SequenceNumber
x420.subject subject String x420.SubjectField
x420.subject_ipm subject-ipm No value x420.SubjectIPMField
x420.submission_proof submission-proof No value x420.SubmissionProof
x420.submitted_body_part submitted-body-part Signed 32-bit integer x420.INTEGER
x420.suppl_receipt_info suppl-receipt-info String x420.SupplReceiptInfoField
x420.supplementary_information supplementary-information String x420.IA5String
x420.suppress-an suppress-an Boolean
x420.syntax syntax Signed 32-bit integer x420.VideotexSyntax
x420.telephone_number telephone-number String x420.TelephoneNumber
x420.teletex teletex No value x420.TeletexBodyPart
x420.telex_compatible telex-compatible Boolean x420.BOOLEAN
x420.this_IPM this-IPM No value x420.ThisIPMField
x420.timestamp timestamp String x420.CirculationTime
x420.timestamped timestamped String x420.CirculationTime
x420.type type x420.T_type
x420.user user No value x411.ORName
x420.user_relative_identifier user-relative-identifier String x420.LocalIPMIdentifier
x420.value value No value x420.T_value
x420.videotex videotex No value x420.VideotexBodyPart
x420.voice_encoding_type voice-encoding-type x420.OBJECT_IDENTIFIER
x420.voice_message_duration voice-message-duration Signed 32-bit integer x420.INTEGER
dop.ACIItem ACIItem No value dop.ACIItem
dop.ConsumerInformation ConsumerInformation No value dop.ConsumerInformation
dop.DITcontext_item Item No value dop.Vertex
dop.DSEType DSEType Byte array dop.DSEType
dop.HierarchicalAgreement HierarchicalAgreement No value dop.HierarchicalAgreement
dop.NHOBSubordinateToSuperior NHOBSubordinateToSuperior No value dop.NHOBSubordinateToSuperior
dop.NHOBSuperiorToSubordinate NHOBSuperiorToSubordinate No value dop.NHOBSuperiorToSubordinate
dop.NonSpecificHierarchicalAgreement NonSpecificHierarchicalAgreement No value dop.NonSpecificHierarchicalAgreement
dop.SubordinateToSuperior SubordinateToSuperior No value dop.SubordinateToSuperior
dop.SuperiorToSubordinate SuperiorToSubordinate No value dop.SuperiorToSubordinate
dop.SuperiorToSubordinateModification SuperiorToSubordinateModification No value dop.SuperiorToSubordinateModification
dop.SupplierAndConsumers SupplierAndConsumers No value dop.SupplierAndConsumers
dop.SupplierInformation SupplierInformation No value dop.SupplierInformation
dop.accessPoint accessPoint No value dsp.AccessPoint
dop.accessPoints accessPoints Unsigned 32-bit integer dsp.MasterAndShadowAccessPoints
dop.address address No value x509sat.PresentationAddress
dop.admPoint admPoint Boolean
dop.admPointInfo admPointInfo Unsigned 32-bit integer dop.SET_OF_Attribute
dop.admPointInfo_item Item No value x509if.Attribute
dop.ae_title ae-title Unsigned 32-bit integer x509if.Name
dop.agreement agreement No value dop.T_agreement
dop.agreementID agreementID No value dop.OperationalBindingID
dop.agreementProposal agreementProposal No value dop.T_agreementProposal
dop.algorithmIdentifier algorithmIdentifier No value x509af.AlgorithmIdentifier
dop.alias alias Boolean dop.BOOLEAN
dop.aliasDereferenced aliasDereferenced Boolean dop.BOOLEAN
dop.allAttributeValues allAttributeValues Unsigned 32-bit integer dop.SET_OF_AttributeType
dop.allAttributeValues_item Item x509if.AttributeType
dop.allUserAttributeTypes allUserAttributeTypes No value dop.NULL
dop.allUserAttributeTypesAndValues allUserAttributeTypesAndValues No value dop.NULL
dop.allUsers allUsers No value dop.NULL
dop.attributeType attributeType Unsigned 32-bit integer dop.SET_OF_AttributeType
dop.attributeType_item Item x509if.AttributeType
dop.attributeValue attributeValue Unsigned 32-bit integer dop.SET_OF_AttributeTypeAndValue
dop.attributeValue_item Item No value crmf.AttributeTypeAndValue
dop.authenticationLevel authenticationLevel Unsigned 32-bit integer dop.AuthenticationLevel
dop.basicLevels basicLevels No value dop.T_basicLevels
dop.bindingID bindingID No value dop.OperationalBindingID
dop.bindingType bindingType dop.OBJECT_IDENTIFIER
dop.classes classes Unsigned 32-bit integer x509if.Refinement
dop.consumers consumers Unsigned 32-bit integer dop.SET_OF_AccessPoint
dop.consumers_item Item No value dsp.AccessPoint
dop.contextPrefixInfo contextPrefixInfo Unsigned 32-bit integer dop.DITcontext
dop.contexts contexts Unsigned 32-bit integer dop.SET_OF_ContextAssertion
dop.contexts_item Item No value x509if.ContextAssertion
dop.cp cp Boolean
dop.denyAdd denyAdd Boolean
dop.denyBrowse denyBrowse Boolean
dop.denyCompare denyCompare Boolean
dop.denyDiscloseOnError denyDiscloseOnError Boolean
dop.denyExport denyExport Boolean
dop.denyFilterMatch denyFilterMatch Boolean
dop.denyImport denyImport Boolean
dop.denyInvoke denyInvoke Boolean
dop.denyModify denyModify Boolean
dop.denyRead denyRead Boolean
dop.denyRemove denyRemove Boolean
dop.denyRename denyRename Boolean
dop.denyReturnDN denyReturnDN Boolean
dop.dsSubentry dsSubentry Boolean
dop.encrypted encrypted Byte array dop.BIT_STRING
dop.entry entry No value dop.NULL
dop.entryInfo entryInfo Unsigned 32-bit integer dop.SET_OF_Attribute
dop.entryInfo_item Item No value x509if.Attribute
dop.establishOperationalBindingArgument establishOperationalBindingArgument No value dop.EstablishOperationalBindingArgumentData
dop.explicitTermination explicitTermination No value dop.NULL
dop.familyMember familyMember Boolean
dop.generalizedTime generalizedTime String dop.GeneralizedTime
dop.glue glue Boolean
dop.grantAdd grantAdd Boolean
dop.grantBrowse grantBrowse Boolean
dop.grantCompare grantCompare Boolean
dop.grantDiscloseOnError grantDiscloseOnError Boolean
dop.grantExport grantExport Boolean
dop.grantFilterMatch grantFilterMatch Boolean
dop.grantImport grantImport Boolean
dop.grantInvoke grantInvoke Boolean
dop.grantModify grantModify Boolean
dop.grantRead grantRead Boolean
dop.grantRemove grantRemove Boolean
dop.grantRename grantRename Boolean
dop.grantReturnDN grantReturnDN Boolean
dop.grantsAndDenials grantsAndDenials Byte array dop.GrantsAndDenials
dop.identificationTag identificationTag Unsigned 32-bit integer x509sat.DirectoryString
dop.identifier identifier Signed 32-bit integer dop.INTEGER
dop.immSupr immSupr Boolean
dop.immediateSuperior immediateSuperior Unsigned 32-bit integer x509if.DistinguishedName
dop.immediateSuperiorInfo immediateSuperiorInfo Unsigned 32-bit integer dop.SET_OF_Attribute
dop.immediateSuperiorInfo_item Item No value x509if.Attribute
dop.info info Unsigned 32-bit integer dop.SET_OF_Attribute
dop.info_item Item No value x509if.Attribute
dop.initiator initiator Unsigned 32-bit integer dop.EstablishArgumentInitiator
dop.itemFirst itemFirst No value dop.T_itemFirst
dop.itemOrUserFirst itemOrUserFirst Unsigned 32-bit integer dop.T_itemOrUserFirst
dop.itemPermissions itemPermissions Unsigned 32-bit integer dop.SET_OF_ItemPermission
dop.itemPermissions_item Item No value dop.ItemPermission
dop.level level Unsigned 32-bit integer dop.T_level
dop.localQualifier localQualifier Signed 32-bit integer dop.INTEGER
dop.maxCount maxCount Signed 32-bit integer dop.INTEGER
dop.maxImmSub maxImmSub Signed 32-bit integer dop.INTEGER
dop.maxValueCount maxValueCount Unsigned 32-bit integer dop.SET_OF_MaxValueCount
dop.maxValueCount_item Item No value dop.MaxValueCount
dop.modifyOperationalBindingArgument modifyOperationalBindingArgument No value dop.ModifyOperationalBindingArgumentData
dop.modifyOperationalBindingResultData modifyOperationalBindingResultData No value dop.ModifyOperationalBindingResultData
dop.name name Unsigned 32-bit integer dop.SET_OF_NameAndOptionalUID
dop.name_item Item No value x509sat.NameAndOptionalUID
dop.newAgreement newAgreement No value dop.ArgumentNewAgreement
dop.newBindingID newBindingID No value dop.OperationalBindingID
dop.non_supplying_master non-supplying-master No value dsp.AccessPoint
dop.notification notification Unsigned 32-bit integer dop.SEQUENCE_SIZE_1_MAX_OF_Attribute
dop.notification_item Item No value x509if.Attribute
dop.now now No value dop.NULL
dop.nssr nssr Boolean
dop.null null No value dop.NULL
dop.other other No value acse.EXTERNAL
dop.performer performer Unsigned 32-bit integer x509if.DistinguishedName
dop.precedence precedence Signed 32-bit integer dop.Precedence
dop.problem problem Unsigned 32-bit integer dop.T_problem
dop.protected protected No value dop.ProtectedModifyResult
dop.protectedItems protectedItems No value dop.ProtectedItems
dop.protocolInformation protocolInformation Unsigned 32-bit integer dop.SET_OF_ProtocolInformation
dop.protocolInformation_item Item No value x509sat.ProtocolInformation
dop.rangeOfValues rangeOfValues Unsigned 32-bit integer dap.Filter
dop.rdn rdn Unsigned 32-bit integer x509if.RelativeDistinguishedName
dop.restrictedBy restrictedBy Unsigned 32-bit integer dop.SET_OF_RestrictedValue
dop.restrictedBy_item Item No value dop.RestrictedValue
dop.retryAt retryAt Unsigned 32-bit integer dop.Time
dop.rhob rhob Boolean
dop.roleA_initiates roleA-initiates No value dop.EstablishRoleAInitiates
dop.roleA_replies roleA-replies No value dop.T_roleA_replies
dop.roleB_initiates roleB-initiates No value dop.EstablishRoleBInitiates
dop.roleB_replies roleB-replies No value dop.T_roleB_replies
dop.root root Boolean
dop.sa sa Boolean
dop.securityParameters securityParameters No value dap.SecurityParameters
dop.selfValue selfValue Unsigned 32-bit integer dop.SET_OF_AttributeType
dop.selfValue_item Item x509if.AttributeType
dop.shadow shadow Boolean
dop.signed signed Boolean dop.BOOLEAN
dop.signedEstablishOperationalBindingArgument signedEstablishOperationalBindingArgument No value dop.T_signedEstablishOperationalBindingArgument
dop.signedModifyOperationalBindingArgument signedModifyOperationalBindingArgument No value dop.T_signedModifyOperationalBindingArgument
dop.signedTerminateOperationalBindingArgument signedTerminateOperationalBindingArgument No value dop.T_signedTerminateOperationalBindingArgument
dop.subentries subentries Unsigned 32-bit integer dop.SET_OF_SubentryInfo
dop.subentries_item Item No value dop.SubentryInfo
dop.subentry subentry Boolean
dop.subr subr Boolean
dop.subtree subtree Unsigned 32-bit integer dop.SET_OF_SubtreeSpecification
dop.subtree_item Item No value x509if.SubtreeSpecification
dop.supplier_is_master supplier-is-master Boolean dop.BOOLEAN
dop.supr supr Boolean
dop.symmetric symmetric No value dop.EstablishSymmetric
dop.terminateAt terminateAt Unsigned 32-bit integer dop.Time
dop.terminateOperationalBindingArgument terminateOperationalBindingArgument No value dop.TerminateOperationalBindingArgumentData
dop.terminateOperationalBindingResultData terminateOperationalBindingResultData No value dop.TerminateOperationalBindingResultData
dop.thisEntry thisEntry No value dop.NULL
dop.time time Unsigned 32-bit integer dop.Time
dop.type type x509if.AttributeType
dop.unsignedEstablishOperationalBindingArgument unsignedEstablishOperationalBindingArgument No value dop.EstablishOperationalBindingArgumentData
dop.unsignedModifyOperationalBindingArgument unsignedModifyOperationalBindingArgument No value dop.ModifyOperationalBindingArgumentData
dop.unsignedTerminateOperationalBindingArgument unsignedTerminateOperationalBindingArgument No value dop.TerminateOperationalBindingArgumentData
dop.userClasses userClasses No value dop.UserClasses
dop.userFirst userFirst No value dop.T_userFirst
dop.userGroup userGroup Unsigned 32-bit integer dop.SET_OF_NameAndOptionalUID
dop.userGroup_item Item No value x509sat.NameAndOptionalUID
dop.userPermissions userPermissions Unsigned 32-bit integer dop.SET_OF_UserPermission
dop.userPermissions_item Item No value dop.UserPermission
dop.utcTime utcTime String dop.UTCTime
dop.valid valid No value dop.Validity
dop.validFrom validFrom Unsigned 32-bit integer dop.T_validFrom
dop.validUntil validUntil Unsigned 32-bit integer dop.T_validUntil
dop.valuesIn valuesIn x509if.AttributeType
dop.version version Signed 32-bit integer dop.INTEGER
dop.xr xr Boolean
x509af.AttributeCertificate AttributeCertificate No value x509af.AttributeCertificate
x509af.Certificate Certificate No value x509af.Certificate
x509af.CertificateList CertificateList No value x509af.CertificateList
x509af.CertificatePair CertificatePair No value x509af.CertificatePair
x509af.CrossCertificates_item Item No value x509af.Certificate
x509af.DSS_Params DSS-Params No value x509af.DSS_Params
x509af.Extensions_item Item No value x509af.Extension
x509af.ForwardCertificationPath_item Item Unsigned 32-bit integer x509af.CrossCertificates
x509af.acPath acPath Unsigned 32-bit integer x509af.SEQUENCE_OF_ACPathData
x509af.acPath_item Item No value x509af.ACPathData
x509af.algorithm algorithm No value x509af.AlgorithmIdentifier
x509af.algorithm.id Algorithm Id Algorithm Id
x509af.algorithmId algorithmId x509af.T_algorithmId
x509af.algorithmIdentifier algorithmIdentifier No value x509af.AlgorithmIdentifier
x509af.attCertValidity attCertValidity String x509af.GeneralizedTime
x509af.attCertValidityPeriod attCertValidityPeriod No value x509af.AttCertValidityPeriod
x509af.attType attType Unsigned 32-bit integer x509af.SET_OF_AttributeType
x509af.attType_item Item x509if.AttributeType
x509af.attributeCertificate attributeCertificate No value x509af.AttributeCertificate
x509af.attributes attributes Unsigned 32-bit integer x509af.SEQUENCE_OF_Attribute
x509af.attributes_item Item No value x509if.Attribute
x509af.baseCertificateID baseCertificateID No value x509af.IssuerSerial
x509af.certificate certificate No value x509af.Certificate
x509af.certificationPath certificationPath Unsigned 32-bit integer x509af.ForwardCertificationPath
x509af.critical critical Boolean x509af.BOOLEAN
x509af.crlEntryExtensions crlEntryExtensions Unsigned 32-bit integer x509af.Extensions
x509af.crlExtensions crlExtensions Unsigned 32-bit integer x509af.Extensions
x509af.encrypted encrypted Byte array x509af.BIT_STRING
x509af.extension.id Extension Id Extension Id
x509af.extensions extensions Unsigned 32-bit integer x509af.Extensions
x509af.extnId extnId x509af.T_extnId
x509af.extnValue extnValue Byte array x509af.T_extnValue
x509af.g g Signed 32-bit integer x509af.INTEGER
x509af.generalizedTime generalizedTime String x509af.GeneralizedTime
x509af.issuedByThisCA issuedByThisCA No value x509af.Certificate
x509af.issuedToThisCA issuedToThisCA No value x509af.Certificate
x509af.issuer issuer Unsigned 32-bit integer x509if.Name
x509af.issuerUID issuerUID Byte array x509sat.UniqueIdentifier
x509af.issuerUniqueID issuerUniqueID Byte array x509sat.UniqueIdentifier
x509af.issuerUniqueIdentifier issuerUniqueIdentifier Byte array x509sat.UniqueIdentifier
x509af.nextUpdate nextUpdate Unsigned 32-bit integer x509af.Time
x509af.notAfter notAfter Unsigned 32-bit integer x509af.Time
x509af.notAfterTime notAfterTime String x509af.GeneralizedTime
x509af.notBefore notBefore Unsigned 32-bit integer x509af.Time
x509af.notBeforeTime notBeforeTime String x509af.GeneralizedTime
x509af.p p Signed 32-bit integer x509af.INTEGER
x509af.parameters parameters No value x509af.T_parameters
x509af.q q Signed 32-bit integer x509af.INTEGER
x509af.rdnSequence rdnSequence Unsigned 32-bit integer x509if.RDNSequence
x509af.revocationDate revocationDate Unsigned 32-bit integer x509af.Time
x509af.revokedCertificates revokedCertificates Unsigned 32-bit integer x509af.T_revokedCertificates
x509af.revokedCertificates_item Item No value x509af.T_revokedCertificates_item
x509af.serial serial Signed 32-bit integer x509af.CertificateSerialNumber
x509af.serialNumber serialNumber Signed 32-bit integer x509af.CertificateSerialNumber
x509af.signature signature No value x509af.AlgorithmIdentifier
x509af.signedAttributeCertificateInfo signedAttributeCertificateInfo No value x509af.AttributeCertificateInfo
x509af.signedCertificate signedCertificate No value x509af.T_signedCertificate
x509af.signedCertificateList signedCertificateList No value x509af.T_signedCertificateList
x509af.subject subject Unsigned 32-bit integer x509af.SubjectName
x509af.subjectName subjectName Unsigned 32-bit integer x509ce.GeneralNames
x509af.subjectPublicKey subjectPublicKey Byte array x509af.BIT_STRING
x509af.subjectPublicKeyInfo subjectPublicKeyInfo No value x509af.SubjectPublicKeyInfo
x509af.subjectUniqueIdentifier subjectUniqueIdentifier Byte array x509sat.UniqueIdentifier
x509af.theCACertificates theCACertificates Unsigned 32-bit integer x509af.SEQUENCE_OF_CertificatePair
x509af.theCACertificates_item Item No value x509af.CertificatePair
x509af.thisUpdate thisUpdate Unsigned 32-bit integer x509af.Time
x509af.userCertificate userCertificate No value x509af.Certificate
x509af.utcTime utcTime String x509af.UTCTime
x509af.validity validity No value x509af.Validity
x509af.version version Signed 32-bit integer x509af.Version
x509ce.AttributesSyntax AttributesSyntax Unsigned 32-bit integer x509ce.AttributesSyntax
x509ce.AttributesSyntax_item Item No value x509if.Attribute
x509ce.AuthorityKeyIdentifier AuthorityKeyIdentifier No value x509ce.AuthorityKeyIdentifier
x509ce.BaseCRLNumber BaseCRLNumber Unsigned 32-bit integer x509ce.BaseCRLNumber
x509ce.BasicConstraintsSyntax BasicConstraintsSyntax No value x509ce.BasicConstraintsSyntax
x509ce.CRLDistPointsSyntax CRLDistPointsSyntax Unsigned 32-bit integer x509ce.CRLDistPointsSyntax
x509ce.CRLDistPointsSyntax_item Item No value x509ce.DistributionPoint
x509ce.CRLNumber CRLNumber Unsigned 32-bit integer x509ce.CRLNumber
x509ce.CRLReason CRLReason Unsigned 32-bit integer x509ce.CRLReason
x509ce.CRLScopeSyntax CRLScopeSyntax Unsigned 32-bit integer x509ce.CRLScopeSyntax
x509ce.CRLScopeSyntax_item Item No value x509ce.PerAuthorityScope
x509ce.CRLStreamIdentifier CRLStreamIdentifier Unsigned 32-bit integer x509ce.CRLStreamIdentifier
x509ce.CertPolicySet_item Item x509ce.CertPolicyId
x509ce.CertificatePoliciesSyntax CertificatePoliciesSyntax Unsigned 32-bit integer x509ce.CertificatePoliciesSyntax
x509ce.CertificatePoliciesSyntax_item Item No value x509ce.PolicyInformation
x509ce.DeltaInformation DeltaInformation No value x509ce.DeltaInformation
x509ce.GeneralNames GeneralNames Unsigned 32-bit integer x509ce.GeneralNames
x509ce.GeneralNames_item Item Unsigned 32-bit integer x509ce.GeneralName
x509ce.GeneralSubtrees_item Item No value x509ce.GeneralSubtree
x509ce.HoldInstruction HoldInstruction x509ce.HoldInstruction
x509ce.IPAddress iPAddress IPv4 address IP Address
x509ce.IssuingDistPointSyntax IssuingDistPointSyntax No value x509ce.IssuingDistPointSyntax
x509ce.KeyPurposeIDs KeyPurposeIDs Unsigned 32-bit integer x509ce.KeyPurposeIDs
x509ce.KeyPurposeIDs_item Item x509ce.KeyPurposeId
x509ce.KeyUsage KeyUsage Byte array x509ce.KeyUsage
x509ce.NameConstraintsSyntax NameConstraintsSyntax No value x509ce.NameConstraintsSyntax
x509ce.OrderedListSyntax OrderedListSyntax Unsigned 32-bit integer x509ce.OrderedListSyntax
x509ce.PolicyConstraintsSyntax PolicyConstraintsSyntax No value x509ce.PolicyConstraintsSyntax
x509ce.PolicyMappingsSyntax PolicyMappingsSyntax Unsigned 32-bit integer x509ce.PolicyMappingsSyntax
x509ce.PolicyMappingsSyntax_item Item No value x509ce.PolicyMappingsSyntax_item
x509ce.PrivateKeyUsagePeriod PrivateKeyUsagePeriod No value x509ce.PrivateKeyUsagePeriod
x509ce.SkipCerts SkipCerts Unsigned 32-bit integer x509ce.SkipCerts
x509ce.StatusReferrals StatusReferrals Unsigned 32-bit integer x509ce.StatusReferrals
x509ce.StatusReferrals_item Item Unsigned 32-bit integer x509ce.StatusReferral
x509ce.SubjectKeyIdentifier SubjectKeyIdentifier Byte array x509ce.SubjectKeyIdentifier
x509ce.aA aA Boolean
x509ce.aACompromise aACompromise Boolean
x509ce.affiliationChanged affiliationChanged Boolean
x509ce.authorityCertIssuer authorityCertIssuer Unsigned 32-bit integer x509ce.GeneralNames
x509ce.authorityCertSerialNumber authorityCertSerialNumber Signed 32-bit integer x509af.CertificateSerialNumber
x509ce.authorityKeyIdentifier authorityKeyIdentifier No value x509ce.AuthorityKeyIdentifier
x509ce.authorityName authorityName Unsigned 32-bit integer x509ce.GeneralName
x509ce.base base Unsigned 32-bit integer x509ce.GeneralName
x509ce.baseRevocationInfo baseRevocationInfo No value x509ce.BaseRevocationInfo
x509ce.baseThisUpdate baseThisUpdate String x509ce.GeneralizedTime
x509ce.builtinNameForm builtinNameForm Unsigned 32-bit integer x509ce.T_builtinNameForm
x509ce.cA cA Boolean x509ce.BOOLEAN
x509ce.cACompromise cACompromise Boolean
x509ce.cRLIssuer cRLIssuer Unsigned 32-bit integer x509ce.GeneralNames
x509ce.cRLNumber cRLNumber Unsigned 32-bit integer x509ce.CRLNumber
x509ce.cRLReferral cRLReferral No value x509ce.CRLReferral
x509ce.cRLScope cRLScope Unsigned 32-bit integer x509ce.CRLScopeSyntax
x509ce.cRLSign cRLSign Boolean
x509ce.cRLStreamIdentifier cRLStreamIdentifier Unsigned 32-bit integer x509ce.CRLStreamIdentifier
x509ce.certificateHold certificateHold Boolean
x509ce.cessationOfOperation cessationOfOperation Boolean
x509ce.containsAACerts containsAACerts Boolean x509ce.BOOLEAN
x509ce.containsCACerts containsCACerts Boolean x509ce.BOOLEAN
x509ce.containsSOAPublicKeyCerts containsSOAPublicKeyCerts Boolean x509ce.BOOLEAN
x509ce.containsUserAttributeCerts containsUserAttributeCerts Boolean x509ce.BOOLEAN
x509ce.containsUserPublicKeyCerts containsUserPublicKeyCerts Boolean x509ce.BOOLEAN
x509ce.dNSName dNSName String x509ce.IA5String
x509ce.dataEncipherment dataEncipherment Boolean
x509ce.decipherOnly decipherOnly Boolean
x509ce.deltaLocation deltaLocation Unsigned 32-bit integer x509ce.GeneralName
x509ce.deltaRefInfo deltaRefInfo No value x509ce.DeltaRefInfo
x509ce.digitalSignature digitalSignature Boolean
x509ce.directoryName directoryName Unsigned 32-bit integer x509if.Name
x509ce.distributionPoint distributionPoint Unsigned 32-bit integer x509ce.DistributionPointName
x509ce.ediPartyName ediPartyName No value x509ce.EDIPartyName
x509ce.encipherOnly encipherOnly Boolean
x509ce.endingNumber endingNumber Signed 32-bit integer x509ce.INTEGER
x509ce.excludedSubtrees excludedSubtrees Unsigned 32-bit integer x509ce.GeneralSubtrees
x509ce.firstIssuer firstIssuer Unsigned 32-bit integer x509if.Name
x509ce.fullName fullName Unsigned 32-bit integer x509ce.GeneralNames
x509ce.iPAddress iPAddress Byte array x509ce.T_iPAddress
x509ce.id Id Object identifier Id
x509ce.id_ce_baseUpdateTime baseUpdateTime String baseUpdateTime
x509ce.id_ce_invalidityDate invalidityDate String invalidityDate
x509ce.indirectCRL indirectCRL Boolean x509ce.BOOLEAN
x509ce.inhibitPolicyMapping inhibitPolicyMapping Unsigned 32-bit integer x509ce.SkipCerts
x509ce.issuedByThisCAAssertion issuedByThisCAAssertion No value x509ce.CertificateExactAssertion
x509ce.issuedToThisCAAssertion issuedToThisCAAssertion No value x509ce.CertificateExactAssertion
x509ce.issuer issuer Unsigned 32-bit integer x509ce.GeneralName
x509ce.issuerDomainPolicy issuerDomainPolicy x509ce.CertPolicyId
x509ce.keyAgreement keyAgreement Boolean
x509ce.keyCertSign keyCertSign Boolean
x509ce.keyCompromise keyCompromise Boolean
x509ce.keyEncipherment keyEncipherment Boolean
x509ce.keyIdentifier keyIdentifier Byte array x509ce.KeyIdentifier
x509ce.keyUsage keyUsage Byte array x509ce.KeyUsage
x509ce.lastChangedCRL lastChangedCRL String x509ce.GeneralizedTime
x509ce.lastDelta lastDelta String x509ce.GeneralizedTime
x509ce.lastSubject lastSubject Unsigned 32-bit integer x509if.Name
x509ce.lastUpdate lastUpdate String x509ce.GeneralizedTime
x509ce.location location Unsigned 32-bit integer x509ce.GeneralName
x509ce.maxCRLNumber maxCRLNumber Unsigned 32-bit integer x509ce.CRLNumber
x509ce.maximum maximum Unsigned 32-bit integer x509ce.BaseDistance
x509ce.minCRLNumber minCRLNumber Unsigned 32-bit integer x509ce.CRLNumber
x509ce.minimum minimum Unsigned 32-bit integer x509ce.BaseDistance
x509ce.modulus modulus Signed 32-bit integer x509ce.INTEGER
x509ce.nameAssigner nameAssigner Unsigned 32-bit integer x509sat.DirectoryString
x509ce.nameConstraints nameConstraints No value x509ce.NameConstraintsSyntax
x509ce.nameRelativeToCRLIssuer nameRelativeToCRLIssuer Unsigned 32-bit integer x509if.RelativeDistinguishedName
x509ce.nameSubtrees nameSubtrees Unsigned 32-bit integer x509ce.GeneralNames
x509ce.nextDelta nextDelta String x509ce.GeneralizedTime
x509ce.nonRepudiation nonRepudiation Boolean
x509ce.notAfter notAfter String x509ce.GeneralizedTime
x509ce.notBefore notBefore String x509ce.GeneralizedTime
x509ce.onlyContains onlyContains Byte array x509ce.OnlyCertificateTypes
x509ce.onlySomeReasons onlySomeReasons Byte array x509ce.ReasonFlags
x509ce.otherName otherName No value x509ce.OtherName
x509ce.otherNameForm otherNameForm x509ce.OBJECT_IDENTIFIER
x509ce.partyName partyName Unsigned 32-bit integer x509sat.DirectoryString
x509ce.pathLenConstraint pathLenConstraint Signed 32-bit integer x509ce.INTEGER
x509ce.pathToName pathToName Unsigned 32-bit integer x509if.Name
x509ce.permittedSubtrees permittedSubtrees Unsigned 32-bit integer x509ce.GeneralSubtrees
x509ce.policy policy Unsigned 32-bit integer x509ce.CertPolicySet
x509ce.policyIdentifier policyIdentifier x509ce.CertPolicyId
x509ce.policyQualifierId policyQualifierId x509ce.PolicyQualifierId
x509ce.policyQualifiers policyQualifiers Unsigned 32-bit integer x509ce.SEQUENCE_SIZE_1_MAX_OF_PolicyQualifierInfo
x509ce.policyQualifiers_item Item No value x509ce.PolicyQualifierInfo
x509ce.privateKeyValid privateKeyValid String x509ce.GeneralizedTime
x509ce.privilegeWithdrawn privilegeWithdrawn Boolean
x509ce.qualifier qualifier No value x509ce.PolicyQualifierValue
x509ce.reasonFlags reasonFlags Byte array x509ce.ReasonFlags
x509ce.reasons reasons Byte array x509ce.ReasonFlags
x509ce.registeredID registeredID x509ce.OBJECT_IDENTIFIER
x509ce.requireExplicitPolicy requireExplicitPolicy Unsigned 32-bit integer x509ce.SkipCerts
x509ce.rfc822Name rfc822Name String x509ce.IA5String
x509ce.sOAPublicKey sOAPublicKey Boolean
x509ce.serialNumber serialNumber Signed 32-bit integer x509af.CertificateSerialNumber
x509ce.serialNumberRange serialNumberRange No value x509ce.NumberRange
x509ce.startingNumber startingNumber Signed 32-bit integer x509ce.INTEGER
x509ce.subject subject Unsigned 32-bit integer x509if.Name
x509ce.subjectAltName subjectAltName Unsigned 32-bit integer x509ce.AltNameType
x509ce.subjectDomainPolicy subjectDomainPolicy x509ce.CertPolicyId
x509ce.subjectKeyIdRange subjectKeyIdRange No value x509ce.NumberRange
x509ce.subjectKeyIdentifier subjectKeyIdentifier Byte array x509ce.SubjectKeyIdentifier
x509ce.subjectPublicKeyAlgID subjectPublicKeyAlgID x509ce.OBJECT_IDENTIFIER
x509ce.superseded superseded Boolean
x509ce.type_id type-id x509ce.OtherNameType
x509ce.uniformResourceIdentifier uniformResourceIdentifier String x509ce.IA5String
x509ce.unused unused Boolean
x509ce.userAttribute userAttribute Boolean
x509ce.userPublicKey userPublicKey Boolean
x509ce.value value No value x509ce.OtherNameValue
x509ce.x400Address x400Address No value x411.ORAddress
x509if.DistinguishedName DistinguishedName Unsigned 32-bit integer x509if.DistinguishedName
x509if.Name Name Unsigned 32-bit integer x509if.Name
x509if.RDNSequence_item Item Unsigned 32-bit integer x509if.RDNSequence_item
x509if.RelativeDistinguishedName_item Item No value x509if.RelativeDistinguishedName_item
x509if.additionalControl additionalControl Unsigned 32-bit integer x509if.SEQUENCE_OF_AttributeType
x509if.additionalControl_item Item x509if.AttributeType
x509if.allContexts allContexts No value x509if.NULL
x509if.allowedSubset allowedSubset Byte array x509if.AllowedSubset
x509if.and and Unsigned 32-bit integer x509if.SET_OF_Refinement
x509if.and_item Item Unsigned 32-bit integer x509if.Refinement
x509if.any.String AnyString Byte array This is any String
x509if.assertedContexts assertedContexts Unsigned 32-bit integer x509if.T_assertedContexts
x509if.assertedContexts_item Item No value x509if.ContextAssertion
x509if.assertion assertion No value x509if.AttributeValue
x509if.attribute attribute x509if.AttributeType
x509if.attributeCombination attributeCombination Unsigned 32-bit integer x509if.AttributeCombination
x509if.attributeType attributeType x509if.AttributeId
x509if.auxiliaries auxiliaries Unsigned 32-bit integer x509if.T_auxiliaries
x509if.auxiliaries_item Item x509if.OBJECT_IDENTIFIER
x509if.base base Unsigned 32-bit integer x509if.LocalName
x509if.baseObject baseObject Boolean
x509if.basic basic No value x509if.MRMapping
x509if.chopAfter chopAfter Unsigned 32-bit integer x509if.LocalName
x509if.chopBefore chopBefore Unsigned 32-bit integer x509if.LocalName
x509if.context context x509if.OBJECT_IDENTIFIER
x509if.contextCombination contextCombination Unsigned 32-bit integer x509if.ContextCombination
x509if.contextList contextList Unsigned 32-bit integer x509if.SET_OF_Context
x509if.contextList_item Item No value x509if.Context
x509if.contextType contextType x509if.AttributeId
x509if.contextValue contextValue Unsigned 32-bit integer x509if.SEQUENCE_OF_AttributeValue
x509if.contextValue_item Item No value x509if.AttributeValue
x509if.contextValues contextValues Unsigned 32-bit integer x509if.SET_OF_AttributeValue
x509if.contextValues_item Item No value x509if.AttributeValue
x509if.contexts contexts Unsigned 32-bit integer x509if.SEQUENCE_OF_ContextProfile
x509if.contexts_item Item No value x509if.ContextProfile
x509if.default default Signed 32-bit integer x509if.INTEGER
x509if.defaultControls defaultControls No value x509if.ControlOptions
x509if.defaultValues defaultValues Unsigned 32-bit integer x509if.T_defaultValues
x509if.defaultValues_item Item No value x509if.T_defaultValues_item
x509if.description description Unsigned 32-bit integer x509sat.DirectoryString
x509if.distingAttrValue distingAttrValue No value x509if.ValuesWithContextValue
x509if.dmdId dmdId x509if.OBJECT_IDENTIFIER
x509if.entryLimit entryLimit No value x509if.EntryLimit
x509if.entryType entryType x509if.DefaultValueType
x509if.fallback fallback Boolean x509if.BOOLEAN
x509if.id Id Object identifier Id
x509if.imposedSubset imposedSubset Unsigned 32-bit integer x509if.ImposedSubset
x509if.includeSubtypes includeSubtypes Boolean x509if.BOOLEAN
x509if.inputAttributeTypes inputAttributeTypes Unsigned 32-bit integer x509if.SEQUENCE_OF_RequestAttribute
x509if.inputAttributeTypes_item Item No value x509if.RequestAttribute
x509if.item item x509if.OBJECT_IDENTIFIER
x509if.level level Signed 32-bit integer x509if.INTEGER
x509if.mandatory mandatory Unsigned 32-bit integer x509if.SET_SIZE_1_MAX_OF_AttributeId
x509if.mandatoryContexts mandatoryContexts Unsigned 32-bit integer x509if.T_mandatoryContexts
x509if.mandatoryContexts_item Item x509if.OBJECT_IDENTIFIER
x509if.mandatoryControls mandatoryControls No value x509if.ControlOptions
x509if.mandatory_item Item x509if.AttributeId
x509if.mapping mapping Unsigned 32-bit integer x509if.SEQUENCE_OF_Mapping
x509if.mappingFunction mappingFunction x509if.OBJECT_IDENTIFIER
x509if.mapping_item Item No value x509if.Mapping
x509if.matchedValuesOnly matchedValuesOnly No value x509if.NULL
x509if.matchingUse matchingUse Unsigned 32-bit integer x509if.SEQUENCE_OF_MatchingUse
x509if.matchingUse_item Item No value x509if.MatchingUse
x509if.max max Signed 32-bit integer x509if.INTEGER
x509if.maximum maximum Signed 32-bit integer x509if.BaseDistance
x509if.minimum minimum Signed 32-bit integer x509if.BaseDistance
x509if.name name Unsigned 32-bit integer x509if.SET_OF_DirectoryString
x509if.nameForm nameForm x509if.OBJECT_IDENTIFIER
x509if.name_item Item Unsigned 32-bit integer x509sat.DirectoryString
x509if.newMatchingRule newMatchingRule x509if.OBJECT_IDENTIFIER
x509if.not not Unsigned 32-bit integer x509if.Refinement
x509if.obsolete obsolete Boolean x509if.BOOLEAN
x509if.oldMatchingRule oldMatchingRule x509if.OBJECT_IDENTIFIER
x509if.oneLevel oneLevel Boolean
x509if.optional optional Unsigned 32-bit integer x509if.SET_SIZE_1_MAX_OF_AttributeId
x509if.optionalContexts optionalContexts Unsigned 32-bit integer x509if.T_optionalContexts
x509if.optionalContexts_item Item x509if.OBJECT_IDENTIFIER
x509if.optional_item Item x509if.AttributeId
x509if.or or Unsigned 32-bit integer x509if.SET_OF_Refinement
x509if.or_item Item Unsigned 32-bit integer x509if.Refinement
x509if.outputAttributeTypes outputAttributeTypes Unsigned 32-bit integer x509if.SEQUENCE_OF_ResultAttribute
x509if.outputAttributeTypes_item Item No value x509if.ResultAttribute
x509if.outputValues outputValues Unsigned 32-bit integer x509if.T_outputValues
x509if.precluded precluded Unsigned 32-bit integer x509if.SET_SIZE_1_MAX_OF_AttributeId
x509if.precluded_item Item x509if.AttributeId
x509if.primaryDistinguished primaryDistinguished Boolean x509if.BOOLEAN
x509if.rdnSequence rdnSequence Unsigned 32-bit integer x509if.RDNSequence
x509if.relaxation relaxation No value x509if.RelaxationPolicy
x509if.relaxations relaxations Unsigned 32-bit integer x509if.SEQUENCE_OF_MRMapping
x509if.relaxations_item Item No value x509if.MRMapping
x509if.restrictionType restrictionType x509if.AttributeId
x509if.restrictionValue restrictionValue No value x509if.AttributeValue
x509if.ruleIdentifier ruleIdentifier Signed 32-bit integer x509if.RuleIdentifier
x509if.searchRuleControls searchRuleControls No value x509if.ControlOptions
x509if.selectedContexts selectedContexts Unsigned 32-bit integer x509if.SET_OF_ContextAssertion
x509if.selectedContexts_item Item No value x509if.ContextAssertion
x509if.selectedValues selectedValues Unsigned 32-bit integer x509if.SEQUENCE_OF_SelectedValues
x509if.selectedValues_item Item No value x509if.SelectedValues
x509if.serviceType serviceType x509if.OBJECT_IDENTIFIER
x509if.specificExclusions specificExclusions Unsigned 32-bit integer x509if.T_specificExclusions
x509if.specificExclusions_item Item Unsigned 32-bit integer x509if.T_specificExclusions_item
x509if.specificationFilter specificationFilter Unsigned 32-bit integer x509if.Refinement
x509if.structuralObjectClass structuralObjectClass x509if.OBJECT_IDENTIFIER
x509if.substitution substitution Unsigned 32-bit integer x509if.SEQUENCE_OF_MRSubstitution
x509if.substitution_item Item No value x509if.MRSubstitution
x509if.superiorStructureRules superiorStructureRules Unsigned 32-bit integer x509if.SET_OF_RuleIdentifier
x509if.superiorStructureRules_item Item Signed 32-bit integer x509if.RuleIdentifier
x509if.tightenings tightenings Unsigned 32-bit integer x509if.SEQUENCE_OF_MRMapping
x509if.tightenings_item Item No value x509if.MRMapping
x509if.type type x509if.AttributeId
x509if.userClass userClass Signed 32-bit integer x509if.INTEGER
x509if.value value No value x509if.ValuesWithContextValue
x509if.values values Unsigned 32-bit integer x509if.SET_OF_AttributeValue
x509if.valuesWithContext valuesWithContext Unsigned 32-bit integer x509if.T_valuesWithContext
x509if.valuesWithContext_item Item No value x509if.T_valuesWithContext_item
x509if.values_item Item No value x509if.AttributeValue
x509if.wholeSubtree wholeSubtree Boolean
x509sat.BitString BitString Byte array x509sat.BitString
x509sat.Boolean Boolean Boolean x509sat.Boolean
x509sat.CaseIgnoreListMatch CaseIgnoreListMatch Unsigned 32-bit integer x509sat.CaseIgnoreListMatch
x509sat.CaseIgnoreListMatch_item Item Unsigned 32-bit integer x509sat.DirectoryString
x509sat.CountryName CountryName String x509sat.CountryName
x509sat.Criteria Criteria Unsigned 32-bit integer x509sat.Criteria
x509sat.DayTime DayTime No value x509sat.DayTime
x509sat.DayTimeBand DayTimeBand No value x509sat.DayTimeBand
x509sat.DestinationIndicator DestinationIndicator String x509sat.DestinationIndicator
x509sat.DirectoryString DirectoryString Unsigned 32-bit integer x509sat.DirectoryString
x509sat.EnhancedGuide EnhancedGuide No value x509sat.EnhancedGuide
x509sat.FacsimileTelephoneNumber FacsimileTelephoneNumber No value x509sat.FacsimileTelephoneNumber
x509sat.Guide Guide No value x509sat.Guide
x509sat.Integer Integer Signed 32-bit integer x509sat.Integer
x509sat.InternationalISDNNumber InternationalISDNNumber String x509sat.InternationalISDNNumber
x509sat.NameAndOptionalUID NameAndOptionalUID No value x509sat.NameAndOptionalUID
x509sat.ObjectIdentifier ObjectIdentifier x509sat.ObjectIdentifier
x509sat.OctetString OctetString Byte array x509sat.OctetString
x509sat.OctetSubstringAssertion_item Item Unsigned 32-bit integer x509sat.OctetSubstringAssertion_item
x509sat.PostalAddress PostalAddress Unsigned 32-bit integer x509sat.PostalAddress
x509sat.PostalAddress_item Item Unsigned 32-bit integer x509sat.DirectoryString
x509sat.PreferredDeliveryMethod PreferredDeliveryMethod Unsigned 32-bit integer x509sat.PreferredDeliveryMethod
x509sat.PreferredDeliveryMethod_item Item Signed 32-bit integer x509sat.PreferredDeliveryMethod_item
x509sat.PresentationAddress PresentationAddress No value x509sat.PresentationAddress
x509sat.ProtocolInformation ProtocolInformation No value x509sat.ProtocolInformation
x509sat.SubstringAssertion_item Item Unsigned 32-bit integer x509sat.SubstringAssertion_item
x509sat.SyntaxBMPString SyntaxBMPString String x509sat.SyntaxBMPString
x509sat.SyntaxGeneralString SyntaxGeneralString String x509sat.SyntaxGeneralString
x509sat.SyntaxGeneralizedTime SyntaxGeneralizedTime String x509sat.SyntaxGeneralizedTime
x509sat.SyntaxGraphicString SyntaxGraphicString String x509sat.SyntaxGraphicString
x509sat.SyntaxIA5String SyntaxIA5String String x509sat.SyntaxIA5String
x509sat.SyntaxISO646String SyntaxISO646String String x509sat.SyntaxISO646String
x509sat.SyntaxNumericString SyntaxNumericString String x509sat.SyntaxNumericString
x509sat.SyntaxPrintableString SyntaxPrintableString String x509sat.SyntaxPrintableString
x509sat.SyntaxT61String SyntaxT61String String x509sat.SyntaxT61String
x509sat.SyntaxTeletexString SyntaxTeletexString String x509sat.SyntaxTeletexString
x509sat.SyntaxUTCTime SyntaxUTCTime String x509sat.SyntaxUTCTime
x509sat.SyntaxUTF8String SyntaxUTF8String String x509sat.SyntaxUTF8String
x509sat.SyntaxUniversalString SyntaxUniversalString String x509sat.SyntaxUniversalString
x509sat.SyntaxVideotexString SyntaxVideotexString String x509sat.SyntaxVideotexString
x509sat.SyntaxVisibleString SyntaxVisibleString String x509sat.SyntaxVisibleString
x509sat.TelephoneNumber TelephoneNumber String x509sat.TelephoneNumber
x509sat.TelexNumber TelexNumber No value x509sat.TelexNumber
x509sat.UniqueIdentifier UniqueIdentifier Byte array x509sat.UniqueIdentifier
x509sat.X121Address X121Address String x509sat.X121Address
x509sat.ZonalSelect_item Item x509if.AttributeType
x509sat.absolute absolute No value x509sat.T_absolute
x509sat.allMonths allMonths No value x509sat.NULL
x509sat.allWeeks allWeeks No value x509sat.NULL
x509sat.and and Unsigned 32-bit integer x509sat.SET_OF_Criteria
x509sat.and_item Item Unsigned 32-bit integer x509sat.Criteria
x509sat.answerback answerback String x509sat.PrintableString
x509sat.any any Unsigned 32-bit integer x509sat.DirectoryString
x509sat.approximateMatch approximateMatch x509if.AttributeType
x509sat.april april Boolean
x509sat.at at String x509sat.GeneralizedTime
x509sat.attributeList attributeList Unsigned 32-bit integer x509sat.SEQUENCE_OF_AttributeValueAssertion
x509sat.attributeList_item Item No value x509if.AttributeValueAssertion
x509sat.august august Boolean
x509sat.between between No value x509sat.T_between
x509sat.bitDay bitDay Byte array x509sat.T_bitDay
x509sat.bitMonth bitMonth Byte array x509sat.T_bitMonth
x509sat.bitNamedDays bitNamedDays Byte array x509sat.T_bitNamedDays
x509sat.bitWeek bitWeek Byte array x509sat.T_bitWeek
x509sat.bmpString bmpString String x509sat.BMPString
x509sat.control control No value x509if.Attribute
x509sat.countryCode countryCode String x509sat.PrintableString
x509sat.criteria criteria Unsigned 32-bit integer x509sat.Criteria
x509sat.dayOf dayOf Unsigned 32-bit integer x509sat.XDayOf
x509sat.days days Unsigned 32-bit integer x509sat.T_days
x509sat.december december Boolean
x509sat.dn dn Unsigned 32-bit integer x509if.DistinguishedName
x509sat.endDayTime endDayTime No value x509sat.DayTime
x509sat.endTime endTime String x509sat.GeneralizedTime
x509sat.entirely entirely Boolean x509sat.BOOLEAN
x509sat.equality equality x509if.AttributeType
x509sat.february february Boolean
x509sat.fifth fifth Unsigned 32-bit integer x509sat.NamedDay
x509sat.final final Unsigned 32-bit integer x509sat.DirectoryString
x509sat.first first Unsigned 32-bit integer x509sat.NamedDay
x509sat.fourth fourth Unsigned 32-bit integer x509sat.NamedDay
x509sat.friday friday Boolean
x509sat.greaterOrEqual greaterOrEqual x509if.AttributeType
x509sat.hour hour Signed 32-bit integer x509sat.INTEGER
x509sat.initial initial Unsigned 32-bit integer x509sat.DirectoryString
x509sat.intDay intDay Unsigned 32-bit integer x509sat.T_intDay
x509sat.intDay_item Item Signed 32-bit integer x509sat.INTEGER
x509sat.intMonth intMonth Unsigned 32-bit integer x509sat.T_intMonth
x509sat.intMonth_item Item Signed 32-bit integer x509sat.INTEGER
x509sat.intNamedDays intNamedDays Unsigned 32-bit integer x509sat.T_intNamedDays
x509sat.intWeek intWeek Unsigned 32-bit integer x509sat.T_intWeek
x509sat.intWeek_item Item Signed 32-bit integer x509sat.INTEGER
x509sat.january january Boolean
x509sat.july july Boolean
x509sat.june june Boolean
x509sat.lessOrEqual lessOrEqual x509if.AttributeType
x509sat.localeID1 localeID1 x509sat.OBJECT_IDENTIFIER
x509sat.localeID2 localeID2 Unsigned 32-bit integer x509sat.DirectoryString
x509sat.march march Boolean
x509sat.matchingRuleUsed matchingRuleUsed x509sat.OBJECT_IDENTIFIER
x509sat.may may Boolean
x509sat.minute minute Signed 32-bit integer x509sat.INTEGER
x509sat.monday monday Boolean
x509sat.months months Unsigned 32-bit integer x509sat.T_months
x509sat.nAddress nAddress Byte array x509sat.OCTET_STRING
x509sat.nAddresses nAddresses Unsigned 32-bit integer x509sat.T_nAddresses
x509sat.nAddresses_item Item Byte array x509sat.OCTET_STRING
x509sat.not not Unsigned 32-bit integer x509sat.Criteria
x509sat.notThisTime notThisTime Boolean x509sat.BOOLEAN
x509sat.november november Boolean
x509sat.now now No value x509sat.NULL
x509sat.objectClass objectClass x509sat.OBJECT_IDENTIFIER
x509sat.october october Boolean
x509sat.or or Unsigned 32-bit integer x509sat.SET_OF_Criteria
x509sat.or_item Item Unsigned 32-bit integer x509sat.Criteria
x509sat.pSelector pSelector Byte array x509sat.OCTET_STRING
x509sat.periodic periodic Unsigned 32-bit integer x509sat.SET_OF_Period
x509sat.periodic_item Item No value x509sat.Period
x509sat.printableString printableString String x509sat.PrintableString
x509sat.profiles profiles Unsigned 32-bit integer x509sat.T_profiles
x509sat.profiles_item Item x509sat.OBJECT_IDENTIFIER
x509sat.sSelector sSelector Byte array x509sat.OCTET_STRING
x509sat.saturday saturday Boolean
x509sat.second second Unsigned 32-bit integer x509sat.NamedDay
x509sat.september september Boolean
x509sat.startDayTime startDayTime No value x509sat.DayTime
x509sat.startTime startTime String x509sat.GeneralizedTime
x509sat.subset subset Signed 32-bit integer x509sat.T_subset
x509sat.substrings substrings x509if.AttributeType
x509sat.sunday sunday Boolean
x509sat.tSelector tSelector Byte array x509sat.OCTET_STRING
x509sat.telephoneNumber telephoneNumber String x509sat.TelephoneNumber
x509sat.teletexString teletexString String x509sat.TeletexString
x509sat.telexNumber telexNumber String x509sat.PrintableString
x509sat.third third Unsigned 32-bit integer x509sat.NamedDay
x509sat.thursday thursday Boolean
x509sat.time time Unsigned 32-bit integer x509sat.T_time
x509sat.timeZone timeZone Signed 32-bit integer x509sat.TimeZone
x509sat.timesOfDay timesOfDay Unsigned 32-bit integer x509sat.SET_OF_DayTimeBand
x509sat.timesOfDay_item Item No value x509sat.DayTimeBand
x509sat.tuesday tuesday Boolean
x509sat.type type Unsigned 32-bit integer x509sat.CriteriaItem
x509sat.uTF8String uTF8String String x509sat.UTF8String
x509sat.uid uid Byte array x509sat.UniqueIdentifier
x509sat.universalString universalString String x509sat.UniversalString
x509sat.wednesday wednesday Boolean
x509sat.week1 week1 Boolean
x509sat.week2 week2 Boolean
x509sat.week3 week3 Boolean
x509sat.week4 week4 Boolean
x509sat.week5 week5 Boolean
x509sat.weeks weeks Unsigned 32-bit integer x509sat.T_weeks
x509sat.years years Unsigned 32-bit integer x509sat.T_years
x509sat.years_item Item Signed 32-bit integer x509sat.INTEGER
dap.ModifyRights_item Item No value dap.ModifyRights_item
dap.SetOfFilter_item Item Unsigned 32-bit integer dap.Filter
dap.abandonArgument abandonArgument No value dap.AbandonArgumentData
dap.abandonFailedError abandonFailedError No value dap.AbandonFailedErrorData
dap.abandonResult abandonResult No value dap.AbandonResultData
dap.abandoned abandoned No value dap.AbandonedData
dap.add add Boolean
dap.addAttribute addAttribute No value x509if.Attribute
dap.addEntryArgument addEntryArgument No value dap.AddEntryArgumentData
dap.addEntryResult addEntryResult No value dap.AddEntryResultData
dap.addValues addValues No value x509if.Attribute
dap.agreementID agreementID No value disp.AgreementID
dap.algorithmIdentifier algorithmIdentifier No value x509af.AlgorithmIdentifier
dap.aliasDereferenced aliasDereferenced Boolean dap.BOOLEAN
dap.aliasEntry aliasEntry Boolean dap.BOOLEAN
dap.aliasedRDNs aliasedRDNs Signed 32-bit integer dap.INTEGER
dap.all all Unsigned 32-bit integer dap.SET_OF_ContextAssertion
dap.allContexts allContexts No value dap.NULL
dap.allOperationalAttributes allOperationalAttributes No value dap.NULL
dap.allUserAttributes allUserAttributes No value dap.NULL
dap.all_item Item No value x509if.ContextAssertion
dap.altMatching altMatching Boolean dap.BOOLEAN
dap.alterValues alterValues No value crmf.AttributeTypeAndValue
dap.and and Unsigned 32-bit integer dap.SetOfFilter
dap.any any No value dap.T_any
dap.approximateMatch approximateMatch No value x509if.AttributeValueAssertion
dap.attribute attribute No value x509if.Attribute
dap.attributeCertificationPath attributeCertificationPath No value x509af.AttributeCertificationPath
dap.attributeError attributeError No value dap.AttributeErrorData
dap.attributeInfo attributeInfo Unsigned 32-bit integer dap.T_attributeInfo
dap.attributeInfo_item Item Unsigned 32-bit integer dap.T_attributeInfo_item
dap.attributeSizeLimit attributeSizeLimit Signed 32-bit integer dap.INTEGER
dap.attributeType attributeType x509if.AttributeType
dap.attributes attributes Unsigned 32-bit integer dap.T_attributes
dap.baseAtt baseAtt x509if.AttributeType
dap.baseObject baseObject Unsigned 32-bit integer dap.Name
dap.bestEstimate bestEstimate Signed 32-bit integer dap.INTEGER
dap.bind_token bind-token No value dap.T_bind_token
dap.candidate candidate No value dsp.ContinuationReference
dap.certification_path certification-path No value x509af.CertificationPath
dap.chainingProhibited chainingProhibited Boolean
dap.changes changes Unsigned 32-bit integer dap.SEQUENCE_OF_EntryModification
dap.changes_item Item Unsigned 32-bit integer dap.EntryModification
dap.checkOverspecified checkOverspecified Boolean dap.BOOLEAN
dap.children children Boolean
dap.compareArgument compareArgument No value dap.CompareArgumentData
dap.compareResult compareResult No value dap.CompareResultData
dap.contextAssertions contextAssertions Unsigned 32-bit integer dap.T_contextAssertions
dap.contextPresent contextPresent No value x509if.AttributeTypeAssertion
dap.contextSelection contextSelection Unsigned 32-bit integer dap.ContextSelection
dap.control control No value x509if.Attribute
dap.copyShallDo copyShallDo Boolean
dap.countFamily countFamily Boolean
dap.credentials credentials Unsigned 32-bit integer dap.Credentials
dap.criticalExtensions criticalExtensions Byte array dap.BIT_STRING
dap.deleteOldRDN deleteOldRDN Boolean dap.BOOLEAN
dap.derivedEntry derivedEntry Boolean dap.BOOLEAN
dap.directoryBindError directoryBindError No value dap.DirectoryBindErrorData
dap.dnAttribute dnAttribute Boolean
dap.dnAttributes dnAttributes Boolean dap.BOOLEAN
dap.domainLocalID domainLocalID Unsigned 32-bit integer dap.DomainLocalID
dap.dontDereferenceAliases dontDereferenceAliases Boolean
dap.dontUseCopy dontUseCopy Boolean
dap.dsaName dsaName Unsigned 32-bit integer dap.Name
dap.encrypted encrypted Byte array dap.BIT_STRING
dap.entries entries Unsigned 32-bit integer dap.SET_OF_EntryInformation
dap.entries_item Item No value dap.EntryInformation
dap.entry entry No value dap.EntryInformation
dap.entryCount entryCount Unsigned 32-bit integer dap.T_entryCount
dap.entryOnly entryOnly Boolean dap.BOOLEAN
dap.entry_item Item No value x509if.Attribute
dap.equality equality No value x509if.AttributeValueAssertion
dap.error error Unsigned 32-bit integer dap.T_error
dap.errorCode errorCode Unsigned 32-bit integer ros.Code
dap.errorProtection errorProtection Signed 32-bit integer dap.ErrorProtectionRequest
dap.extendedArea extendedArea Signed 32-bit integer dap.INTEGER
dap.extendedFilter extendedFilter Unsigned 32-bit integer dap.Filter
dap.extensibleMatch extensibleMatch No value dap.MatchingRuleAssertion
dap.externalProcedure externalProcedure No value acse.EXTERNAL
dap.extraAttributes extraAttributes Unsigned 32-bit integer dap.T_extraAttributes
dap.familyEntries familyEntries Unsigned 32-bit integer dap.SEQUENCE_OF_FamilyEntry
dap.familyEntries_item Item No value dap.FamilyEntry
dap.familyGrouping familyGrouping Unsigned 32-bit integer dap.FamilyGrouping
dap.familyReturn familyReturn No value dap.FamilyReturn
dap.familySelect familySelect Unsigned 32-bit integer dap.T_familySelect
dap.familySelect_item Item dap.OBJECT_IDENTIFIER
dap.family_class family-class dap.OBJECT_IDENTIFIER
dap.family_info family-info Unsigned 32-bit integer dap.SEQUENCE_OF_FamilyEntries
dap.family_info_item Item No value dap.FamilyEntries
dap.filter filter Unsigned 32-bit integer dap.Filter
dap.final final No value dap.T_final
dap.fromEntry fromEntry Boolean dap.BOOLEAN
dap.generalizedTime generalizedTime String dap.GeneralizedTime
dap.greaterOrEqual greaterOrEqual No value x509if.AttributeValueAssertion
dap.gt gt String dap.GeneralizedTime
dap.hierarchy hierarchy Boolean
dap.hierarchySelections hierarchySelections Byte array dap.HierarchySelections
dap.includeAllAreas includeAllAreas Boolean
dap.incompleteEntry incompleteEntry Boolean dap.BOOLEAN
dap.infoTypes infoTypes Signed 32-bit integer dap.T_infoTypes
dap.information information Unsigned 32-bit integer dap.T_entry_information
dap.information_item Item Unsigned 32-bit integer dap.EntryInformationItem
dap.initial initial No value dap.T_initial
dap.invokeID invokeID Unsigned 32-bit integer ros.InvokeId
dap.item item Unsigned 32-bit integer dap.FilterItem
dap.joinArguments joinArguments Unsigned 32-bit integer dap.SEQUENCE_SIZE_1_MAX_OF_JoinArgument
dap.joinArguments_item Item No value dap.JoinArgument
dap.joinAtt joinAtt x509if.AttributeType
dap.joinAttributes joinAttributes Unsigned 32-bit integer dap.SEQUENCE_OF_JoinAttPair
dap.joinAttributes_item Item No value dap.JoinAttPair
dap.joinBaseObject joinBaseObject Unsigned 32-bit integer dap.Name
dap.joinContext joinContext Unsigned 32-bit integer dap.SEQUENCE_OF_JoinContextType
dap.joinContext_item Item dap.JoinContextType
dap.joinFilter joinFilter Unsigned 32-bit integer dap.Filter
dap.joinSelection joinSelection No value dap.EntryInformationSelection
dap.joinSubset joinSubset Unsigned 32-bit integer dap.T_joinSubset
dap.joinType joinType Unsigned 32-bit integer dap.T_joinType
dap.lessOrEqual lessOrEqual No value x509if.AttributeValueAssertion
dap.limitProblem limitProblem Signed 32-bit integer dap.LimitProblem
dap.listArgument listArgument No value dap.ListArgumentData
dap.listFamily listFamily Boolean dap.BOOLEAN
dap.listInfo listInfo No value dap.T_listInfo
dap.listResult listResult Unsigned 32-bit integer dap.ListResultData
dap.localScope localScope Boolean
dap.lowEstimate lowEstimate Signed 32-bit integer dap.INTEGER
dap.manageDSAIT manageDSAIT Boolean
dap.manageDSAITPlaneRef manageDSAITPlaneRef No value dap.T_manageDSAITPlaneRef
dap.matchOnResidualName matchOnResidualName Boolean
dap.matchValue matchValue No value dap.T_matchValue
dap.matched matched Boolean dap.BOOLEAN
dap.matchedSubtype matchedSubtype x509if.AttributeType
dap.matchedValuesOnly matchedValuesOnly Boolean dap.BOOLEAN
dap.matchingRule matchingRule Unsigned 32-bit integer dap.T_matchingRule
dap.matchingRule_item Item dap.OBJECT_IDENTIFIER
dap.memberSelect memberSelect Unsigned 32-bit integer dap.T_memberSelect
dap.modifyDNResult modifyDNResult No value dap.ModifyDNResultData
dap.modifyEntryArgument modifyEntryArgument No value dap.ModifyEntryArgumentData
dap.modifyEntryResult modifyEntryResult No value dap.ModifyEntryResultData
dap.modifyRights modifyRights Unsigned 32-bit integer dap.ModifyRights
dap.modifyRightsRequest modifyRightsRequest Boolean dap.BOOLEAN
dap.move move Boolean
dap.name name Unsigned 32-bit integer dap.Name
dap.nameError nameError No value dap.NameErrorData
dap.nameResolveOnMaster nameResolveOnMaster Boolean dap.BOOLEAN
dap.newRDN newRDN Unsigned 32-bit integer x509if.RelativeDistinguishedName
dap.newRequest newRequest No value dap.T_newRequest
dap.newSuperior newSuperior Unsigned 32-bit integer x509if.DistinguishedName
dap.noSubtypeMatch noSubtypeMatch Boolean
dap.noSubtypeSelection noSubtypeSelection Boolean
dap.noSystemRelaxation noSystemRelaxation Boolean
dap.not not Unsigned 32-bit integer dap.Filter
dap.notification notification Unsigned 32-bit integer dap.SEQUENCE_OF_Attribute
dap.notification_item Item No value x509if.Attribute
dap.null null No value dap.NULL
dap.object object Unsigned 32-bit integer dap.Name
dap.operation operation Unsigned 32-bit integer ros.InvokeId
dap.operationCode operationCode Unsigned 32-bit integer ros.Code
dap.operationContexts operationContexts Unsigned 32-bit integer dap.ContextSelection
dap.operationProgress operationProgress No value dsp.OperationProgress
dap.options options Byte array dap.ServiceControlOptions
dap.or or Unsigned 32-bit integer dap.SetOfFilter
dap.orderingRule orderingRule dap.OBJECT_IDENTIFIER
dap.overspecFilter overspecFilter Unsigned 32-bit integer dap.Filter
dap.pageSize pageSize Signed 32-bit integer dap.INTEGER
dap.pagedResults pagedResults Unsigned 32-bit integer dap.PagedResultsRequest
dap.parent parent Boolean
dap.partialName partialName Boolean dap.BOOLEAN
dap.partialNameResolution partialNameResolution Boolean
dap.partialOutcomeQualifier partialOutcomeQualifier No value dap.PartialOutcomeQualifier
dap.password password Unsigned 32-bit integer dap.T_password
dap.performExactly performExactly Boolean
dap.performer performer Unsigned 32-bit integer x509if.DistinguishedName
dap.permission permission Byte array dap.T_permission
dap.preferChaining preferChaining Boolean
dap.preference preference Unsigned 32-bit integer dap.SEQUENCE_OF_ContextAssertion
dap.preference_item Item No value x509if.ContextAssertion
dap.present present x509if.AttributeType
dap.priority priority Signed 32-bit integer dap.T_priority
dap.problem problem Signed 32-bit integer dap.AbandonProblem
dap.problems problems Unsigned 32-bit integer dap.T_problems
dap.problems_item Item No value dap.T_problems_item
dap.protected protected No value dap.T_protected
dap.protectedPassword protectedPassword Byte array dap.OCTET_STRING
dap.purported purported No value x509if.AttributeValueAssertion
dap.queryReference queryReference Byte array dap.OCTET_STRING
dap.random random Byte array dap.BIT_STRING
dap.random1 random1 Byte array dap.BIT_STRING
dap.random2 random2 Byte array dap.BIT_STRING
dap.rdn rdn Unsigned 32-bit integer x509if.RelativeDistinguishedName
dap.rdnSequence rdnSequence Unsigned 32-bit integer x509if.RDNSequence
dap.readArgument readArgument No value dap.ReadArgumentData
dap.readResult readResult No value dap.ReadResultData
dap.referenceType referenceType Unsigned 32-bit integer dsp.ReferenceType
dap.referral referral No value dap.ReferralData
dap.relaxation relaxation No value x509if.RelaxationPolicy
dap.remove remove Boolean
dap.removeAttribute removeAttribute x509if.AttributeType
dap.removeEntryArgument removeEntryArgument No value dap.RemoveEntryArgumentData
dap.removeEntryResult removeEntryResult No value dap.RemoveEntryResultData
dap.removeValues removeValues No value x509if.Attribute
dap.rename rename Boolean
dap.rep rep No value dap.T_rep
dap.req req No value dap.T_req
dap.requestor requestor Unsigned 32-bit integer x509if.DistinguishedName
dap.resetValue resetValue x509if.AttributeType
dap.response response Byte array dap.BIT_STRING
dap.returnContexts returnContexts Boolean dap.BOOLEAN
dap.reverse reverse Boolean dap.BOOLEAN
dap.scopeOfReferral scopeOfReferral Signed 32-bit integer dap.T_scopeOfReferral
dap.searchAliases searchAliases Boolean dap.BOOLEAN
dap.searchArgument searchArgument No value dap.SearchArgumentData
dap.searchControlOptions searchControlOptions Byte array dap.SearchControlOptions
dap.searchFamily searchFamily Boolean
dap.searchInfo searchInfo No value dap.T_searchInfo
dap.searchResult searchResult Unsigned 32-bit integer dap.SearchResultData
dap.securityError securityError Signed 32-bit integer dap.SecurityProblem
dap.securityParameters securityParameters No value dap.SecurityParameters
dap.select select Unsigned 32-bit integer dap.SET_OF_AttributeType
dap.select_item Item x509if.AttributeType
dap.selectedContexts selectedContexts Unsigned 32-bit integer dap.SET_OF_TypeAndContextAssertion
dap.selectedContexts_item Item No value dap.TypeAndContextAssertion
dap.selection selection No value dap.EntryInformationSelection
dap.self self Boolean
dap.separateFamilyMembers separateFamilyMembers Boolean
dap.serviceControls serviceControls No value dap.ServiceControls
dap.serviceError serviceError Signed 32-bit integer dap.ServiceProblem
dap.serviceType serviceType dap.OBJECT_IDENTIFIER
dap.siblingChildren siblingChildren Boolean
dap.siblingSubtree siblingSubtree Boolean
dap.siblings siblings Boolean
dap.signedAbandonArgument signedAbandonArgument No value dap.T_signedAbandonArgument
dap.signedAbandonFailedError signedAbandonFailedError No value dap.T_signedAbandonFailedError
dap.signedAbandonResult signedAbandonResult No value dap.T_signedAbandonResult
dap.signedAbandoned signedAbandoned No value dap.T_signedAbandoned
dap.signedAddEntryArgument signedAddEntryArgument No value dap.T_signedAddEntryArgument
dap.signedAddEntryResult signedAddEntryResult No value dap.T_signedAddEntryResult
dap.signedAttributeError signedAttributeError No value dap.T_signedAttributeError
dap.signedCompareArgument signedCompareArgument No value dap.T_signedCompareArgument
dap.signedCompareResult signedCompareResult No value dap.T_signedCompareResult
dap.signedDirectoryBindError signedDirectoryBindError No value dap.T_signedDirectoryBindError
dap.signedListArgument signedListArgument No value dap.T_signedListArgument
dap.signedListResult signedListResult No value dap.T_signedListResult
dap.signedModifyDNResult signedModifyDNResult No value dap.T_signedModifyDNResult
dap.signedModifyEntryArgument signedModifyEntryArgument No value dap.T_signedModifyEntryArgument
dap.signedModifyEntryResult signedModifyEntryResult No value dap.T_signedModifyEntryResult
dap.signedNameError signedNameError No value dap.T_signedNameError
dap.signedReadArgument signedReadArgument No value dap.T_signedReadArgument
dap.signedReadResult signedReadResult No value dap.T_signedReadResult
dap.signedReferral signedReferral No value dap.T_signedReferral
dap.signedRemoveEntryArgument signedRemoveEntryArgument No value dap.T_signedRemoveEntryArgument
dap.signedRemoveEntryResult signedRemoveEntryResult No value dap.T_signedRemoveEntryResult
dap.signedSearchArgument signedSearchArgument No value dap.T_signedSearchArgument
dap.signedSearchResult signedSearchResult No value dap.T_signedSearchResult
dap.signedSecurityError signedSecurityError No value dap.T_signedSecurityError
dap.signedServiceError signedServiceError No value dap.T_signedServiceError
dap.signedUpdateError signedUpdateError No value dap.T_signedUpdateError
dap.simple simple No value dap.SimpleCredentials
dap.sizeLimit sizeLimit Signed 32-bit integer dap.INTEGER
dap.sortKeys sortKeys Unsigned 32-bit integer dap.SEQUENCE_OF_SortKey
dap.sortKeys_item Item No value dap.SortKey
dap.spkm spkm Unsigned 32-bit integer dap.SpkmCredentials
dap.spkmInfo spkmInfo No value dap.T_spkmInfo
dap.strings strings Unsigned 32-bit integer dap.T_strings
dap.strings_item Item Unsigned 32-bit integer dap.T_strings_item
dap.strong strong No value dap.StrongCredentials
dap.subentries subentries Boolean
dap.subordinates subordinates Unsigned 32-bit integer dap.T_subordinates
dap.subordinates_item Item No value dap.T_subordinates_item
dap.subset subset Signed 32-bit integer dap.T_subset
dap.substrings substrings No value dap.T_substrings
dap.subtree subtree Boolean
dap.target target Signed 32-bit integer dap.ProtectionRequest
dap.targetSystem targetSystem No value dsp.AccessPoint
dap.time time Unsigned 32-bit integer dap.Time
dap.time1 time1 Unsigned 32-bit integer dap.T_time1
dap.time2 time2 Unsigned 32-bit integer dap.T_time2
dap.timeLimit timeLimit Signed 32-bit integer dap.INTEGER
dap.top top Boolean
dap.type type x509if.AttributeType
dap.unavailableCriticalExtensions unavailableCriticalExtensions Boolean dap.BOOLEAN
dap.uncorrelatedListInfo uncorrelatedListInfo Unsigned 32-bit integer dap.SET_OF_ListResult
dap.uncorrelatedListInfo_item Item Unsigned 32-bit integer dap.ListResult
dap.uncorrelatedSearchInfo uncorrelatedSearchInfo Unsigned 32-bit integer dap.SET_OF_SearchResult
dap.uncorrelatedSearchInfo_item Item Unsigned 32-bit integer dap.SearchResult
dap.unexplored unexplored Unsigned 32-bit integer dap.SET_OF_ContinuationReference
dap.unexplored_item Item No value dsp.ContinuationReference
dap.unknownErrors unknownErrors Unsigned 32-bit integer dap.T_unknownErrors
dap.unknownErrors_item Item dap.OBJECT_IDENTIFIER
dap.unmerged unmerged Boolean dap.BOOLEAN
dap.unprotected unprotected Byte array dap.OCTET_STRING
dap.unsignedAbandonArgument unsignedAbandonArgument No value dap.AbandonArgumentData
dap.unsignedAbandonFailedError unsignedAbandonFailedError No value dap.AbandonFailedErrorData
dap.unsignedAbandonResult unsignedAbandonResult No value dap.AbandonResultData
dap.unsignedAbandoned unsignedAbandoned No value dap.AbandonedData
dap.unsignedAddEntryArgument unsignedAddEntryArgument No value dap.AddEntryArgumentData
dap.unsignedAddEntryResult unsignedAddEntryResult No value dap.AddEntryResultData
dap.unsignedAttributeError unsignedAttributeError No value dap.AttributeErrorData
dap.unsignedCompareArgument unsignedCompareArgument No value dap.CompareArgumentData
dap.unsignedCompareResult unsignedCompareResult No value dap.CompareResultData
dap.unsignedDirectoryBindError unsignedDirectoryBindError No value dap.DirectoryBindErrorData
dap.unsignedListArgument unsignedListArgument No value dap.ListArgumentData
dap.unsignedListResult unsignedListResult Unsigned 32-bit integer dap.ListResultData
dap.unsignedModifyDNResult unsignedModifyDNResult No value dap.ModifyDNResultData
dap.unsignedModifyEntryArgument unsignedModifyEntryArgument No value dap.ModifyEntryArgumentData
dap.unsignedModifyEntryResult unsignedModifyEntryResult No value dap.ModifyEntryResultData
dap.unsignedNameError unsignedNameError No value dap.NameErrorData
dap.unsignedReadArgument unsignedReadArgument No value dap.ReadArgumentData
dap.unsignedReadResult unsignedReadResult No value dap.ReadResultData
dap.unsignedReferral unsignedReferral No value dap.ReferralData
dap.unsignedRemoveEntryArgument unsignedRemoveEntryArgument No value dap.RemoveEntryArgumentData
dap.unsignedRemoveEntryResult unsignedRemoveEntryResult No value dap.RemoveEntryResultData
dap.unsignedSearchArgument unsignedSearchArgument No value dap.SearchArgumentData
dap.unsignedSearchResult unsignedSearchResult Unsigned 32-bit integer dap.SearchResultData
dap.unsignedSecurityError unsignedSecurityError No value dap.SecurityErrorData
dap.unsignedServiceError unsignedServiceError No value dap.ServiceErrorData
dap.unsignedUpdateError unsignedUpdateError No value dap.UpdateErrorData
dap.updateError updateError No value dap.UpdateErrorData
dap.useSubset useSubset Boolean
dap.userClass userClass Signed 32-bit integer dap.INTEGER
dap.utc utc String dap.UTCTime
dap.utcTime utcTime String dap.UTCTime
dap.v1 v1 Boolean
dap.v2 v2 Boolean
dap.validity validity No value dap.T_validity
dap.value value No value x509if.AttributeValueAssertion
dap.versions versions Byte array dap.Versions
disp.AttributeSelection_item Item No value disp.ClassAttributeSelection
disp.AttributeTypes_item Item x509if.AttributeType
disp.EstablishParameter EstablishParameter No value disp.EstablishParameter
disp.IncrementalRefresh_item Item No value disp.IncrementalStepRefresh
disp.ModificationParameter ModificationParameter No value disp.ModificationParameter
disp.ShadowingAgreementInfo ShadowingAgreementInfo No value disp.ShadowingAgreementInfo
disp.add add No value disp.SDSEContent
disp.agreementID agreementID No value disp.AgreementID
disp.algorithmIdentifier algorithmIdentifier No value x509af.AlgorithmIdentifier
disp.aliasDereferenced aliasDereferenced Boolean disp.BOOLEAN
disp.allAttributes allAttributes No value disp.NULL
disp.allContexts allContexts No value disp.NULL
disp.area area No value disp.AreaSpecification
disp.attComplete attComplete Boolean disp.BOOLEAN
disp.attValIncomplete attValIncomplete Unsigned 32-bit integer disp.SET_OF_AttributeType
disp.attValIncomplete_item Item x509if.AttributeType
disp.attributeChanges attributeChanges Unsigned 32-bit integer disp.T_attributeChanges
disp.attributes attributes Unsigned 32-bit integer disp.AttributeSelection
disp.attributes_item Item No value x509if.Attribute
disp.beginTime beginTime String disp.Time
disp.changes changes Unsigned 32-bit integer disp.SEQUENCE_OF_EntryModification
disp.changes_item Item Unsigned 32-bit integer dap.EntryModification
disp.class class disp.OBJECT_IDENTIFIER
disp.classAttributes classAttributes Unsigned 32-bit integer disp.ClassAttributes
disp.consumerInitiated consumerInitiated No value disp.ConsumerUpdateMode
disp.contextPrefix contextPrefix Unsigned 32-bit integer x509if.DistinguishedName
disp.contextSelection contextSelection Unsigned 32-bit integer dap.ContextSelection
disp.coordinateShadowUpdateArgument coordinateShadowUpdateArgument No value disp.CoordinateShadowUpdateArgumentData
disp.encrypted encrypted Byte array disp.BIT_STRING
disp.exclude exclude Unsigned 32-bit integer disp.AttributeTypes
disp.extendedKnowledge extendedKnowledge Boolean disp.BOOLEAN
disp.include include Unsigned 32-bit integer disp.AttributeTypes
disp.incremental incremental Unsigned 32-bit integer disp.IncrementalRefresh
disp.information information Unsigned 32-bit integer disp.Information
disp.knowledge knowledge No value disp.Knowledge
disp.knowledgeType knowledgeType Unsigned 32-bit integer disp.T_knowledgeType
disp.lastUpdate lastUpdate String disp.Time
disp.master master No value dsp.AccessPoint
disp.modify modify No value disp.ContentChange
disp.newDN newDN Unsigned 32-bit integer x509if.DistinguishedName
disp.newRDN newRDN Unsigned 32-bit integer x509if.RelativeDistinguishedName
disp.noRefresh noRefresh No value disp.NULL
disp.notification notification Unsigned 32-bit integer disp.SEQUENCE_OF_Attribute
disp.notification_item Item No value x509if.Attribute
disp.null null No value disp.NULL
disp.onChange onChange Boolean disp.BOOLEAN
disp.other other No value acse.EXTERNAL
disp.otherStrategy otherStrategy No value acse.EXTERNAL
disp.othertimes othertimes Boolean disp.BOOLEAN
disp.performer performer Unsigned 32-bit integer x509if.DistinguishedName
disp.periodic periodic No value disp.PeriodicStrategy
disp.problem problem Signed 32-bit integer disp.ShadowProblem
disp.rdn rdn Unsigned 32-bit integer x509if.RelativeDistinguishedName
disp.remove remove No value disp.NULL
disp.rename rename Unsigned 32-bit integer disp.T_rename
disp.replace replace Unsigned 32-bit integer disp.SET_OF_Attribute
disp.replace_item Item No value x509if.Attribute
disp.replicationArea replicationArea No value x509if.SubtreeSpecification
disp.requestShadowUpdateArgument requestShadowUpdateArgument No value disp.RequestShadowUpdateArgumentData
disp.requestedStrategy requestedStrategy Unsigned 32-bit integer disp.T_requestedStrategy
disp.sDSE sDSE No value disp.SDSEContent
disp.sDSEChanges sDSEChanges Unsigned 32-bit integer disp.T_sDSEChanges
disp.sDSEType sDSEType Byte array disp.SDSEType
disp.scheduled scheduled No value disp.SchedulingParameters
disp.secondaryShadows secondaryShadows Unsigned 32-bit integer disp.SET_OF_SupplierAndConsumers
disp.secondaryShadows_item Item No value dop.SupplierAndConsumers
disp.securityParameters securityParameters No value dap.SecurityParameters
disp.selectedContexts selectedContexts Unsigned 32-bit integer disp.T_selectedContexts
disp.selectedContexts_item Item disp.OBJECT_IDENTIFIER
disp.shadowError shadowError No value disp.ShadowErrorData
disp.shadowSubject shadowSubject No value disp.UnitOfReplication
disp.signedCoordinateShadowUpdateArgument signedCoordinateShadowUpdateArgument No value disp.T_signedCoordinateShadowUpdateArgument
disp.signedInformation signedInformation No value disp.T_signedInformation
disp.signedRequestShadowUpdateArgument signedRequestShadowUpdateArgument No value disp.T_signedRequestShadowUpdateArgument
disp.signedShadowError signedShadowError No value disp.T_signedShadowError
disp.signedUpdateShadowArgument signedUpdateShadowArgument No value disp.T_signedUpdateShadowArgument
disp.standard standard Unsigned 32-bit integer disp.StandardUpdate
disp.start start String disp.Time
disp.stop stop String disp.Time
disp.subComplete subComplete Boolean disp.BOOLEAN
disp.subordinate subordinate Unsigned 32-bit integer x509if.RelativeDistinguishedName
disp.subordinateUpdates subordinateUpdates Unsigned 32-bit integer disp.SEQUENCE_OF_SubordinateChanges
disp.subordinateUpdates_item Item No value disp.SubordinateChanges
disp.subordinates subordinates Boolean disp.BOOLEAN
disp.subtree subtree Unsigned 32-bit integer disp.SET_OF_Subtree
disp.subtree_item Item No value disp.Subtree
disp.supplierInitiated supplierInitiated Unsigned 32-bit integer disp.SupplierUpdateMode
disp.supplyContexts supplyContexts Unsigned 32-bit integer disp.T_supplyContexts
disp.total total No value disp.TotalRefresh
disp.unsignedCoordinateShadowUpdateArgument unsignedCoordinateShadowUpdateArgument No value disp.CoordinateShadowUpdateArgumentData
disp.unsignedInformation unsignedInformation No value disp.InformationData
disp.unsignedRequestShadowUpdateArgument unsignedRequestShadowUpdateArgument No value disp.RequestShadowUpdateArgumentData
disp.unsignedShadowError unsignedShadowError No value disp.ShadowErrorData
disp.unsignedUpdateShadowArgument unsignedUpdateShadowArgument No value disp.UpdateShadowArgumentData
disp.updateInterval updateInterval Signed 32-bit integer disp.INTEGER
disp.updateMode updateMode Unsigned 32-bit integer disp.UpdateMode
disp.updateShadowArgument updateShadowArgument No value disp.UpdateShadowArgumentData
disp.updateStrategy updateStrategy Unsigned 32-bit integer disp.T_updateStrategy
disp.updateTime updateTime String disp.Time
disp.updateWindow updateWindow No value disp.UpdateWindow
disp.updatedInfo updatedInfo Unsigned 32-bit integer disp.RefreshInformation
disp.windowSize windowSize Signed 32-bit integer disp.INTEGER
dsp.AccessPoint AccessPoint No value dsp.AccessPoint
dsp.Exclusions_item Item Unsigned 32-bit integer x509if.RDNSequence
dsp.MasterAndShadowAccessPoints MasterAndShadowAccessPoints Unsigned 32-bit integer dsp.MasterAndShadowAccessPoints
dsp.MasterAndShadowAccessPoints_item Item No value dsp.MasterOrShadowAccessPoint
dsp.TraceInformation_item Item No value dsp.TraceItem
dsp.accessPoint accessPoint No value dsp.AccessPointInformation
dsp.accessPoints accessPoints Unsigned 32-bit integer dsp.SET_OF_AccessPointInformation
dsp.accessPoints_item Item No value dsp.AccessPointInformation
dsp.addEntryArgument addEntryArgument Unsigned 32-bit integer dap.AddEntryArgument
dsp.addEntryResult addEntryResult Unsigned 32-bit integer dap.AddEntryResult
dsp.additionalPoints additionalPoints Unsigned 32-bit integer dsp.MasterAndShadowAccessPoints
dsp.address address No value x509sat.PresentationAddress
dsp.ae_title ae-title Unsigned 32-bit integer x509if.Name
dsp.algorithmIdentifier algorithmIdentifier No value x509af.AlgorithmIdentifier
dsp.aliasDereferenced aliasDereferenced Boolean dsp.BOOLEAN
dsp.aliasedRDNs aliasedRDNs Signed 32-bit integer dsp.INTEGER
dsp.alreadySearched alreadySearched Unsigned 32-bit integer dsp.Exclusions
dsp.authenticationLevel authenticationLevel Unsigned 32-bit integer dsp.AuthenticationLevel
dsp.basicLevels basicLevels No value dsp.T_basicLevels
dsp.category category Unsigned 32-bit integer dsp.APCategory
dsp.chainedAddEntryArgument chainedAddEntryArgument No value dsp.ChainedAddEntryArgumentData
dsp.chainedAddEntryResult chainedAddEntryResult No value dsp.ChainedAddEntryResultData
dsp.chainedArgument chainedArgument No value dsp.ChainingArguments
dsp.chainedCompareArgument chainedCompareArgument No value dsp.ChainedCompareArgumentData
dsp.chainedCompareResult chainedCompareResult No value dsp.ChainedCompareResultData
dsp.chainedListArgument chainedListArgument No value dsp.ChainedListArgumentData
dsp.chainedListResult chainedListResult No value dsp.ChainedListResultData
dsp.chainedModifyDNArgument chainedModifyDNArgument No value dsp.ChainedModifyDNArgumentData
dsp.chainedModifyDNResult chainedModifyDNResult No value dsp.ChainedModifyDNResultData
dsp.chainedModifyEntryArgument chainedModifyEntryArgument No value dsp.ChainedModifyEntryArgumentData
dsp.chainedModifyEntryResult chainedModifyEntryResult No value dsp.ChainedModifyEntryResultData
dsp.chainedReadArgument chainedReadArgument No value dsp.ChainedReadArgumentData
dsp.chainedReadResult chainedReadResult No value dsp.ChainedReadResultData
dsp.chainedRelaxation chainedRelaxation No value x509if.MRMapping
dsp.chainedRemoveEntryArgument chainedRemoveEntryArgument No value dsp.ChainedRemoveEntryArgumentData
dsp.chainedRemoveEntryResult chainedRemoveEntryResult No value dsp.ChainedRemoveEntryResultData
dsp.chainedResults chainedResults No value dsp.ChainingResults
dsp.chainedSearchArgument chainedSearchArgument No value dsp.ChainedSearchArgumentData
dsp.chainedSearchResult chainedSearchResult No value dsp.ChainedSearchResultData
dsp.chainingRequired chainingRequired Boolean dsp.BOOLEAN
dsp.compareArgument compareArgument Unsigned 32-bit integer dap.CompareArgument
dsp.compareResult compareResult Unsigned 32-bit integer dap.CompareResult
dsp.contextPrefix contextPrefix Unsigned 32-bit integer x509if.DistinguishedName
dsp.crossReferences crossReferences Unsigned 32-bit integer dsp.SEQUENCE_OF_CrossReference
dsp.crossReferences_item Item No value dsp.CrossReference
dsp.dsa dsa Unsigned 32-bit integer x509if.Name
dsp.dsaReferral dsaReferral No value dsp.DSAReferralData
dsp.encrypted encrypted Byte array dsp.BIT_STRING
dsp.entryOnly entryOnly Boolean dsp.BOOLEAN
dsp.excludeShadows excludeShadows Boolean dsp.BOOLEAN
dsp.exclusions exclusions Unsigned 32-bit integer dsp.Exclusions
dsp.generalizedTime generalizedTime String dsp.GeneralizedTime
dsp.info info dsp.DomainInfo
dsp.level level Unsigned 32-bit integer dsp.T_level
dsp.listArgument listArgument Unsigned 32-bit integer dap.ListArgument
dsp.listResult listResult Unsigned 32-bit integer dap.ListResult
dsp.localQualifier localQualifier Signed 32-bit integer dsp.INTEGER
dsp.modifyDNArgument modifyDNArgument No value dap.ModifyDNArgument
dsp.modifyDNResult modifyDNResult Unsigned 32-bit integer dap.ModifyDNResult
dsp.modifyEntryArgument modifyEntryArgument Unsigned 32-bit integer dap.ModifyEntryArgument
dsp.modifyEntryResult modifyEntryResult Unsigned 32-bit integer dap.ModifyEntryResult
dsp.nameResolutionPhase nameResolutionPhase Unsigned 32-bit integer dsp.T_nameResolutionPhase
dsp.nameResolveOnMaster nameResolveOnMaster Boolean dsp.BOOLEAN
dsp.nextRDNToBeResolved nextRDNToBeResolved Signed 32-bit integer dsp.INTEGER
dsp.notification notification Unsigned 32-bit integer dsp.SEQUENCE_OF_Attribute
dsp.notification_item Item No value x509if.Attribute
dsp.operationIdentifier operationIdentifier Signed 32-bit integer dsp.INTEGER
dsp.operationProgress operationProgress No value dsp.OperationProgress
dsp.originator originator Unsigned 32-bit integer x509if.DistinguishedName
dsp.other other No value acse.EXTERNAL
dsp.performer performer Unsigned 32-bit integer x509if.DistinguishedName
dsp.protocolInformation protocolInformation Unsigned 32-bit integer dsp.SET_OF_ProtocolInformation
dsp.protocolInformation_item Item No value x509sat.ProtocolInformation
dsp.rdnsResolved rdnsResolved Signed 32-bit integer dsp.INTEGER
dsp.readArgument readArgument Unsigned 32-bit integer dap.ReadArgument
dsp.readResult readResult Unsigned 32-bit integer dap.ReadResult
dsp.reference reference No value dsp.ContinuationReference
dsp.referenceType referenceType Unsigned 32-bit integer dsp.ReferenceType
dsp.relatedEntry relatedEntry Signed 32-bit integer dsp.INTEGER
dsp.removeEntryArgument removeEntryArgument Unsigned 32-bit integer dap.RemoveEntryArgument
dsp.removeEntryResult removeEntryResult Unsigned 32-bit integer dap.RemoveEntryResult
dsp.returnCrossRefs returnCrossRefs Boolean dsp.BOOLEAN
dsp.returnToDUA returnToDUA Boolean dsp.BOOLEAN
dsp.searchArgument searchArgument Unsigned 32-bit integer dap.SearchArgument
dsp.searchResult searchResult Unsigned 32-bit integer dap.SearchResult
dsp.searchRuleId searchRuleId No value x509if.SearchRuleId
dsp.securityParameters securityParameters No value dap.SecurityParameters
dsp.signed signed Boolean dsp.BOOLEAN
dsp.signedChainedAddEntryArgument signedChainedAddEntryArgument No value dsp.T_signedChainedAddEntryArgument
dsp.signedChainedAddEntryResult signedChainedAddEntryResult No value dsp.T_signedChainedAddEntryResult
dsp.signedChainedCompareArgument signedChainedCompareArgument No value dsp.T_signedChainedCompareArgument
dsp.signedChainedCompareResult signedChainedCompareResult No value dsp.T_signedChainedCompareResult
dsp.signedChainedListArgument signedChainedListArgument No value dsp.T_signedChainedListArgument
dsp.signedChainedListResult signedChainedListResult No value dsp.T_signedChainedListResult
dsp.signedChainedModifyDNArgument signedChainedModifyDNArgument No value dsp.T_signedChainedModifyDNArgument
dsp.signedChainedModifyDNResult signedChainedModifyDNResult No value dsp.T_signedChainedModifyDNResult
dsp.signedChainedModifyEntryArgument signedChainedModifyEntryArgument No value dsp.T_signedChainedModifyEntryArgument
dsp.signedChainedModifyEntryResult signedChainedModifyEntryResult No value dsp.T_signedChainedModifyEntryResult
dsp.signedChainedReadArgument signedChainedReadArgument No value dsp.T_signedChainedReadArgument
dsp.signedChainedReadResult signedChainedReadResult No value dsp.T_signedChainedReadResult
dsp.signedChainedRemoveEntryArgument signedChainedRemoveEntryArgument No value dsp.T_signedChainedRemoveEntryArgument
dsp.signedChainedRemoveEntryResult signedChainedRemoveEntryResult No value dsp.T_signedChainedRemoveEntryResult
dsp.signedChainedSearchArgument signedChainedSearchArgument No value dsp.T_signedChainedSearchArgument
dsp.signedChainedSearchResult signedChainedSearchResult No value dsp.T_signedChainedSearchResult
dsp.signedDSAReferral signedDSAReferral No value dsp.T_signedDSAReferral
dsp.targetObject targetObject Unsigned 32-bit integer x509if.DistinguishedName
dsp.timeLimit timeLimit Unsigned 32-bit integer dsp.Time
dsp.traceInformation traceInformation Unsigned 32-bit integer dsp.TraceInformation
dsp.uniqueIdentifier uniqueIdentifier Byte array x509sat.UniqueIdentifier
dsp.unsignedChainedAddEntryArgument unsignedChainedAddEntryArgument No value dsp.ChainedAddEntryArgumentData
dsp.unsignedChainedAddEntryResult unsignedChainedAddEntryResult No value dsp.ChainedAddEntryResultData
dsp.unsignedChainedCompareArgument unsignedChainedCompareArgument No value dsp.ChainedCompareArgumentData
dsp.unsignedChainedCompareResult unsignedChainedCompareResult No value dsp.ChainedCompareResultData
dsp.unsignedChainedListArgument unsignedChainedListArgument No value dsp.ChainedListArgumentData
dsp.unsignedChainedListResult unsignedChainedListResult No value dsp.ChainedListResultData
dsp.unsignedChainedModifyDNArgument unsignedChainedModifyDNArgument No value dsp.ChainedModifyDNArgumentData
dsp.unsignedChainedModifyDNResult unsignedChainedModifyDNResult No value dsp.ChainedModifyDNResultData
dsp.unsignedChainedModifyEntryArgument unsignedChainedModifyEntryArgument No value dsp.ChainedModifyEntryArgumentData
dsp.unsignedChainedModifyEntryResult unsignedChainedModifyEntryResult No value dsp.ChainedModifyEntryResultData
dsp.unsignedChainedReadArgument unsignedChainedReadArgument No value dsp.ChainedReadArgumentData
dsp.unsignedChainedReadResult unsignedChainedReadResult No value dsp.ChainedReadResultData
dsp.unsignedChainedRemoveEntryArgument unsignedChainedRemoveEntryArgument No value dsp.ChainedRemoveEntryArgumentData
dsp.unsignedChainedRemoveEntryResult unsignedChainedRemoveEntryResult No value dsp.ChainedRemoveEntryResultData
dsp.unsignedChainedSearchArgument unsignedChainedSearchArgument No value dsp.ChainedSearchArgumentData
dsp.unsignedChainedSearchResult unsignedChainedSearchResult No value dsp.ChainedSearchResultData
dsp.unsignedDSAReferral unsignedDSAReferral No value dsp.DSAReferralData
dsp.utcTime utcTime String dsp.UTCTime
ros.absent absent No value ros.NULL
ros.argument argument No value ros.T_argument
ros.bind_error bind-error No value ros.T_bind_error
ros.bind_invoke bind-invoke No value ros.T_bind_invoke
ros.bind_result bind-result No value ros.T_bind_result
ros.errcode errcode Signed 32-bit integer ros.ErrorCode
ros.general general Signed 32-bit integer ros.GeneralProblem
ros.global global ros.OBJECT_IDENTIFIER
ros.invoke invoke No value ros.Invoke
ros.invokeId invokeId Unsigned 32-bit integer ros.InvokeId
ros.linkedId linkedId Signed 32-bit integer ros.INTEGER
ros.local local Signed 32-bit integer ros.INTEGER
ros.opcode opcode Signed 32-bit integer ros.OperationCode
ros.parameter parameter No value ros.T_parameter
ros.present present Signed 32-bit integer ros.INTEGER
ros.problem problem Unsigned 32-bit integer ros.T_problem
ros.reject reject No value ros.Reject
ros.response_in Response In Frame number The response to this remote operation invocation is in this frame
ros.response_to Response To Frame number This is a response to the remote operation invocation in this frame
ros.result result No value ros.T_result
ros.returnError returnError No value ros.ReturnError
ros.returnResult returnResult No value ros.ReturnResult
ros.time Time Time duration The time between the Invoke and the Response
ros.unbind_error unbind-error No value ros.T_unbind_error
ros.unbind_invoke unbind-invoke No value ros.T_unbind_invoke
ros.unbind_result unbind-result No value ros.T_unbind_result
x11.above-sibling above-sibling Unsigned 32-bit integer
x11.acceleration-denominator acceleration-denominator Signed 16-bit integer
x11.acceleration-numerator acceleration-numerator Signed 16-bit integer
x11.access-mode access-mode Unsigned 8-bit integer
x11.address address Byte array
x11.address-length address-length Unsigned 16-bit integer
x11.alloc alloc Unsigned 8-bit integer
x11.allow-events-mode allow-events-mode Unsigned 8-bit integer
x11.allow-exposures allow-exposures Unsigned 8-bit integer
x11.arc arc No value
x11.arc-mode arc-mode Unsigned 8-bit integer Tell us if we're drawing an arc or a pie
x11.arc.angle1 angle1 Signed 16-bit integer
x11.arc.angle2 angle2 Signed 16-bit integer
x11.arc.height height Unsigned 16-bit integer
x11.arc.width width Unsigned 16-bit integer
x11.arc.x x Signed 16-bit integer
x11.arc.y y Signed 16-bit integer
x11.arcs arcs No value
x11.atom atom Unsigned 32-bit integer
x11.authorization-protocol-data authorization-protocol-data String
x11.authorization-protocol-data-length authorization-protocol-data-length Unsigned 16-bit integer
x11.authorization-protocol-name authorization-protocol-name String
x11.authorization-protocol-name-length authorization-protocol-name-length Unsigned 16-bit integer
x11.auto-repeat-mode auto-repeat-mode Unsigned 8-bit integer
x11.back-blue back-blue Unsigned 16-bit integer Background blue value for a cursor
x11.back-green back-green Unsigned 16-bit integer Background green value for a cursor
x11.back-red back-red Unsigned 16-bit integer Background red value for a cursor
x11.background background Unsigned 32-bit integer Background color
x11.background-pixel background-pixel Unsigned 32-bit integer Background color for a window
x11.background-pixmap background-pixmap Unsigned 32-bit integer Background pixmap for a window
x11.backing-pixel backing-pixel Unsigned 32-bit integer
x11.backing-planes backing-planes Unsigned 32-bit integer
x11.backing-store backing-store Unsigned 8-bit integer
x11.bell-duration bell-duration Signed 16-bit integer
x11.bell-percent bell-percent Signed 8-bit integer
x11.bell-pitch bell-pitch Signed 16-bit integer
x11.bit-gravity bit-gravity Unsigned 8-bit integer
x11.bit-plane bit-plane Unsigned 32-bit integer
x11.bitmap-format-bit-order bitmap-format-bit-order Unsigned 8-bit integer
x11.bitmap-format-scanline-pad bitmap-format-scanline-pad Unsigned 8-bit integer bitmap format scanline-pad
x11.bitmap-format-scanline-unit bitmap-format-scanline-unit Unsigned 8-bit integer bitmap format scanline unit
x11.blue blue Unsigned 16-bit integer
x11.blues blues Unsigned 16-bit integer
x11.border-pixel border-pixel Unsigned 32-bit integer
x11.border-pixmap border-pixmap Unsigned 32-bit integer
x11.border-width border-width Unsigned 16-bit integer
x11.button button Unsigned 8-bit integer
x11.byte-order byte-order Unsigned 8-bit integer
x11.bytes-after bytes-after Unsigned 32-bit integer bytes after
x11.cap-style cap-style Unsigned 8-bit integer
x11.change-host-mode change-host-mode Unsigned 8-bit integer
x11.childwindow childwindow Unsigned 32-bit integer childwindow
x11.cid cid Unsigned 32-bit integer
x11.class class Unsigned 8-bit integer
x11.clip-mask clip-mask Unsigned 32-bit integer
x11.clip-x-origin clip-x-origin Signed 16-bit integer
x11.clip-y-origin clip-y-origin Signed 16-bit integer
x11.close-down-mode close-down-mode Unsigned 8-bit integer
x11.cmap cmap Unsigned 32-bit integer
x11.color-items color-items No value
x11.coloritem coloritem No value
x11.coloritem.blue blue Unsigned 16-bit integer
x11.coloritem.flags flags Unsigned 8-bit integer
x11.coloritem.flags.do-blue do-blue Boolean
x11.coloritem.flags.do-green do-green Boolean
x11.coloritem.flags.do-red do-red Boolean
x11.coloritem.flags.unused unused Boolean
x11.coloritem.green green Unsigned 16-bit integer
x11.coloritem.pixel pixel Unsigned 32-bit integer
x11.coloritem.red red Unsigned 16-bit integer
x11.coloritem.unused unused No value
x11.colormap colormap Unsigned 32-bit integer
x11.colormap-state colormap-state Unsigned 8-bit integer
x11.colors colors Unsigned 16-bit integer The number of color cells to allocate
x11.configure-window-mask configure-window-mask Unsigned 16-bit integer
x11.configure-window-mask.border-width border-width Boolean
x11.configure-window-mask.height height Boolean
x11.configure-window-mask.sibling sibling Boolean
x11.configure-window-mask.stack-mode stack-mode Boolean
x11.configure-window-mask.width width Boolean
x11.configure-window-mask.x x Boolean
x11.configure-window-mask.y y Boolean
x11.confine-to confine-to Unsigned 32-bit integer
x11.contiguous contiguous Boolean
x11.coordinate-mode coordinate-mode Unsigned 8-bit integer
x11.count count Unsigned 8-bit integer
x11.cursor cursor Unsigned 32-bit integer
x11.dash-offset dash-offset Unsigned 16-bit integer
x11.dashes dashes Byte array
x11.dashes-length dashes-length Unsigned 16-bit integer
x11.data data Byte array
x11.data-length data-length Unsigned 32-bit integer
x11.delete delete Boolean Delete this property after reading
x11.delta delta Signed 16-bit integer
x11.depth depth Unsigned 8-bit integer
x11.destination destination Unsigned 8-bit integer
x11.detail detail Unsigned 8-bit integer detail
x11.direction direction Unsigned 8-bit integer
x11.do-acceleration do-acceleration Boolean
x11.do-not-propagate-mask do-not-propagate-mask Unsigned 32-bit integer
x11.do-not-propagate-mask.Button1Motion Button1Motion Boolean
x11.do-not-propagate-mask.Button2Motion Button2Motion Boolean
x11.do-not-propagate-mask.Button3Motion Button3Motion Boolean
x11.do-not-propagate-mask.Button4Motion Button4Motion Boolean
x11.do-not-propagate-mask.Button5Motion Button5Motion Boolean
x11.do-not-propagate-mask.ButtonMotion ButtonMotion Boolean
x11.do-not-propagate-mask.ButtonPress ButtonPress Boolean
x11.do-not-propagate-mask.ButtonRelease ButtonRelease Boolean
x11.do-not-propagate-mask.KeyPress KeyPress Boolean
x11.do-not-propagate-mask.KeyRelease KeyRelease Boolean
x11.do-not-propagate-mask.PointerMotion PointerMotion Boolean
x11.do-not-propagate-mask.erroneous-bits erroneous-bits Boolean
x11.do-threshold do-threshold Boolean
x11.drawable drawable Unsigned 32-bit integer
x11.dst-drawable dst-drawable Unsigned 32-bit integer
x11.dst-gc dst-gc Unsigned 32-bit integer
x11.dst-window dst-window Unsigned 32-bit integer
x11.dst-x dst-x Signed 16-bit integer
x11.dst-y dst-y Signed 16-bit integer
x11.error error Unsigned 8-bit integer error
x11.error-badvalue error-badvalue Unsigned 32-bit integer error badvalue
x11.error_sequencenumber error_sequencenumber Unsigned 16-bit integer error sequencenumber
x11.errorcode errorcode Unsigned 8-bit integer errrorcode
x11.event-detail event-detail Unsigned 8-bit integer
x11.event-mask event-mask Unsigned 32-bit integer
x11.event-mask.Button1Motion Button1Motion Boolean
x11.event-mask.Button2Motion Button2Motion Boolean
x11.event-mask.Button3Motion Button3Motion Boolean
x11.event-mask.Button4Motion Button4Motion Boolean
x11.event-mask.Button5Motion Button5Motion Boolean
x11.event-mask.ButtonMotion ButtonMotion Boolean
x11.event-mask.ButtonPress ButtonPress Boolean
x11.event-mask.ButtonRelease ButtonRelease Boolean
x11.event-mask.ColormapChange ColormapChange Boolean
x11.event-mask.EnterWindow EnterWindow Boolean
x11.event-mask.Exposure Exposure Boolean
x11.event-mask.FocusChange FocusChange Boolean
x11.event-mask.KeyPress KeyPress Boolean
x11.event-mask.KeyRelease KeyRelease Boolean
x11.event-mask.KeymapState KeymapState Boolean
x11.event-mask.LeaveWindow LeaveWindow Boolean
x11.event-mask.OwnerGrabButton OwnerGrabButton Boolean
x11.event-mask.PointerMotion PointerMotion Boolean
x11.event-mask.PointerMotionHint PointerMotionHint Boolean
x11.event-mask.PropertyChange PropertyChange Boolean
x11.event-mask.ResizeRedirect ResizeRedirect Boolean
x11.event-mask.StructureNotify StructureNotify Boolean
x11.event-mask.SubstructureNotify SubstructureNotify Boolean
x11.event-mask.SubstructureRedirect SubstructureRedirect Boolean
x11.event-mask.VisibilityChange VisibilityChange Boolean
x11.event-mask.erroneous-bits erroneous-bits Boolean
x11.event-sequencenumber event-sequencenumber Unsigned 16-bit integer event sequencenumber
x11.event-x event-x Unsigned 16-bit integer event x
x11.event-y event-y Unsigned 16-bit integer event y
x11.eventbutton eventbutton Unsigned 8-bit integer eventbutton
x11.eventcode eventcode Unsigned 8-bit integer eventcode
x11.eventwindow eventwindow Unsigned 32-bit integer eventwindow
x11.exact-blue exact-blue Unsigned 16-bit integer
x11.exact-green exact-green Unsigned 16-bit integer
x11.exact-red exact-red Unsigned 16-bit integer
x11.exposures exposures Boolean
x11.family family Unsigned 8-bit integer
x11.fid fid Unsigned 32-bit integer Font id
x11.fill-rule fill-rule Unsigned 8-bit integer
x11.fill-style fill-style Unsigned 8-bit integer
x11.first-error first-error Unsigned 8-bit integer
x11.first-event first-event Unsigned 8-bit integer
x11.first-keycode first-keycode Unsigned 8-bit integer
x11.focus focus Unsigned 8-bit integer
x11.focus-detail focus-detail Unsigned 8-bit integer
x11.focus-mode focus-mode Unsigned 8-bit integer
x11.font font Unsigned 32-bit integer
x11.fore-blue fore-blue Unsigned 16-bit integer
x11.fore-green fore-green Unsigned 16-bit integer
x11.fore-red fore-red Unsigned 16-bit integer
x11.foreground foreground Unsigned 32-bit integer
x11.format format Unsigned 8-bit integer
x11.from-configure from-configure Boolean
x11.function function Unsigned 8-bit integer
x11.gc gc Unsigned 32-bit integer
x11.gc-dashes gc-dashes Unsigned 8-bit integer
x11.gc-value-mask gc-value-mask Unsigned 32-bit integer
x11.gc-value-mask.arc-mode arc-mode Boolean
x11.gc-value-mask.background background Boolean
x11.gc-value-mask.cap-style cap-style Boolean
x11.gc-value-mask.clip-mask clip-mask Boolean
x11.gc-value-mask.clip-x-origin clip-x-origin Boolean
x11.gc-value-mask.clip-y-origin clip-y-origin Boolean
x11.gc-value-mask.dash-offset dash-offset Boolean
x11.gc-value-mask.fill-rule fill-rule Boolean
x11.gc-value-mask.fill-style fill-style Boolean
x11.gc-value-mask.font font Boolean
x11.gc-value-mask.foreground foreground Boolean
x11.gc-value-mask.function function Boolean
x11.gc-value-mask.gc-dashes gc-dashes Boolean
x11.gc-value-mask.graphics-exposures graphics-exposures Boolean
x11.gc-value-mask.join-style join-style Boolean
x11.gc-value-mask.line-style line-style Boolean
x11.gc-value-mask.line-width line-width Boolean
x11.gc-value-mask.plane-mask plane-mask Boolean
x11.gc-value-mask.stipple stipple Boolean
x11.gc-value-mask.subwindow-mode subwindow-mode Boolean
x11.gc-value-mask.tile tile Boolean
x11.gc-value-mask.tile-stipple-x-origin tile-stipple-x-origin Boolean
x11.gc-value-mask.tile-stipple-y-origin tile-stipple-y-origin Boolean
x11.get-property-type get-property-type Unsigned 32-bit integer
x11.grab-mode grab-mode Unsigned 8-bit integer
x11.grab-status grab-status Unsigned 8-bit integer
x11.grab-window grab-window Unsigned 32-bit integer
x11.graphics-exposures graphics-exposures Boolean
x11.green green Unsigned 16-bit integer
x11.greens greens Unsigned 16-bit integer
x11.height height Unsigned 16-bit integer
x11.image-byte-order image-byte-order Unsigned 8-bit integer
x11.image-format image-format Unsigned 8-bit integer
x11.image-pixmap-format image-pixmap-format Unsigned 8-bit integer
x11.initial-connection initial-connection No value undecoded
x11.interval interval Signed 16-bit integer
x11.ip-address ip-address IPv4 address
x11.items items No value
x11.join-style join-style Unsigned 8-bit integer
x11.key key Unsigned 8-bit integer
x11.key-click-percent key-click-percent Signed 8-bit integer
x11.keyboard-key keyboard-key Unsigned 8-bit integer
x11.keyboard-mode keyboard-mode Unsigned 8-bit integer
x11.keyboard-value-mask keyboard-value-mask Unsigned 32-bit integer
x11.keyboard-value-mask.auto-repeat-mode auto-repeat-mode Boolean
x11.keyboard-value-mask.bell-duration bell-duration Boolean
x11.keyboard-value-mask.bell-percent bell-percent Boolean
x11.keyboard-value-mask.bell-pitch bell-pitch Boolean
x11.keyboard-value-mask.key-click-percent key-click-percent Boolean
x11.keyboard-value-mask.keyboard-key keyboard-key Boolean
x11.keyboard-value-mask.led led Boolean
x11.keyboard-value-mask.led-mode led-mode Boolean
x11.keybut-mask-erroneous-bits keybut-mask-erroneous-bits Boolean keybut mask erroneous bits
x11.keycode keycode Unsigned 8-bit integer keycode
x11.keycode-count keycode-count Unsigned 8-bit integer
x11.keycodes keycodes No value
x11.keycodes-per-modifier keycodes-per-modifier Unsigned 8-bit integer
x11.keycodes.item item Byte array
x11.keys keys Byte array
x11.keysyms keysyms No value
x11.keysyms-per-keycode keysyms-per-keycode Unsigned 8-bit integer
x11.keysyms.item item No value
x11.keysyms.item.keysym keysym Unsigned 32-bit integer
x11.led led Unsigned 8-bit integer
x11.led-mode led-mode Unsigned 8-bit integer
x11.left-pad left-pad Unsigned 8-bit integer
x11.length-of-reason length-of-reason Unsigned 8-bit integer length of reason
x11.length-of-vendor length-of-vendor Unsigned 16-bit integer length of vendor
x11.line-style line-style Unsigned 8-bit integer
x11.line-width line-width Unsigned 16-bit integer
x11.long-length long-length Unsigned 32-bit integer The maximum length of the property in bytes
x11.long-offset long-offset Unsigned 32-bit integer The starting position in the property bytes array
x11.major-opcode major-opcode Unsigned 16-bit integer major opcode
x11.map map Byte array
x11.map-length map-length Unsigned 8-bit integer
x11.mask mask Unsigned 32-bit integer
x11.mask-char mask-char Unsigned 16-bit integer
x11.mask-font mask-font Unsigned 32-bit integer
x11.max-keycode max-keycode Unsigned 8-bit integer max keycode
x11.max-names max-names Unsigned 16-bit integer
x11.maximum-request-length maximum-request-length Unsigned 16-bit integer maximum request length
x11.mid mid Unsigned 32-bit integer
x11.min-keycode min-keycode Unsigned 8-bit integer min keycode
x11.minor-opcode minor-opcode Unsigned 16-bit integer minor opcode
x11.mode mode Unsigned 8-bit integer
x11.modifiers-mask modifiers-mask Unsigned 16-bit integer
x11.modifiers-mask.AnyModifier AnyModifier Unsigned 16-bit integer
x11.modifiers-mask.Button1 Button1 Boolean
x11.modifiers-mask.Button2 Button2 Boolean
x11.modifiers-mask.Button3 Button3 Boolean
x11.modifiers-mask.Button4 Button4 Boolean
x11.modifiers-mask.Button5 Button5 Boolean
x11.modifiers-mask.Control Control Boolean
x11.modifiers-mask.Lock Lock Boolean
x11.modifiers-mask.Mod1 Mod1 Boolean
x11.modifiers-mask.Mod2 Mod2 Boolean
x11.modifiers-mask.Mod3 Mod3 Boolean
x11.modifiers-mask.Mod4 Mod4 Boolean
x11.modifiers-mask.Mod5 Mod5 Boolean
x11.modifiers-mask.Shift Shift Boolean
x11.modifiers-mask.erroneous-bits erroneous-bits Boolean
x11.motion-buffer-size motion-buffer-size Unsigned 16-bit integer motion buffer size
x11.name name String
x11.name-length name-length Unsigned 16-bit integer
x11.new new Boolean
x11.number-of-formats-in-pixmap-formats number-of-formats-in-pixmap-formats Unsigned 8-bit integer number of formats in pixmap formats
x11.number-of-screens-in-roots number-of-screens-in-roots Unsigned 8-bit integer number of screens in roots
x11.odd-length odd-length Boolean
x11.only-if-exists only-if-exists Boolean
x11.opcode opcode Unsigned 8-bit integer
x11.ordering ordering Unsigned 8-bit integer
x11.override-redirect override-redirect Boolean Window manager doesn't manage this window when true
x11.owner owner Unsigned 32-bit integer
x11.owner-events owner-events Boolean
x11.parent parent Unsigned 32-bit integer
x11.path path No value
x11.path.string string String
x11.pattern pattern String
x11.pattern-length pattern-length Unsigned 16-bit integer
x11.percent percent Unsigned 8-bit integer
x11.pid pid Unsigned 32-bit integer
x11.pixel pixel Unsigned 32-bit integer
x11.pixels pixels No value
x11.pixels_item pixels_item Unsigned 32-bit integer
x11.pixmap pixmap Unsigned 32-bit integer
x11.place place Unsigned 8-bit integer
x11.plane-mask plane-mask Unsigned 32-bit integer
x11.planes planes Unsigned 16-bit integer
x11.point point No value
x11.point-x point-x Signed 16-bit integer
x11.point-y point-y Signed 16-bit integer
x11.pointer-event-mask pointer-event-mask Unsigned 16-bit integer
x11.pointer-event-mask.Button1Motion Button1Motion Boolean
x11.pointer-event-mask.Button2Motion Button2Motion Boolean
x11.pointer-event-mask.Button3Motion Button3Motion Boolean
x11.pointer-event-mask.Button4Motion Button4Motion Boolean
x11.pointer-event-mask.Button5Motion Button5Motion Boolean
x11.pointer-event-mask.ButtonMotion ButtonMotion Boolean
x11.pointer-event-mask.ButtonPress ButtonPress Boolean
x11.pointer-event-mask.ButtonRelease ButtonRelease Boolean
x11.pointer-event-mask.EnterWindow EnterWindow Boolean
x11.pointer-event-mask.KeymapState KeymapState Boolean
x11.pointer-event-mask.LeaveWindow LeaveWindow Boolean
x11.pointer-event-mask.PointerMotion PointerMotion Boolean
x11.pointer-event-mask.PointerMotionHint PointerMotionHint Boolean
x11.pointer-event-mask.erroneous-bits erroneous-bits Boolean
x11.pointer-mode pointer-mode Unsigned 8-bit integer
x11.points points No value
x11.prefer-blanking prefer-blanking Unsigned 8-bit integer
x11.present present Boolean
x11.propagate propagate Boolean
x11.properties properties No value
x11.properties.item item Unsigned 32-bit integer
x11.property property Unsigned 32-bit integer
x11.property-number property-number Unsigned 16-bit integer
x11.property-state property-state Unsigned 8-bit integer
x11.protocol-major-version protocol-major-version Unsigned 16-bit integer
x11.protocol-minor-version protocol-minor-version Unsigned 16-bit integer
x11.reason reason String reason
x11.rectangle rectangle No value
x11.rectangle-height rectangle-height Unsigned 16-bit integer
x11.rectangle-width rectangle-width Unsigned 16-bit integer
x11.rectangle-x rectangle-x Signed 16-bit integer
x11.rectangle-y rectangle-y Signed 16-bit integer
x11.rectangles rectangles No value
x11.red red Unsigned 16-bit integer
x11.reds reds Unsigned 16-bit integer
x11.release-number release-number Unsigned 32-bit integer release number
x11.reply reply Unsigned 8-bit integer reply
x11.reply-sequencenumber reply-sequencenumber Unsigned 16-bit integer
x11.replylength replylength Unsigned 32-bit integer replylength
x11.replyopcode replyopcode Unsigned 8-bit integer
x11.request request Unsigned 8-bit integer
x11.request-length request-length Unsigned 16-bit integer Request length
x11.requestor requestor Unsigned 32-bit integer
x11.resource resource Unsigned 32-bit integer
x11.resource-id-base resource-id-base Unsigned 32-bit integer resource id base
x11.resource-id-mask resource-id-mask Unsigned 32-bit integer resource id mask
x11.revert-to revert-to Unsigned 8-bit integer
x11.root-x root-x Unsigned 16-bit integer root x
x11.root-y root-y Unsigned 16-bit integer root y
x11.rootwindow rootwindow Unsigned 32-bit integer rootwindow
x11.same-screen same-screen Boolean same screen
x11.same-screen-focus-mask same-screen-focus-mask Unsigned 8-bit integer
x11.same-screen-focus-mask.focus focus Boolean
x11.same-screen-focus-mask.same-screen same-screen Boolean
x11.save-set-mode save-set-mode Unsigned 8-bit integer
x11.save-under save-under Boolean
x11.screen-saver-mode screen-saver-mode Unsigned 8-bit integer
x11.segment segment No value
x11.segment_x1 segment_x1 Signed 16-bit integer
x11.segment_x2 segment_x2 Signed 16-bit integer
x11.segment_y1 segment_y1 Signed 16-bit integer
x11.segment_y2 segment_y2 Signed 16-bit integer
x11.segments segments No value
x11.selection selection Unsigned 32-bit integer
x11.shape shape Unsigned 8-bit integer
x11.sibling sibling Unsigned 32-bit integer
x11.source-char source-char Unsigned 16-bit integer
x11.source-font source-font Unsigned 32-bit integer
x11.source-pixmap source-pixmap Unsigned 32-bit integer
x11.src-cmap src-cmap Unsigned 32-bit integer
x11.src-drawable src-drawable Unsigned 32-bit integer
x11.src-gc src-gc Unsigned 32-bit integer
x11.src-height src-height Unsigned 16-bit integer
x11.src-width src-width Unsigned 16-bit integer
x11.src-window src-window Unsigned 32-bit integer
x11.src-x src-x Signed 16-bit integer
x11.src-y src-y Signed 16-bit integer
x11.stack-mode stack-mode Unsigned 8-bit integer
x11.start start Unsigned 32-bit integer
x11.stipple stipple Unsigned 32-bit integer
x11.stop stop Unsigned 32-bit integer
x11.str-number-in-path str-number-in-path Unsigned 16-bit integer
x11.string string String
x11.string-length string-length Unsigned 32-bit integer
x11.string16 string16 String
x11.string16.bytes bytes Byte array
x11.subwindow-mode subwindow-mode Unsigned 8-bit integer
x11.success success Unsigned 8-bit integer success
x11.target target Unsigned 32-bit integer
x11.textitem textitem No value
x11.textitem.font font Unsigned 32-bit integer
x11.textitem.string string No value
x11.textitem.string.delta delta Signed 8-bit integer
x11.textitem.string.string16 string16 String
x11.textitem.string.string16.bytes bytes Byte array
x11.textitem.string.string8 string8 String
x11.threshold threshold Signed 16-bit integer
x11.tile tile Unsigned 32-bit integer
x11.tile-stipple-x-origin tile-stipple-x-origin Signed 16-bit integer
x11.tile-stipple-y-origin tile-stipple-y-origin Signed 16-bit integer
x11.time time Unsigned 32-bit integer
x11.timeout timeout Signed 16-bit integer
x11.type type Unsigned 32-bit integer
x11.undecoded undecoded No value Yet undecoded by dissector
x11.unused unused No value
x11.valuelength valuelength Unsigned 32-bit integer valuelength
x11.vendor vendor String vendor
x11.visibility-state visibility-state Unsigned 8-bit integer
x11.visual visual Unsigned 32-bit integer
x11.visual-blue visual-blue Unsigned 16-bit integer
x11.visual-green visual-green Unsigned 16-bit integer
x11.visual-red visual-red Unsigned 16-bit integer
x11.visualid visualid Unsigned 32-bit integer
x11.warp-pointer-dst-window warp-pointer-dst-window Unsigned 32-bit integer
x11.warp-pointer-src-window warp-pointer-src-window Unsigned 32-bit integer
x11.wid wid Unsigned 32-bit integer Window id
x11.width width Unsigned 16-bit integer
x11.win-gravity win-gravity Unsigned 8-bit integer
x11.win-x win-x Signed 16-bit integer
x11.win-y win-y Signed 16-bit integer
x11.window window Unsigned 32-bit integer
x11.window-class window-class Unsigned 16-bit integer Window class
x11.window-value-mask window-value-mask Unsigned 32-bit integer
x11.window-value-mask.background-pixel background-pixel Boolean
x11.window-value-mask.background-pixmap background-pixmap Boolean
x11.window-value-mask.backing-pixel backing-pixel Boolean
x11.window-value-mask.backing-planes backing-planes Boolean
x11.window-value-mask.backing-store backing-store Boolean
x11.window-value-mask.bit-gravity bit-gravity Boolean
x11.window-value-mask.border-pixel border-pixel Boolean
x11.window-value-mask.border-pixmap border-pixmap Boolean
x11.window-value-mask.colormap colormap Boolean
x11.window-value-mask.cursor cursor Boolean
x11.window-value-mask.do-not-propagate-mask do-not-propagate-mask Boolean
x11.window-value-mask.event-mask event-mask Boolean
x11.window-value-mask.override-redirect override-redirect Boolean
x11.window-value-mask.save-under save-under Boolean
x11.window-value-mask.win-gravity win-gravity Boolean
x11.x x Signed 16-bit integer
x11.y y Signed 16-bit integer
cmip.Destination Destination Unsigned 32-bit integer
cmip.DiscriminatorConstruct DiscriminatorConstruct Unsigned 32-bit integer
cmip.NameBinding NameBinding String
cmip.ObjectClass ObjectClass Unsigned 32-bit integer
cmip.OperationalState OperationalState Unsigned 32-bit integer
cmip.RDNSequence_item Item Unsigned 32-bit integer cmip.RelativeDistinguishedName
cmip.RelativeDistinguishedName_item Item No value cmip.AttributeValueAssertion
cmip.abortSource abortSource Unsigned 32-bit integer cmip.CMIPAbortSource
cmip.absent absent No value cmip.NULL
cmip.accessControl accessControl No value cmip.AccessControl
cmip.actionArgument actionArgument Unsigned 32-bit integer cmip.NoSuchArgument
cmip.actionError actionError No value cmip.ActionError
cmip.actionErrorInfo actionErrorInfo No value cmip.ActionErrorInfo
cmip.actionId actionId No value cmip.NoSuchArgumentAction
cmip.actionInfo actionInfo No value cmip.ActionInfo
cmip.actionInfoArg actionInfoArg No value cmip.T_actionInfoArg
cmip.actionReply actionReply No value cmip.ActionReply
cmip.actionReplyInfo actionReplyInfo No value cmip.T_actionReplyInfo
cmip.actionResult actionResult No value cmip.ActionResult
cmip.actionType actionType cmip.T_actionType
cmip.actionType_OID actionType String actionType
cmip.actionValue actionValue No value cmip.ActionInfo
cmip.ae_title_form1 ae-title-form1 Unsigned 32-bit integer cmip.AE_title_form1
cmip.ae_title_form2 ae-title-form2 cmip.AE_title_form2
cmip.and and Unsigned 32-bit integer cmip.SET_OF_CMISFilter
cmip.and_item Item Unsigned 32-bit integer cmip.CMISFilter
cmip.anyString anyString No value cmip.Attribute
cmip.argument argument No value cmip.Argument
cmip.argumentValue argumentValue Unsigned 32-bit integer cmip.InvalidArgumentValue
cmip.attribute attribute No value cmip.Attribute
cmip.attributeError attributeError No value cmip.AttributeError
cmip.attributeId attributeId cmip.T_attributeId
cmip.attributeIdError attributeIdError No value cmip.AttributeIdError
cmip.attributeIdList attributeIdList Unsigned 32-bit integer cmip.SET_OF_AttributeId
cmip.attributeIdList_item Item Unsigned 32-bit integer cmip.AttributeId
cmip.attributeId_OID attributeId String attributeId
cmip.attributeList attributeList Unsigned 32-bit integer cmip.SET_OF_Attribute
cmip.attributeList_item Item No value cmip.Attribute
cmip.attributeValue attributeValue No value cmip.T_attributeValue
cmip.baseManagedObjectClass baseManagedObjectClass Unsigned 32-bit integer cmip.ObjectClass
cmip.baseManagedObjectInstance baseManagedObjectInstance Unsigned 32-bit integer cmip.ObjectInstance
cmip.baseToNthLevel baseToNthLevel Signed 32-bit integer cmip.INTEGER
cmip.cancelGet cancelGet Boolean
cmip.currentTime currentTime String cmip.GeneralizedTime
cmip.deleteError deleteError No value cmip.DeleteError
cmip.deleteErrorInfo deleteErrorInfo Unsigned 32-bit integer cmip.T_deleteErrorInfo
cmip.deleteResult deleteResult No value cmip.DeleteResult
cmip.distinguishedName distinguishedName Unsigned 32-bit integer cmip.DistinguishedName
cmip.equality equality No value cmip.Attribute
cmip.errorId errorId cmip.T_errorId
cmip.errorId_OID errorId String errorId
cmip.errorInfo errorInfo No value cmip.T_errorInfo
cmip.errorStatus errorStatus Unsigned 32-bit integer cmip.T_errorStatus
cmip.eventId eventId No value cmip.NoSuchArgumentEvent
cmip.eventInfo eventInfo No value cmip.T_eventInfo
cmip.eventReply eventReply No value cmip.EventReply
cmip.eventReplyInfo eventReplyInfo No value cmip.T_eventReplyInfo
cmip.eventTime eventTime String cmip.GeneralizedTime
cmip.eventType eventType cmip.T_eventType
cmip.eventType_OID eventType String eventType
cmip.eventValue eventValue No value cmip.InvalidArgumentValueEventValue
cmip.extendedService extendedService Boolean
cmip.filter filter Unsigned 32-bit integer cmip.CMISFilter
cmip.finalString finalString No value cmip.Attribute
cmip.functionalUnits functionalUnits Byte array cmip.FunctionalUnits
cmip.generalProblem generalProblem Signed 32-bit integer cmip.GeneralProblem
cmip.getInfoList getInfoList Unsigned 32-bit integer cmip.SET_OF_GetInfoStatus
cmip.getInfoList_item Item Unsigned 32-bit integer cmip.GetInfoStatus
cmip.getListError getListError No value cmip.GetListError
cmip.getResult getResult No value cmip.GetResult
cmip.globalForm globalForm cmip.T_globalForm
cmip.greaterOrEqual greaterOrEqual No value cmip.Attribute
cmip.id id Unsigned 32-bit integer cmip.AttributeId
cmip.individualLevels individualLevels Signed 32-bit integer cmip.INTEGER
cmip.initialString initialString No value cmip.Attribute
cmip.invoke invoke No value cmip.Invoke
cmip.invokeId invokeId Unsigned 32-bit integer cmip.InvokeId
cmip.invokeProblem invokeProblem Signed 32-bit integer cmip.InvokeProblem
cmip.item item Unsigned 32-bit integer cmip.FilterItem
cmip.lessOrEqual lessOrEqual No value cmip.Attribute
cmip.linkedId linkedId Signed 32-bit integer cmip.InvokeLinkedId
cmip.localDistinguishedName localDistinguishedName Unsigned 32-bit integer cmip.RDNSequence
cmip.localForm localForm Signed 32-bit integer cmip.T_localForm
cmip.managedObjectClass managedObjectClass Unsigned 32-bit integer cmip.ObjectClass
cmip.managedObjectInstance managedObjectInstance Unsigned 32-bit integer cmip.ObjectInstance
cmip.managedOrSuperiorObjectInstance managedOrSuperiorObjectInstance Unsigned 32-bit integer cmip.T_managedOrSuperiorObjectInstance
cmip.modificationList modificationList Unsigned 32-bit integer cmip.SET_OF_ModificationItem
cmip.modificationList_item Item No value cmip.ModificationItem
cmip.modifyOperator modifyOperator Signed 32-bit integer cmip.ModifyOperator
cmip.multiple multiple Unsigned 32-bit integer cmip.SET_OF_AE_title
cmip.multipleObjectSelection multipleObjectSelection Boolean
cmip.multipleReply multipleReply Boolean
cmip.multiple_item Item Unsigned 32-bit integer cmip.AE_title
cmip.namedNumbers namedNumbers Signed 32-bit integer cmip.T_namedNumbers
cmip.nonNullSetIntersection nonNullSetIntersection No value cmip.Attribute
cmip.nonSpecificForm nonSpecificForm Byte array cmip.OCTET_STRING
cmip.not not Unsigned 32-bit integer cmip.CMISFilter
cmip.ocglobalForm ocglobalForm cmip.T_ocglobalForm
cmip.oclocalForm oclocalForm Signed 32-bit integer cmip.T_oclocalForm
cmip.opcode opcode Signed 32-bit integer cmip.Opcode
cmip.or or Unsigned 32-bit integer cmip.SET_OF_CMISFilter
cmip.or_item Item Unsigned 32-bit integer cmip.CMISFilter
cmip.present present Unsigned 32-bit integer cmip.AttributeId
cmip.processingFailure processingFailure No value cmip.ProcessingFailure
cmip.protocolVersion protocolVersion Byte array cmip.ProtocolVersion
cmip.rRBody rRBody No value cmip.ReturnResultBody
cmip.rdnSequence rdnSequence Unsigned 32-bit integer cmip.RDNSequence
cmip.referenceObjectInstance referenceObjectInstance Unsigned 32-bit integer cmip.ObjectInstance
cmip.reject reject No value cmip.Reject
cmip.rejectProblem rejectProblem Unsigned 32-bit integer cmip.RejectProb
cmip.returnError returnError No value cmip.ReturnError
cmip.returnErrorProblem returnErrorProblem Signed 32-bit integer cmip.ReturnErrorProblem
cmip.returnResult returnResult No value cmip.ReturnResult
cmip.returnResultProblem returnResultProblem Signed 32-bit integer cmip.ReturnResultProblem
cmip.scope scope Unsigned 32-bit integer cmip.Scope
cmip.setInfoList setInfoList Unsigned 32-bit integer cmip.SET_OF_SetInfoStatus
cmip.setInfoList_item Item Unsigned 32-bit integer cmip.SetInfoStatus
cmip.setListError setListError No value cmip.SetListError
cmip.setResult setResult No value cmip.SetResult
cmip.single single Unsigned 32-bit integer cmip.AE_title
cmip.specificErrorInfo specificErrorInfo No value cmip.SpecificErrorInfo
cmip.subsetOf subsetOf No value cmip.Attribute
cmip.substrings substrings Unsigned 32-bit integer cmip.T_substrings
cmip.substrings_item Item Unsigned 32-bit integer cmip.T_substrings_item
cmip.superiorObjectInstance superiorObjectInstance Unsigned 32-bit integer cmip.ObjectInstance
cmip.supersetOf supersetOf No value cmip.Attribute
cmip.synchronization synchronization Unsigned 32-bit integer cmip.CMISSync
cmip.userInfo userInfo No value acse.EXTERNAL
cmip.value value No value cmip.T_value
cmip.version1 version1 Boolean
cmip.version2 version2 Boolean
xyplex.pad Pad Unsigned 8-bit integer Padding
xyplex.reply Registration Reply Unsigned 16-bit integer Registration reply
xyplex.reserved Reserved field Unsigned 16-bit integer Reserved field
xyplex.return_port Return Port Unsigned 16-bit integer Return port
xyplex.server_port Server Port Unsigned 16-bit integer Server port
xyplex.type Type Unsigned 8-bit integer Protocol type
yhoo.connection_id Connection ID Unsigned 32-bit integer Connection ID
yhoo.content Content String Data portion of the packet
yhoo.len Packet Length Unsigned 32-bit integer Packet Length
yhoo.magic_id Magic ID Unsigned 32-bit integer Magic ID
yhoo.msgtype Message Type Unsigned 32-bit integer Message Type Flags
yhoo.nick1 Real Nick (nick1) String Real Nick (nick1)
yhoo.nick2 Active Nick (nick2) String Active Nick (nick2)
yhoo.service Service Type Unsigned 32-bit integer Service Type
yhoo.unknown1 Unknown 1 Unsigned 32-bit integer Unknown 1
yhoo.version Version String Packet version identifier
ymsg.content Content String Data portion of the packet
ymsg.content-line Content-line String Data portion of the packet
ymsg.content-line.key Key String Content line key
ymsg.content-line.value Value String Content line value
ymsg.len Packet Length Unsigned 16-bit integer Packet Length
ymsg.service Service Unsigned 16-bit integer Service Type
ymsg.session_id Session ID Unsigned 32-bit integer Connection ID
ymsg.status Status Unsigned 32-bit integer Message Type Flags
ymsg.version Version Unsigned 16-bit integer Packet version identifier
ypbind.addr IP Addr IPv4 address IP Address of server
ypbind.domain Domain String Name of the NIS/YP Domain
ypbind.error Error Unsigned 32-bit integer YPBIND Error code
ypbind.port Port Unsigned 32-bit integer Port to use
ypbind.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
ypbind.procedure_v2 V2 Procedure Unsigned 32-bit integer V2 Procedure
ypbind.resp_type Response Type Unsigned 32-bit integer Response type
ypbind.setdom.version Version Unsigned 32-bit integer Version of setdom
yppasswd.newpw newpw No value New passwd entry
yppasswd.newpw.dir dir String Home Directory
yppasswd.newpw.gecos gecos String In real life name
yppasswd.newpw.gid gid Unsigned 32-bit integer GroupID
yppasswd.newpw.name name String Username
yppasswd.newpw.passwd passwd String Encrypted passwd
yppasswd.newpw.shell shell String Default shell
yppasswd.newpw.uid uid Unsigned 32-bit integer UserID
yppasswd.oldpass oldpass String Old encrypted password
yppasswd.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
yppasswd.status status Unsigned 32-bit integer YPPasswd update status
ypserv.domain Domain String Domain
ypserv.key Key String Key
ypserv.map Map Name String Map Name
ypserv.map_parms YP Map Parameters No value YP Map Parameters
ypserv.more More Boolean More
ypserv.ordernum Order Number Unsigned 32-bit integer Order Number for XFR
ypserv.peer Peer Name String Peer Name
ypserv.port Port Unsigned 32-bit integer Port to use for XFR Callback
ypserv.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
ypserv.procedure_v2 V2 Procedure Unsigned 32-bit integer V2 Procedure
ypserv.prog Program Number Unsigned 32-bit integer Program Number to use for XFR Callback
ypserv.servesdomain Serves Domain Boolean Serves Domain
ypserv.status Status Signed 32-bit integer Status
ypserv.transid Host Transport ID IPv4 address Host Transport ID to use for XFR Callback
ypserv.value Value String Value
ypserv.xfrstat Xfrstat Signed 32-bit integer Xfrstat
ypxfr.procedure_v1 V1 Procedure Unsigned 32-bit integer V1 Procedure
zebra.bandwidth Bandwidth Unsigned 32-bit integer Bandwidth of interface
zebra.command Command Unsigned 8-bit integer ZEBRA command
zebra.dest4 Destination IPv4 address Destination IPv4 field
zebra.dest6 Destination IPv6 address Destination IPv6 field
zebra.distance Distance Unsigned 8-bit integer Distance of route
zebra.family Family Unsigned 32-bit integer Family of IP address
zebra.index Index Unsigned 32-bit integer Index of interface
zebra.indexnum Index Number Unsigned 8-bit integer Number of indices for route
zebra.interface Interface String Interface name of ZEBRA request
zebra.intflags Flags Unsigned 32-bit integer Flags of interface
zebra.len Length Unsigned 16-bit integer Length of ZEBRA request
zebra.message Message Unsigned 8-bit integer Message type of route
zebra.message.distance Message Distance Boolean Message contains distance
zebra.message.index Message Index Boolean Message contains index
zebra.message.metric Message Metric Boolean Message contains metric
zebra.message.nexthop Message Nexthop Boolean Message contains nexthop
zebra.metric Metric Unsigned 32-bit integer Metric of interface or route
zebra.mtu MTU Unsigned 32-bit integer MTU of interface
zebra.nexthop4 Nexthop IPv4 address Nethop IPv4 field of route
zebra.nexthop6 Nexthop IPv6 address Nethop IPv6 field of route
zebra.nexthopnum Nexthop Number Unsigned 8-bit integer Number of nexthops in route
zebra.prefix4 Prefix IPv4 address Prefix IPv4
zebra.prefix6 Prefix IPv6 address Prefix IPv6
zebra.prefixlen Prefix length Unsigned 32-bit integer Prefix length
zebra.request Request Boolean TRUE if ZEBRA request
zebra.rtflags Flags Unsigned 8-bit integer Flags of route
zebra.type Type Unsigned 8-bit integer Type of route
zip.atp_function Function Unsigned 8-bit integer
zip.count Count Unsigned 16-bit integer
zip.default_zone Default zone String
zip.flags Flags Boolean
zip.flags.only_one_zone Only one zone Boolean
zip.flags.use_broadcast Use broadcast Boolean
zip.flags.zone_invalid Zone invalid Boolean
zip.function Function Unsigned 8-bit integer ZIP function
zip.last_flag Last Flag Boolean Non zero if contains last zone name in the zone list
zip.multicast_address Multicast address Byte array Multicast address
zip.multicast_length Multicast length Unsigned 8-bit integer Multicast address length
zip.network Network Unsigned 16-bit integer
zip.network_count Count Unsigned 8-bit integer
zip.network_end Network end Unsigned 16-bit integer
zip.network_start Network start Unsigned 16-bit integer
zip.start_index Start index Unsigned 16-bit integer
zip.zero_value Pad (0) Byte array Pad
zip.zone_name Zone String
edonkey.client_hash Client Hash Byte array eDonkey Client Hash
edonkey.clientid Client ID IPv4 address eDonkey Client ID
edonkey.clientinfo eDonkey Client Info No value eDonkey Client Info
edonkey.directory Directory String eDonkey Directory
edonkey.file_hash File Hash Byte array eDonkey File Hash
edonkey.file_status File Status Byte array eDonkey File Status
edonkey.fileinfo eDonkey File Info No value eDonkey File Info
edonkey.hash Hash Byte array eDonkey Hash
edonkey.ip IP IPv4 address eDonkey IP
edonkey.message eDonkey Message No value eDonkey Message
edonkey.message.length Message Length Unsigned 32-bit integer eDonkey Message Length
edonkey.message.type Message Type Unsigned 8-bit integer eDonkey Message Type
edonkey.metatag eDonkey Meta Tag No value eDonkey Meta Tag
edonkey.metatag.id Meta Tag ID Unsigned 8-bit integer eDonkey Meta Tag ID
edonkey.metatag.name Meta Tag Name String eDonkey Meta Tag Name
edonkey.metatag.namesize Meta Tag Name Size Unsigned 16-bit integer eDonkey Meta Tag Name Size
edonkey.metatag.type Meta Tag Type Unsigned 8-bit integer eDonkey Meta Tag Type
edonkey.part_count Part Count Unsigned 16-bit integer eDonkey Part Count
edonkey.port Port Unsigned 16-bit integer eDonkey Port
edonkey.protocol Protocol Unsigned 8-bit integer eDonkey Protocol
edonkey.search eDonkey Search No value eDonkey Search
edonkey.server_hash Server Hash Byte array eDonkey Server Hash
edonkey.serverinfo eDonkey Server Info No value eDonkey Server Info
edonkey.string String String eDonkey String
edonkey.string_length String Length Unsigned 16-bit integer eDonkey String Length
emule.aich_hash AICH Hash Byte array eMule AICH Hash
emule.aich_hash_id AICH Hash ID Unsigned 16-bit integer eMule AICH Hash ID
emule.aich_partnum Part Number Unsigned 16-bit integer eMule AICH Part Number
emule.aich_root_hash AICH Root Hash Byte array eMule AICH Root Hash
emule.multipacket_entry eMule MultiPacket Entry No value eMule MultiPacket Entry
emule.multipacket_opcode MultiPacket Opcode Unsigned 8-bit integer eMule MultiPacket Opcode
emule.source_count Compeleted Sources Count Unsigned 16-bit integer eMule Completed Sources Count
emule.zlib Compressed Data No value eMule Compressed Data
emule_aich_hash_entry AICH Hash Entry No value eMule AICH Hash Entry
overnet.peer Overnet Peer No value Overnet Peer
xml.attribute Attribute String
xml.cdata CDATA String
xml.comment Comment String
xml.doctype Doctype String
xml.dtdtag DTD Tag String
xml.tag Tag String
xml.unknown Unknown String
xml.xmlpi XMLPI String
xml.xmlpi.xml xml.xmlpi.xml String
xml.xmlpi.xml.encoding encoding String
xml.xmlpi.xml.standalone standalone String
xml.xmlpi.xml.version version String
gift.request Request Boolean TRUE if giFT request
gift.response Response Boolean TRUE if giFT response
h450.ActivateDiversionQArg ActivateDiversionQArg No value h450.ActivateDiversionQArg
h450.ActivateDiversionQRes ActivateDiversionQRes Unsigned 32-bit integer h450.ActivateDiversionQRes
h450.CallReroutingRes CallReroutingRes Unsigned 32-bit integer h450.CallReroutingRes
h450.CallTransferAbandon CallTransferAbandon Unsigned 32-bit integer h450.CallTransferAbandon
h450.CallTransferActive CallTransferActive No value h450.CallTransferActive
h450.CallTransferComplete CallTransferComplete No value h450.CallTransferComplete
h450.CallTransferIdentify CallTransferIdentify Unsigned 32-bit integer h450.CallTransferIdentify
h450.CallTransferInitiate CallTransferInitiate No value h450.CallTransferInitiate
h450.CallTransferSetup CallTransferSetup No value h450.CallTransferSetup
h450.CallTransferUpdate CallTransferUpdate No value h450.CallTransferUpdate
h450.CheckRestrictionRes CheckRestrictionRes Unsigned 32-bit integer h450.CheckRestrictionRes
h450.DeactivateDiversionQRes DeactivateDiversionQRes Unsigned 32-bit integer h450.DeactivateDiversionQRes
h450.ExtensionArg_item Item Unsigned 32-bit integer h450.MixedExtension
h450.ExtensionSeq_item Item No value h450.Extension
h450.IntResultList_item Item No value h450.IntResult
h450.InterrogateDiversionQRes InterrogateDiversionQRes Unsigned 32-bit integer h450.InterrogateDiversionQRes
h450.MWIInterrogateRes_item Item No value h450.MWIInterrogateResElt
h450.MwiDummyRes_item Item Unsigned 32-bit integer h450.MixedExtension
h450.SubaddressTransfer SubaddressTransfer No value h450.SubaddressTransfer
h450.activatingUserNr activatingUserNr No value h450.EndpointAddress
h450.anyEntity anyEntity No value h450.NULL
h450.argumentExtension argumentExtension Unsigned 32-bit integer h450.ArgumentExtension
h450.argumentExtension_item Item Unsigned 32-bit integer h450.MixedExtension
h450.basicCallInfoElements basicCallInfoElements Byte array h450.H225InformationElement
h450.basicService basicService Unsigned 32-bit integer h450.BasicService
h450.callForceReleased callForceReleased No value h450.NULL
h450.callIdentity callIdentity String h450.CallIdentity
h450.callIntruded callIntruded No value h450.NULL
h450.callIntrusionComplete callIntrusionComplete No value h450.NULL
h450.callIntrusionEnd callIntrusionEnd No value h450.NULL
h450.callIntrusionImpending callIntrusionImpending No value h450.NULL
h450.callIsolated callIsolated No value h450.NULL
h450.callPickupId callPickupId No value h225.CallIdentifier
h450.callStatus callStatus Unsigned 32-bit integer h450.CallStatus
h450.callbackReq callbackReq Boolean h450.BOOLEAN
h450.calledAddress calledAddress No value h450.EndpointAddress
h450.callingInfo callingInfo String h450.BMPString_SIZE_1_128
h450.callingNr callingNr No value h450.EndpointAddress
h450.callingNumber callingNumber No value h450.EndpointAddress
h450.callingPartySubaddress callingPartySubaddress Unsigned 32-bit integer h450.PartySubaddress
h450.can_retain_service can-retain-service Boolean h450.BOOLEAN
h450.ccIdentifier ccIdentifier No value h225.CallIdentifier
h450.ciCapabilityLevel ciCapabilityLevel Unsigned 32-bit integer h450.CICapabilityLevel
h450.ciProtectionLevel ciProtectionLevel Unsigned 32-bit integer h450.CIProtectionLevel
h450.ciStatusInformation ciStatusInformation Unsigned 32-bit integer h450.CIStatusInformation
h450.clearCallIfAnyInvokePduNotRecognized clearCallIfAnyInvokePduNotRecognized No value h450.NULL
h450.connectedAddress connectedAddress No value h450.EndpointAddress
h450.connectedInfo connectedInfo String h450.BMPString_SIZE_1_128
h450.deactivatingUserNr deactivatingUserNr No value h450.EndpointAddress
h450.destinationAddress destinationAddress Unsigned 32-bit integer h450.SEQUENCE_OF_AliasAddress
h450.destinationAddressPresentationIndicator destinationAddressPresentationIndicator Unsigned 32-bit integer h225.PresentationIndicator
h450.destinationAddressScreeningIndicator destinationAddressScreeningIndicator Unsigned 32-bit integer h225.ScreeningIndicator
h450.destinationAddress_item Item Unsigned 32-bit integer h225.AliasAddress
h450.destinationEntity destinationEntity Unsigned 32-bit integer h450.EntityType
h450.destinationEntityAddress destinationEntityAddress Unsigned 32-bit integer h450.AddressInformation
h450.discardAnyUnrecognizedInvokePdu discardAnyUnrecognizedInvokePdu No value h450.NULL
h450.diversionCounter diversionCounter Unsigned 32-bit integer h450.INTEGER_1_15
h450.diversionReason diversionReason Unsigned 32-bit integer h450.DiversionReason
h450.divertedToAddress divertedToAddress No value h450.EndpointAddress
h450.divertedToNr divertedToNr No value h450.EndpointAddress
h450.divertingNr divertingNr No value h450.EndpointAddress
h450.endDesignation endDesignation Unsigned 32-bit integer h450.EndDesignation
h450.endpoint endpoint No value h450.NULL
h450.extendedName extendedName String h450.ExtendedName
h450.extension extension Unsigned 32-bit integer h450.ActivateDiversionQArg_extension
h450.extensionArg extensionArg Unsigned 32-bit integer h450.SEQUENCE_SIZE_0_255_OF_MixedExtension
h450.extensionArg_item Item Unsigned 32-bit integer h450.MixedExtension
h450.extensionArgument extensionArgument Byte array h450.ExtensionArgument
h450.extensionId extensionId h450.OBJECT_IDENTIFIER
h450.extensionRes extensionRes Unsigned 32-bit integer h450.SEQUENCE_SIZE_0_255_OF_MixedExtension
h450.extensionRes_item Item Unsigned 32-bit integer h450.MixedExtension
h450.extensionSeq extensionSeq Unsigned 32-bit integer h450.ExtensionSeq
h450.extension_item Item Unsigned 32-bit integer h450.MixedExtension
h450.featureControl featureControl No value h450.FeatureControl
h450.featureList featureList No value h450.FeatureList
h450.featureValues featureValues No value h450.FeatureValues
h450.groupMemberUserNr groupMemberUserNr No value h450.EndpointAddress
h450.h225InfoElement h225InfoElement Byte array h450.H225InformationElement
h450.integer integer Unsigned 32-bit integer h450.INTEGER_0_65535
h450.interpretationApdu interpretationApdu Unsigned 32-bit integer h450.InterpretationApdu
h450.interrogatingUserNr interrogatingUserNr No value h450.EndpointAddress
h450.lastReroutingNr lastReroutingNr No value h450.EndpointAddress
h450.longArg longArg No value h450.CcLongArg
h450.msgCentreId msgCentreId Unsigned 32-bit integer h450.MsgCentreId
h450.mwipartyNumber mwipartyNumber No value h450.EndpointAddress
h450.name name Unsigned 32-bit integer h450.Name
h450.nameNotAvailable nameNotAvailable No value h450.NULL
h450.namePresentationAllowed namePresentationAllowed Unsigned 32-bit integer h450.NamePresentationAllowed
h450.namePresentationRestricted namePresentationRestricted Unsigned 32-bit integer h450.NamePresentationRestricted
h450.nbOfAddWaitingCalls nbOfAddWaitingCalls Unsigned 32-bit integer h450.INTEGER_0_255
h450.nbOfMessages nbOfMessages Unsigned 32-bit integer h450.NbOfMessages
h450.networkFacilityExtension networkFacilityExtension No value h450.NetworkFacilityExtension
h450.nominatedInfo nominatedInfo String h450.BMPString_SIZE_1_128
h450.nominatedNr nominatedNr No value h450.EndpointAddress
h450.nonStandard nonStandard No value h225.NonStandardParameter
h450.nonStandardData nonStandardData No value h225.NonStandardParameter
h450.nsapSubaddress nsapSubaddress Byte array h450.NSAPSubaddress
h450.numberA numberA No value h450.EndpointAddress
h450.numberB numberB No value h450.EndpointAddress
h450.numberNotAvailableDueToInterworking numberNotAvailableDueToInterworking No value h450.NULL
h450.numericString numericString String h450.NumericString_SIZE_1_10
h450.oddCountIndicator oddCountIndicator Boolean h450.BOOLEAN
h450.originalCalledInfo originalCalledInfo String h450.BMPString_SIZE_1_128
h450.originalCalledNr originalCalledNr No value h450.EndpointAddress
h450.originalDiversionReason originalDiversionReason Unsigned 32-bit integer h450.DiversionReason
h450.originalReroutingReason originalReroutingReason Unsigned 32-bit integer h450.DiversionReason
h450.originatingNr originatingNr No value h450.EndpointAddress
h450.parkCondition parkCondition Unsigned 32-bit integer h450.ParkCondition
h450.parkPosition parkPosition Unsigned 32-bit integer h450.ParkedToPosition
h450.parkedNumber parkedNumber No value h450.EndpointAddress
h450.parkedToNumber parkedToNumber No value h450.EndpointAddress
h450.parkedToPosition parkedToPosition Unsigned 32-bit integer h450.ParkedToPosition
h450.parkingNumber parkingNumber No value h450.EndpointAddress
h450.partyCategory partyCategory Unsigned 32-bit integer h450.PartyCategory
h450.partyNumber partyNumber Unsigned 32-bit integer h225.PartyNumber
h450.partySubaddress partySubaddress Unsigned 32-bit integer h450.PartySubaddress
h450.partyToRetrieve partyToRetrieve No value h450.EndpointAddress
h450.picking_upNumber picking-upNumber No value h450.EndpointAddress
h450.presentationAllowedAddress presentationAllowedAddress No value h450.AddressScreened
h450.presentationAllowedIndicator presentationAllowedIndicator Boolean h450.PresentationAllowedIndicator
h450.presentationRestricted presentationRestricted No value h450.NULL
h450.presentationRestrictedAddress presentationRestrictedAddress No value h450.AddressScreened
h450.priority priority Unsigned 32-bit integer h450.INTEGER_0_9
h450.procedure procedure Unsigned 32-bit integer h450.Procedure
h450.redirectingInfo redirectingInfo String h450.BMPString_SIZE_1_128
h450.redirectingNr redirectingNr No value h450.EndpointAddress
h450.redirectionInfo redirectionInfo String h450.BMPString_SIZE_1_128
h450.redirectionNr redirectionNr No value h450.EndpointAddress
h450.redirectionNumber redirectionNumber No value h450.EndpointAddress
h450.redirectionSubaddress redirectionSubaddress Unsigned 32-bit integer h450.PartySubaddress
h450.rejectAnyUnrecognizedInvokePdu rejectAnyUnrecognizedInvokePdu No value h450.NULL
h450.remoteEnabled remoteEnabled Boolean h450.BOOLEAN
h450.remoteExtensionAddress remoteExtensionAddress Unsigned 32-bit integer h225.AliasAddress
h450.remoteExtensionAddressPresentationIndicator remoteExtensionAddressPresentationIndicator Unsigned 32-bit integer h225.PresentationIndicator
h450.remoteExtensionAddressScreeningIndicator remoteExtensionAddressScreeningIndicator Unsigned 32-bit integer h225.ScreeningIndicator
h450.reroutingNumber reroutingNumber No value h450.EndpointAddress
h450.reroutingReason reroutingReason Unsigned 32-bit integer h450.DiversionReason
h450.restrictedNull restrictedNull No value h450.NULL
h450.resultExtension resultExtension Unsigned 32-bit integer h450.T_resultExtension
h450.resultExtension_item Item Unsigned 32-bit integer h450.MixedExtension
h450.retain_service retain-service Boolean h450.BOOLEAN
h450.retain_sig_connection retain-sig-connection Boolean h450.BOOLEAN
h450.retrieveAddress retrieveAddress No value h450.EndpointAddress
h450.retrieveCallType retrieveCallType Unsigned 32-bit integer h450.CallType
h450.rosApdus rosApdus Unsigned 32-bit integer h450.SEQUENCE_OF_ROSxxx
h450.rosApdus_item Item No value ros.ROSxxx
h450.screeningIndicator screeningIndicator Unsigned 32-bit integer h225.ScreeningIndicator
h450.servedUserNr servedUserNr No value h450.EndpointAddress
h450.service service Unsigned 32-bit integer h450.BasicService
h450.serviceApdu serviceApdu Unsigned 32-bit integer h450.ServiceApdus
h450.shortArg shortArg No value h450.CcShortArg
h450.silentMonitoringPermitted silentMonitoringPermitted No value h450.NULL
h450.simpleName simpleName Byte array h450.SimpleName
h450.sourceEntity sourceEntity Unsigned 32-bit integer h450.EntityType
h450.sourceEntityAddress sourceEntityAddress Unsigned 32-bit integer h450.AddressInformation
h450.specificCall specificCall No value h225.CallIdentifier
h450.ssCCBSPossible ssCCBSPossible No value h450.NULL
h450.ssCCNRPossible ssCCNRPossible No value h450.NULL
h450.ssCFreRoutingSupported ssCFreRoutingSupported No value h450.NULL
h450.ssCHDoNotHold ssCHDoNotHold No value h450.NULL
h450.ssCHFarHoldSupported ssCHFarHoldSupported No value h450.NULL
h450.ssCIConferenceSupported ssCIConferenceSupported No value h450.NULL
h450.ssCIForcedReleaseSupported ssCIForcedReleaseSupported No value h450.NULL
h450.ssCIIsolationSupported ssCIIsolationSupported No value h450.NULL
h450.ssCISilentMonitorPermitted ssCISilentMonitorPermitted No value h450.NULL
h450.ssCISilentMonitoringSupported ssCISilentMonitoringSupported No value h450.NULL
h450.ssCIWaitOnBusySupported ssCIWaitOnBusySupported No value h450.NULL
h450.ssCIprotectionLevel ssCIprotectionLevel Unsigned 32-bit integer h450.SSCIProtectionLevel
h450.ssCOSupported ssCOSupported No value h450.NULL
h450.ssCPCallParkSupported ssCPCallParkSupported No value h450.NULL
h450.ssCTDoNotTransfer ssCTDoNotTransfer No value h450.NULL
h450.ssCTreRoutingSupported ssCTreRoutingSupported No value h450.NULL
h450.ssMWICallbackCall ssMWICallbackCall No value h450.NULL
h450.ssMWICallbackSupported ssMWICallbackSupported No value h450.NULL
h450.subaddressInformation subaddressInformation Byte array h450.SubaddressInformation
h450.subscriptionOption subscriptionOption Unsigned 32-bit integer h450.SubscriptionOption
h450.timestamp timestamp String h450.TimeStamp
h450.transferringNumber transferringNumber No value h450.EndpointAddress
h450.userSpecifiedSubaddress userSpecifiedSubaddress No value h450.UserSpecifiedSubaddress
h4501.GeneralProblem GeneralProblem Unsigned 32-bit integer GeneralProblem
h4501.Invoke Invoke No value Invoke sequence of
h4501.InvokeProblem InvokeProblem Unsigned 32-bit integer InvokeProblem
h4501.ROS ROS Unsigned 32-bit integer ROS choice
h4501.Reject Reject No value Reject sequence of
h4501.ReturnError ReturnError No value ReturnError sequence of
h4501.ReturnErrorProblem ReturnErrorProblem Unsigned 32-bit integer ReturnErrorProblem
h4501.ReturnResult ReturnResult No value ReturnResult sequence of
h4501.ReturnResult.result ReturnResult_result Byte array result
h4501.ReturnResultProblem ReturnResultProblem Unsigned 32-bit integer ReturnResultProblem
h4501.SupplementaryService SupplementaryService No value SupplementaryService sequence
h4501.dummy dummy No value Dummy
h4501.errorCode errorCode Unsigned 32-bit integer errorCode
h4501.globalArgument argumentArgument Byte array argument
h4501.globalCode globalCode String global
h4501.invokeId invokeId Unsigned 32-bit integer constrained_invokeId
h4501.localErrorCode localErrorCode Signed 32-bit integer local
h4501.localOpcode localOpcode Signed 32-bit integer local
h4501.opcode opcode Unsigned 32-bit integer opcode choice
h4501.parameter parameter Byte array parameter
h4501.problem problem Unsigned 32-bit integer problem choice
h4501.result result No value result sequence of
h4502.CTIdentifyRes CTIdentifyRes No value CTIdentifyRes sequence of
h4502.DummyArg DummyArg Unsigned 32-bit integer DummyArg choice
h4502.DummyRes DummyRes Unsigned 32-bit integer DummyRes Choice
h4503.CallReroutingArg CallReroutingArg No value ActivateDiversionQArg sequence of
h4503.CfnrDivertedLegFailedArg CfnrDivertedLegFailedArg No value ActivateDiversionQArg sequence of
h4503.CheckRestrictionArg CheckRestrictionArg No value CheckRestrictionArg sequence of
h4503.DeactivateDiversionQArg DeactivateDiversionQArg No value ActivateDiversionQArg sequence of
h4503.DivertingLegInformation1Arg DivertingLegInformation1Arg No value DivertingLegInformation1Arg sequence of
h4503.DivertingLegInformation2Arg DivertingLegInformation2Arg No value DivertingLegInformation1Arg sequence of
h4503.DivertingLegInformation3Arg DivertingLegInformation3Arg No value DivertingLegInformation1Arg sequence of
h4503.DivertingLegInformation4Arg DivertingLegInformation4Arg No value DivertingLegInformation4Arg sequence of
h4503.InterrogateDiversionQ InterrogateDiversionQ No value InterrogateDiversionQ sequence of
h4504.HoldNotificArg HoldNotificArg No value HoldNotificArg sequence of
h4504.RemoteHoldArg RemoteHoldArg No value RemoteHoldArg sequence of
h4504.RemoteRetrieveArg RemoteRetrieveArg No value RemoteRetrieveArg sequence of
h4504.RemoteRetrieveRes RemoteRetrieveRes No value RemoteRetrieveRes sequence of
h4504.RetrieveNotificArg RetrieveNotificArg No value RetrieveNotificArg sequence of
h4507.MWIActivateArg MWIActivateArg No value MWIActivateArg sequence of
h4507.MWIDeactivateArg MWIDeactivateArg No value MWIDeactivateArg sequence of
h4507.MWIInterrogateArg MWIInterrogateArg No value MWIInterrogateArg sequence of
h4507.MWIInterrogateRes MWIInterrogateRes No value MWIInterrogateRes sequence of
h4507.MwiDummyRes MwiDummyRes No value MwiDummyRes sequence of
h4508.AlertingNameArg AlertingNameArg No value AlertingNameArg sequence of
h4508.BusyNameArg BusyNameArg No value BusyNameArg sequence of
h4508.CallingNameArg CallingNameArg No value CallingNameArg sequence of
h4508.CmnRequest CmnRequest No value CmnRequest sequence of
h4508.ConnectedNameArg ConnectedNameArg No value ConnectedNameArg sequence of
ifcp.common_flags Flags Unsigned 8-bit integer
ifcp.common_flags.crcv CRCV Boolean Is the CRC field valid?
ifcp.encap_flagsc iFCP Encapsulation Flags (1's Complement) Unsigned 8-bit integer
ifcp.eof EOF Unsigned 8-bit integer
ifcp.eof_c EOF Compliment Unsigned 8-bit integer
ifcp.flags iFCP Flags Unsigned 8-bit integer
ifcp.flags.ses SES Boolean Is this a Session control frame
ifcp.flags.spc SPC Boolean Is frame part of link service
ifcp.flags.trp TRP Boolean Is address transparent mode enabled
ifcp.ls_command_acc Ls Command Acc Unsigned 8-bit integer
ifcp.sof SOF Unsigned 8-bit integer
ifcp.sof_c SOF Compliment Unsigned 8-bit integer
iscsi.I I Boolean Immediate delivery
iscsi.X X Boolean Command Retry
iscsi.ahs AHS Byte array Additional header segment
iscsi.asyncevent AsyncEvent Unsigned 8-bit integer Async event type
iscsi.asyncmessagedata AsyncMessageData Byte array Async Message Data
iscsi.bufferOffset BufferOffset Unsigned 32-bit integer Buffer offset
iscsi.cid CID Unsigned 16-bit integer Connection identifier
iscsi.cmdsn CmdSN Unsigned 32-bit integer Sequence number for this command
iscsi.data_in_frame Data In in Frame number The Data In for this transaction is in this frame
iscsi.data_out_frame Data Out in Frame number The Data Out for this transaction is in this frame
iscsi.datadigest DataDigest Byte array Data Digest
iscsi.datadigest32 DataDigest Unsigned 32-bit integer Data Digest
iscsi.datasegmentlength DataSegmentLength Unsigned 32-bit integer Data segment length (bytes)
iscsi.datasn DataSN Unsigned 32-bit integer Data sequence number
iscsi.desireddatalength DesiredDataLength Unsigned 32-bit integer Desired data length (bytes)
iscsi.errorpdudata ErrorPDUData Byte array Error PDU Data
iscsi.eventvendorcode EventVendorCode Unsigned 8-bit integer Event vendor code
iscsi.expcmdsn ExpCmdSN Unsigned 32-bit integer Next expected command sequence number
iscsi.expdatasn ExpDataSN Unsigned 32-bit integer Next expected data sequence number
iscsi.expstatsn ExpStatSN Unsigned 32-bit integer Next expected status sequence number
iscsi.flags Flags Unsigned 8-bit integer Opcode specific flags
iscsi.headerdigest32 HeaderDigest Unsigned 32-bit integer Header Digest
iscsi.immediatedata ImmediateData Byte array Immediate Data
iscsi.initcmdsn InitCmdSN Unsigned 32-bit integer Initial command sequence number
iscsi.initiatortasktag InitiatorTaskTag Unsigned 32-bit integer Initiator's task tag
iscsi.initstatsn InitStatSN Unsigned 32-bit integer Initial status sequence number
iscsi.isid ISID Unsigned 16-bit integer Initiator part of session identifier
iscsi.isid.a ISID_a Unsigned 8-bit integer Initiator part of session identifier - a
iscsi.isid.b ISID_b Unsigned 16-bit integer Initiator part of session identifier - b
iscsi.isid.c ISID_c Unsigned 8-bit integer Initiator part of session identifier - c
iscsi.isid.d ISID_d Unsigned 16-bit integer Initiator part of session identifier - d
iscsi.isid.namingauthority ISID_NamingAuthority Unsigned 24-bit integer Initiator part of session identifier - naming authority
iscsi.isid.qualifier ISID_Qualifier Unsigned 8-bit integer Initiator part of session identifier - qualifier
iscsi.isid.t ISID_t Unsigned 8-bit integer Initiator part of session identifier - t
iscsi.isid.type ISID_Type Unsigned 8-bit integer Initiator part of session identifier - type
iscsi.keyvalue KeyValue String Key/value pair
iscsi.login.C C Boolean Text incomplete
iscsi.login.T T Boolean Transit to next login stage
iscsi.login.X X Boolean Restart Connection
iscsi.login.csg CSG Unsigned 8-bit integer Current stage
iscsi.login.nsg NSG Unsigned 8-bit integer Next stage
iscsi.login.status Status Unsigned 16-bit integer Status class and detail
iscsi.logout.reason Reason Unsigned 8-bit integer Reason for logout
iscsi.logout.response Response Unsigned 8-bit integer Logout response
iscsi.lun LUN Byte array Logical Unit Number
iscsi.maxcmdsn MaxCmdSN Unsigned 32-bit integer Maximum acceptable command sequence number
iscsi.opcode Opcode Unsigned 8-bit integer Opcode
iscsi.padding Padding Byte array Padding to 4 byte boundary
iscsi.parameter1 Parameter1 Unsigned 16-bit integer Parameter 1
iscsi.parameter2 Parameter2 Unsigned 16-bit integer Parameter 2
iscsi.parameter3 Parameter3 Unsigned 16-bit integer Parameter 3
iscsi.pingdata PingData Byte array Ping Data
iscsi.r2tsn R2TSN Unsigned 32-bit integer R2T PDU Number
iscsi.readdata ReadData Byte array Read Data
iscsi.refcmdsn RefCmdSN Unsigned 32-bit integer Command sequence number for command to be aborted
iscsi.reject.reason Reason Unsigned 8-bit integer Reason for command rejection
iscsi.request_frame Request in Frame number The request to this transaction is in this frame
iscsi.response_frame Response in Frame number The response to this transaction is in this frame
iscsi.scsicommand.F F Boolean PDU completes command
iscsi.scsicommand.R R Boolean Command reads from SCSI target
iscsi.scsicommand.W W Boolean Command writes to SCSI target
iscsi.scsicommand.addcdb AddCDB Unsigned 8-bit integer Additional CDB length (in 4 byte units)
iscsi.scsicommand.attr Attr Unsigned 8-bit integer SCSI task attributes
iscsi.scsicommand.crn CRN Unsigned 8-bit integer SCSI command reference number
iscsi.scsicommand.expecteddatatransferlength ExpectedDataTransferLength Unsigned 32-bit integer Expected length of data transfer
iscsi.scsidata.A A Boolean Acknowledge Requested
iscsi.scsidata.F F Boolean Final PDU
iscsi.scsidata.O O Boolean Residual overflow
iscsi.scsidata.S S Boolean PDU Contains SCSI command status
iscsi.scsidata.U U Boolean Residual underflow
iscsi.scsidata.readresidualcount ResidualCount Unsigned 32-bit integer Residual count
iscsi.scsiresponse.O O Boolean Residual overflow
iscsi.scsiresponse.U U Boolean Residual underflow
iscsi.scsiresponse.bidireadresidualcount BidiReadResidualCount Unsigned 32-bit integer Bi-directional read residual count
iscsi.scsiresponse.o o Boolean Bi-directional read residual overflow
iscsi.scsiresponse.residualcount ResidualCount Unsigned 32-bit integer Residual count
iscsi.scsiresponse.response Response Unsigned 8-bit integer SCSI command response value
iscsi.scsiresponse.senselength SenseLength Unsigned 16-bit integer Sense data length
iscsi.scsiresponse.status Status Unsigned 8-bit integer SCSI command status value
iscsi.scsiresponse.u u Boolean Bi-directional read residual underflow
iscsi.snack.begrun BegRun Unsigned 32-bit integer First missed DataSN or StatSN
iscsi.snack.runlength RunLength Unsigned 32-bit integer Number of additional missing status PDUs in this run
iscsi.snack.type S Unsigned 8-bit integer Type of SNACK requested
iscsi.statsn StatSN Unsigned 32-bit integer Status sequence number
iscsi.targettransfertag TargetTransferTag Unsigned 32-bit integer Target transfer tag
iscsi.taskmanfun.function Function Unsigned 8-bit integer Requested task function
iscsi.taskmanfun.referencedtasktag ReferencedTaskTag Unsigned 32-bit integer Referenced task tag
iscsi.taskmanfun.response Response Unsigned 8-bit integer Response
iscsi.text.C C Boolean Text incomplete
iscsi.text.F F Boolean Final PDU in text sequence
iscsi.time Time from request Time duration Time between the Command and the Response
iscsi.time2retain Time2Retain Unsigned 16-bit integer Time2Retain
iscsi.time2wait Time2Wait Unsigned 16-bit integer Time2Wait
iscsi.totalahslength TotalAHSLength Unsigned 8-bit integer Total additional header segment length (4 byte words)
iscsi.tsid TSID Unsigned 16-bit integer Target part of session identifier
iscsi.tsih TSIH Unsigned 16-bit integer Target session identifying handle
iscsi.vendorspecificdata VendorSpecificData Byte array Vendor Specific Data
iscsi.versionactive VersionActive Unsigned 8-bit integer Negotiated protocol version
iscsi.versionmax VersionMax Unsigned 8-bit integer Maximum supported protocol version
iscsi.versionmin VersionMin Unsigned 8-bit integer Minimum supported protocol version
iscsi.writedata WriteData Byte array Write Data
isns.PVer iSNSP Version Unsigned 16-bit integer iSNS Protocol Version
isns.assigned_id Assigned ID Unsigned 32-bit integer Assigned ID
isns.attr.len Attribute Length Unsigned 32-bit integer iSNS Attribute Length
isns.attr.tag Attribute Tag Unsigned 32-bit integer iSNS Attribute Tag
isns.dd.member_portal.ip_address DD Member Portal IP Address IPv6 address DD Member Portal IPv4/IPv6 Address
isns.dd.symbolic_name DD Symbolic Name String Symbolic name of this DD
isns.dd_id DD ID Unsigned 32-bit integer DD ID
isns.dd_member.iscsi_name DD Member iSCSI Name String DD Member iSCSI Name of device
isns.dd_member_portal_port DD Member Portal Port Unsigned 32-bit integer TCP/UDP DD Member Portal Port
isns.dd_set.symbolic_name DD Set Symbolic Name String Symbolic name of this DD Set
isns.dd_set_id DD Set ID Unsigned 32-bit integer DD Set ID
isns.dd_set_next_id DD Set Next ID Unsigned 32-bit integer DD Set Next ID
isns.delimiter Delimiter No value iSNS Delimiter
isns.entity.index Entity Index Unsigned 32-bit integer Entity Index
isns.entity.next_index Entity Next Index Unsigned 32-bit integer Next Entity Index
isns.entity_identifier Entity Identifier String Entity Identifier of this object
isns.entity_protocol Entity Protocol Unsigned 32-bit integer iSNS Entity Protocol
isns.errorcode ErrorCode Unsigned 32-bit integer iSNS Response Error Code
isns.esi_interval ESI Interval Unsigned 32-bit integer ESI Interval in Seconds
isns.esi_port ESI Port Unsigned 32-bit integer TCP/UDP ESI Port
isns.fabric_port_name Fabric Port Name Unsigned 64-bit integer Fabric Port Name
isns.fc4_descriptor FC4 Descriptor String FC4 Descriptor of this device
isns.fc_node_name_wwnn FC Node Name WWNN Unsigned 64-bit integer FC Node Name WWNN
isns.fc_port_name_wwpn FC Port Name WWPN Unsigned 64-bit integer FC Port Name WWPN
isns.flags Flags Unsigned 16-bit integer iSNS Flags
isns.flags.authentication_block Auth Boolean is iSNS Authentication Block present?
isns.flags.client Client Boolean iSNS Client
isns.flags.firstpdu First PDU Boolean iSNS First PDU
isns.flags.lastpdu Last PDU Boolean iSNS Last PDU
isns.flags.replace Replace Boolean iSNS Replace
isns.flags.server Server Boolean iSNS Server
isns.functionid Function ID Unsigned 16-bit integer iSNS Function ID
isns.hard_address Hard Address Unsigned 24-bit integer Hard Address
isns.heartbeat.address Heartbeat Address (ipv6) IPv6 address Server IPv6 Address
isns.heartbeat.counter Heartbeat counter Unsigned 32-bit integer Server Heartbeat Counter
isns.heartbeat.interval Heartbeat Interval (secs) Unsigned 32-bit integer Server Heartbeat interval
isns.heartbeat.tcpport Heartbeat TCP Port Unsigned 16-bit integer Server TCP Port
isns.heartbeat.udpport Heartbeat UDP Port Unsigned 16-bit integer Server UDP Port
isns.index DD ID Next ID Unsigned 32-bit integer DD ID Next ID
isns.iscsi.node_type iSCSI Node Type Unsigned 32-bit integer iSCSI Node Type
isns.iscsi_alias iSCSI Alias String iSCSI Alias of device
isns.iscsi_auth_method iSCSI Auth Method String Authentication Method required by this device
isns.iscsi_name iSCSI Name String iSCSI Name of device
isns.isnt.control Control Boolean Control
isns.isnt.initiator Initiator Boolean Initiator
isns.isnt.target Target Boolean Target
isns.member_fc_port_name Member FC Port Name Unsigned 32-bit integer Member FC Port Name
isns.member_iscsi_index Member iSCSI Index Unsigned 32-bit integer Member iSCSI Index
isns.member_portal_index Member Portal Index Unsigned 32-bit integer Member Portal Index
isns.mgmt.ip_address Management IP Address IPv6 address Management IPv4/IPv6 Address
isns.node.index Node Index Unsigned 32-bit integer Node Index
isns.node.ip_address Node IP Address IPv6 address Node IPv4/IPv6 Address
isns.node.next_index Node Next Index Unsigned 32-bit integer Node INext ndex
isns.node.symbolic_name Symbolic Node Name String Symbolic name of this node
isns.node_ipa Node IPA Unsigned 64-bit integer Node IPA
isns.not_decoded_yet Not Decoded Yet No value This tag is not yet decoded by wireshark
isns.payload Payload Byte array Payload
isns.pdulength PDU Length Unsigned 16-bit integer iSNS PDU Length
isns.permanent_port_name Permanent Port Name Unsigned 64-bit integer Permanent Port Name
isns.pg.portal_port PG Portal Port Unsigned 32-bit integer PG Portal TCP/UDP Port
isns.pg_index PG Index Unsigned 32-bit integer PG Index
isns.pg_iscsi_name PG iSCSI Name String PG iSCSI Name
isns.pg_next_index PG Next Index Unsigned 32-bit integer PG Next Index
isns.pg_portal.ip_address PG Portal IP Address IPv6 address PG Portal IPv4/IPv6 Address
isns.port.ip_address Port IP Address IPv6 address Port IPv4/IPv6 Address
isns.port.port_type Port Type Boolean Port Type
isns.port.symbolic_name Symbolic Port Name String Symbolic name of this port
isns.port_id Port ID Unsigned 24-bit integer Port ID
isns.portal.index Portal Index Unsigned 32-bit integer Portal Index
isns.portal.ip_address Portal IP Address IPv6 address Portal IPv4/IPv6 Address
isns.portal.next_index Portal Next Index Unsigned 32-bit integer Portal Next Index
isns.portal.symbolic_name Portal Symbolic Name String Symbolic name of this portal
isns.portal_group_tag PG Tag Unsigned 32-bit integer Portal Group Tag
isns.portal_port Portal Port Unsigned 32-bit integer TCP/UDP Portal Port
isns.preferred_id Preferred ID Unsigned 32-bit integer Preferred ID
isns.proxy_iscsi_name Proxy iSCSI Name String Proxy iSCSI Name
isns.psb Portal Security Bitmap Unsigned 32-bit integer Portal Security Bitmap
isns.psb.aggressive_mode Aggressive Mode Boolean Aggressive Mode
isns.psb.bitmap Bitmap Boolean Bitmap
isns.psb.ike_ipsec IKE/IPSec Boolean IKE/IPSec
isns.psb.main_mode Main Mode Boolean Main Mode
isns.psb.pfs PFS Boolean PFS
isns.psb.transport Transport Mode Boolean Transport Mode
isns.psb.tunnel Tunnel Mode Boolean Tunnel Mode Preferred
isns.registration_period Registration Period Unsigned 32-bit integer Registration Period in Seconds
isns.scn_bitmap iSCSI SCN Bitmap Unsigned 32-bit integer iSCSI SCN Bitmap
isns.scn_bitmap.dd_dds_member_added DD/DDS Member Added (Mgmt Reg/SCN only) Boolean DD/DDS Member Added (Mgmt Reg/SCN only)
isns.scn_bitmap.dd_dds_member_removed DD/DDS Member Removed (Mgmt Reg/SCN only) Boolean DD/DDS Member Removed (Mgmt Reg/SCN only)
isns.scn_bitmap.initiator_and_self_information_only Initiator And Self Information Only Boolean Initiator And Self Information Only
isns.scn_bitmap.management_registration_scn Management Registration/SCN Boolean Management Registration/SCN
isns.scn_bitmap.object_added Object Added Boolean Object Added
isns.scn_bitmap.object_removed Object Removed Boolean Object Removed
isns.scn_bitmap.object_updated Object Updated Boolean Object Updated
isns.scn_bitmap.target_and_self_information_only Target And Self Information Only Boolean Target And Self Information Only
isns.scn_port SCN Port Unsigned 32-bit integer TCP/UDP SCN Port
isns.sequenceid Sequence ID Unsigned 16-bit integer iSNS sequence ID
isns.switch_name Switch Name Unsigned 64-bit integer Switch Name
isns.timestamp Timestamp Unsigned 64-bit integer Timestamp in Seconds
isns.transactionid Transaction ID Unsigned 16-bit integer iSNS transaction ID
isns.virtual_fabric_id Virtual Fabric ID String Virtual fabric ID
isns.wwnn_token WWNN Token Unsigned 64-bit integer WWNN Token
The wireshark-filters manpage is part of the Wireshark distribution. The latest version of Wireshark can be found at http://www.wireshark.org.
Regular expressions in the ``matches'' operator are provided with libpcre, the Perl-Compatible Regular Expressions library: see http://www.pcre.org/.
This manpage does not describe the capture filter syntax, which is
different. See the tcpdump(8)
manpage for a description of capture
filters. Microsoft Windows versions use WinPcap from
http://www.winpcap.org/ for which the capture filter syntax is described
in http://www.winpcap.org/docs/man/html/group__language.html.
wireshark(1), tshark(1), editcap(1), tcpdump(8), pcap(3)
See the list of authors in the Wireshark man page for a list of authors of that code.