ethereal-filter - Ethereal filter syntax and reference
ethereal [other options] [ -R ``filter expression'' ]
tethereal [other options] [ -R ``filter expression'' ]
Ethereal and Tethereal 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 Ethereal). 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 IPX protocol, the filter would be ``ipx'' (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 Ethereal and Tethereal filters are listed in the FILTER PROTOCOL REFERENCE (see below).
Fields can also be compared against values. The comparison operators can be expressed either through C-like symbols or through English-like abbreviations:
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 punctuation:
contains Does the protocol, field or slice contain a value matches Does the text string match the given Perl regular expression
The ``contains'' operator allows a filter to search for a sequence of characters or bytes. For example, to search for a given HTTP URL in a capture, the following filter can be used:
http contains "http://www.ethereal.com"
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 Ethereal or Tethereal have been compiled with the PCRE library. This can be checked by running:
ethereal -v tethereal -v
or selecting the ``About Ethereal'' item from the ``Help'' menu in Ethereal.
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 Ethereal or Tethereal.
token[0:5] ne 0.0.0.1.1 llc[0] eq aa frame[100-199] contains "ethereal"
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 "ethereal" (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-lcated Care-of Address Boolean MN using Co-located Care-of address
a11.ext.apptype Application Type Unsigned 8-bit integer Application Type.
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.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) Byte array 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.sidver Session ID Version Unsigned 8-bit integer Session ID Version
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
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
acse.ASOI_tag_item Item No value ASOI-tag/_item
acse.ASO_context_name_list_item Item String ASO-context-name-list/_item
acse.Association_data_item Item No value Association-data/_item
acse.Context_list_item Item No value Context-list/_item
acse.Default_Context_List_item Item No value Default-Context-List/_item
acse.P_context_result_list_item Item No value P-context-result-list/_item
acse.aSO-context-negotiation aSO-context-negotiation Boolean
acse.aSO_context_name aSO-context-name String AARQ-apdu/aSO-context-name
acse.aSO_context_name_list aSO-context-name-list Unsigned 32-bit integer
acse.a_user_data a-user-data Unsigned 32-bit integer A-DT-apdu/a-user-data
acse.aare aare No value ACSE-apdu/aare
acse.aarq aarq No value ACSE-apdu/aarq
acse.abort_diagnostic abort-diagnostic Unsigned 32-bit integer ABRT-apdu/abort-diagnostic
acse.abort_source abort-source Unsigned 32-bit integer ABRT-apdu/abort-source
acse.abrt abrt No value ACSE-apdu/abrt
acse.abstract_syntax abstract-syntax String Context-list/_item/abstract-syntax
acse.abstract_syntax_name abstract-syntax-name String Default-Context-List/_item/abstract-syntax-name
acse.acrp acrp No value ACSE-apdu/acrp
acse.acrq acrq No value ACSE-apdu/acrq
acse.acse_service_provider acse-service-provider Unsigned 32-bit integer Associate-source-diagnostic/acse-service-provider
acse.acse_service_user acse-service-user Unsigned 32-bit integer Associate-source-diagnostic/acse-service-user
acse.adt adt No value ACSE-apdu/adt
acse.ae_title_form1 ae-title-form1 Unsigned 32-bit integer AE-title/ae-title-form1
acse.ae_title_form2 ae-title-form2 String AE-title/ae-title-form2
acse.ap_title_form1 ap-title-form1 Unsigned 32-bit integer AP-title/ap-title-form1
acse.ap_title_form2 ap-title-form2 String AP-title/ap-title-form2
acse.ap_title_form3 ap-title-form3 String AP-title/ap-title-form3
acse.arbitrary arbitrary Byte array
acse.aso_qualifier aso-qualifier Unsigned 32-bit integer
acse.aso_qualifier_form1 aso-qualifier-form1 Unsigned 32-bit integer ASO-qualifier/aso-qualifier-form1
acse.aso_qualifier_form2 aso-qualifier-form2 Signed 32-bit integer ASO-qualifier/aso-qualifier-form2
acse.aso_qualifier_form3 aso-qualifier-form3 String ASO-qualifier/aso-qualifier-form3
acse.asoi_identifier asoi-identifier Unsigned 32-bit integer
acse.authentication authentication Boolean
acse.bitstring bitstring Byte array Authentication-value/bitstring
acse.called_AE_invocation_identifier called-AE-invocation-identifier Signed 32-bit integer AARQ-apdu/called-AE-invocation-identifier
acse.called_AE_qualifier called-AE-qualifier Unsigned 32-bit integer AARQ-apdu/called-AE-qualifier
acse.called_AP_invocation_identifier called-AP-invocation-identifier Signed 32-bit integer AARQ-apdu/called-AP-invocation-identifier
acse.called_AP_title called-AP-title Unsigned 32-bit integer AARQ-apdu/called-AP-title
acse.called_asoi_tag called-asoi-tag Unsigned 32-bit integer
acse.calling_AE_invocation_identifier calling-AE-invocation-identifier Signed 32-bit integer AARQ-apdu/calling-AE-invocation-identifier
acse.calling_AE_qualifier calling-AE-qualifier Unsigned 32-bit integer AARQ-apdu/calling-AE-qualifier
acse.calling_AP_invocation_identifier calling-AP-invocation-identifier Signed 32-bit integer AARQ-apdu/calling-AP-invocation-identifier
acse.calling_AP_title calling-AP-title Unsigned 32-bit integer AARQ-apdu/calling-AP-title
acse.calling_asoi_tag calling-asoi-tag Unsigned 32-bit integer
acse.calling_authentication_value calling-authentication-value Unsigned 32-bit integer AARQ-apdu/calling-authentication-value
acse.charstring charstring String Authentication-value/charstring
acse.concrete_syntax_name concrete-syntax-name String P-context-result-list/_item/concrete-syntax-name
acse.context_list context-list Unsigned 32-bit integer Syntactic-context-list/context-list
acse.data_value_descriptor data-value-descriptor String EXTERNAL/data-value-descriptor
acse.default_contact_list default-contact-list Unsigned 32-bit integer Syntactic-context-list/default-contact-list
acse.direct_reference direct-reference String EXTERNAL/direct-reference
acse.encoding encoding Unsigned 32-bit integer EXTERNAL/encoding
acse.external external No value Authentication-value/external
acse.fully_encoded_data fully-encoded-data No value User-Data/fully-encoded-data
acse.higher-level-association higher-level-association Boolean
acse.identifier identifier Unsigned 32-bit integer ASOI-tag/_item/identifier
acse.implementation_information implementation-information String
acse.indirect_reference indirect-reference Signed 32-bit integer EXTERNAL/indirect-reference
acse.mechanism_name mechanism-name String
acse.nested-association nested-association Boolean
acse.octet_aligned octet-aligned Byte array
acse.other other No value Authentication-value/other
acse.other_mechanism_name other-mechanism-name String Authentication-value-other/other-mechanism-name
acse.other_mechanism_value other-mechanism-value No value Authentication-value-other/other-mechanism-value
acse.p_context_definition_list p-context-definition-list Unsigned 32-bit integer
acse.p_context_result_list p-context-result-list Unsigned 32-bit integer
acse.pci pci Signed 32-bit integer Context-list/_item/pci
acse.presentation_context_identifier presentation-context-identifier Signed 32-bit integer PDV-list/presentation-context-identifier
acse.presentation_data_values presentation-data-values Unsigned 32-bit integer PDV-list/presentation-data-values
acse.protocol_version protocol-version Byte array AARQ-apdu/protocol-version
acse.provider_reason provider-reason Signed 32-bit integer P-context-result-list/_item/provider-reason
acse.qualifier qualifier Unsigned 32-bit integer ASOI-tag/_item/qualifier
acse.reason reason Signed 32-bit integer RLRQ-apdu/reason
acse.responder_acse_requirements responder-acse-requirements Byte array AARE-apdu/responder-acse-requirements
acse.responding_AE_invocation_identifier responding-AE-invocation-identifier Signed 32-bit integer AARE-apdu/responding-AE-invocation-identifier
acse.responding_AE_qualifier responding-AE-qualifier Unsigned 32-bit integer AARE-apdu/responding-AE-qualifier
acse.responding_AP_invocation_identifier responding-AP-invocation-identifier Signed 32-bit integer AARE-apdu/responding-AP-invocation-identifier
acse.responding_AP_title responding-AP-title Unsigned 32-bit integer AARE-apdu/responding-AP-title
acse.responding_authentication_value responding-authentication-value Unsigned 32-bit integer AARE-apdu/responding-authentication-value
acse.result result Unsigned 32-bit integer AARE-apdu/result
acse.result_source_diagnostic result-source-diagnostic Unsigned 32-bit integer AARE-apdu/result-source-diagnostic
acse.rlre rlre No value ACSE-apdu/rlre
acse.rlrq rlrq No value ACSE-apdu/rlrq
acse.sender_acse_requirements sender-acse-requirements Byte array AARQ-apdu/sender-acse-requirements
acse.simple_ASN1_type simple-ASN1-type No value PDV-list/presentation-data-values/simple-ASN1-type
acse.simply_encoded_data simply-encoded-data Byte array User-Data/simply-encoded-data
acse.single_ASN1_type single-ASN1-type No value EXTERNAL/encoding/single-ASN1-type
acse.transfer_syntax_name transfer-syntax-name String
acse.transfer_syntaxes transfer-syntaxes Unsigned 32-bit integer Context-list/_item/transfer-syntaxes
acse.transfer_syntaxes_item Item String Context-list/_item/transfer-syntaxes/_item
acse.user_information user-information Unsigned 32-bit integer AARQ-apdu/user-information
acse.version1 version1 Boolean
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.authcookie Authentication Cookie Byte array
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
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
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.DsRoleFlags.DS_ROLE_PRIMARY_DOMAIN_GUID_PRESENT DS_ROLE_PRIMARY_DOMAIN_GUID_PRESENT Boolean
dssetup.DsRoleFlags.DS_ROLE_PRIMARY_DS_MIXED_MODE DS_ROLE_PRIMARY_DS_MIXED_MODE Boolean
dssetup.DsRoleFlags.DS_ROLE_PRIMARY_DS_RUNNING DS_ROLE_PRIMARY_DS_RUNNING Boolean
dssetup.DsRoleFlags.DS_ROLE_UPGRADE_IN_PROGRESS DS_ROLE_UPGRADE_IN_PROGRESS Boolean
dssetup.DsRoleGetPrimaryDomainInformation.info info Unsigned 16-bit integer
dssetup.DsRoleGetPrimaryDomainInformation.level level Signed 16-bit integer
dssetup.DsRoleInfo.basic basic No value
dssetup.DsRoleInfo.opstatus opstatus No value
dssetup.DsRoleInfo.upgrade upgrade No value
dssetup.DsRoleOpStatus.status status Signed 16-bit integer
dssetup.DsRolePrimaryDomInfoBasic.dns_domain dns_domain String
dssetup.DsRolePrimaryDomInfoBasic.domain domain String
dssetup.DsRolePrimaryDomInfoBasic.domain_guid domain_guid
dssetup.DsRolePrimaryDomInfoBasic.flags flags Unsigned 32-bit integer
dssetup.DsRolePrimaryDomInfoBasic.forest forest String
dssetup.DsRolePrimaryDomInfoBasic.role role Signed 16-bit integer
dssetup.DsRoleUpgradeStatus.previous_role previous_role Signed 16-bit integer
dssetup.DsRoleUpgradeStatus.upgrading upgrading Signed 32-bit integer
dssetup.opnum Operation Unsigned 16-bit integer
dssetup.rc Return code 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
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 diectory
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
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
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 BLVC Function
bvlc.fwd_ip IP IPv4 address FWD IP
bvlc.fwd_port Port Unsigned 16-bit integer FWD Port
bvlc.length 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
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.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.length Length Unsigned 8-bit integer
bssap.pdu_type Message Type Unsigned 8-bit integer
bssgp.bvci BVCI Unsigned 16-bit integer
bssgp.ci CI Unsigned 16-bit integer Cell Identity
bssgp.ie_type 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.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.ENUMERATED ENUMERATED Unsigned 32-bit integer This is an unknown ENUMERATED
ber.unknown.GRAPHICSTRING GRAPHICSTRING String This is an unknown GRAPHICSTRING
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 String This is an unknown Object Identifier
ber.unknown.PrintableString PrintableString String This is an unknown PrintableString
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.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.version Protocol Version Unsigned 8-bit integer
bfd.your_discriminator Your Discriminator Unsigned 32-bit integer
bittorrent.info_hash SHA1 Hash of info dictionary Byte array
bittorrent.length Field Length Unsigned 32-bit integer
bittorrent.msg Message No value
bittorrent.msg.bitfield Bitfield data Byte array
bittorrent.msg.length Message Length Unsigned 32-bit integer
bittorrent.msg.type Message Type Unsigned 8-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
brdwlk.drop Packet Dropped Boolean
brdwlk.eof EOF Unsigned 8-bit integer EOF
brdwlk.error Error Unsigned 8-bit integer Error
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.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.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.docsis.cmcap_len DOCSIS CM Device Capabilities Length Unsigned 8-bit integer DOCSIS Cable Modem Device Capabilities Length
bootp.vendor.pktc.mtacap_len PacketCable MTA Device Capabilities 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 Message Type Unsigned 8-bit integer 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_supress ACK Supress Bit Boolean ACK Required/ACK Supressed
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
camel.BCSMEventArray_item Item No value BCSMEventArray/_item
camel.DestinationRoutingAddress_item Item Byte array DestinationRoutingAddress/_item
camel.ExtensionsArray_item Item No value ExtensionsArray/_item
camel.Extensions_item Item No value Extensions/_item
camel.GPRSEventArray_item Item No value GPRSEventArray/_item
camel.GenericNumbers_item Item Byte array GenericNumbers/_item
camel.PrivateExtensionList_item Item No value PrivateExtensionList/_item
camel.RequestedInformationList_item Item No value RequestedInformationList/_item
camel.RequestedInformationTypeList_item Item Unsigned 32-bit integer RequestedInformationTypeList/_item
camel.SMSEventArray_item Item No value SMSEventArray/_item
camel.VariablePartsArray_item Item Unsigned 32-bit integer VariablePartsArray/_item
camel.aChBillingChargingCharacteristics aChBillingChargingCharacteristics Unsigned 32-bit integer ApplyChargingArg/aChBillingChargingCharacteristics
camel.aOCAfterAnswer aOCAfterAnswer No value CamelSCIBillingChargingCharacteristics/aOCAfterAnswer
camel.aOCBeforeAnswer aOCBeforeAnswer No value CamelSCIBillingChargingCharacteristics/aOCBeforeAnswer
camel.aOCGPRS aOCGPRS No value CamelSCIGPRSBillingChargingCharacteristics/aOCGPRS
camel.aOCInitial aOCInitial No value
camel.aOCSubsequent aOCSubsequent No value
camel.absent absent No value InvokeId/absent
camel.accessPointName accessPointName Byte array
camel.active active Boolean ApplyChargingReportGPRSArg/active
camel.additionalCallingPartyNumber additionalCallingPartyNumber Byte array InitialDPArg/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 PBGSNAddress/address
camel.addressLength addressLength Unsigned 32-bit integer PBGSNAddress/addressLength
camel.address_digits Address digits String Address digits
camel.ageOfLocationInformation ageOfLocationInformation Unsigned 32-bit integer LocationInformation/ageOfLocationInformation
camel.alertingPattern alertingPattern Byte array
camel.allRequests allRequests No value CancelArg/allRequests
camel.aoc aoc Signed 32-bit integer PBSGSNCapabilities/aoc
camel.appendFreeFormatData appendFreeFormatData Unsigned 32-bit integer
camel.applicationTimer applicationTimer Unsigned 32-bit integer DpSpecificCriteria/applicationTimer
camel.assistingSSPIPRoutingAddress assistingSSPIPRoutingAddress Byte array EstablishTemporaryConnectionArg/assistingSSPIPRoutingAddress
camel.assumedIdle assumedIdle No value SubscriberState/assumedIdle
camel.attachChangeOfPositionSpecificInformation attachChangeOfPositionSpecificInformation No value GPRSEventSpecificInformation/attachChangeOfPositionSpecificInformation
camel.attributes attributes Byte array MessageID/text/attributes
camel.backwardServiceInteractionInd backwardServiceInteractionInd No value ServiceInteractionIndicatorsTwo/backwardServiceInteractionInd
camel.basicGapCriteria basicGapCriteria Unsigned 32-bit integer
camel.bcsmEvents bcsmEvents Unsigned 32-bit integer RequestReportBCSMEventArg/bcsmEvents
camel.bearerCap bearerCap Byte array BearerCapability/bearerCap
camel.bearerCapability bearerCapability Unsigned 32-bit integer InitialDPArg/bearerCapability
camel.bilateralPart bilateralPart Byte array PBIPSSPCapabilities/bilateralPart
camel.bothwayThroughConnectionInd bothwayThroughConnectionInd Unsigned 32-bit integer ServiceInteractionIndicatorsTwo/bothwayThroughConnectionInd
camel.busyCause busyCause Byte array
camel.cAI_GSM0224 cAI-GSM0224 No value AOCSubsequent/cAI-GSM0224
camel.cGEncountered cGEncountered Unsigned 32-bit integer InitialDPArg/cGEncountered
camel.callActive callActive Boolean CamelCallResult/timeDurationChargingResult/callActive
camel.callAttemptElapsedTimeValue callAttemptElapsedTimeValue Unsigned 32-bit integer RequestedInformationValue/callAttemptElapsedTimeValue
camel.callCompletionTreatmentIndicator callCompletionTreatmentIndicator Byte array BackwardServiceInteractionInd/callCompletionTreatmentIndicator
camel.callConnectedElapsedTimeValue callConnectedElapsedTimeValue Unsigned 32-bit integer RequestedInformationValue/callConnectedElapsedTimeValue
camel.callDiversionTreatmentIndicator callDiversionTreatmentIndicator Byte array ForwardServiceInteractionInd/callDiversionTreatmentIndicator
camel.callForwarded callForwarded No value
camel.callReferenceNumber callReferenceNumber Byte array InitialDPArg/callReferenceNumber
camel.callReleasedAtTcpExpiry callReleasedAtTcpExpiry No value CamelCallResult/timeDurationChargingResult/callReleasedAtTcpExpiry
camel.callStopTimeValue callStopTimeValue Byte array RequestedInformationValue/callStopTimeValue
camel.calledAddressAndService calledAddressAndService No value BasicGapCriteria/calledAddressAndService
camel.calledAddressValue calledAddressValue Byte array
camel.calledPartyBCDNumber calledPartyBCDNumber Byte array InitialDPArg/calledPartyBCDNumber
camel.calledPartyNumber calledPartyNumber Byte array InitialDPArg/calledPartyNumber
camel.callingAddressAndService callingAddressAndService No value BasicGapCriteria/callingAddressAndService
camel.callingAddressValue callingAddressValue Byte array BasicGapCriteria/callingAddressAndService/callingAddressValue
camel.callingPartyNumber callingPartyNumber Byte array InitialDPArg/callingPartyNumber
camel.callingPartyRestrictionIndicator callingPartyRestrictionIndicator Byte array ForwardServiceInteractionInd/callingPartyRestrictionIndicator
camel.callingPartysCategory callingPartysCategory Byte array
camel.callingPartysNumber callingPartysNumber Byte array ConnectSMSArg/callingPartysNumber
camel.callresultOctet callresultOctet Byte array ApplyChargingReportArg/callresultOctet
camel.camelBusy camelBusy No value SubscriberState/camelBusy
camel.cancelDigit cancelDigit Byte array CollectedDigits/cancelDigit
camel.carrier carrier Byte array
camel.cause cause Byte array InitialDPArg/cause
camel.causeValue causeValue Signed 32-bit integer PBCause/causeValue
camel.cause_indicator Cause indicator Unsigned 8-bit integer
camel.cellGlobalIdOrServiceAreaIdOrLAI cellGlobalIdOrServiceAreaIdOrLAI Byte array LocationInformationGPRS/cellGlobalIdOrServiceAreaIdOrLAI
camel.cellIdFixedLength cellIdFixedLength Byte array CellIdOrLAI/cellIdFixedLength
camel.cellIdOrLAI cellIdOrLAI Unsigned 32-bit integer LocationInformation/cellIdOrLAI
camel.chargeNumber chargeNumber Byte array
camel.chargingCharacteristics chargingCharacteristics Unsigned 32-bit integer ApplyChargingGPRSArg/chargingCharacteristics
camel.chargingID chargingID Byte array
camel.chargingResult chargingResult Unsigned 32-bit integer ApplyChargingReportGPRSArg/chargingResult
camel.chargingRollOver chargingRollOver Unsigned 32-bit integer ApplyChargingReportGPRSArg/chargingRollOver
camel.codingStandard codingStandard Signed 32-bit integer PBCause/codingStandard
camel.collectedDigits collectedDigits No value CollectedInfo/collectedDigits
camel.collectedInfo collectedInfo Unsigned 32-bit integer PromptAndCollectUserInformationArg/collectedInfo
camel.compoundGapCriteria compoundGapCriteria No value GapCriteria/compoundGapCriteria
camel.conferenceTreatmentIndicator conferenceTreatmentIndicator Byte array
camel.connectedNumberTreatmentInd connectedNumberTreatmentInd Unsigned 32-bit integer ServiceInteractionIndicatorsTwo/connectedNumberTreatmentInd
camel.controlType controlType Unsigned 32-bit integer CallGapArg/controlType
camel.correlationID correlationID Byte array
camel.counter counter Signed 32-bit integer PBRedirectionInformation/counter
camel.criticality criticality Unsigned 32-bit integer ExtensionField/criticality
camel.cug_Index cug-Index Unsigned 32-bit integer InitialDPArg/cug-Index
camel.cug_Interlock cug-Interlock Byte array
camel.cug_OutgoingAccess cug-OutgoingAccess No value
camel.currentLocationRetrieved currentLocationRetrieved No value LocationInformation/currentLocationRetrieved
camel.cwTreatmentIndicator cwTreatmentIndicator Byte array ServiceInteractionIndicatorsTwo/cwTreatmentIndicator
camel.date date Byte array VariablePart/date
camel.degreesOfLatitude degreesOfLatitude Byte array PBGeographicalInformation/degreesOfLatitude
camel.degreesOfLongitude degreesOfLongitude Byte array PBGeographicalInformation/degreesOfLongitude
camel.destinationAddress destinationAddress Byte array
camel.destinationReference destinationReference Unsigned 32-bit integer CAPGPRSReferenceNumber/destinationReference
camel.destinationRoutingAddress destinationRoutingAddress Unsigned 32-bit integer ConnectArg/destinationRoutingAddress
camel.destinationSubscriberNumber destinationSubscriberNumber Byte array
camel.detachSpecificInformation detachSpecificInformation No value GPRSEventSpecificInformation/detachSpecificInformation
camel.diagnostics diagnostics Byte array PBCause/diagnostics
camel.digit_value Digit Value Unsigned 8-bit integer
camel.digits digits Byte array PBAddressString/digits
camel.digitsResponse digitsResponse Byte array ReceivedInformationArg/digitsResponse
camel.disconnectFromIPForbidden disconnectFromIPForbidden Boolean
camel.disconnectSpecificInformation disconnectSpecificInformation No value GPRSEventSpecificInformation/disconnectSpecificInformation
camel.dpSpecificCriteria dpSpecificCriteria Unsigned 32-bit integer BCSMEvent/dpSpecificCriteria
camel.duration duration Unsigned 32-bit integer GapIndicators/duration
camel.e1 e1 Unsigned 32-bit integer CAI-Gsm0224/e1
camel.e2 e2 Unsigned 32-bit integer CAI-Gsm0224/e2
camel.e3 e3 Unsigned 32-bit integer CAI-Gsm0224/e3
camel.e4 e4 Unsigned 32-bit integer CAI-Gsm0224/e4
camel.e5 e5 Unsigned 32-bit integer CAI-Gsm0224/e5
camel.e6 e6 Unsigned 32-bit integer CAI-Gsm0224/e6
camel.e7 e7 Unsigned 32-bit integer CAI-Gsm0224/e7
camel.ectTreatmentIndicator ectTreatmentIndicator Byte array ServiceInteractionIndicatorsTwo/ectTreatmentIndicator
camel.elapsedTime elapsedTime Unsigned 32-bit integer ChargingResult/elapsedTime
camel.elapsedTimeRollOver elapsedTimeRollOver Unsigned 32-bit integer ChargingRollOver/elapsedTimeRollOver
camel.elementaryMessageID elementaryMessageID Unsigned 32-bit integer
camel.elementaryMessageIDs elementaryMessageIDs Unsigned 32-bit integer MessageID/elementaryMessageIDs
camel.elementaryMessageIDs_item Item Unsigned 32-bit integer MessageID/elementaryMessageIDs/_item
camel.endOfReplyDigit endOfReplyDigit Byte array CollectedDigits/endOfReplyDigit
camel.errorTreatment errorTreatment Unsigned 32-bit integer CollectedDigits/errorTreatment
camel.eventSpecificInformationBCSM eventSpecificInformationBCSM Unsigned 32-bit integer EventReportBCSMArg/eventSpecificInformationBCSM
camel.eventSpecificInformationSMS eventSpecificInformationSMS Unsigned 32-bit integer EventReportSMSArg/eventSpecificInformationSMS
camel.eventTypeBCSM eventTypeBCSM Unsigned 32-bit integer
camel.eventTypeSMS eventTypeSMS Unsigned 32-bit integer
camel.ext ext Signed 32-bit integer PBCalledPartyBCDNumber/ext
camel.extId extId String PrivateExtension/extId
camel.ext_BearerService ext-BearerService Byte array Ext-BasicServiceCode/ext-BearerService
camel.ext_Teleservice ext-Teleservice Byte array Ext-BasicServiceCode/ext-Teleservice
camel.ext_basicServiceCode ext-basicServiceCode Unsigned 32-bit integer InitialDPArg/ext-basicServiceCode
camel.extension extension Unsigned 32-bit integer
camel.extensionContainer extensionContainer No value
camel.extensions extensions Unsigned 32-bit integer
camel.fCIBCCCAMELsequence1 fCIBCCCAMELsequence1 No value CamelFCIBillingChargingCharacteristics/fCIBCCCAMELsequence1
camel.failureCause failureCause Byte array EventSpecificInformationBCSM/routeSelectFailureSpecificInfo/failureCause
camel.firstDigitTimeOut firstDigitTimeOut Unsigned 32-bit integer CollectedDigits/firstDigitTimeOut
camel.firstExtensionExtensionType firstExtensionExtensionType No value SupportedExtensionsExtensionType/firstExtensionExtensionType
camel.foo foo Unsigned 32-bit integer
camel.forwardServiceInteractionInd forwardServiceInteractionInd No value ServiceInteractionIndicatorsTwo/forwardServiceInteractionInd
camel.forwardedCall forwardedCall No value
camel.freeFormatData freeFormatData Byte array
camel.gGSNAddress gGSNAddress Byte array
camel.gPRSCause gPRSCause Byte array EntityReleasedGPRSArg/gPRSCause
camel.gPRSEvent gPRSEvent Unsigned 32-bit integer RequestReportGPRSEventArg/gPRSEvent
camel.gPRSEventSpecificInformation gPRSEventSpecificInformation Unsigned 32-bit integer EventReportGPRSArg/gPRSEventSpecificInformation
camel.gPRSEventType gPRSEventType Unsigned 32-bit integer
camel.gPRSMSClass gPRSMSClass No value InitialDPGPRSArg/gPRSMSClass
camel.gapCriteria gapCriteria Unsigned 32-bit integer CallGapArg/gapCriteria
camel.gapIndicators gapIndicators No value CallGapArg/gapIndicators
camel.gapInterval gapInterval Unsigned 32-bit integer GapIndicators/gapInterval
camel.gapOnService gapOnService No value BasicGapCriteria/gapOnService
camel.gapTreatment gapTreatment Unsigned 32-bit integer CallGapArg/gapTreatment
camel.genOfVoiceAnn genOfVoiceAnn Signed 32-bit integer PBIPSSPCapabilities/genOfVoiceAnn
camel.genericNumbers genericNumbers Unsigned 32-bit integer
camel.geodeticInformation geodeticInformation Byte array LocationInformation/geodeticInformation
camel.geographicalInformation geographicalInformation Byte array
camel.global global String Code/global
camel.gmscAddress gmscAddress Byte array InitialDPArgExtension/gmscAddress
camel.gprsCause gprsCause Byte array ReleaseGPRSArg/gprsCause
camel.gsm_ForwardingPending gsm-ForwardingPending No value InitialDPArg/gsm-ForwardingPending
camel.highLayerCompatibility highLayerCompatibility Byte array InitialDPArg/highLayerCompatibility
camel.holdTreatmentIndicator holdTreatmentIndicator Byte array ServiceInteractionIndicatorsTwo/holdTreatmentIndicator
camel.iMSI iMSI Byte array
camel.iPRoutAdd iPRoutAdd Signed 32-bit integer PBIPSSPCapabilities/iPRoutAdd
camel.iPSSPCapabilities iPSSPCapabilities Byte array
camel.imsi_digits Imsi digits String Imsi digits
camel.inbandInfo inbandInfo No value InformationToSend/inbandInfo
camel.indicator indicator Signed 32-bit integer PBRedirectionInformation/indicator
camel.informationToSend informationToSend Unsigned 32-bit integer
camel.initialDPArgExtension initialDPArgExtension No value InitialDPArg/initialDPArgExtension
camel.inititatingEntity inititatingEntity Unsigned 32-bit integer
camel.innInd innInd Signed 32-bit integer
camel.integer integer Unsigned 32-bit integer VariablePart/integer
camel.interDigitTimeOut interDigitTimeOut Unsigned 32-bit integer CollectedDigits/interDigitTimeOut
camel.interruptableAnnInd interruptableAnnInd Boolean CollectedDigits/interruptableAnnInd
camel.interval interval Unsigned 32-bit integer InbandInfo/interval
camel.invoke invoke No value camelPDU/invoke
camel.invokeCmd invokeCmd Unsigned 32-bit integer InvokePDU/invokeCmd
camel.invokeID invokeID Unsigned 32-bit integer CancelArg/invokeID
camel.invokeId invokeId Unsigned 32-bit integer InvokePDU/invokeId
camel.invokeid invokeid Signed 32-bit integer InvokeId/invokeid
camel.ipRoutingAddress ipRoutingAddress Byte array ConnectToResourceArg/resourceAddress/ipRoutingAddress
camel.laiFixedLength laiFixedLength Byte array CellIdOrLAI/laiFixedLength
camel.legID legID Unsigned 32-bit integer BCSMEvent/legID
camel.local local Signed 32-bit integer Code/local
camel.location location Signed 32-bit integer PBCause/location
camel.locationInformation locationInformation No value InitialDPArg/locationInformation
camel.locationInformationGPRS locationInformationGPRS No value
camel.locationInformationMSC locationInformationMSC No value InitialDPSMSArg/locationInformationMSC
camel.locationNumber locationNumber Byte array
camel.long_QoS_format long-QoS-format Byte array GPRS-QoS/long-QoS-format
camel.mSISDN mSISDN Byte array InitialDPGPRSArg/mSISDN
camel.mSNetworkCapability mSNetworkCapability Byte array GPRSMSClass/mSNetworkCapability
camel.mSRadioAccessCapability mSRadioAccessCapability Byte array GPRSMSClass/mSRadioAccessCapability
camel.maxCallPeriodDuration maxCallPeriodDuration Unsigned 32-bit integer
camel.maxElapsedTime maxElapsedTime Unsigned 32-bit integer ChargingCharacteristics/maxElapsedTime
camel.maxTransferredVolume maxTransferredVolume Unsigned 32-bit integer ChargingCharacteristics/maxTransferredVolume
camel.maximumNbOfDigits maximumNbOfDigits Unsigned 32-bit integer CollectedDigits/maximumNbOfDigits
camel.messageContent messageContent String MessageID/text/messageContent
camel.messageID messageID Unsigned 32-bit integer InbandInfo/messageID
camel.messageType messageType Unsigned 32-bit integer MiscCallInfo/messageType
camel.minimumNbOfDigits minimumNbOfDigits Unsigned 32-bit integer CollectedDigits/minimumNbOfDigits
camel.miscCallInfo miscCallInfo No value
camel.miscGPRSInfo miscGPRSInfo No value EventReportGPRSArg/miscGPRSInfo
camel.monitorMode monitorMode Unsigned 32-bit integer
camel.mscAddress mscAddress Byte array
camel.msc_number msc-number Byte array LocationInformation/msc-number
camel.naOliInfo naOliInfo Byte array
camel.natureOfAddressIndicator natureOfAddressIndicator Signed 32-bit integer
camel.negotiated_QoS negotiated-QoS Unsigned 32-bit integer QualityOfService/negotiated-QoS
camel.netDetNotReachable netDetNotReachable Unsigned 32-bit integer SubscriberState/netDetNotReachable
camel.niInd niInd Signed 32-bit integer
camel.nonCUGCall nonCUGCall No value ServiceInteractionIndicatorsTwo/nonCUGCall
camel.none none No value ConnectToResourceArg/resourceAddress/none
camel.notProvidedFromVLR notProvidedFromVLR No value SubscriberState/notProvidedFromVLR
camel.number number Byte array VariablePart/number
camel.numberOfRepetitions numberOfRepetitions Unsigned 32-bit integer InbandInfo/numberOfRepetitions
camel.numberQualifierIndicator numberQualifierIndicator Signed 32-bit integer PBGenericNumber/numberQualifierIndicator
camel.numberingPlanInd numberingPlanInd Signed 32-bit integer
camel.o1ext o1ext Unsigned 32-bit integer PBCause/o1ext
camel.o2ext o2ext Unsigned 32-bit integer PBCause/o2ext
camel.oAnswerSpecificInfo oAnswerSpecificInfo No value EventSpecificInformationBCSM/oAnswerSpecificInfo
camel.oCSIApplicable oCSIApplicable No value ConnectArg/oCSIApplicable
camel.oCalledPartyBusySpecificInfo oCalledPartyBusySpecificInfo No value EventSpecificInformationBCSM/oCalledPartyBusySpecificInfo
camel.oDisconnectSpecificInfo oDisconnectSpecificInfo No value EventSpecificInformationBCSM/oDisconnectSpecificInfo
camel.oNoAnswerSpecificInfo oNoAnswerSpecificInfo No value EventSpecificInformationBCSM/oNoAnswerSpecificInfo
camel.o_smsFailureSpecificInfo o-smsFailureSpecificInfo No value EventSpecificInformationSMS/o-smsFailureSpecificInfo
camel.o_smsSubmittedSpecificInfo o-smsSubmittedSpecificInfo No value EventSpecificInformationSMS/o-smsSubmittedSpecificInfo
camel.oddEven oddEven Signed 32-bit integer
camel.operation operation Unsigned 32-bit integer CancelFailedPARAM/operation
camel.or_Call or-Call No value
camel.originalCalledPartyID originalCalledPartyID Byte array
camel.originalReasons originalReasons Signed 32-bit integer PBRedirectionInformation/originalReasons
camel.originationReference originationReference Unsigned 32-bit integer CAPGPRSReferenceNumber/originationReference
camel.pDPAddress pDPAddress Byte array
camel.pDPContextEstablishmentAcknowledgementSpecificInformation pDPContextEstablishmentAcknowledgementSpecificInformation No value GPRSEventSpecificInformation/pDPContextEstablishmentAcknowledgementSpecificInformation
camel.pDPContextEstablishmentSpecificInformation pDPContextEstablishmentSpecificInformation No value GPRSEventSpecificInformation/pDPContextEstablishmentSpecificInformation
camel.pDPID pDPID Byte array
camel.pDPInitiationType pDPInitiationType Unsigned 32-bit integer
camel.pDPType pDPType No value
camel.pDPTypeNumber pDPTypeNumber Byte array
camel.pDPTypeOrganization pDPTypeOrganization Byte array
camel.partyToCharge partyToCharge Unsigned 32-bit integer CamelCallResult/timeDurationChargingResult/partyToCharge
camel.pcs_Extensions pcs-Extensions No value ExtensionContainer/pcs-Extensions
camel.pdpID pdpID Byte array ConnectGPRSArg/pdpID
camel.pdp_ContextchangeOfPositionSpecificInformation pdp-ContextchangeOfPositionSpecificInformation No value GPRSEventSpecificInformation/pdp-ContextchangeOfPositionSpecificInformation
camel.presentInd presentInd Signed 32-bit integer
camel.price price Byte array VariablePart/price
camel.privateExtensionList privateExtensionList Unsigned 32-bit integer ExtensionContainer/privateExtensionList
camel.problem problem Unsigned 32-bit integer CancelFailedPARAM/problem
camel.qualityOfService qualityOfService No value
camel.rOTimeGPRSIfNoTariffSwitch rOTimeGPRSIfNoTariffSwitch Unsigned 32-bit integer ElapsedTimeRollOver/rOTimeGPRSIfNoTariffSwitch
camel.rOTimeGPRSIfTariffSwitch rOTimeGPRSIfTariffSwitch No value ElapsedTimeRollOver/rOTimeGPRSIfTariffSwitch
camel.rOTimeGPRSSinceLastTariffSwitch rOTimeGPRSSinceLastTariffSwitch Unsigned 32-bit integer ElapsedTimeRollOver/rOTimeGPRSIfTariffSwitch/rOTimeGPRSSinceLastTariffSwitch
camel.rOTimeGPRSTariffSwitchInterval rOTimeGPRSTariffSwitchInterval Unsigned 32-bit integer ElapsedTimeRollOver/rOTimeGPRSIfTariffSwitch/rOTimeGPRSTariffSwitchInterval
camel.rOVolumeIfNoTariffSwitch rOVolumeIfNoTariffSwitch Unsigned 32-bit integer TransferredVolumeRollOver/rOVolumeIfNoTariffSwitch
camel.rOVolumeIfTariffSwitch rOVolumeIfTariffSwitch No value TransferredVolumeRollOver/rOVolumeIfTariffSwitch
camel.rOVolumeSinceLastTariffSwitch rOVolumeSinceLastTariffSwitch Unsigned 32-bit integer TransferredVolumeRollOver/rOVolumeIfTariffSwitch/rOVolumeSinceLastTariffSwitch
camel.rOVolumeTariffSwitchInterval rOVolumeTariffSwitchInterval Unsigned 32-bit integer TransferredVolumeRollOver/rOVolumeIfTariffSwitch/rOVolumeTariffSwitchInterval
camel.reason reason Signed 32-bit integer PBRedirectionInformation/reason
camel.receivingSideID receivingSideID Byte array
camel.redirectingPartyID redirectingPartyID Byte array
camel.redirectionInformation redirectionInformation Byte array
camel.releaseCause releaseCause Byte array
camel.releaseCauseValue releaseCauseValue Byte array RequestedInformationValue/releaseCauseValue
camel.releaseIfdurationExceeded releaseIfdurationExceeded Boolean
camel.requestAnnouncementComplete requestAnnouncementComplete Boolean PlayAnnouncementArg/requestAnnouncementComplete
camel.requestedInformationList requestedInformationList Unsigned 32-bit integer CallInformationReportArg/requestedInformationList
camel.requestedInformationType requestedInformationType Unsigned 32-bit integer RequestedInformation/requestedInformationType
camel.requestedInformationTypeList requestedInformationTypeList Unsigned 32-bit integer CallInformationRequestArg/requestedInformationTypeList
camel.requestedInformationValue requestedInformationValue Unsigned 32-bit integer RequestedInformation/requestedInformationValue
camel.requested_QoS requested-QoS Unsigned 32-bit integer QualityOfService/requested-QoS
camel.reserved reserved Signed 32-bit integer
camel.resourceAddress resourceAddress Unsigned 32-bit integer ConnectToResourceArg/resourceAddress
camel.returnResult returnResult No value camelPDU/returnResult
camel.routeNotPermitted routeNotPermitted No value EventSpecificInformationBCSM/tBusySpecificInfo/routeNotPermitted
camel.routeSelectFailureSpecificInfo routeSelectFailureSpecificInfo No value EventSpecificInformationBCSM/routeSelectFailureSpecificInfo
camel.routeingAreaIdentity routeingAreaIdentity Byte array
camel.routeingAreaUpdate routeingAreaUpdate No value
camel.sCIBillingChargingCharacteristics sCIBillingChargingCharacteristics Byte array SendChargingInformationArg/sCIBillingChargingCharacteristics
camel.sCIGPRSBillingChargingCharacteristics sCIGPRSBillingChargingCharacteristics Byte array SendChargingInformationGPRSArg/sCIGPRSBillingChargingCharacteristics
camel.sGSNCapabilities sGSNCapabilities Byte array InitialDPGPRSArg/sGSNCapabilities
camel.sMSCAddress sMSCAddress Byte array
camel.sMSEvents sMSEvents Unsigned 32-bit integer RequestReportSMSEventArg/sMSEvents
camel.saiPresent saiPresent No value
camel.scfID scfID Byte array
camel.screening screening Signed 32-bit integer
camel.secondaryPDPContext secondaryPDPContext No value
camel.selectedLSAIdentity selectedLSAIdentity Byte array LocationInformationGPRS/selectedLSAIdentity
camel.selectedLSA_Id selectedLSA-Id Byte array LocationInformation/selectedLSA-Id
camel.sendingSideID sendingSideID Byte array
camel.serviceInteractionIndicatorsTwo serviceInteractionIndicatorsTwo No value
camel.serviceKey serviceKey Unsigned 32-bit integer
camel.sgsnNumber sgsnNumber Byte array InitialDPSMSArg/sgsnNumber
camel.sgsn_Number sgsn-Number Byte array LocationInformationGPRS/sgsn-Number
camel.short_QoS_format short-QoS-format Byte array GPRS-QoS/short-QoS-format
camel.smsReferenceNumber smsReferenceNumber Byte array InitialDPSMSArg/smsReferenceNumber
camel.spare spare Signed 32-bit integer PBGeographicalInformation/spare
camel.spare2 spare2 Unsigned 32-bit integer PBRedirectionInformation/spare2
camel.standardPartEnd standardPartEnd Signed 32-bit integer PBIPSSPCapabilities/standardPartEnd
camel.startDigit startDigit Byte array CollectedDigits/startDigit
camel.subscribed_QoS subscribed-QoS Unsigned 32-bit integer QualityOfService/subscribed-QoS
camel.subscriberState subscriberState Unsigned 32-bit integer InitialDPArg/subscriberState
camel.suppressionOfAnnouncement suppressionOfAnnouncement No value
camel.tAnswerSpecificInfo tAnswerSpecificInfo No value EventSpecificInformationBCSM/tAnswerSpecificInfo
camel.tBusySpecificInfo tBusySpecificInfo No value EventSpecificInformationBCSM/tBusySpecificInfo
camel.tDisconnectSpecificInfo tDisconnectSpecificInfo No value EventSpecificInformationBCSM/tDisconnectSpecificInfo
camel.tNoAnswerSpecificInfo tNoAnswerSpecificInfo No value EventSpecificInformationBCSM/tNoAnswerSpecificInfo
camel.tPDataCodingScheme tPDataCodingScheme Byte array InitialDPSMSArg/tPDataCodingScheme
camel.tPProtocolIdentifier tPProtocolIdentifier Byte array InitialDPSMSArg/tPProtocolIdentifier
camel.tPShortMessageSubmissionSpecificInfo tPShortMessageSubmissionSpecificInfo Byte array InitialDPSMSArg/tPShortMessageSubmissionSpecificInfo
camel.tPValidityPeriod tPValidityPeriod Byte array InitialDPSMSArg/tPValidityPeriod
camel.tariffSwitchInterval tariffSwitchInterval Unsigned 32-bit integer
camel.text text No value MessageID/text
camel.time time Byte array VariablePart/time
camel.timeAndTimeZone timeAndTimeZone Byte array
camel.timeAndTimezone timeAndTimezone Byte array
camel.timeDurationCharging timeDurationCharging No value AChBillingChargingCharacteristics/timeDurationCharging
camel.timeDurationChargingResult timeDurationChargingResult No value CamelCallResult/timeDurationChargingResult
camel.timeGPRSIfNoTariffSwitch timeGPRSIfNoTariffSwitch Unsigned 32-bit integer ElapsedTime/timeGPRSIfNoTariffSwitch
camel.timeGPRSIfTariffSwitch timeGPRSIfTariffSwitch No value ElapsedTime/timeGPRSIfTariffSwitch
camel.timeGPRSSinceLastTariffSwitch timeGPRSSinceLastTariffSwitch Unsigned 32-bit integer ElapsedTime/timeGPRSIfTariffSwitch/timeGPRSSinceLastTariffSwitch
camel.timeGPRSTariffSwitchInterval timeGPRSTariffSwitchInterval Unsigned 32-bit integer ElapsedTime/timeGPRSIfTariffSwitch/timeGPRSTariffSwitchInterval
camel.timeIfNoTariffSwitch timeIfNoTariffSwitch Unsigned 32-bit integer TimeInformation/timeIfNoTariffSwitch
camel.timeIfTariffSwitch timeIfTariffSwitch No value TimeInformation/timeIfTariffSwitch
camel.timeInformation timeInformation Unsigned 32-bit integer CamelCallResult/timeDurationChargingResult/timeInformation
camel.timeSinceTariffSwitch timeSinceTariffSwitch Unsigned 32-bit integer TimeIfTariffSwitch/timeSinceTariffSwitch
camel.timerID timerID Unsigned 32-bit integer
camel.timervalue timervalue Unsigned 32-bit integer
camel.tone tone Boolean
camel.toneID toneID Unsigned 32-bit integer Tone/toneID
camel.transferredVolume transferredVolume Unsigned 32-bit integer ChargingResult/transferredVolume
camel.transferredVolumeRollOver transferredVolumeRollOver Unsigned 32-bit integer ChargingRollOver/transferredVolumeRollOver
camel.type type Unsigned 32-bit integer ExtensionField/type
camel.typeOfAddress typeOfAddress Signed 32-bit integer PBGSNAddress/typeOfAddress
camel.typeOfNumber typeOfNumber Unsigned 32-bit integer PBCalledPartyBCDNumber/typeOfNumber
camel.typeOfShape typeOfShape Signed 32-bit integer PBGeographicalInformation/typeOfShape
camel.uncertaintyCode uncertaintyCode Byte array PBGeographicalInformation/uncertaintyCode
camel.value value Unsigned 32-bit integer ExtensionField/value
camel.variableMessage variableMessage No value MessageID/variableMessage
camel.variableParts variableParts Unsigned 32-bit integer MessageID/variableMessage/variableParts
camel.vlr_number vlr-number Byte array LocationInformation/vlr-number
camel.voiceBack voiceBack Signed 32-bit integer PBIPSSPCapabilities/voiceBack
camel.voiceInfo1 voiceInfo1 Signed 32-bit integer PBIPSSPCapabilities/voiceInfo1
camel.voiceInfo2 voiceInfo2 Signed 32-bit integer PBIPSSPCapabilities/voiceInfo2
camel.voiceInformation voiceInformation Boolean CollectedDigits/voiceInformation
camel.volumeIfNoTariffSwitch volumeIfNoTariffSwitch Unsigned 32-bit integer TransferredVolume/volumeIfNoTariffSwitch
camel.volumeIfTariffSwitch volumeIfTariffSwitch No value TransferredVolume/volumeIfTariffSwitch
camel.volumeSinceLastTariffSwitch volumeSinceLastTariffSwitch Unsigned 32-bit integer TransferredVolume/volumeIfTariffSwitch/volumeSinceLastTariffSwitch
camel.volumeTariffSwitchInterval volumeTariffSwitchInterval Unsigned 32-bit integer TransferredVolume/volumeIfTariffSwitch/volumeTariffSwitchInterval
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 CRLAnnContent/_item
cmp.GenMsgContent_item Item No value GenMsgContent/_item
cmp.GenRepContent_item Item No value GenRepContent/_item
cmp.PKIFreeText_item Item String PKIFreeText/_item
cmp.POPODecKeyChallContent_item Item No value POPODecKeyChallContent/_item
cmp.POPODecKeyRespContent_item Item Signed 32-bit integer POPODecKeyRespContent/_item
cmp.RevReqContent_item Item No value RevReqContent/_item
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.badTime badTime Boolean
cmp.body body Unsigned 32-bit integer
cmp.caCerts caCerts Unsigned 32-bit integer KeyRecRepContent/caCerts
cmp.caCerts_item Item No value KeyRecRepContent/caCerts/_item
cmp.caPubs caPubs Unsigned 32-bit integer CertRepMessage/caPubs
cmp.caPubs_item Item No value CertRepMessage/caPubs/_item
cmp.cann cann No value PKIBody/cann
cmp.ccp ccp No value PKIBody/ccp
cmp.ccr ccr Unsigned 32-bit integer PKIBody/ccr
cmp.certDetails certDetails No value RevDetails/certDetails
cmp.certId certId No value
cmp.certOrEncCert certOrEncCert Unsigned 32-bit integer CertifiedKeyPair/certOrEncCert
cmp.certReqId certReqId Signed 32-bit integer CertResponse/certReqId
cmp.certificate certificate No value CertOrEncCert/certificate
cmp.certifiedKeyPair certifiedKeyPair No value CertResponse/certifiedKeyPair
cmp.challenge challenge Byte array Challenge/challenge
cmp.ckuann ckuann No value PKIBody/ckuann
cmp.conf conf No value PKIBody/conf
cmp.cp cp No value PKIBody/cp
cmp.cr cr Unsigned 32-bit integer PKIBody/cr
cmp.crlDetails crlDetails Unsigned 32-bit integer RevAnnContent/crlDetails
cmp.crlEntryDetails crlEntryDetails Unsigned 32-bit integer RevDetails/crlEntryDetails
cmp.crlann crlann Unsigned 32-bit integer PKIBody/crlann
cmp.crls crls Unsigned 32-bit integer RevRepContent/crls
cmp.crls_item Item No value RevRepContent/crls/_item
cmp.encryptedCert encryptedCert No value CertOrEncCert/encryptedCert
cmp.error error No value PKIBody/error
cmp.errorCode errorCode Signed 32-bit integer ErrorMsgContent/errorCode
cmp.errorDetails errorDetails Unsigned 32-bit integer ErrorMsgContent/errorDetails
cmp.extraCerts extraCerts Unsigned 32-bit integer PKIMessage/extraCerts
cmp.extraCerts_item Item No value PKIMessage/extraCerts/_item
cmp.failInfo failInfo Byte array PKIStatusInfo/failInfo
cmp.freeText freeText Unsigned 32-bit integer PKIHeader/freeText
cmp.generalInfo generalInfo Unsigned 32-bit integer PKIHeader/generalInfo
cmp.generalInfo_item Item No value PKIHeader/generalInfo/_item
cmp.genm genm Unsigned 32-bit integer PKIBody/genm
cmp.genp genp Unsigned 32-bit integer PKIBody/genp
cmp.hashAlg hashAlg No value OOBCertHash/hashAlg
cmp.hashVal hashVal Byte array OOBCertHash/hashVal
cmp.header header No value
cmp.incorrectData incorrectData Boolean
cmp.infoType infoType String InfoTypeAndValue/infoType
cmp.infoValue infoValue No value InfoTypeAndValue/infoValue
cmp.ip ip No value PKIBody/ip
cmp.ir ir Unsigned 32-bit integer PKIBody/ir
cmp.iterationCount iterationCount Signed 32-bit integer PBMParameter/iterationCount
cmp.keyPairHist keyPairHist Unsigned 32-bit integer KeyRecRepContent/keyPairHist
cmp.keyPairHist_item Item No value KeyRecRepContent/keyPairHist/_item
cmp.krp krp No value PKIBody/krp
cmp.krr krr Unsigned 32-bit integer PKIBody/krr
cmp.kup kup No value PKIBody/kup
cmp.kur kur Unsigned 32-bit integer PKIBody/kur
cmp.mac mac No value
cmp.messageTime messageTime String PKIHeader/messageTime
cmp.missingTimeStamp missingTimeStamp Boolean
cmp.nested nested No value PKIBody/nested
cmp.newSigCert newSigCert No value KeyRecRepContent/newSigCert
cmp.newWithNew newWithNew No value CAKeyUpdAnnContent/newWithNew
cmp.newWithOld newWithOld No value CAKeyUpdAnnContent/newWithOld
cmp.oldWithNew oldWithNew No value CAKeyUpdAnnContent/oldWithNew
cmp.owf owf No value
cmp.pKIStatusInfo pKIStatusInfo No value ErrorMsgContent/pKIStatusInfo
cmp.popdecc popdecc Unsigned 32-bit integer PKIBody/popdecc
cmp.popdecr popdecr Unsigned 32-bit integer PKIBody/popdecr
cmp.privateKey privateKey No value CertifiedKeyPair/privateKey
cmp.protection protection Byte array PKIMessage/protection
cmp.protectionAlg protectionAlg No value PKIHeader/protectionAlg
cmp.publicationInfo publicationInfo No value CertifiedKeyPair/publicationInfo
cmp.pvno pvno Signed 32-bit integer PKIHeader/pvno
cmp.rann rann No value PKIBody/rann
cmp.recipKID recipKID Byte array PKIHeader/recipKID
cmp.recipNonce recipNonce Byte array PKIHeader/recipNonce
cmp.recipient recipient Unsigned 32-bit integer PKIHeader/recipient
cmp.response response Unsigned 32-bit integer CertRepMessage/response
cmp.response_item Item No value CertRepMessage/response/_item
cmp.revCerts revCerts Unsigned 32-bit integer RevRepContent/revCerts
cmp.revCerts_item Item No value RevRepContent/revCerts/_item
cmp.revocationReason revocationReason Byte array RevDetails/revocationReason
cmp.rp rp No value PKIBody/rp
cmp.rr rr Unsigned 32-bit integer PKIBody/rr
cmp.rspInfo rspInfo Byte array CertResponse/rspInfo
cmp.salt salt Byte array PBMParameter/salt
cmp.sender sender Unsigned 32-bit integer PKIHeader/sender
cmp.senderKID senderKID Byte array PKIHeader/senderKID
cmp.senderNonce senderNonce Byte array PKIHeader/senderNonce
cmp.status status Signed 32-bit integer
cmp.statusString statusString Unsigned 32-bit integer PKIStatusInfo/statusString
cmp.status_item Item No value RevRepContent/status/_item
cmp.transactionID transactionID Byte array PKIHeader/transactionID
cmp.type.oid InfoType String Type of InfoTypeAndValue
cmp.willBeRevokedAt willBeRevokedAt String RevAnnContent/willBeRevokedAt
cmp.witness witness Byte array Challenge/witness
cmp.wrongAuthority wrongAuthority Boolean
crmf.CertReqMessages_item Item No value CertReqMessages/_item
crmf.Controls_item Item No value Controls/_item
crmf.action action Signed 32-bit integer PKIPublicationInfo/action
crmf.algId algId No value PKMACValue/algId
crmf.algorithmIdentifier algorithmIdentifier No value POPOSigningKey/algorithmIdentifier
crmf.archiveRemGenPrivKey archiveRemGenPrivKey Boolean PKIArchiveOptions/archiveRemGenPrivKey
crmf.authInfo authInfo Unsigned 32-bit integer POPOSigningKeyInput/authInfo
crmf.certReq certReq No value CertReqMsg/certReq
crmf.certReqId certReqId Signed 32-bit integer CertRequest/certReqId
crmf.certTemplate certTemplate No value CertRequest/certTemplate
crmf.controls controls Unsigned 32-bit integer CertRequest/controls
crmf.dhMAC dhMAC Byte array POPOPrivKey/dhMAC
crmf.encSymmKey encSymmKey Byte array EncryptedValue/encSymmKey
crmf.encValue encValue Byte array EncryptedValue/encValue
crmf.encryptedPrivKey encryptedPrivKey Unsigned 32-bit integer PKIArchiveOptions/encryptedPrivKey
crmf.encryptedValue encryptedValue No value EncryptedKey/encryptedValue
crmf.envelopedData envelopedData No value EncryptedKey/envelopedData
crmf.extensions extensions Unsigned 32-bit integer CertTemplate/extensions
crmf.generalTime generalTime String Time/generalTime
crmf.intendedAlg intendedAlg No value EncryptedValue/intendedAlg
crmf.issuer issuer Unsigned 32-bit integer CertTemplate/issuer
crmf.issuerUID issuerUID Byte array CertTemplate/issuerUID
crmf.iterationCount iterationCount Signed 32-bit integer PBMParameter/iterationCount
crmf.keyAgreement keyAgreement Unsigned 32-bit integer ProofOfPossession/keyAgreement
crmf.keyAlg keyAlg No value EncryptedValue/keyAlg
crmf.keyEncipherment keyEncipherment Unsigned 32-bit integer ProofOfPossession/keyEncipherment
crmf.keyGenParameters keyGenParameters Byte array PKIArchiveOptions/keyGenParameters
crmf.mac mac No value PBMParameter/mac
crmf.notAfter notAfter Unsigned 32-bit integer OptionalValidity/notAfter
crmf.notBefore notBefore Unsigned 32-bit integer OptionalValidity/notBefore
crmf.owf owf No value PBMParameter/owf
crmf.pop pop Unsigned 32-bit integer CertReqMsg/pop
crmf.poposkInput poposkInput No value POPOSigningKey/poposkInput
crmf.pubInfos pubInfos Unsigned 32-bit integer PKIPublicationInfo/pubInfos
crmf.pubInfos_item Item No value PKIPublicationInfo/pubInfos/_item
crmf.pubLocation pubLocation Unsigned 32-bit integer SinglePubInfo/pubLocation
crmf.pubMethod pubMethod Signed 32-bit integer SinglePubInfo/pubMethod
crmf.publicKey publicKey No value
crmf.publicKeyMAC publicKeyMAC No value POPOSigningKeyInput/authInfo/publicKeyMAC
crmf.raVerified raVerified No value ProofOfPossession/raVerified
crmf.regInfo regInfo Unsigned 32-bit integer CertReqMsg/regInfo
crmf.regInfo_item Item No value CertReqMsg/regInfo/_item
crmf.salt salt Byte array PBMParameter/salt
crmf.sender sender Unsigned 32-bit integer POPOSigningKeyInput/authInfo/sender
crmf.serialNumber serialNumber Signed 32-bit integer
crmf.signature signature No value ProofOfPossession/signature
crmf.signingAlg signingAlg No value CertTemplate/signingAlg
crmf.subject subject Unsigned 32-bit integer CertTemplate/subject
crmf.subjectUID subjectUID Byte array CertTemplate/subjectUID
crmf.subsequentMessage subsequentMessage Signed 32-bit integer POPOPrivKey/subsequentMessage
crmf.symmAlg symmAlg No value EncryptedValue/symmAlg
crmf.thisMessage thisMessage Byte array POPOPrivKey/thisMessage
crmf.type type String AttributeTypeAndValue/type
crmf.type.oid Type String Type of AttributeTypeAndValue
crmf.utcTime utcTime String Time/utcTime
crmf.validity validity No value CertTemplate/validity
crmf.value value No value AttributeTypeAndValue/value
crmf.valueHint valueHint Byte array EncryptedValue/valueHint
crmf.version version Signed 32-bit integer CertTemplate/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 (ms) Unsigned 16-bit integer HA Time unit
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
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
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 AMID Unsigned 32-bit integer PacketCable Multimedia AMID
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_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_port Destination Port Unsigned 16-bit integer PacketCable Multimedia Classifier Source Port
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_port Source Port Unsigned 16-bit integer PacketCable Multimedia Classifier Source Port
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_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_rtp Request Transmission Policy Unsigned 32-bit integer PacketCable Multimedia Committed Envelope Traffic Priority
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
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
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 AuthAttributes/_item
cms.AuthenticatedData AuthenticatedData No value AuthenticatedData
cms.CertificateRevocationLists_item Item No value CertificateRevocationLists/_item
cms.CertificateSet_item Item Unsigned 32-bit integer CertificateSet/_item
cms.ContentInfo ContentInfo No value ContentInfo
cms.ContentType ContentType String ContentType
cms.Countersignature Countersignature No value Countersignature
cms.DigestAlgorithmIdentifiers_item Item No value DigestAlgorithmIdentifiers/_item
cms.DigestedData DigestedData No value DigestedData
cms.EncryptedData EncryptedData No value EncryptedData
cms.EnvelopedData EnvelopedData No value EnvelopedData
cms.MessageDigest MessageDigest Byte array MessageDigest
cms.RecipientEncryptedKeys_item Item No value RecipientEncryptedKeys/_item
cms.RecipientInfos_item Item Unsigned 32-bit integer RecipientInfos/_item
cms.SignedAttributes_item Item No value SignedAttributes/_item
cms.SignedData SignedData No value SignedData
cms.SignerInfos_item Item No value SignerInfos/_item
cms.SigningTime SigningTime Unsigned 32-bit integer SigningTime
cms.UnauthAttributes_item Item No value UnauthAttributes/_item
cms.UnprotectedAttributes_item Item No value UnprotectedAttributes/_item
cms.UnsignedAttributes_item Item No value UnsignedAttributes/_item
cms.algorithm algorithm No value OriginatorPublicKey/algorithm
cms.attrCert attrCert No value CertificateChoices/attrCert
cms.attrType attrType String Attribute/attrType
cms.attrValues attrValues Unsigned 32-bit integer Attribute/attrValues
cms.attrValues_item Item No value Attribute/attrValues/_item
cms.attributes attributes Unsigned 32-bit integer ExtendedCertificateInfo/attributes
cms.authenticatedAttributes authenticatedAttributes Unsigned 32-bit integer AuthenticatedData/authenticatedAttributes
cms.certificate certificate No value
cms.certificates certificates Unsigned 32-bit integer SignedData/certificates
cms.certs certs Unsigned 32-bit integer OriginatorInfo/certs
cms.content content No value ContentInfo/content
cms.contentEncryptionAlgorithm contentEncryptionAlgorithm No value EncryptedContentInfo/contentEncryptionAlgorithm
cms.contentInfo.contentType contentType String ContentType
cms.contentType contentType String ContentInfo/contentType
cms.crls crls Unsigned 32-bit integer
cms.date date String
cms.digest digest Byte array DigestedData/digest
cms.digestAlgorithm digestAlgorithm No value
cms.digestAlgorithms digestAlgorithms Unsigned 32-bit integer SignedData/digestAlgorithms
cms.eContent eContent Byte array EncapsulatedContentInfo/eContent
cms.eContentType eContentType String EncapsulatedContentInfo/eContentType
cms.encapContentInfo encapContentInfo No value
cms.encryptedContent encryptedContent Byte array EncryptedContentInfo/encryptedContent
cms.encryptedContentInfo encryptedContentInfo No value
cms.encryptedKey encryptedKey Byte array
cms.extendedCertificate extendedCertificate No value CertificateChoices/extendedCertificate
cms.extendedCertificateInfo extendedCertificateInfo No value ExtendedCertificate/extendedCertificateInfo
cms.generalTime generalTime String Time/generalTime
cms.issuer issuer Unsigned 32-bit integer IssuerAndSerialNumber/issuer
cms.issuerAndSerialNumber issuerAndSerialNumber No value
cms.kari kari No value RecipientInfo/kari
cms.kekid kekid No value KEKRecipientInfo/kekid
cms.kekri kekri No value RecipientInfo/kekri
cms.keyAttr keyAttr No value OtherKeyAttribute/keyAttr
cms.keyAttrId keyAttrId String OtherKeyAttribute/keyAttrId
cms.keyEncryptionAlgorithm keyEncryptionAlgorithm No value
cms.keyIdentifier keyIdentifier Byte array KEKIdentifier/keyIdentifier
cms.ktri ktri No value RecipientInfo/ktri
cms.mac mac Byte array AuthenticatedData/mac
cms.macAlgorithm macAlgorithm No value AuthenticatedData/macAlgorithm
cms.originator originator Unsigned 32-bit integer KeyAgreeRecipientInfo/originator
cms.originatorInfo originatorInfo No value
cms.originatorKey originatorKey No value OriginatorIdentifierOrKey/originatorKey
cms.other other No value
cms.publicKey publicKey Byte array OriginatorPublicKey/publicKey
cms.rKeyId rKeyId No value KeyAgreeRecipientIdentifier/rKeyId
cms.recipientEncryptedKeys recipientEncryptedKeys Unsigned 32-bit integer KeyAgreeRecipientInfo/recipientEncryptedKeys
cms.recipientInfos recipientInfos Unsigned 32-bit integer
cms.rid rid Unsigned 32-bit integer KeyTransRecipientInfo/rid
cms.serialNumber serialNumber Signed 32-bit integer IssuerAndSerialNumber/serialNumber
cms.sid sid Unsigned 32-bit integer SignerInfo/sid
cms.signature signature Byte array SignerInfo/signature
cms.signatureAlgorithm signatureAlgorithm No value
cms.signedAttrs signedAttrs Unsigned 32-bit integer SignerInfo/signedAttrs
cms.signerInfos signerInfos Unsigned 32-bit integer SignedData/signerInfos
cms.subjectKeyIdentifier subjectKeyIdentifier Byte array
cms.ukm ukm Byte array KeyAgreeRecipientInfo/ukm
cms.unauthenticatedAttributes unauthenticatedAttributes Unsigned 32-bit integer AuthenticatedData/unauthenticatedAttributes
cms.unprotectedAttrs unprotectedAttrs Unsigned 32-bit integer
cms.unsignedAttrs unsignedAttrs Unsigned 32-bit integer SignerInfo/unsignedAttrs
cms.utcTime utcTime String Time/utcTime
cms.version version Signed 32-bit integer
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
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 String
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_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 String
dcerpc.cn_bind_trans_id Transfer Syntax String
dcerpc.cn_bind_trans_ver Syntax 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_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 String
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 String
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.obj_id Object String
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
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 String UUID
conv.who_are_you2_resp_seq Sequence Number Unsigned 32-bit integer
conv.who_are_you2_rqst_actuid Activity UID String 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 String UUID
conv.who_are_you_rqst_boot_time Boot time Date/Time stamp
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 String
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 String
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 String 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 String UUID
fldb.uuid_owner owner String 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 String UUID
vldbentry.siteowner Site Owner String 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
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.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 String
dcom.extent.size Extension Size Unsigned 32-bit integer
dcom.hresult HResult Unsigned 32-bit integer
dcom.ifp InterfacePointer No value
dcom.ip_cnt_data CntData Unsigned 32-bit integer
dcom.max_count MaxCount Unsigned 32-bit integer
dcom.objref OBJREF No value
dcom.objref.clsid CLSID String
dcom.objref.flags Flags Unsigned 32-bit integer
dcom.objref.iid IID String
dcom.objref.resolver_address ResolverAddress No value
dcom.objref.signature Signature Unsigned 32-bit integer
dcom.offset Offset Unsigned 32-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.ipid IPID String
dcom.stdobjref.oid OID Unsigned 64-bit integer
dcom.stdobjref.oxid OXID Unsigned 64-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 String
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.date VT_DATE Double-precision floating point
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_args Args Unsigned 32-bit integer
dispatch_flags Flags Unsigned 16-bit integer
dispatch_flags2 Flags2 Unsigned 16-bit integer
dispatch_flags_method Method Boolean
dispatch_flags_propget PropertyGet Boolean
dispatch_flags_propput PropertyPut Boolean
dispatch_flags_propputref PropertyPutRef Boolean
dispatch_id ID Unsigned 32-bit integer
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_riid RIID String
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
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 String Router states
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 Unsigned 8-bit integer 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.mac Destination MAC 6-byte Hardware (MAC) Address Destination MAC 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.discard Discarded packet Boolean Discarded packet
dec_dna.flags.intra_eth Intra-ethernet packet Boolean Intra-ethernet packet
dec_dna.flags.msglen Long message 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 SessionDestination 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.mac Source MAC 6-byte Hardware (MAC) Address Source MAC 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 String 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 String 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 String 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 String 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 String UUID
afs4int.uint afs4int.uint Unsigned 32-bit integer
afs4int.unique afs4int.unique Unsigned 32-bit integer
afs4int.uuid AFS UUID String 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
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.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.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.route Route No value DVMRP V3 Route Report
dvmrp.split_horiz Split Horizon Boolean Split Horizon concealed route
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 IPv4 address 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
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.some_mac Some MAC 6-byte Hardware (MAC) Address MAC Address of something
echo.data Echo data Byte array Echo data
echo.request Echo request Boolean Echo data
echo.response Echo response Boolean Echo data
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 Source or Destination 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.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 ContentHints
ess.ContentIdentifier ContentIdentifier Byte array ContentIdentifier
ess.ContentReference ContentReference No value ContentReference
ess.ESSSecurityLabel ESSSecurityLabel No value ESSSecurityLabel
ess.EquivalentLabels EquivalentLabels Unsigned 32-bit integer EquivalentLabels
ess.EquivalentLabels_item Item No value EquivalentLabels/_item
ess.MLExpansionHistory MLExpansionHistory Unsigned 32-bit integer MLExpansionHistory
ess.MLExpansionHistory_item Item No value MLExpansionHistory/_item
ess.MsgSigDigest MsgSigDigest Byte array MsgSigDigest
ess.Receipt Receipt No value Receipt
ess.ReceiptRequest ReceiptRequest No value ReceiptRequest
ess.SecurityCategories_item Item No value SecurityCategories/_item
ess.SigningCertificate SigningCertificate No value SigningCertificate
ess.allOrFirstTier allOrFirstTier Signed 32-bit integer ReceiptsFrom/allOrFirstTier
ess.certHash certHash Byte array ESSCertID/certHash
ess.certs certs Unsigned 32-bit integer SigningCertificate/certs
ess.certs_item Item No value SigningCertificate/certs/_item
ess.contentDescription contentDescription String ContentHints/contentDescription
ess.contentType contentType String
ess.expansionTime expansionTime String MLData/expansionTime
ess.inAdditionTo inAdditionTo Unsigned 32-bit integer MLReceiptPolicy/inAdditionTo
ess.inAdditionTo_item Item Unsigned 32-bit integer MLReceiptPolicy/inAdditionTo/_item
ess.insteadOf insteadOf Unsigned 32-bit integer MLReceiptPolicy/insteadOf
ess.insteadOf_item Item Unsigned 32-bit integer MLReceiptPolicy/insteadOf/_item
ess.issuer issuer Unsigned 32-bit integer IssuerSerial/issuer
ess.issuerAndSerialNumber issuerAndSerialNumber No value EntityIdentifier/issuerAndSerialNumber
ess.issuerSerial issuerSerial No value ESSCertID/issuerSerial
ess.mailListIdentifier mailListIdentifier Unsigned 32-bit integer MLData/mailListIdentifier
ess.mlReceiptPolicy mlReceiptPolicy Unsigned 32-bit integer MLData/mlReceiptPolicy
ess.none none No value MLReceiptPolicy/none
ess.originatorSignatureValue originatorSignatureValue Byte array
ess.pString pString String ESSPrivacyMark/pString
ess.policies policies Unsigned 32-bit integer SigningCertificate/policies
ess.policies_item Item No value SigningCertificate/policies/_item
ess.privacy_mark privacy-mark Unsigned 32-bit integer ESSSecurityLabel/privacy-mark
ess.receiptList receiptList Unsigned 32-bit integer ReceiptsFrom/receiptList
ess.receiptList_item Item Unsigned 32-bit integer ReceiptsFrom/receiptList/_item
ess.receiptsFrom receiptsFrom Unsigned 32-bit integer ReceiptRequest/receiptsFrom
ess.receiptsTo receiptsTo Unsigned 32-bit integer ReceiptRequest/receiptsTo
ess.receiptsTo_item Item Unsigned 32-bit integer ReceiptRequest/receiptsTo/_item
ess.security_categories security-categories Unsigned 32-bit integer ESSSecurityLabel/security-categories
ess.security_classification security-classification Signed 32-bit integer ESSSecurityLabel/security-classification
ess.security_policy_identifier security-policy-identifier String ESSSecurityLabel/security-policy-identifier
ess.serialNumber serialNumber Signed 32-bit integer IssuerSerial/serialNumber
ess.signedContentIdentifier signedContentIdentifier Byte array
ess.subjectKeyIdentifier subjectKeyIdentifier Byte array EntityIdentifier/subjectKeyIdentifier
ess.type type String SecurityCategory/type
ess.type_OID type String Type of Security Category
ess.utf8String utf8String String ESSPrivacyMark/utf8String
ess.value value No value SecurityCategory/value
ess.version version Signed 32-bit integer Receipt/version
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 Ethereal
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.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.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.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.vendor Vendor Specific Flags Unsigned 32-bit integer
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.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.entry.numfc4desc Number of FC4 Descriptors Registered Unsigned 8-bit integer
fcdns.entry.objfmt Name Entry Object Format Unsigned 8-bit integer
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.req.areaid Area ID Scope Unsigned 8-bit integer
fcdns.req.class Class of Service Supported String
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.fc4feature FC-4 Feature Bits String
fcdns.req.fc4type FC-4 Type String
fcdns.req.fc4types FC-4 TYPEs Supported String
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.cos Class of Service Supported String
fcdns.rply.fc4desc FC-4 Descriptor Byte array
fcdns.rply.fc4desclen FC-4 Descriptor Length Unsigned 8-bit integer
fcdns.rply.fc4features FC-4 Features String
fcdns.rply.fc4type FC-4 Types Supported String
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.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.resid FCP_RESID Unsigned 32-bit integer
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.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.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.chid Channel Image ID Unsigned 8-bit integer
sbccs.cmdflags Command Flags Unsigned 8-bit integer
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.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.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.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.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.statusflags Status Flags Unsigned 8-bit integer
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.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.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.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.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.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.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.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.QuoteRejectReason QuoteRejectReason (300) String QuoteRejectReason
fix.QuoteReqID QuoteReqID (131) String QuoteReqID
fix.QuoteRequestRejectReason QuoteRequestRejectReason (658) String QuoteRequestRejectReason
fix.QuoteRequestType QuoteRequestType (303) String QuoteRequestType
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.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
frame.cap_len Frame length stored into the capture file Unsigned 32-bit integer
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 Ref Time frame No value This frame is a Reference Time 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_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.lpc.b5b0 LPC_B5...LPC_B0 Unsigned 8-bit integer LPC_B5...LPC_B0
g723.rate.flag RATEFLAG_B0 Boolean RATEFLAG_B0
g723.vad.flag VADFLAG_B0 Boolean VADFLAG_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.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_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_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 8-bit integer Downlink next PDCP-PDU sequence number
gtp.rab_pdu_up Uplink next PDCP-PDU seq number Unsigned 8-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.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.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.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 Start Mode Unsigned 32-bit integer Start Mode
gsm_a.rr_cdma200_cm_cng_msg_req CDMA2000 CLASSMARK CHANGE Boolean CDMA2000 CLASSMARK CHANGE
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.spareb8 Spare Unsigned 8-bit integer Spare
gsm_a.tmsi TMSI/P-TMSI Unsigned 32-bit integer
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
gsm_map.AreaList_item Item No value AreaList/_item
gsm_map.BSSMAP_ServiceHandoverList_item Item No value BSSMAP-ServiceHandoverList/_item
gsm_map.BasicServiceCriteria_item Item Unsigned 32-bit integer BasicServiceCriteria/_item
gsm_map.BasicServiceGroupList_item Item Unsigned 32-bit integer BasicServiceGroupList/_item
gsm_map.BasicServiceList_item Item Unsigned 32-bit integer BasicServiceList/_item
gsm_map.BcsmCamelTDPDataList_item Item No value BcsmCamelTDPDataList/_item
gsm_map.BearerServiceList_item Item Unsigned 8-bit integer BearerServiceList/_item
gsm_map.CCBS_FeatureList_item Item No value CCBS-FeatureList/_item
gsm_map.CUG_FeatureList_item Item No value CUG-FeatureList/_item
gsm_map.CUG_SubscriptionList_item Item No value CUG-SubscriptionList/_item
gsm_map.CallBarringFeatureList_item Item No value CallBarringFeatureList/_item
gsm_map.ContextIdList_item Item Unsigned 32-bit integer ContextIdList/_item
gsm_map.DP_AnalysedInfoCriteriaList_item Item No value DP-AnalysedInfoCriteriaList/_item
gsm_map.DestinationNumberLengthList_item Item Unsigned 32-bit integer DestinationNumberLengthList/_item
gsm_map.DestinationNumberList_item Item Byte array DestinationNumberList/_item
gsm_map.Ext_BasicServiceGroupList_item Item Unsigned 32-bit integer Ext-BasicServiceGroupList/_item
gsm_map.Ext_CallBarFeatureList_item Item No value Ext-CallBarFeatureList/_item
gsm_map.Ext_ExternalClientList_item Item No value Ext-ExternalClientList/_item
gsm_map.Ext_ForwFeatureList_item Item No value Ext-ForwFeatureList/_item
gsm_map.Ext_SS_InfoList_item Item Unsigned 32-bit integer Ext-SS-InfoList/_item
gsm_map.ExternalClientList_item Item No value ExternalClientList/_item
gsm_map.ForwardingFeatureList_item Item No value ForwardingFeatureList/_item
gsm_map.GMLC_List_item Item Byte array GMLC-List/_item
gsm_map.GPRSDataList_item Item No value GPRSDataList/_item
gsm_map.GPRS_CamelTDPDataList_item Item No value GPRS-CamelTDPDataList/_item
gsm_map.HLR_List_item Item Byte array HLR-List/_item
gsm_map.LCS_PrivacyExceptionList_item Item No value LCS-PrivacyExceptionList/_item
gsm_map.LSADataList_item Item No value LSADataList/_item
gsm_map.LSAIdentityList_item Item Byte array LSAIdentityList/_item
gsm_map.MOLR_List_item Item No value MOLR-List/_item
gsm_map.MT_smsCAMELTDP_CriteriaList_item Item No value MT-smsCAMELTDP-CriteriaList/_item
gsm_map.MobilityTriggers_item Item Byte array MobilityTriggers/_item
gsm_map.O_BcsmCamelTDPCriteriaList_item Item No value O-BcsmCamelTDPCriteriaList/_item
gsm_map.O_BcsmCamelTDPDataList_item Item No value O-BcsmCamelTDPDataList/_item
gsm_map.O_CauseValueCriteria_item Item Byte array O-CauseValueCriteria/_item
gsm_map.PDP_ContextInfoList_item Item No value PDP-ContextInfoList/_item
gsm_map.PLMNClientList_item Item Unsigned 32-bit integer PLMNClientList/_item
gsm_map.PrivateExtensionList_item Item No value PrivateExtensionList/_item
gsm_map.QuintupletList_item Item No value QuintupletList/_item
gsm_map.RadioResourceList_item Item No value RadioResourceList/_item
gsm_map.RelocationNumberList_item Item No value RelocationNumberList/_item
gsm_map.SMS_CAMEL_TDP_DataList_item Item No value SMS-CAMEL-TDP-DataList/_item
gsm_map.SS_EventList_item Item Unsigned 8-bit integer SS-EventList/_item
gsm_map.SS_List_item Item Unsigned 8-bit integer SS-List/_item
gsm_map.SendAuthenticationInfoArg SendAuthenticationInfoArg Byte array SendAuthenticationInfoArg
gsm_map.SendAuthenticationInfoRes SendAuthenticationInfoRes Byte array SendAuthenticationInfoRes
gsm_map.SendAuthenticationInfoRes_item Item No value SendAuthenticationInfoRes/_item
gsm_map.ServiceTypeList_item Item No value ServiceTypeList/_item
gsm_map.TPDU_TypeCriterion_item Item Unsigned 32-bit integer TPDU-TypeCriterion/_item
gsm_map.T_BCSM_CAMEL_TDP_CriteriaList_item Item No value T-BCSM-CAMEL-TDP-CriteriaList/_item
gsm_map.T_BcsmCamelTDPDataList_item Item No value T-BcsmCamelTDPDataList/_item
gsm_map.T_CauseValueCriteria_item Item Byte array T-CauseValueCriteria/_item
gsm_map.TeleserviceList_item Item Unsigned 8-bit integer TeleserviceList/_item
gsm_map.TripletList_item Item No value TripletList/_item
gsm_map.VBSDataList_item Item No value VBSDataList/_item
gsm_map.VGCSDataList_item Item No value VGCSDataList/_item
gsm_map.ZoneCodeList_item Item Byte array ZoneCodeList/_item
gsm_map.absent absent No value InvokeId/absent
gsm_map.absentSubscriberDiagnosticSM absentSubscriberDiagnosticSM Unsigned 32-bit integer
gsm_map.absentSubscriberReason absentSubscriberReason Unsigned 32-bit integer AbsentSubscriberParam/absentSubscriberReason
gsm_map.accessNetworkProtocolId accessNetworkProtocolId Unsigned 32-bit integer AccessNetworkSignalInfo/accessNetworkProtocolId
gsm_map.accessRestrictionData accessRestrictionData Byte array InsertSubscriberDataArg/accessRestrictionData
gsm_map.accessType accessType Unsigned 32-bit integer AuthenticationFailureReportArg/accessType
gsm_map.add_Capability add-Capability No value
gsm_map.add_LocationEstimate add-LocationEstimate Byte array
gsm_map.add_info add-info No value
gsm_map.add_lcs_PrivacyExceptionList add-lcs-PrivacyExceptionList Unsigned 32-bit integer LCSInformation/add-lcs-PrivacyExceptionList
gsm_map.additionalAbsentSubscriberDiagnosticSM additionalAbsentSubscriberDiagnosticSM Unsigned 32-bit integer
gsm_map.additionalRequestedCAMEL_SubscriptionInfo additionalRequestedCAMEL-SubscriptionInfo Unsigned 32-bit integer
gsm_map.additionalSM_DeliveryOutcome additionalSM-DeliveryOutcome Unsigned 32-bit integer ReportSM-DeliveryStatusArg/additionalSM-DeliveryOutcome
gsm_map.additionalSignalInfo additionalSignalInfo No value
gsm_map.additional_LCS_CapabilitySets additional-LCS-CapabilitySets Byte array LCSLocationInfo/additional-LCS-CapabilitySets
gsm_map.additional_Number additional-Number Unsigned 32-bit integer
gsm_map.additional_v_gmlc_Address additional-v-gmlc-Address Byte array RoutingInfoForLCS-Res/additional-v-gmlc-Address
gsm_map.adress.digits Address digits String Address digits
gsm_map.ageOfLocationEstimate ageOfLocationEstimate Unsigned 32-bit integer
gsm_map.ageOfLocationInformation ageOfLocationInformation Unsigned 32-bit integer
gsm_map.alertReason alertReason Unsigned 32-bit integer ReadyForSM-Arg/alertReason
gsm_map.alertReasonIndicator alertReasonIndicator No value ReadyForSM-Arg/alertReasonIndicator
gsm_map.alertingDP alertingDP Boolean
gsm_map.alertingPattern alertingPattern Byte array
gsm_map.allECT-Barred allECT-Barred Boolean
gsm_map.allGPRSData allGPRSData No value GPRSSubscriptionDataWithdraw/allGPRSData
gsm_map.allIC-CallsBarred allIC-CallsBarred Boolean
gsm_map.allInformationSent allInformationSent No value
gsm_map.allLSAData allLSAData No value LSAInformationWithdraw/allLSAData
gsm_map.allOG-CallsBarred allOG-CallsBarred Boolean
gsm_map.allPacketOrientedServicesBarred allPacketOrientedServicesBarred Boolean
gsm_map.allowedGSM_Algorithms allowedGSM-Algorithms Byte array
gsm_map.allowedServices allowedServices Byte array SendRoutingInfoRes/allowedServices
gsm_map.allowedUMTS_Algorithms allowedUMTS-Algorithms No value
gsm_map.an_APDU an-APDU No value
gsm_map.apn apn Byte array PDP-Context/apn
gsm_map.apn_InUse apn-InUse Byte array PDP-ContextInfo/apn-InUse
gsm_map.apn_Subscribed apn-Subscribed Byte array PDP-ContextInfo/apn-Subscribed
gsm_map.areaDefinition areaDefinition No value AreaEventInfo/areaDefinition
gsm_map.areaEventInfo areaEventInfo No value ProvideSubscriberLocation-Arg/areaEventInfo
gsm_map.areaIdentification areaIdentification Byte array Area/areaIdentification
gsm_map.areaList areaList Unsigned 32-bit integer AreaDefinition/areaList
gsm_map.areaType areaType Unsigned 32-bit integer Area/areaType
gsm_map.asciCallReference asciCallReference Byte array
gsm_map.assumedIdle assumedIdle No value SubscriberState/assumedIdle
gsm_map.authenticationSetList authenticationSetList Unsigned 32-bit integer
gsm_map.autn autn Byte array AuthenticationQuintuplet/autn
gsm_map.auts auts Byte array Re-synchronisationInfo/auts
gsm_map.b_Subscriber_Address b-Subscriber-Address Byte array ProvideSIWFSNumberArg/b-Subscriber-Address
gsm_map.b_subscriberNumber b-subscriberNumber Byte array CCBS-Feature/b-subscriberNumber
gsm_map.b_subscriberSubaddress b-subscriberSubaddress Byte array CCBS-Feature/b-subscriberSubaddress
gsm_map.basicService basicService Unsigned 32-bit integer
gsm_map.basicService2 basicService2 Unsigned 32-bit integer SendRoutingInfoRes/basicService2
gsm_map.basicServiceCriteria basicServiceCriteria Unsigned 32-bit integer
gsm_map.basicServiceGroup basicServiceGroup Unsigned 32-bit integer
gsm_map.basicServiceGroup2 basicServiceGroup2 Unsigned 32-bit integer
gsm_map.basicServiceGroupList basicServiceGroupList Unsigned 32-bit integer
gsm_map.basicServiceList basicServiceList Unsigned 32-bit integer DeleteSubscriberDataArg/basicServiceList
gsm_map.bcsmTriggerDetectionPoint bcsmTriggerDetectionPoint Unsigned 32-bit integer BcsmCamelTDPData/bcsmTriggerDetectionPoint
gsm_map.bearerService bearerService Unsigned 8-bit integer BasicServiceCode/bearerService
gsm_map.bearerServiceList bearerServiceList Unsigned 32-bit integer InsertSubscriberDataRes/bearerServiceList
gsm_map.bearerservice bearerservice Unsigned 8-bit integer BasicService/bearerservice
gsm_map.bearerserviceList bearerserviceList Unsigned 32-bit integer InsertSubscriberDataArg/bearerserviceList
gsm_map.beingInsideArea beingInsideArea Boolean
gsm_map.bmuef bmuef No value CheckIMEIRes/bmuef
gsm_map.broadcastInitEntitlement broadcastInitEntitlement No value VoiceBroadcastData/broadcastInitEntitlement
gsm_map.bss_APDU bss-APDU No value
gsm_map.bssmap_ServiceHandover bssmap-ServiceHandover Byte array
gsm_map.bssmap_ServiceHandoverList bssmap-ServiceHandoverList Unsigned 32-bit integer
gsm_map.callBarringCause callBarringCause Unsigned 32-bit integer
gsm_map.callBarringData callBarringData No value AnyTimeSubscriptionInterrogationRes/callBarringData
gsm_map.callBarringFeatureList callBarringFeatureList Unsigned 32-bit integer
gsm_map.callBarringInfo callBarringInfo No value Ext-SS-Info/callBarringInfo
gsm_map.callBarringInfoFor_CSE callBarringInfoFor-CSE No value
gsm_map.callDiversionTreatmentIndicator callDiversionTreatmentIndicator Byte array SendRoutingInfoArg/callDiversionTreatmentIndicator
gsm_map.callForwardingData callForwardingData No value AnyTimeSubscriptionInterrogationRes/callForwardingData
gsm_map.callInfo callInfo No value
gsm_map.callOutcome callOutcome Unsigned 32-bit integer CallReportData/callOutcome
gsm_map.callReferenceNumber callReferenceNumber Byte array
gsm_map.callReportdata callReportdata No value StatusReportArg/callReportdata
gsm_map.callSessionRelated callSessionRelated Unsigned 32-bit integer LCS-PrivacyCheck/callSessionRelated
gsm_map.callSessionUnrelated callSessionUnrelated Unsigned 32-bit integer LCS-PrivacyCheck/callSessionUnrelated
gsm_map.callTerminationIndicator callTerminationIndicator Unsigned 32-bit integer IST-AlertRes/callTerminationIndicator
gsm_map.callTypeCriteria callTypeCriteria Unsigned 32-bit integer O-BcsmCamelTDP-Criteria/callTypeCriteria
gsm_map.call_Direction call-Direction Byte array ProvideSIWFSNumberArg/call-Direction
gsm_map.camel-invoked camel-invoked Boolean
gsm_map.camelBusy camelBusy No value SubscriberState/camelBusy
gsm_map.camelCapabilityHandling camelCapabilityHandling Unsigned 32-bit integer
gsm_map.camelInfo camelInfo No value SendRoutingInfoArg/camelInfo
gsm_map.camelRoutingInfo camelRoutingInfo No value ExtendedRoutingInfo/camelRoutingInfo
gsm_map.camelSubscriptionInfoWithdraw camelSubscriptionInfoWithdraw No value DeleteSubscriberDataArg/camelSubscriptionInfoWithdraw
gsm_map.camel_SubscriptionInfo camel-SubscriptionInfo No value
gsm_map.cancellationType cancellationType Unsigned 32-bit integer CancelLocationArg/cancellationType
gsm_map.category category Byte array InsertSubscriberDataArg/category
gsm_map.ccbs_Busy ccbs-Busy No value BusySubscriberParam/ccbs-Busy
gsm_map.ccbs_Call ccbs-Call No value
gsm_map.ccbs_Data ccbs-Data No value RegisterCC-EntryArg/ccbs-Data
gsm_map.ccbs_Feature ccbs-Feature No value
gsm_map.ccbs_FeatureList ccbs-FeatureList Unsigned 32-bit integer GenericServiceInfo/ccbs-FeatureList
gsm_map.ccbs_Index ccbs-Index Unsigned 32-bit integer
gsm_map.ccbs_Indicators ccbs-Indicators No value SendRoutingInfoRes/ccbs-Indicators
gsm_map.ccbs_Monitoring ccbs-Monitoring Unsigned 32-bit integer SetReportingStateArg/ccbs-Monitoring
gsm_map.ccbs_Possible ccbs-Possible No value
gsm_map.ccbs_SubscriberStatus ccbs-SubscriberStatus Unsigned 32-bit integer
gsm_map.cellGlobalIdOrServiceAreaIdFixedLength cellGlobalIdOrServiceAreaIdFixedLength Byte array CellGlobalIdOrServiceAreaIdOrLAI/cellGlobalIdOrServiceAreaIdFixedLength
gsm_map.cellGlobalIdOrServiceAreaIdOrLAI cellGlobalIdOrServiceAreaIdOrLAI Unsigned 32-bit integer
gsm_map.cellIdOrSai cellIdOrSai Unsigned 32-bit integer
gsm_map.cf-Enhancements cf-Enhancements Boolean
gsm_map.changeOfPositionDP changeOfPositionDP Boolean
gsm_map.channelType channelType No value
gsm_map.chargeableECT-Barred chargeableECT-Barred Boolean
gsm_map.chargingCharacteristics chargingCharacteristics Unsigned 16-bit integer
gsm_map.chargingCharacteristicsWithdraw chargingCharacteristicsWithdraw No value DeleteSubscriberDataArg/chargingCharacteristicsWithdraw
gsm_map.chargingId chargingId Byte array PDP-ContextInfo/chargingId
gsm_map.chargingIndicator chargingIndicator Boolean
gsm_map.chosenChannel chosenChannel No value
gsm_map.chosenChannelInfo chosenChannelInfo Byte array ChosenRadioResourceInformation/chosenChannelInfo
gsm_map.chosenRadioResourceInformation chosenRadioResourceInformation No value
gsm_map.chosenSpeechVersion chosenSpeechVersion Byte array ChosenRadioResourceInformation/chosenSpeechVersion
gsm_map.cipheringAlgorithm cipheringAlgorithm Byte array PrepareGroupCallArg/cipheringAlgorithm
gsm_map.ck ck Byte array
gsm_map.cksn cksn Byte array GSM-SecurityContextData/cksn
gsm_map.cliRestrictionOption cliRestrictionOption Unsigned 32-bit integer
gsm_map.clientIdentity clientIdentity No value ExternalClient/clientIdentity
gsm_map.clir-invoked clir-invoked Boolean
gsm_map.codec1 codec1 Byte array CodecList/codec1
gsm_map.codec2 codec2 Byte array CodecList/codec2
gsm_map.codec3 codec3 Byte array CodecList/codec3
gsm_map.codec4 codec4 Byte array CodecList/codec4
gsm_map.codec5 codec5 Byte array CodecList/codec5
gsm_map.codec6 codec6 Byte array CodecList/codec6
gsm_map.codec7 codec7 Byte array CodecList/codec7
gsm_map.codec8 codec8 Byte array CodecList/codec8
gsm_map.codec_Info codec-Info Byte array PrepareGroupCallArg/codec-Info
gsm_map.completeDataListIncluded completeDataListIncluded No value
gsm_map.contextIdList contextIdList Unsigned 32-bit integer GPRSSubscriptionDataWithdraw/contextIdList
gsm_map.criteriaForChangeOfPositionDP criteriaForChangeOfPositionDP Boolean
gsm_map.cs_AllocationRetentionPriority cs-AllocationRetentionPriority Byte array InsertSubscriberDataArg/cs-AllocationRetentionPriority
gsm_map.cs_LCS_NotSupportedByUE cs-LCS-NotSupportedByUE No value UpdateLocationArg/cs-LCS-NotSupportedByUE
gsm_map.csiActive csiActive No value O-CSI/csiActive
gsm_map.csi_Active csi-Active No value
gsm_map.cugSubscriptionFlag cugSubscriptionFlag No value SendRoutingInfoRes/cugSubscriptionFlag
gsm_map.cug_CheckInfo cug-CheckInfo No value
gsm_map.cug_FeatureList cug-FeatureList Unsigned 32-bit integer CUG-Info/cug-FeatureList
gsm_map.cug_Index cug-Index Unsigned 32-bit integer CUG-Subscription/cug-Index
gsm_map.cug_Info cug-Info No value Ext-SS-Info/cug-Info
gsm_map.cug_Interlock cug-Interlock Byte array
gsm_map.cug_OutgoingAccess cug-OutgoingAccess No value CUG-CheckInfo/cug-OutgoingAccess
gsm_map.cug_RejectCause cug-RejectCause Unsigned 32-bit integer Cug-RejectParam/cug-RejectCause
gsm_map.cug_SubscriptionList cug-SubscriptionList Unsigned 32-bit integer CUG-Info/cug-SubscriptionList
gsm_map.currentLocation currentLocation No value RequestedInfo/currentLocation
gsm_map.currentLocationRetrieved currentLocationRetrieved No value
gsm_map.currentPassword currentPassword String
gsm_map.currentSecurityContext currentSecurityContext Unsigned 32-bit integer SendIdentificationRes/currentSecurityContext
gsm_map.currentlyUsedCodec currentlyUsedCodec Byte array ForwardAccessSignallingArgV3/currentlyUsedCodec
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_IM_CSI d-IM-CSI No value CAMEL-SubscriptionInfo/d-IM-CSI
gsm_map.d_csi d-csi No value
gsm_map.dataCodingScheme dataCodingScheme Byte array
gsm_map.defaultCallHandling defaultCallHandling Unsigned 32-bit integer
gsm_map.defaultPriority defaultPriority Unsigned 32-bit integer
gsm_map.defaultSMS_Handling defaultSMS-Handling Unsigned 32-bit integer SMS-CAMEL-TDP-Data/defaultSMS-Handling
gsm_map.defaultSessionHandling defaultSessionHandling Unsigned 32-bit integer GPRS-CamelTDPData/defaultSessionHandling
gsm_map.deferredLocationEventType deferredLocationEventType Byte array
gsm_map.deferredmt_lrData deferredmt-lrData No value SubscriberLocationReport-Arg/deferredmt-lrData
gsm_map.deferredmt_lrResponseIndicator deferredmt-lrResponseIndicator No value ProvideSubscriberLocation-Res/deferredmt-lrResponseIndicator
gsm_map.deliveryOutcomeIndicator deliveryOutcomeIndicator No value ReportSM-DeliveryStatusArg/deliveryOutcomeIndicator
gsm_map.destinationNumberCriteria destinationNumberCriteria No value O-BcsmCamelTDP-Criteria/destinationNumberCriteria
gsm_map.destinationNumberLengthList destinationNumberLengthList Unsigned 32-bit integer DestinationNumberCriteria/destinationNumberLengthList
gsm_map.destinationNumberList destinationNumberList Unsigned 32-bit integer DestinationNumberCriteria/destinationNumberList
gsm_map.dfc-WithArgument dfc-WithArgument Boolean
gsm_map.diagnosticInfo diagnosticInfo Byte array Sm-DeliveryFailureCause/diagnosticInfo
gsm_map.dialledNumber dialledNumber Byte array DP-AnalysedInfoCriterium/dialledNumber
gsm_map.disconnectLeg disconnectLeg Boolean
gsm_map.doublyChargeableECT-Barred doublyChargeableECT-Barred Boolean
gsm_map.dp_AnalysedInfoCriteriaList dp-AnalysedInfoCriteriaList Unsigned 32-bit integer D-CSI/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 Ext-SS-Info/emlpp-Info
gsm_map.encryptionAlgorithm encryptionAlgorithm Byte array SelectedUMTS-Algorithms/encryptionAlgorithm
gsm_map.encryptionAlgorithms encryptionAlgorithms Byte array AllowedUMTS-Algorithms/encryptionAlgorithms
gsm_map.encryptionInfo encryptionInfo Byte array
gsm_map.enteringIntoArea enteringIntoArea Boolean
gsm_map.entityReleased entityReleased Boolean
gsm_map.equipmentStatus equipmentStatus Unsigned 32-bit integer CheckIMEIRes/equipmentStatus
gsm_map.errorCode errorCode Unsigned 32-bit integer OriginalComponentIdentifier/errorCode
gsm_map.eventMet eventMet Byte array NoteMM-EventArg/eventMet
gsm_map.eventReportData eventReportData No value StatusReportArg/eventReportData
gsm_map.ext2_QoS_Subscribed ext2-QoS-Subscribed Byte array PDP-Context/ext2-QoS-Subscribed
gsm_map.extId extId String PrivateExtension/extId
gsm_map.extType extType No value PrivateExtension/extType
gsm_map.ext_BearerService ext-BearerService Unsigned 8-bit integer Ext-BasicServiceCode/ext-BearerService
gsm_map.ext_ProtocolId ext-ProtocolId Unsigned 32-bit integer Ext-ExternalSignalInfo/ext-ProtocolId
gsm_map.ext_QoS_Subscribed ext-QoS-Subscribed Byte array PDP-Context/ext-QoS-Subscribed
gsm_map.ext_Teleservice ext-Teleservice Unsigned 8-bit integer Ext-BasicServiceCode/ext-Teleservice
gsm_map.ext_externalClientList ext-externalClientList Unsigned 32-bit integer LCS-PrivacyClass/ext-externalClientList
gsm_map.extendedRoutingInfo extendedRoutingInfo Unsigned 32-bit integer SendRoutingInfoRes/extendedRoutingInfo
gsm_map.extensibleCallBarredParam extensibleCallBarredParam No value CallBarredParam/extensibleCallBarredParam
gsm_map.extensibleSystemFailureParam extensibleSystemFailureParam No value SystemFailureParam/extensibleSystemFailureParam
gsm_map.extension Extension Boolean Extension
gsm_map.extensionContainer extensionContainer No value
gsm_map.externalAddress externalAddress Byte array LCSClientExternalID/externalAddress
gsm_map.externalClientList externalClientList Unsigned 32-bit integer LCS-PrivacyClass/externalClientList
gsm_map.failureCause failureCause Unsigned 32-bit integer AuthenticationFailureReportArg/failureCause
gsm_map.firstServiceAllowed firstServiceAllowed Boolean
gsm_map.forwardedToNumber forwardedToNumber Byte array
gsm_map.forwardedToSubaddress forwardedToSubaddress Byte array
gsm_map.forwardingData forwardingData No value
gsm_map.forwardingFeatureList forwardingFeatureList Unsigned 32-bit integer
gsm_map.forwardingInfo forwardingInfo No value Ext-SS-Info/forwardingInfo
gsm_map.forwardingInfoFor_CSE forwardingInfoFor-CSE No value
gsm_map.forwardingInterrogationRequired forwardingInterrogationRequired No value SendRoutingInfoRes/forwardingInterrogationRequired
gsm_map.forwardingOptions forwardingOptions Byte array Ext-ForwFeature/forwardingOptions
gsm_map.forwardingReason forwardingReason Unsigned 32-bit integer SendRoutingInfoArg/forwardingReason
gsm_map.forwarding_reason Forwarding reason Unsigned 8-bit integer forwarding reason
gsm_map.freezeP_TMSI freezeP-TMSI No value PurgeMSRes/freezeP-TMSI
gsm_map.freezeTMSI freezeTMSI No value PurgeMSRes/freezeTMSI
gsm_map.genericServiceInfo genericServiceInfo No value InterrogateSS-Res/genericServiceInfo
gsm_map.geodeticInformation geodeticInformation Byte array
gsm_map.geographicalInformation geographicalInformation Byte array
gsm_map.geranCodecList geranCodecList No value SupportedCodecsList/geranCodecList
gsm_map.geranNotAllowed geranNotAllowed Boolean
gsm_map.geranPositioningData geranPositioningData Byte array
gsm_map.geran_classmark geran-classmark Byte array
gsm_map.ggsn_Address ggsn-Address Byte array
gsm_map.ggsn_Number ggsn-Number Byte array
gsm_map.globalValue globalValue String
gsm_map.globalerrorCode Global Error Code Unsigned 32-bit integer globalerrorCode
gsm_map.gmlc_List gmlc-List Unsigned 32-bit integer LCSInformation/gmlc-List
gsm_map.gmlc_ListWithdraw gmlc-ListWithdraw No value DeleteSubscriberDataArg/gmlc-ListWithdraw
gsm_map.gmlc_Restriction gmlc-Restriction Unsigned 32-bit integer
gsm_map.gmscCamelSubscriptionInfo gmscCamelSubscriptionInfo No value CamelRoutingInfo/gmscCamelSubscriptionInfo
gsm_map.gmsc_Address gmsc-Address Byte array ProvideRoamingNumberArg/gmsc-Address
gsm_map.gmsc_OrGsmSCF_Address gmsc-OrGsmSCF-Address Byte array SendRoutingInfoArg/gmsc-OrGsmSCF-Address
gsm_map.gprs-csi gprs-csi Boolean
gsm_map.gprsConnectionSuspended gprsConnectionSuspended No value SubBusyForMT-SMS-Param/gprsConnectionSuspended
gsm_map.gprsDataList gprsDataList Unsigned 32-bit integer GPRSSubscriptionData/gprsDataList
gsm_map.gprsEnhancementsSupportIndicator gprsEnhancementsSupportIndicator No value SGSN-Capability/gprsEnhancementsSupportIndicator
gsm_map.gprsNodeIndicator gprsNodeIndicator No value
gsm_map.gprsSubscriptionData gprsSubscriptionData No value InsertSubscriberDataArg/gprsSubscriptionData
gsm_map.gprsSubscriptionDataWithdraw gprsSubscriptionDataWithdraw Unsigned 32-bit integer DeleteSubscriberDataArg/gprsSubscriptionDataWithdraw
gsm_map.gprsSupportIndicator gprsSupportIndicator No value
gsm_map.gprs_CSI gprs-CSI No value
gsm_map.gprs_CamelTDPDataList gprs-CamelTDPDataList Unsigned 32-bit integer GPRS-CSI/gprs-CamelTDPDataList
gsm_map.gprs_MS_Class gprs-MS-Class No value SubscriberInfo/gprs-MS-Class
gsm_map.gprs_TriggerDetectionPoint gprs-TriggerDetectionPoint Unsigned 32-bit integer GPRS-CamelTDPData/gprs-TriggerDetectionPoint
gsm_map.groupCallNumber groupCallNumber Byte array PrepareGroupCallRes/groupCallNumber
gsm_map.groupId groupId Byte array VoiceGroupCallData/groupId
gsm_map.groupKey groupKey Byte array PrepareGroupCallArg/groupKey
gsm_map.groupKeyNumber_Vk_Id groupKeyNumber-Vk-Id Unsigned 32-bit integer PrepareGroupCallArg/groupKeyNumber-Vk-Id
gsm_map.groupid groupid Byte array VoiceBroadcastData/groupid
gsm_map.gsmSCFAddress gsmSCFAddress Byte array BcsmCamelTDPData/gsmSCFAddress
gsm_map.gsmSCF_Address gsmSCF-Address Byte array
gsm_map.gsmSCF_InitiatedCall gsmSCF-InitiatedCall No value SendRoutingInfoArg/gsmSCF-InitiatedCall
gsm_map.gsm_BearerCapability gsm-BearerCapability No value
gsm_map.gsm_SecurityContextData gsm-SecurityContextData No value CurrentSecurityContext/gsm-SecurityContextData
gsm_map.h_gmlc_Address h-gmlc-Address Byte array
gsm_map.handoverNumber handoverNumber Byte array
gsm_map.highLayerCompatibility highLayerCompatibility No value ProvideSIWFSNumberArg/highLayerCompatibility
gsm_map.hlobalerrorCodeoid Global Error Code OID String globalerrorCodeoid
gsm_map.hlr_List hlr-List Unsigned 32-bit integer ResetArg/hlr-List
gsm_map.hlr_Number hlr-Number Byte array
gsm_map.ho_NumberNotRequired ho-NumberNotRequired No value
gsm_map.hopCounter hopCounter Unsigned 32-bit integer SendIdentificationArg/hopCounter
gsm_map.horizontal_accuracy horizontal-accuracy Byte array LCS-QoS/horizontal-accuracy
gsm_map.iUSelectedCodec iUSelectedCodec Byte array ProcessAccessSignallingArgV3/iUSelectedCodec
gsm_map.identity identity Unsigned 32-bit integer CancelLocationArg/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.imei imei Byte array
gsm_map.imeisv imeisv Byte array
gsm_map.immediateResponsePreferred immediateResponsePreferred No value SendAuthenticationInfoArgV2/immediateResponsePreferred
gsm_map.imsi imsi Byte array
gsm_map.imsi_WithLMSI imsi-WithLMSI No value
gsm_map.imsi_digits Imsi digits String Imsi digits
gsm_map.informPreviousNetworkEntity informPreviousNetworkEntity No value
gsm_map.initialisationVector initialisationVector Byte array SecurityHeader/initialisationVector
gsm_map.initiateCallAttempt initiateCallAttempt Boolean
gsm_map.integrityProtectionAlgorithm integrityProtectionAlgorithm Byte array SelectedUMTS-Algorithms/integrityProtectionAlgorithm
gsm_map.integrityProtectionAlgorithms integrityProtectionAlgorithms Byte array AllowedUMTS-Algorithms/integrityProtectionAlgorithms
gsm_map.integrityProtectionInfo integrityProtectionInfo Byte array
gsm_map.interCUG_Restrictions interCUG-Restrictions Byte array CUG-Feature/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 SendRoutingInfoArg/interrogationType
gsm_map.intervalTime intervalTime Unsigned 32-bit integer AreaEventInfo/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 CUG-Subscription/intraCUG-Options
gsm_map.invoke invoke No value GSMMAPPDU/invoke
gsm_map.invokeCmd invokeCmd Unsigned 32-bit integer InvokePDU/invokeCmd
gsm_map.invokeId invokeId Unsigned 32-bit integer InvokePDU/invokeId
gsm_map.invokeid invokeid Signed 32-bit integer InvokeId/invokeid
gsm_map.isdn.adress.digits ISDN Address digits String ISDN Address digits
gsm_map.isdn_BearerCapability isdn-BearerCapability No value ProvideSIWFSNumberArg/isdn-BearerCapability
gsm_map.istAlertTimer istAlertTimer Unsigned 32-bit integer
gsm_map.istInformationWithdraw istInformationWithdraw No value
gsm_map.istSupportIndicator istSupportIndicator Unsigned 32-bit integer
gsm_map.iuAvailableCodecsList iuAvailableCodecsList No value
gsm_map.iuCurrentlyUsedCodec iuCurrentlyUsedCodec Byte array PrepareHO-ArgV3/iuCurrentlyUsedCodec
gsm_map.iuSelectedCodec iuSelectedCodec Byte array
gsm_map.iuSupportedCodecsList iuSupportedCodecsList No value
gsm_map.kc kc Byte array
gsm_map.keepCCBS_CallIndicator keepCCBS-CallIndicator No value CCBS-Indicators/keepCCBS-CallIndicator
gsm_map.keyStatus keyStatus Unsigned 32-bit integer ForwardAccessSignallingArgV3/keyStatus
gsm_map.ksi ksi Byte array UMTS-SecurityContextData/ksi
gsm_map.laiFixedLength laiFixedLength Byte array CellGlobalIdOrServiceAreaIdOrLAI/laiFixedLength
gsm_map.lcsAPN lcsAPN Byte array LCS-ClientID/lcsAPN
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 LCS-ClientID/lcsClientDialedByMS
gsm_map.lcsClientExternalID lcsClientExternalID No value LCS-ClientID/lcsClientExternalID
gsm_map.lcsClientInternalID lcsClientInternalID Unsigned 32-bit integer LCS-ClientID/lcsClientInternalID
gsm_map.lcsClientName lcsClientName No value LCS-ClientID/lcsClientName
gsm_map.lcsClientType lcsClientType Unsigned 32-bit integer LCS-ClientID/lcsClientType
gsm_map.lcsCodeword lcsCodeword No value ProvideSubscriberLocation-Arg/lcsCodeword
gsm_map.lcsCodewordString lcsCodewordString Byte array LCSCodeword/lcsCodewordString
gsm_map.lcsInformation lcsInformation No value InsertSubscriberDataArg/lcsInformation
gsm_map.lcsLocationInfo lcsLocationInfo No value
gsm_map.lcsRequestorID lcsRequestorID No value LCS-ClientID/lcsRequestorID
gsm_map.lcsServiceTypeID lcsServiceTypeID Unsigned 32-bit integer
gsm_map.lcs_ClientID lcs-ClientID No value
gsm_map.lcs_Event lcs-Event Unsigned 32-bit integer SubscriberLocationReport-Arg/lcs-Event
gsm_map.lcs_FormatIndicator lcs-FormatIndicator Unsigned 32-bit integer
gsm_map.lcs_Priority lcs-Priority Byte array ProvideSubscriberLocation-Arg/lcs-Priority
gsm_map.lcs_PrivacyCheck lcs-PrivacyCheck No value ProvideSubscriberLocation-Arg/lcs-PrivacyCheck
gsm_map.lcs_PrivacyExceptionList lcs-PrivacyExceptionList Unsigned 32-bit integer LCSInformation/lcs-PrivacyExceptionList
gsm_map.lcs_QoS lcs-QoS No value ProvideSubscriberLocation-Arg/lcs-QoS
gsm_map.lcs_ReferenceNumber lcs-ReferenceNumber Byte array
gsm_map.leavingFromArea leavingFromArea Boolean
gsm_map.lmsi lmsi Byte array
gsm_map.lmu_Indicator lmu-Indicator No value InsertSubscriberDataArg/lmu-Indicator
gsm_map.localValue localValue Signed 32-bit integer
gsm_map.localerrorCode Local Error Code Unsigned 32-bit integer localerrorCode
gsm_map.locationAtAlerting locationAtAlerting Boolean
gsm_map.locationEstimate locationEstimate Byte array
gsm_map.locationEstimateType locationEstimateType Unsigned 32-bit integer LocationType/locationEstimateType
gsm_map.locationInfoWithLMSI locationInfoWithLMSI No value RoutingInfoForSM-Res/locationInfoWithLMSI
gsm_map.locationInformation locationInformation No value
gsm_map.locationInformationGPRS locationInformationGPRS No value
gsm_map.locationNumber locationNumber Byte array LocationInformation/locationNumber
gsm_map.locationType locationType No value ProvideSubscriberLocation-Arg/locationType
gsm_map.longFTN_Supported longFTN-Supported No value
gsm_map.longForwardedToNumber longForwardedToNumber Byte array
gsm_map.lowerLayerCompatibility lowerLayerCompatibility No value ProvideSIWFSNumberArg/lowerLayerCompatibility
gsm_map.lsaActiveModeIndicator lsaActiveModeIndicator No value LSAData/lsaActiveModeIndicator
gsm_map.lsaAttributes lsaAttributes Byte array LSAData/lsaAttributes
gsm_map.lsaDataList lsaDataList Unsigned 32-bit integer LSAInformation/lsaDataList
gsm_map.lsaIdentity lsaIdentity Byte array LSAData/lsaIdentity
gsm_map.lsaIdentityList lsaIdentityList Unsigned 32-bit integer LSAInformationWithdraw/lsaIdentityList
gsm_map.lsaInformation lsaInformation No value InsertSubscriberDataArg/lsaInformation
gsm_map.lsaInformationWithdraw lsaInformationWithdraw Unsigned 32-bit integer DeleteSubscriberDataArg/lsaInformationWithdraw
gsm_map.lsaOnlyAccessIndicator lsaOnlyAccessIndicator Unsigned 32-bit integer LSAInformation/lsaOnlyAccessIndicator
gsm_map.m-csi m-csi Boolean
gsm_map.mSNetworkCapability mSNetworkCapability Byte array GPRSMSClass/mSNetworkCapability
gsm_map.mSRadioAccessCapability mSRadioAccessCapability Byte array GPRSMSClass/mSRadioAccessCapability
gsm_map.m_CSI m-CSI No value
gsm_map.mapsendendsignalarg mapSendEndSignalArg Byte array mapSendEndSignalArg
gsm_map.matchType matchType Unsigned 32-bit integer DestinationNumberCriteria/matchType
gsm_map.maximumEntitledPriority maximumEntitledPriority Unsigned 32-bit integer GenericServiceInfo/maximumEntitledPriority
gsm_map.maximumentitledPriority maximumentitledPriority Unsigned 32-bit integer EMLPP-Info/maximumentitledPriority
gsm_map.mc_SS_Info mc-SS-Info No value InsertSubscriberDataArg/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.mlcNumber mlcNumber Byte array RoutingInfoForLCS-Arg/mlcNumber
gsm_map.mlc_Number mlc-Number Byte array ProvideSubscriberLocation-Arg/mlc-Number
gsm_map.mnpInfoRes mnpInfoRes No value SubscriberInfo/mnpInfoRes
gsm_map.mnpRequestedInfo mnpRequestedInfo No value RequestedInfo/mnpRequestedInfo
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.mobileNotReachableReason mobileNotReachableReason Unsigned 32-bit integer SendRoutingInfoForGprsRes/mobileNotReachableReason
gsm_map.mobilityTriggers mobilityTriggers Unsigned 32-bit integer
gsm_map.modificationRequestFor_CB_Info modificationRequestFor-CB-Info No value AnyTimeModificationArg/modificationRequestFor-CB-Info
gsm_map.modificationRequestFor_CF_Info modificationRequestFor-CF-Info No value AnyTimeModificationArg/modificationRequestFor-CF-Info
gsm_map.modificationRequestFor_CSI modificationRequestFor-CSI No value AnyTimeModificationArg/modificationRequestFor-CSI
gsm_map.modificationRequestFor_ODB_data modificationRequestFor-ODB-data No value AnyTimeModificationArg/modificationRequestFor-ODB-data
gsm_map.modifyCSI_State modifyCSI-State Unsigned 32-bit integer ModificationRequestFor-CSI/modifyCSI-State
gsm_map.modifyNotificationToCSE modifyNotificationToCSE Unsigned 32-bit integer
gsm_map.molr_List molr-List Unsigned 32-bit integer LCSInformation/molr-List
gsm_map.monitoringMode monitoringMode Unsigned 32-bit integer CallReportData/monitoringMode
gsm_map.moreMessagesToSend moreMessagesToSend No value Mt-forwardSM-Arg/moreMessagesToSend
gsm_map.moveLeg moveLeg Boolean
gsm_map.msAvailable msAvailable Boolean
gsm_map.msNotReachable msNotReachable No value RestoreDataRes/msNotReachable
gsm_map.ms_Classmark2 ms-Classmark2 Byte array SubscriberInfo/ms-Classmark2
gsm_map.ms_classmark ms-classmark No value RequestedInfo/ms-classmark
gsm_map.msc_Number msc-Number Byte array
gsm_map.msisdn msisdn Byte array
gsm_map.msrn msrn Byte array ReleaseResourcesArg/msrn
gsm_map.mt-sms-csi mt-sms-csi Boolean
gsm_map.mt_smsCAMELTDP_CriteriaList mt-smsCAMELTDP-CriteriaList Unsigned 32-bit integer
gsm_map.mt_sms_CSI mt-sms-CSI No value
gsm_map.multicallBearerInfo multicallBearerInfo Unsigned 32-bit integer PrepareHO-ResV3/multicallBearerInfo
gsm_map.multipleBearerNotSupported multipleBearerNotSupported No value PrepareHO-ResV3/multipleBearerNotSupported
gsm_map.multipleBearerRequested multipleBearerRequested No value PrepareHO-ArgV3/multipleBearerRequested
gsm_map.multipleECT-Barred multipleECT-Barred Boolean
gsm_map.mw_Status mw-Status Byte array InformServiceCentreArg/mw-Status
gsm_map.na_ESRD na-ESRD Byte array
gsm_map.na_ESRK na-ESRK Byte array
gsm_map.na_ESRK_Request na-ESRK-Request No value SLR-Arg-PCS-Extensions/na-ESRK-Request
gsm_map.naea_PreferredCI naea-PreferredCI No value
gsm_map.naea_PreferredCIC naea-PreferredCIC Byte array NAEA-PreferredCI/naea-PreferredCIC
gsm_map.nameString nameString Byte array LCSClientName/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.nbrSN nbrSN Unsigned 32-bit integer GenericServiceInfo/nbrSN
gsm_map.nbrUser nbrUser Unsigned 32-bit integer
gsm_map.netDetNotReachable netDetNotReachable Unsigned 32-bit integer PS-SubscriberState/netDetNotReachable
gsm_map.networkAccessMode networkAccessMode Unsigned 32-bit integer InsertSubscriberDataArg/networkAccessMode
gsm_map.networkNode_Number networkNode-Number Byte array
gsm_map.networkResource networkResource Unsigned 32-bit integer
gsm_map.networkSignalInfo networkSignalInfo No value
gsm_map.networkSignalInfo2 networkSignalInfo2 No value SendRoutingInfoArg/networkSignalInfo2
gsm_map.noReplyConditionTime noReplyConditionTime Unsigned 32-bit integer
gsm_map.noSM_RP_DA noSM-RP-DA No value Sm-RP-DA/noSM-RP-DA
gsm_map.noSM_RP_OA noSM-RP-OA No value Sm-RP-OA/noSM-RP-OA
gsm_map.notProvidedFromSGSN notProvidedFromSGSN No value PS-SubscriberState/notProvidedFromSGSN
gsm_map.notProvidedFromVLR notProvidedFromVLR No value SubscriberState/notProvidedFromVLR
gsm_map.notificationToCSE notificationToCSE No value
gsm_map.notificationToMSUser notificationToMSUser Unsigned 32-bit integer
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 PDP-ContextInfo/nsapi
gsm_map.numberOfForwarding numberOfForwarding Unsigned 32-bit integer SendRoutingInfoArg/numberOfForwarding
gsm_map.numberOfRequestedVectors numberOfRequestedVectors Unsigned 32-bit integer
gsm_map.numberPortabilityStatus numberPortabilityStatus Unsigned 32-bit integer
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 ResumeCallHandlingArg/o-BcsmCamelTDPCriteriaList
gsm_map.o_BcsmCamelTDPDataList o-BcsmCamelTDPDataList Unsigned 32-bit integer O-CSI/o-BcsmCamelTDPDataList
gsm_map.o_BcsmCamelTDP_CriteriaList o-BcsmCamelTDP-CriteriaList Unsigned 32-bit integer
gsm_map.o_BcsmTriggerDetectionPoint o-BcsmTriggerDetectionPoint Unsigned 32-bit integer
gsm_map.o_CSI o-CSI No value
gsm_map.o_CauseValueCriteria o-CauseValueCriteria Unsigned 32-bit integer O-BcsmCamelTDP-Criteria/o-CauseValueCriteria
gsm_map.o_IM_BcsmCamelTDP_CriteriaList o-IM-BcsmCamelTDP-CriteriaList Unsigned 32-bit integer CAMEL-SubscriptionInfo/o-IM-BcsmCamelTDP-CriteriaList
gsm_map.o_IM_CSI o-IM-CSI No value CAMEL-SubscriptionInfo/o-IM-CSI
gsm_map.occurrenceInfo occurrenceInfo Unsigned 32-bit integer AreaEventInfo/occurrenceInfo
gsm_map.odb odb No value RequestedSubscriptionInfo/odb
gsm_map.odb_Data odb-Data No value
gsm_map.odb_GeneralData odb-GeneralData Byte array
gsm_map.odb_HPLMN_Data odb-HPLMN-Data Byte array ODB-Data/odb-HPLMN-Data
gsm_map.odb_Info odb-Info No value
gsm_map.odb_data odb-data No value ModificationRequestFor-ODB-data/odb-data
gsm_map.offeredCamel4CSIs offeredCamel4CSIs Byte array
gsm_map.offeredCamel4CSIsInInterrogatingNode offeredCamel4CSIsInInterrogatingNode Byte array ProvideRoamingNumberArg/offeredCamel4CSIsInInterrogatingNode
gsm_map.offeredCamel4CSIsInSGSN offeredCamel4CSIsInSGSN Byte array AnyTimeSubscriptionInterrogationRes/offeredCamel4CSIsInSGSN
gsm_map.offeredCamel4CSIsInVLR offeredCamel4CSIsInVLR Byte array AnyTimeSubscriptionInterrogationRes/offeredCamel4CSIsInVLR
gsm_map.offeredCamel4CSIsInVMSC offeredCamel4CSIsInVMSC Byte array SendRoutingInfoRes/offeredCamel4CSIsInVMSC
gsm_map.offeredCamel4Functionalities offeredCamel4Functionalities Byte array NoteMM-EventArg/offeredCamel4Functionalities
gsm_map.omc_Id omc-Id Byte array ActivateTraceModeArg/omc-Id
gsm_map.operationCode operationCode Unsigned 32-bit integer OriginalComponentIdentifier/operationCode
gsm_map.or-Interactions or-Interactions Boolean
gsm_map.orNotSupportedInGMSC orNotSupportedInGMSC No value ProvideRoamingNumberArg/orNotSupportedInGMSC
gsm_map.or_Capability or-Capability Unsigned 32-bit integer SendRoutingInfoArg/or-Capability
gsm_map.or_Interrogation or-Interrogation No value
gsm_map.originalComponentIdentifier originalComponentIdentifier Unsigned 32-bit integer SecurityHeader/originalComponentIdentifier
gsm_map.overrideCategory overrideCategory Unsigned 32-bit integer SS-SubscriptionOption/overrideCategory
gsm_map.password Password Unsigned 8-bit integer Password
gsm_map.pcsExtensions pcsExtensions No value ExtensionContainer/pcsExtensions
gsm_map.pdp_Address pdp-Address Byte array
gsm_map.pdp_ChargingCharacteristics pdp-ChargingCharacteristics Unsigned 16-bit integer PDP-Context/pdp-ChargingCharacteristics
gsm_map.pdp_ContextActive pdp-ContextActive No value PDP-ContextInfo/pdp-ContextActive
gsm_map.pdp_ContextId pdp-ContextId Unsigned 32-bit integer PDP-Context/pdp-ContextId
gsm_map.pdp_ContextIdentifier pdp-ContextIdentifier Unsigned 32-bit integer PDP-ContextInfo/pdp-ContextIdentifier
gsm_map.pdp_Type pdp-Type Byte array
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 LCS-PrivacyClass/plmnClientList
gsm_map.polygon polygon Boolean
gsm_map.positionMethodFailure_Diagnostic positionMethodFailure-Diagnostic Unsigned 32-bit integer PositionMethodFailure-Param/positionMethodFailure-Diagnostic
gsm_map.ppr_Address ppr-Address Byte array RoutingInfoForLCS-Res/ppr-Address
gsm_map.pre_pagingSupported pre-pagingSupported No value
gsm_map.preferentialCUG_Indicator preferentialCUG-Indicator Unsigned 32-bit integer CUG-Feature/preferentialCUG-Indicator
gsm_map.premiumRateEntertainementOGCallsBarred premiumRateEntertainementOGCallsBarred Boolean
gsm_map.premiumRateInformationOGCallsBarred premiumRateInformationOGCallsBarred Boolean
gsm_map.previous_LAI previous-LAI Byte array SendIdentificationArg/previous-LAI
gsm_map.priority priority Unsigned 32-bit integer PrepareGroupCallArg/priority
gsm_map.privacyOverride privacyOverride No value ProvideSubscriberLocation-Arg/privacyOverride
gsm_map.privateExtensionList privateExtensionList Unsigned 32-bit integer
gsm_map.protectedPayload protectedPayload Byte array
gsm_map.protocolId protocolId Unsigned 32-bit integer
gsm_map.provisionedSS provisionedSS Unsigned 32-bit integer InsertSubscriberDataArg/provisionedSS
gsm_map.ps_AttachedNotReachableForPaging ps-AttachedNotReachableForPaging No value PS-SubscriberState/ps-AttachedNotReachableForPaging
gsm_map.ps_AttachedReachableForPaging ps-AttachedReachableForPaging No value PS-SubscriberState/ps-AttachedReachableForPaging
gsm_map.ps_Detached ps-Detached No value PS-SubscriberState/ps-Detached
gsm_map.ps_LCS_NotSupportedByUE ps-LCS-NotSupportedByUE No value UpdateGprsLocationArg/ps-LCS-NotSupportedByUE
gsm_map.ps_PDP_ActiveNotReachableForPaging ps-PDP-ActiveNotReachableForPaging Unsigned 32-bit integer PS-SubscriberState/ps-PDP-ActiveNotReachableForPaging
gsm_map.ps_PDP_ActiveReachableForPaging ps-PDP-ActiveReachableForPaging Unsigned 32-bit integer PS-SubscriberState/ps-PDP-ActiveReachableForPaging
gsm_map.ps_SubscriberState ps-SubscriberState Unsigned 32-bit integer SubscriberInfo/ps-SubscriberState
gsm_map.pseudonymIndicator pseudonymIndicator No value SubscriberLocationReport-Arg/pseudonymIndicator
gsm_map.psi-enhancements psi-enhancements Boolean
gsm_map.qos2_Negotiated qos2-Negotiated Byte array PDP-ContextInfo/qos2-Negotiated
gsm_map.qos2_Requested qos2-Requested Byte array PDP-ContextInfo/qos2-Requested
gsm_map.qos2_Subscribed qos2-Subscribed Byte array PDP-ContextInfo/qos2-Subscribed
gsm_map.qos_Negotiated qos-Negotiated Byte array PDP-ContextInfo/qos-Negotiated
gsm_map.qos_Requested qos-Requested Byte array PDP-ContextInfo/qos-Requested
gsm_map.qos_Subscribed qos-Subscribed Byte array PDP-Context/qos-Subscribed
gsm_map.quintupletList quintupletList Unsigned 32-bit integer AuthenticationSetList/quintupletList
gsm_map.rab_ConfigurationIndicator rab-ConfigurationIndicator No value
gsm_map.rab_Id rab-Id Unsigned 32-bit integer
gsm_map.radioResourceInformation radioResourceInformation Byte array
gsm_map.radioResourceList radioResourceList Unsigned 32-bit integer
gsm_map.ranap_ServiceHandover ranap-ServiceHandover Byte array
gsm_map.rand rand Byte array
gsm_map.re_attempt re-attempt Boolean AuthenticationFailureReportArg/re-attempt
gsm_map.re_synchronisationInfo re-synchronisationInfo No value SendAuthenticationInfoArgV2/re-synchronisationInfo
gsm_map.redirecting_presentation Redirecting presentation Boolean Redirecting presentation
gsm_map.regionalSubscriptionData regionalSubscriptionData Unsigned 32-bit integer InsertSubscriberDataArg/regionalSubscriptionData
gsm_map.regionalSubscriptionIdentifier regionalSubscriptionIdentifier Byte array DeleteSubscriberDataArg/regionalSubscriptionIdentifier
gsm_map.regionalSubscriptionResponse regionalSubscriptionResponse Unsigned 32-bit integer
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.releaseGroupCall releaseGroupCall No value ProcessGroupCallSignallingArg/releaseGroupCall
gsm_map.releaseResourcesSupported releaseResourcesSupported No value
gsm_map.relocationNumberList relocationNumberList Unsigned 32-bit integer PrepareHO-ResV3/relocationNumberList
gsm_map.replaceB_Number replaceB-Number No value RemoteUserFreeArg/replaceB-Number
gsm_map.requestedCAMEL_SubscriptionInfo requestedCAMEL-SubscriptionInfo Unsigned 32-bit integer RequestedSubscriptionInfo/requestedCAMEL-SubscriptionInfo
gsm_map.requestedCamel_SubscriptionInfo requestedCamel-SubscriptionInfo Unsigned 32-bit integer ModificationRequestFor-CSI/requestedCamel-SubscriptionInfo
gsm_map.requestedDomain requestedDomain Unsigned 32-bit integer RequestedInfo/requestedDomain
gsm_map.requestedEquipmentInfo requestedEquipmentInfo Byte array CheckIMEIArgV2/requestedEquipmentInfo
gsm_map.requestedInfo requestedInfo No value
gsm_map.requestedSS_Info requestedSS-Info No value RequestedSubscriptionInfo/requestedSS-Info
gsm_map.requestedSubscriptionInfo requestedSubscriptionInfo No value AnyTimeSubscriptionInterrogationArg/requestedSubscriptionInfo
gsm_map.requestingNodeType requestingNodeType Unsigned 32-bit integer SendAuthenticationInfoArgV2/requestingNodeType
gsm_map.requestingPLMN_Id requestingPLMN-Id Byte array SendAuthenticationInfoArgV2/requestingPLMN-Id
gsm_map.requestorIDString requestorIDString Byte array LCSRequestorID/requestorIDString
gsm_map.responseTime responseTime No value LCS-QoS/responseTime
gsm_map.responseTimeCategory responseTimeCategory Unsigned 32-bit integer ResponseTime/responseTimeCategory
gsm_map.returnError returnError No value GSMMAPPDU/returnError
gsm_map.returnResult returnResult No value GSMMAPPDU/returnResult
gsm_map.returnerrorresult returnError_result Unsigned 32-bit integer returnError_result
gsm_map.returnresultresult returnResult_result Byte array returnResult_result
gsm_map.rnc_Address rnc-Address Byte array PDP-ContextInfo/rnc-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 RoamingNotAllowedParam/roamingNotAllowedCause
gsm_map.roamingNumber roamingNumber Byte array
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 InsertSubscriberDataArg/roamingRestrictedInSgsnDueToUnsupportedFeature
gsm_map.roamingRestrictedInSgsnDueToUnsuppportedFeature roamingRestrictedInSgsnDueToUnsuppportedFeature No value DeleteSubscriberDataArg/roamingRestrictedInSgsnDueToUnsuppportedFeature
gsm_map.roamingRestrictionDueToUnsupportedFeature roamingRestrictionDueToUnsupportedFeature No value
gsm_map.routeingAreaIdentity routeingAreaIdentity Byte array LocationInformationGPRS/routeingAreaIdentity
gsm_map.routeingNumber routeingNumber Byte array MNPInfoRes/routeingNumber
gsm_map.routingInfo routingInfo Unsigned 32-bit integer ExtendedRoutingInfo/routingInfo
gsm_map.routingInfo2 routingInfo2 Unsigned 32-bit integer SendRoutingInfoRes/routingInfo2
gsm_map.ruf_Outcome ruf-Outcome Unsigned 32-bit integer RemoteUserFreeRes/ruf-Outcome
gsm_map.sIWFSNumber sIWFSNumber Byte array ProvideSIWFSNumberRes/sIWFSNumber
gsm_map.sai_Present sai-Present No value
gsm_map.scAddressNotIncluded scAddressNotIncluded Boolean
gsm_map.secondServiceAllowed secondServiceAllowed Boolean
gsm_map.securityHeader securityHeader No value
gsm_map.securityParametersIndex securityParametersIndex Byte array SecurityHeader/securityParametersIndex
gsm_map.segmentationProhibited segmentationProhibited No value
gsm_map.selectedGSM_Algorithm selectedGSM-Algorithm Byte array ProcessAccessSignallingArgV3/selectedGSM-Algorithm
gsm_map.selectedLSAIdentity selectedLSAIdentity Byte array LocationInformationGPRS/selectedLSAIdentity
gsm_map.selectedLSA_Id selectedLSA-Id Byte array LocationInformation/selectedLSA-Id
gsm_map.selectedRab_Id selectedRab-Id Unsigned 32-bit integer
gsm_map.selectedUMTS_Algorithms selectedUMTS-Algorithms No value
gsm_map.sendSubscriberData sendSubscriberData No value SuperChargerInfo/sendSubscriberData
gsm_map.serviceCentreAddress serviceCentreAddress Byte array
gsm_map.serviceCentreAddressDA serviceCentreAddressDA Byte array Sm-RP-DA/serviceCentreAddressDA
gsm_map.serviceCentreAddressOA serviceCentreAddressOA Byte array Sm-RP-OA/serviceCentreAddressOA
gsm_map.serviceChangeDP serviceChangeDP Boolean
gsm_map.serviceIndicator serviceIndicator Byte array CCBS-Data/serviceIndicator
gsm_map.serviceKey serviceKey Unsigned 32-bit integer
gsm_map.serviceTypeIdentity serviceTypeIdentity Unsigned 32-bit integer ServiceType/serviceTypeIdentity
gsm_map.serviceTypeList serviceTypeList Unsigned 32-bit integer LCS-PrivacyClass/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.sgsn_CAMEL_SubscriptionInfo sgsn-CAMEL-SubscriptionInfo No value InsertSubscriberDataArg/sgsn-CAMEL-SubscriptionInfo
gsm_map.sgsn_Capability sgsn-Capability No value UpdateGprsLocationArg/sgsn-Capability
gsm_map.sgsn_Number sgsn-Number Byte array
gsm_map.signalInfo signalInfo Byte array
gsm_map.skipSubscriberDataUpdate skipSubscriberDataUpdate No value ADD-Info/skipSubscriberDataUpdate
gsm_map.slr_ArgExtensionContainer slr-ArgExtensionContainer No value SubscriberLocationReport-Arg/slr-ArgExtensionContainer
gsm_map.slr_Arg_PCS_Extensions slr-Arg-PCS-Extensions No value SLR-ArgExtensionContainer/slr-Arg-PCS-Extensions
gsm_map.sm_DeliveryOutcome sm-DeliveryOutcome Unsigned 32-bit integer ReportSM-DeliveryStatusArg/sm-DeliveryOutcome
gsm_map.sm_EnumeratedDeliveryFailureCause sm-EnumeratedDeliveryFailureCause Unsigned 32-bit integer Sm-DeliveryFailureCause/sm-EnumeratedDeliveryFailureCause
gsm_map.sm_RP_DA sm-RP-DA Unsigned 32-bit integer
gsm_map.sm_RP_MTI sm-RP-MTI Unsigned 32-bit integer RoutingInfoForSMArg/sm-RP-MTI
gsm_map.sm_RP_OA sm-RP-OA Unsigned 32-bit integer
gsm_map.sm_RP_PRI sm-RP-PRI Boolean RoutingInfoForSMArg/sm-RP-PRI
gsm_map.sm_RP_SMEA sm-RP-SMEA Byte array RoutingInfoForSMArg/sm-RP-SMEA
gsm_map.sm_RP_UI sm-RP-UI Byte array
gsm_map.smsCallBarringSupportIndicator smsCallBarringSupportIndicator No value SGSN-Capability/smsCallBarringSupportIndicator
gsm_map.sms_CAMEL_TDP_DataList sms-CAMEL-TDP-DataList Unsigned 32-bit integer SMS-CSI/sms-CAMEL-TDP-DataList
gsm_map.sms_TriggerDetectionPoint sms-TriggerDetectionPoint Unsigned 32-bit integer
gsm_map.solsaSupportIndicator solsaSupportIndicator No value
gsm_map.specificCSIDeletedList specificCSIDeletedList Byte array CAMEL-SubscriptionInfo/specificCSIDeletedList
gsm_map.specificCSI_Withdraw specificCSI-Withdraw Byte array DeleteSubscriberDataArg/specificCSI-Withdraw
gsm_map.splitLeg splitLeg Boolean
gsm_map.sres sres Byte array
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_CamelData ss-CamelData No value SS-CSI/ss-CamelData
gsm_map.ss_Code ss-Code Unsigned 8-bit integer
gsm_map.ss_Data ss-Data No value Ext-SS-Info/ss-Data
gsm_map.ss_Event ss-Event Byte array Ss-InvocationNotificationArg/ss-Event
gsm_map.ss_EventList ss-EventList Unsigned 32-bit integer SS-CamelData/ss-EventList
gsm_map.ss_EventSpecification ss-EventSpecification Unsigned 32-bit integer Ss-InvocationNotificationArg/ss-EventSpecification
gsm_map.ss_EventSpecification_item Item Byte array Ss-InvocationNotificationArg/ss-EventSpecification/_item
gsm_map.ss_InfoFor_CSE ss-InfoFor-CSE Unsigned 32-bit integer AnyTimeModificationRes/ss-InfoFor-CSE
gsm_map.ss_List ss-List Unsigned 32-bit integer
gsm_map.ss_List2 ss-List2 Unsigned 32-bit integer SendRoutingInfoRes/ss-List2
gsm_map.ss_Status ss-Status Byte array
gsm_map.ss_SubscriptionOption ss-SubscriptionOption Unsigned 32-bit integer
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.subscribedEnhancedDialledServices subscribedEnhancedDialledServices Boolean
gsm_map.subscriberDataStored subscriberDataStored Byte array SuperChargerInfo/subscriberDataStored
gsm_map.subscriberIdentity subscriberIdentity Unsigned 32-bit integer
gsm_map.subscriberInfo subscriberInfo No value
gsm_map.subscriberState subscriberState Unsigned 32-bit integer SubscriberInfo/subscriberState
gsm_map.subscriberStatus subscriberStatus Unsigned 32-bit integer InsertSubscriberDataArg/subscriberStatus
gsm_map.superChargerSupportedInHLR superChargerSupportedInHLR Byte array InsertSubscriberDataArg/superChargerSupportedInHLR
gsm_map.superChargerSupportedInServingNetworkEntity superChargerSupportedInServingNetworkEntity Unsigned 32-bit integer
gsm_map.supportedCAMELPhases supportedCAMELPhases Byte array NoteMM-EventArg/supportedCAMELPhases
gsm_map.supportedCCBS_Phase supportedCCBS-Phase Unsigned 32-bit integer SendRoutingInfoArg/supportedCCBS-Phase
gsm_map.supportedCamelPhases supportedCamelPhases Byte array
gsm_map.supportedCamelPhasesInInterrogatingNode supportedCamelPhasesInInterrogatingNode Byte array ProvideRoamingNumberArg/supportedCamelPhasesInInterrogatingNode
gsm_map.supportedCamelPhasesInVMSC supportedCamelPhasesInVMSC Byte array SendRoutingInfoRes/supportedCamelPhasesInVMSC
gsm_map.supportedGADShapes supportedGADShapes Byte array ProvideSubscriberLocation-Arg/supportedGADShapes
gsm_map.supportedLCS_CapabilitySets supportedLCS-CapabilitySets Byte array
gsm_map.supportedSGSN_CAMEL_Phases supportedSGSN-CAMEL-Phases Byte array AnyTimeSubscriptionInterrogationRes/supportedSGSN-CAMEL-Phases
gsm_map.supportedVLR_CAMEL_Phases supportedVLR-CAMEL-Phases Byte array AnyTimeSubscriptionInterrogationRes/supportedVLR-CAMEL-Phases
gsm_map.suppressIncomingCallBarring suppressIncomingCallBarring No value SendRoutingInfoArg/suppressIncomingCallBarring
gsm_map.suppress_T_CSI suppress-T-CSI No value CamelInfo/suppress-T-CSI
gsm_map.suppress_VT_CSI suppress-VT-CSI No value
gsm_map.suppressionOfAnnouncement suppressionOfAnnouncement No value
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_TriggerDetectionPoint t-BCSM-TriggerDetectionPoint Unsigned 32-bit integer T-BCSM-CAMEL-TDP-Criteria/t-BCSM-TriggerDetectionPoint
gsm_map.t_BcsmCamelTDPDataList t-BcsmCamelTDPDataList Unsigned 32-bit integer T-CSI/t-BcsmCamelTDPDataList
gsm_map.t_BcsmTriggerDetectionPoint t-BcsmTriggerDetectionPoint Unsigned 32-bit integer T-BcsmCamelTDPData/t-BcsmTriggerDetectionPoint
gsm_map.t_CSI t-CSI No value
gsm_map.t_CauseValueCriteria t-CauseValueCriteria Unsigned 32-bit integer T-BCSM-CAMEL-TDP-Criteria/t-CauseValueCriteria
gsm_map.targetCellId targetCellId Byte array
gsm_map.targetMS targetMS Unsigned 32-bit integer
gsm_map.targetMSC_Number targetMSC-Number Byte array
gsm_map.targetRNCId targetRNCId Byte array
gsm_map.teid_ForGnAndGp teid-ForGnAndGp Byte array PDP-ContextInfo/teid-ForGnAndGp
gsm_map.teid_ForIu teid-ForIu Byte array PDP-ContextInfo/teid-ForIu
gsm_map.teleservice teleservice Unsigned 8-bit integer BasicService/teleservice
gsm_map.teleserviceList teleserviceList Unsigned 32-bit integer
gsm_map.terminationCause terminationCause Unsigned 32-bit integer Deferredmt-lrData/terminationCause
gsm_map.tif-csi tif-csi Boolean
gsm_map.tif_CSI tif-CSI No value
gsm_map.tif_CSI_NotificationToCSE tif-CSI-NotificationToCSE No value CAMEL-SubscriptionInfo/tif-CSI-NotificationToCSE
gsm_map.tmsi tmsi Byte array
gsm_map.tpdu_TypeCriterion tpdu-TypeCriterion Unsigned 32-bit integer MT-smsCAMELTDP-Criteria/tpdu-TypeCriterion
gsm_map.traceReference traceReference Byte array
gsm_map.traceType traceType Unsigned 32-bit integer ActivateTraceModeArg/traceType
gsm_map.transactionId transactionId Byte array PDP-ContextInfo/transactionId
gsm_map.translatedB_Number translatedB-Number Byte array
gsm_map.tripletList tripletList Unsigned 32-bit integer AuthenticationSetList/tripletList
gsm_map.uesbi_Iu uesbi-Iu No value PrepareHO-ArgV3/uesbi-Iu
gsm_map.uesbi_IuA uesbi-IuA Byte array UESBI-Iu/uesbi-IuA
gsm_map.uesbi_IuB uesbi-IuB Byte array UESBI-Iu/uesbi-IuB
gsm_map.umts_SecurityContextData umts-SecurityContextData No value CurrentSecurityContext/umts-SecurityContextData
gsm_map.unauthorisedMessageOriginator unauthorisedMessageOriginator No value CallBarredParam/extensibleCallBarredParam/unauthorisedMessageOriginator
gsm_map.unauthorizedLCSClient_Diagnostic unauthorizedLCSClient-Diagnostic Unsigned 32-bit integer UnauthorizedLCSClient-Param/unauthorizedLCSClient-Diagnostic
gsm_map.unavailabilityCause unavailabilityCause Unsigned 32-bit integer SendRoutingInfoRes/unavailabilityCause
gsm_map.unknownSubscriberDiagnostic unknownSubscriberDiagnostic Unsigned 32-bit integer UnknownSubscriberParam/unknownSubscriberDiagnostic
gsm_map.unused Unused Unsigned 8-bit integer Unused
gsm_map.uplinkFree uplinkFree No value PrepareGroupCallArg/uplinkFree
gsm_map.uplinkRejectCommand uplinkRejectCommand No value ForwardGroupCallSignallingArg/uplinkRejectCommand
gsm_map.uplinkReleaseCommand uplinkReleaseCommand No value ForwardGroupCallSignallingArg/uplinkReleaseCommand
gsm_map.uplinkReleaseIndication uplinkReleaseIndication No value
gsm_map.uplinkRequest uplinkRequest No value ProcessGroupCallSignallingArg/uplinkRequest
gsm_map.uplinkRequestAck uplinkRequestAck No value ForwardGroupCallSignallingArg/uplinkRequestAck
gsm_map.uplinkSeizedCommand uplinkSeizedCommand No value ForwardGroupCallSignallingArg/uplinkSeizedCommand
gsm_map.userInfo userInfo No value OriginalComponentIdentifier/userInfo
gsm_map.ussd_DataCodingScheme ussd-DataCodingScheme Byte array
gsm_map.ussd_String ussd-String Byte array
gsm_map.utranCodecList utranCodecList No value SupportedCodecsList/utranCodecList
gsm_map.utranNotAllowed utranNotAllowed Boolean
gsm_map.utranPositioningData utranPositioningData Byte array
gsm_map.uuIndicator uuIndicator Byte array UU-Data/uuIndicator
gsm_map.uu_Data uu-Data No value ResumeCallHandlingArg/uu-Data
gsm_map.uui uui Byte array UU-Data/uui
gsm_map.uusCFInteraction uusCFInteraction No value UU-Data/uusCFInteraction
gsm_map.v_gmlc_Address v-gmlc-Address Byte array
gsm_map.vbsGroupIndication vbsGroupIndication No value DeleteSubscriberDataArg/vbsGroupIndication
gsm_map.vbsSubscriptionData vbsSubscriptionData Unsigned 32-bit integer InsertSubscriberDataArg/vbsSubscriptionData
gsm_map.verticalCoordinateRequest verticalCoordinateRequest No value LCS-QoS/verticalCoordinateRequest
gsm_map.vertical_accuracy vertical-accuracy Byte array LCS-QoS/vertical-accuracy
gsm_map.vgcsGroupIndication vgcsGroupIndication No value DeleteSubscriberDataArg/vgcsGroupIndication
gsm_map.vgcsSubscriptionData vgcsSubscriptionData Unsigned 32-bit integer InsertSubscriberDataArg/vgcsSubscriptionData
gsm_map.vlrCamelSubscriptionInfo vlrCamelSubscriptionInfo No value InsertSubscriberDataArg/vlrCamelSubscriptionInfo
gsm_map.vlr_Capability vlr-Capability No value
gsm_map.vlr_Number vlr-Number Byte array
gsm_map.vlr_number vlr-number Byte array LocationInformation/vlr-number
gsm_map.vmsc_Address vmsc-Address Byte array SendRoutingInfoRes/vmsc-Address
gsm_map.vplmnAddressAllowed vplmnAddressAllowed No value PDP-Context/vplmnAddressAllowed
gsm_map.vstk vstk Byte array PrepareGroupCallArg/vstk
gsm_map.vstk_rand vstk-rand Byte array PrepareGroupCallArg/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 CAMEL-SubscriptionInfo/vt-BCSM-CAMEL-TDP-CriteriaList
gsm_map.vt_CSI vt-CSI No value
gsm_map.vt_IM_BCSM_CAMEL_TDP_CriteriaList vt-IM-BCSM-CAMEL-TDP-CriteriaList Unsigned 32-bit integer CAMEL-SubscriptionInfo/vt-IM-BCSM-CAMEL-TDP-CriteriaList
gsm_map.vt_IM_CSI vt-IM-CSI No value CAMEL-SubscriptionInfo/vt-IM-CSI
gsm_map.warningToneEnhancements warningToneEnhancements Boolean
gsm_map.wrongPasswordAttemptsCounter wrongPasswordAttemptsCounter Unsigned 32-bit integer
gsm_map.xres xres Byte array AuthenticationQuintuplet/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.add_LocationEstimate add-LocationEstimate No value LCS-MOLRRes/add-LocationEstimate
gsm_ss.ageOfLocationInfo ageOfLocationInfo Unsigned 32-bit integer LCS-MOLRArg/ageOfLocationInfo
gsm_ss.alertingPattern alertingPattern Byte array NotifySS-Arg/alertingPattern
gsm_ss.areaEventInfo areaEventInfo No value LCS-AreaEventRequestArg/areaEventInfo
gsm_ss.callIsWaiting_Indicator callIsWaiting-Indicator No value NotifySS-Arg/callIsWaiting-Indicator
gsm_ss.callOnHold_Indicator callOnHold-Indicator Unsigned 32-bit integer NotifySS-Arg/callOnHold-Indicator
gsm_ss.callingName callingName Unsigned 32-bit integer NameIndicator/callingName
gsm_ss.ccbs_Feature ccbs-Feature No value NotifySS-Arg/ccbs-Feature
gsm_ss.chargingInformation chargingInformation No value ForwardChargeAdviceArg/chargingInformation
gsm_ss.clirSuppressionRejected clirSuppressionRejected No value NotifySS-Arg/clirSuppressionRejected
gsm_ss.cug_Index cug-Index No value
gsm_ss.currentPassword currentPassword String
gsm_ss.dataCodingScheme dataCodingScheme No value NameSet/dataCodingScheme
gsm_ss.decipheringKeys decipheringKeys Byte array LCS-MOLRRes/decipheringKeys
gsm_ss.deferredLocationEventType deferredLocationEventType Byte array LCS-AreaEventRequestArg/deferredLocationEventType
gsm_ss.deflectedToNumber deflectedToNumber Byte array CallDeflectionArg/deflectedToNumber
gsm_ss.deflectedToSubaddress deflectedToSubaddress No value CallDeflectionArg/deflectedToSubaddress
gsm_ss.e1 e1 Unsigned 32-bit integer ChargingInformation/e1
gsm_ss.e2 e2 Unsigned 32-bit integer ChargingInformation/e2
gsm_ss.e3 e3 Unsigned 32-bit integer ChargingInformation/e3
gsm_ss.e4 e4 Unsigned 32-bit integer ChargingInformation/e4
gsm_ss.e5 e5 Unsigned 32-bit integer ChargingInformation/e5
gsm_ss.e6 e6 Unsigned 32-bit integer ChargingInformation/e6
gsm_ss.e7 e7 Unsigned 32-bit integer ChargingInformation/e7
gsm_ss.ect_CallState ect-CallState Unsigned 32-bit integer ECT-Indicator/ect-CallState
gsm_ss.ect_Indicator ect-Indicator No value NotifySS-Arg/ect-Indicator
gsm_ss.gpsAssistanceData gpsAssistanceData Byte array LCS-MOLRArg/gpsAssistanceData
gsm_ss.h_gmlc_address h-gmlc-address No value
gsm_ss.lcsClientExternalID lcsClientExternalID No value
gsm_ss.lcsClientName lcsClientName No value LocationNotificationArg/lcsClientName
gsm_ss.lcsCodeword lcsCodeword No value LocationNotificationArg/lcsCodeword
gsm_ss.lcsRequestorID lcsRequestorID No value LocationNotificationArg/lcsRequestorID
gsm_ss.lcsServiceTypeID lcsServiceTypeID Unsigned 32-bit integer
gsm_ss.lcs_QoS lcs-QoS No value LCS-MOLRArg/lcs-QoS
gsm_ss.lengthInCharacters lengthInCharacters Signed 32-bit integer NameSet/lengthInCharacters
gsm_ss.locationEstimate locationEstimate No value LCS-MOLRRes/locationEstimate
gsm_ss.locationMethod locationMethod Unsigned 32-bit integer LCS-MOLRArg/locationMethod
gsm_ss.locationType locationType No value
gsm_ss.mlc_Number mlc-Number No value LCS-MOLRArg/mlc-Number
gsm_ss.molr_Type molr-Type Unsigned 32-bit integer LCS-MOLRArg/molr-Type
gsm_ss.mpty_Indicator mpty-Indicator No value NotifySS-Arg/mpty-Indicator
gsm_ss.multicall_Indicator multicall-Indicator Unsigned 32-bit integer NotifySS-Arg/multicall-Indicator
gsm_ss.nameIndicator nameIndicator No value NotifySS-Arg/nameIndicator
gsm_ss.namePresentationAllowed namePresentationAllowed No value Name/namePresentationAllowed
gsm_ss.namePresentationRestricted namePresentationRestricted No value Name/namePresentationRestricted
gsm_ss.nameString nameString No value NameSet/nameString
gsm_ss.nameUnavailable nameUnavailable No value Name/nameUnavailable
gsm_ss.notificationType notificationType Unsigned 32-bit integer LocationNotificationArg/notificationType
gsm_ss.numberNotAvailableDueToInterworking numberNotAvailableDueToInterworking No value RDN/numberNotAvailableDueToInterworking
gsm_ss.partyNumber partyNumber No value RemotePartyNumber/partyNumber
gsm_ss.partyNumberSubaddress partyNumberSubaddress No value RemotePartyNumber/partyNumberSubaddress
gsm_ss.password Password Unsigned 8-bit integer Password
gsm_ss.presentationAllowedAddress presentationAllowedAddress No value RDN/presentationAllowedAddress
gsm_ss.presentationRestricted presentationRestricted No value
gsm_ss.presentationRestrictedAddress presentationRestrictedAddress No value RDN/presentationRestrictedAddress
gsm_ss.pseudonymIndicator pseudonymIndicator No value LCS-MOLRArg/pseudonymIndicator
gsm_ss.rdn rdn Unsigned 32-bit integer ECT-Indicator/rdn
gsm_ss.referenceNumber referenceNumber No value
gsm_ss.ss_Code ss-Code Unsigned 8-bit integer
gsm_ss.ss_Notification ss-Notification Byte array NotifySS-Arg/ss-Notification
gsm_ss.ss_Status ss-Status No value NotifySS-Arg/ss-Status
gsm_ss.supportedGADShapes supportedGADShapes Byte array LCS-MOLRArg/supportedGADShapes
gsm_ss.suppressOA suppressOA No value ForwardCUG-InfoArg/suppressOA
gsm_ss.suppressPrefCUG suppressPrefCUG No value ForwardCUG-InfoArg/suppressPrefCUG
gsm_ss.uUS_Required uUS-Required Boolean UserUserServiceArg/uUS-Required
gsm_ss.uUS_Service uUS-Service Unsigned 32-bit integer UserUserServiceArg/uUS-Service
gsm_ss.verificationResponse verificationResponse Unsigned 32-bit integer LocationNotificationRes/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.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
h235.algorithmOID algorithmOID String
h235.authenticationBES authenticationBES Unsigned 32-bit integer AuthenticationMechanism/authenticationBES
h235.base base No value
h235.certProtectedKey certProtectedKey No value H235Key/certProtectedKey
h235.certSign certSign No value AuthenticationMechanism/certSign
h235.certificate certificate Byte array TypedCertificate/certificate
h235.challenge challenge Byte array ClearToken/challenge
h235.clearSalt clearSalt Byte array Params/clearSalt
h235.clearSaltingKey clearSaltingKey Byte array V3KeySyncMaterial/clearSaltingKey
h235.cryptoEncryptedToken cryptoEncryptedToken No value CryptoToken/cryptoEncryptedToken
h235.cryptoHashedToken cryptoHashedToken No value CryptoToken/cryptoHashedToken
h235.cryptoPwdEncr cryptoPwdEncr No value CryptoToken/cryptoPwdEncr
h235.cryptoSignedToken cryptoSignedToken No value CryptoToken/cryptoSignedToken
h235.data data Unsigned 32-bit integer NonStandardParameter/data
h235.default default No value AuthenticationBES/default
h235.dhExch dhExch No value AuthenticationMechanism/dhExch
h235.dhkey dhkey No value ClearToken/dhkey
h235.eckasdh2 eckasdh2 No value ECKASDH/eckasdh2
h235.eckasdhkey eckasdhkey Unsigned 32-bit integer ClearToken/eckasdhkey
h235.eckasdhp eckasdhp No value ECKASDH/eckasdhp
h235.encryptedData encryptedData Byte array ENCRYPTEDxxx/encryptedData
h235.encryptedSaltingKey encryptedSaltingKey Byte array V3KeySyncMaterial/encryptedSaltingKey
h235.encryptedSessionKey encryptedSessionKey Byte array V3KeySyncMaterial/encryptedSessionKey
h235.fieldSize fieldSize Byte array ECKASDH/eckasdh2/fieldSize
h235.generalID generalID String
h235.generator generator Byte array DHset/generator
h235.h235Key h235Key Unsigned 32-bit integer ClearToken/h235Key
h235.halfkey halfkey Byte array DHset/halfkey
h235.hash hash Byte array HASHEDxxx/hash
h235.hashedVals hashedVals No value CryptoToken/cryptoHashedToken/hashedVals
h235.ipsec ipsec No value AuthenticationMechanism/ipsec
h235.iv iv Byte array Params/iv
h235.iv16 iv16 Byte array Params/iv16
h235.iv8 iv8 Byte array Params/iv8
h235.keyDerivationOID keyDerivationOID String V3KeySyncMaterial/keyDerivationOID
h235.modSize modSize Byte array DHset/modSize
h235.modulus modulus Byte array ECKASDH/eckasdhp/modulus
h235.nonStandard nonStandard No value
h235.nonStandardIdentifier nonStandardIdentifier String NonStandardParameter/nonStandardIdentifier
h235.paramS paramS No value
h235.paramSsalt paramSsalt No value V3KeySyncMaterial/paramSsalt
h235.password password String ClearToken/password
h235.public_key public-key No value
h235.pwdHash pwdHash No value AuthenticationMechanism/pwdHash
h235.pwdSymEnc pwdSymEnc No value AuthenticationMechanism/pwdSymEnc
h235.radius radius No value AuthenticationBES/radius
h235.ranInt ranInt Signed 32-bit integer Params/ranInt
h235.random random Signed 32-bit integer ClearToken/random
h235.secureChannel secureChannel Byte array H235Key/secureChannel
h235.secureSharedSecret secureSharedSecret No value H235Key/secureSharedSecret
h235.sendersID sendersID String ClearToken/sendersID
h235.sharedSecret sharedSecret No value H235Key/sharedSecret
h235.signature signature Byte array SIGNEDxxx/signature
h235.timeStamp timeStamp Date/Time stamp ClearToken/timeStamp
h235.tls tls No value AuthenticationMechanism/tls
h235.toBeSigned toBeSigned No value SIGNEDxxx/toBeSigned
h235.token token No value CryptoToken/cryptoEncryptedToken/token
h235.tokenOID tokenOID String
h235.type type String TypedCertificate/type
h235.weierstrassA weierstrassA Byte array
h235.weierstrassB weierstrassB Byte array
h235.x x Byte array ECpoint/x
h235.y y Byte array ECpoint/y
h221.Manufacturer H.221 Manufacturer Unsigned 32-bit integer H.221 Manufacturer
h225.DestinationInfo_item Item Unsigned 32-bit integer DestinationInfo/_item
h225.FastStart_item Item Unsigned 32-bit integer FastStart/_item
h225.H245Control_item Item Unsigned 32-bit integer H245Control/_item
h225.H323_UserInformation H323_UserInformation No value H323_UserInformation sequence
h225.ParallelH245Control_item Item Unsigned 32-bit integer ParallelH245Control/_item
h225.RasMessage RasMessage Unsigned 32-bit integer RasMessage choice
h225.abbreviatedNumber abbreviatedNumber No value
h225.activeMC activeMC Boolean
h225.adaptiveBusy adaptiveBusy No value ReleaseCompleteReason/adaptiveBusy
h225.additionalSourceAddresses additionalSourceAddresses Unsigned 32-bit integer Setup-UUIE/additionalSourceAddresses
h225.additionalSourceAddresses_item Item No value Setup-UUIE/additionalSourceAddresses/_item
h225.additiveRegistration additiveRegistration No value RegistrationRequest/additiveRegistration
h225.additiveRegistrationNotSupported additiveRegistrationNotSupported No value RegistrationRejectReason/additiveRegistrationNotSupported
h225.address address Unsigned 32-bit integer ExtendedAliasAddress/address
h225.addressNotAvailable addressNotAvailable No value PresentationIndicator/addressNotAvailable
h225.admissionConfirm admissionConfirm No value RasMessage/admissionConfirm
h225.admissionConfirmSequence admissionConfirmSequence Unsigned 32-bit integer RasMessage/admissionConfirmSequence
h225.admissionConfirmSequence_item Item No value RasMessage/admissionConfirmSequence/_item
h225.admissionReject admissionReject No value RasMessage/admissionReject
h225.admissionRequest admissionRequest No value RasMessage/admissionRequest
h225.alerting alerting No value H323-UU-PDU/h323-message-body/alerting
h225.alertingAddress alertingAddress Unsigned 32-bit integer Alerting-UUIE/alertingAddress
h225.alertingAddress_item Item Unsigned 32-bit integer Alerting-UUIE/alertingAddress/_item
h225.alertingTime alertingTime Date/Time stamp RasUsageInformation/alertingTime
h225.algorithmOID algorithmOID String
h225.algorithmOIDs algorithmOIDs Unsigned 32-bit integer GatekeeperRequest/algorithmOIDs
h225.algorithmOIDs_item Item String GatekeeperRequest/algorithmOIDs/_item
h225.alias alias Unsigned 32-bit integer
h225.aliasAddress aliasAddress Unsigned 32-bit integer Endpoint/aliasAddress
h225.aliasAddress_item Item Unsigned 32-bit integer Endpoint/aliasAddress/_item
h225.aliasesInconsistent aliasesInconsistent No value
h225.allowedBandWidth allowedBandWidth Unsigned 32-bit integer BandwidthReject/allowedBandWidth
h225.almostOutOfResources almostOutOfResources Boolean ResourcesAvailableIndicate/almostOutOfResources
h225.altGKInfo altGKInfo No value
h225.altGKisPermanent altGKisPermanent Boolean AltGKInfo/altGKisPermanent
h225.alternateEndpoints alternateEndpoints Unsigned 32-bit integer
h225.alternateEndpoints_item Item No value
h225.alternateGatekeeper alternateGatekeeper Unsigned 32-bit integer
h225.alternateGatekeeper_item Item No value
h225.alternateTransportAddresses alternateTransportAddresses No value
h225.alternativeAddress alternativeAddress Unsigned 32-bit integer Facility-UUIE/alternativeAddress
h225.alternativeAliasAddress alternativeAliasAddress Unsigned 32-bit integer Facility-UUIE/alternativeAliasAddress
h225.alternativeAliasAddress_item Item Unsigned 32-bit integer Facility-UUIE/alternativeAliasAddress/_item
h225.amountString amountString String CallCreditServiceControl/amountString
h225.annexE annexE Unsigned 32-bit integer AlternateTransportAddresses/annexE
h225.annexE_item Item Unsigned 32-bit integer AlternateTransportAddresses/annexE/_item
h225.ansi_41_uim ansi-41-uim No value MobileUIM/ansi-41-uim
h225.answerCall answerCall Boolean
h225.answeredCall answeredCall Boolean
h225.associatedSessionIds associatedSessionIds Unsigned 32-bit integer RTPSession/associatedSessionIds
h225.associatedSessionIds_item Item Unsigned 32-bit integer RTPSession/associatedSessionIds/_item
h225.audio audio Unsigned 32-bit integer InfoRequestResponse/perCallInfo/_item/audio
h225.audio_item Item No value InfoRequestResponse/perCallInfo/_item/audio/_item
h225.authenticationCapability authenticationCapability Unsigned 32-bit integer GatekeeperRequest/authenticationCapability
h225.authenticationCapability_item Item Unsigned 32-bit integer GatekeeperRequest/authenticationCapability/_item
h225.authenticationMode authenticationMode Unsigned 32-bit integer GatekeeperConfirm/authenticationMode
h225.authenticaton authenticaton Unsigned 32-bit integer SecurityCapabilities/authenticaton
h225.auto auto No value ScnConnectionAggregation/auto
h225.bChannel bChannel No value ScnConnectionType/bChannel
h225.badFormatAddress badFormatAddress No value ReleaseCompleteReason/badFormatAddress
h225.bandWidth bandWidth Unsigned 32-bit integer
h225.bandwidth bandwidth Unsigned 32-bit integer
h225.bandwidthConfirm bandwidthConfirm No value RasMessage/bandwidthConfirm
h225.bandwidthDetails bandwidthDetails Unsigned 32-bit integer BandwidthRequest/bandwidthDetails
h225.bandwidthDetails_item Item No value BandwidthRequest/bandwidthDetails/_item
h225.bandwidthReject bandwidthReject No value RasMessage/bandwidthReject
h225.bandwidthRequest bandwidthRequest No value RasMessage/bandwidthRequest
h225.billingMode billingMode Unsigned 32-bit integer CallCreditServiceControl/billingMode
h225.bonded_mode1 bonded-mode1 No value ScnConnectionAggregation/bonded-mode1
h225.bonded_mode2 bonded-mode2 No value ScnConnectionAggregation/bonded-mode2
h225.bonded_mode3 bonded-mode3 No value ScnConnectionAggregation/bonded-mode3
h225.bool bool Boolean Content/bool
h225.busyAddress busyAddress Unsigned 32-bit integer ReleaseComplete-UUIE/busyAddress
h225.busyAddress_item Item Unsigned 32-bit integer ReleaseComplete-UUIE/busyAddress/_item
h225.callCreditCapability callCreditCapability No value RegistrationRequest/callCreditCapability
h225.callCreditServiceControl callCreditServiceControl No value ServiceControlDescriptor/callCreditServiceControl
h225.callDurationLimit callDurationLimit Unsigned 32-bit integer CallCreditServiceControl/callDurationLimit
h225.callEnd callEnd No value CapacityReportingSpecification/when/callEnd
h225.callForwarded callForwarded No value FacilityReason/callForwarded
h225.callIdentifier callIdentifier No value
h225.callInProgress callInProgress No value UnregRejectReason/callInProgress
h225.callIndependentSupplementaryService callIndependentSupplementaryService No value Setup-UUIE/conferenceGoal/callIndependentSupplementaryService
h225.callLinkage callLinkage No value
h225.callModel callModel Unsigned 32-bit integer
h225.callProceeding callProceeding No value H323-UU-PDU/h323-message-body/callProceeding
h225.callReferenceValue callReferenceValue Unsigned 32-bit integer
h225.callServices callServices No value
h225.callSignalAddress callSignalAddress Unsigned 32-bit integer
h225.callSignalAddress_item Item Unsigned 32-bit integer
h225.callSignaling callSignaling No value InfoRequestResponse/perCallInfo/_item/callSignaling
h225.callSpecific callSpecific No value ServiceControlIndication/callSpecific
h225.callStart callStart No value CapacityReportingSpecification/when/callStart
h225.callStartingPoint callStartingPoint No value RasUsageSpecification/callStartingPoint
h225.callType callType Unsigned 32-bit integer
h225.calledPartyNotRegistered calledPartyNotRegistered No value
h225.callerNotRegistered callerNotRegistered No value
h225.calls calls Unsigned 32-bit integer CallsAvailable/calls
h225.canDisplayAmountString canDisplayAmountString Boolean CallCreditCapability/canDisplayAmountString
h225.canEnforceDurationLimit canEnforceDurationLimit Boolean CallCreditCapability/canEnforceDurationLimit
h225.canMapAlias canMapAlias Boolean
h225.canMapSrcAlias canMapSrcAlias Boolean
h225.canOverlapSend canOverlapSend Boolean Setup-UUIE/canOverlapSend
h225.canReportCallCapacity canReportCallCapacity Boolean CapacityReportingCapability/canReportCallCapacity
h225.capability_negotiation capability-negotiation No value Setup-UUIE/conferenceGoal/capability-negotiation
h225.capacity capacity No value
h225.capacityInfoRequested capacityInfoRequested No value InfoRequest/capacityInfoRequested
h225.capacityReportingCapability capacityReportingCapability No value RegistrationRequest/capacityReportingCapability
h225.capacityReportingSpec capacityReportingSpec No value RegistrationConfirm/capacityReportingSpec
h225.carrier carrier No value
h225.carrierIdentificationCode carrierIdentificationCode Byte array CarrierInfo/carrierIdentificationCode
h225.carrierName carrierName String CarrierInfo/carrierName
h225.channelMultiplier channelMultiplier Unsigned 32-bit integer DataRate/channelMultiplier
h225.channelRate channelRate Unsigned 32-bit integer DataRate/channelRate
h225.cic cic No value CircuitIdentifier/cic
h225.cic_item Item Byte array CicInfo/cic/_item
h225.circuitInfo circuitInfo No value
h225.close close No value ServiceControlSession/reason/close
h225.cname cname String RTPSession/cname
h225.collectDestination collectDestination No value AdmissionRejectReason/collectDestination
h225.collectPIN collectPIN No value AdmissionRejectReason/collectPIN
h225.complete complete No value InfoRequestResponseStatus/complete
h225.compound compound Unsigned 32-bit integer Content/compound
h225.compound_item Item No value Content/compound/_item
h225.conferenceAlias conferenceAlias Unsigned 32-bit integer ConferenceList/conferenceAlias
h225.conferenceCalling conferenceCalling Boolean Q954Details/conferenceCalling
h225.conferenceGoal conferenceGoal Unsigned 32-bit integer Setup-UUIE/conferenceGoal
h225.conferenceID conferenceID
h225.conferenceListChoice conferenceListChoice No value FacilityReason/conferenceListChoice
h225.conferences conferences Unsigned 32-bit integer Facility-UUIE/conferences
h225.conferences_item Item No value Facility-UUIE/conferences/_item
h225.connect connect No value H323-UU-PDU/h323-message-body/connect
h225.connectTime connectTime Date/Time stamp RasUsageInformation/connectTime
h225.connectedAddress connectedAddress Unsigned 32-bit integer Connect-UUIE/connectedAddress
h225.connectedAddress_item Item Unsigned 32-bit integer Connect-UUIE/connectedAddress/_item
h225.connectionAggregation connectionAggregation Unsigned 32-bit integer Setup-UUIE/connectionParameters/connectionAggregation
h225.connectionParameters connectionParameters No value Setup-UUIE/connectionParameters
h225.connectionType connectionType Unsigned 32-bit integer Setup-UUIE/connectionParameters/connectionType
h225.content content Unsigned 32-bit integer EnumeratedParameter/content
h225.contents contents Unsigned 32-bit integer ServiceControlSession/contents
h225.create create No value Setup-UUIE/conferenceGoal/create
h225.credit credit No value CallCreditServiceControl/billingMode/credit
h225.cryptoEPCert cryptoEPCert No value CryptoH323Token/cryptoEPCert
h225.cryptoEPPwdEncr cryptoEPPwdEncr No value CryptoH323Token/cryptoEPPwdEncr
h225.cryptoEPPwdHash cryptoEPPwdHash No value CryptoH323Token/cryptoEPPwdHash
h225.cryptoFastStart cryptoFastStart No value CryptoH323Token/cryptoFastStart
h225.cryptoGKCert cryptoGKCert No value CryptoH323Token/cryptoGKCert
h225.cryptoGKPwdEncr cryptoGKPwdEncr No value CryptoH323Token/cryptoGKPwdEncr
h225.cryptoGKPwdHash cryptoGKPwdHash No value CryptoH323Token/cryptoGKPwdHash
h225.cryptoTokens cryptoTokens Unsigned 32-bit integer
h225.cryptoTokens_item Item Unsigned 32-bit integer
h225.currentCallCapacity currentCallCapacity No value CallCapacity/currentCallCapacity
h225.data data Unsigned 32-bit integer NonStandardParameter/data
h225.dataPartyNumber dataPartyNumber String PartyNumber/dataPartyNumber
h225.dataRatesSupported dataRatesSupported Unsigned 32-bit integer
h225.dataRatesSupported_item Item No value
h225.data_item Item No value InfoRequestResponse/perCallInfo/_item/data/_item
h225.debit debit No value CallCreditServiceControl/billingMode/debit
h225.default default No value SecurityServiceMode/default
h225.delay delay Unsigned 32-bit integer RequestInProgress/delay
h225.desiredFeatures desiredFeatures Unsigned 32-bit integer
h225.desiredFeatures_item Item No value
h225.desiredProtocols desiredProtocols Unsigned 32-bit integer
h225.desiredProtocols_item Item Unsigned 32-bit integer
h225.desiredTunnelledProtocol desiredTunnelledProtocol No value
h225.destAlternatives destAlternatives Unsigned 32-bit integer AdmissionRequest/destAlternatives
h225.destAlternatives_item Item No value AdmissionRequest/destAlternatives/_item
h225.destCallSignalAddress destCallSignalAddress Unsigned 32-bit integer
h225.destExtraCRV destExtraCRV Unsigned 32-bit integer Setup-UUIE/destExtraCRV
h225.destExtraCRV_item Item Unsigned 32-bit integer Setup-UUIE/destExtraCRV/_item
h225.destExtraCallInfo destExtraCallInfo Unsigned 32-bit integer
h225.destExtraCallInfo_item Item Unsigned 32-bit integer
h225.destinationAddress destinationAddress Unsigned 32-bit integer Setup-UUIE/destinationAddress
h225.destinationAddress_item Item Unsigned 32-bit integer Setup-UUIE/destinationAddress/_item
h225.destinationCircuitID destinationCircuitID No value CircuitInfo/destinationCircuitID
h225.destinationInfo destinationInfo No value
h225.destinationRejection destinationRejection No value ReleaseCompleteReason/destinationRejection
h225.destinationType destinationType No value
h225.dialedDigits dialedDigits String AliasAddress/dialedDigits
h225.digSig digSig No value IntegrityMechanism/digSig
h225.direct direct No value CallModel/direct
h225.discoveryComplete discoveryComplete Boolean RegistrationRequest/discoveryComplete
h225.discoveryRequired discoveryRequired No value RegistrationRejectReason/discoveryRequired
h225.disengageConfirm disengageConfirm No value RasMessage/disengageConfirm
h225.disengageReason disengageReason Unsigned 32-bit integer DisengageRequest/disengageReason
h225.disengageReject disengageReject No value RasMessage/disengageReject
h225.disengageRequest disengageRequest No value RasMessage/disengageRequest
h225.duplicateAlias duplicateAlias Unsigned 32-bit integer RegistrationRejectReason/duplicateAlias
h225.duplicateAlias_item Item Unsigned 32-bit integer RegistrationRejectReason/duplicateAlias/_item
h225.e164Number e164Number No value PartyNumber/e164Number
h225.email_ID email-ID String AliasAddress/email-ID
h225.empty empty No value H323-UU-PDU/h323-message-body/empty
h225.encryption encryption Unsigned 32-bit integer SecurityCapabilities/encryption
h225.end end No value RasUsageSpecification/when/end
h225.endOfRange endOfRange Unsigned 32-bit integer AddressPattern/range/endOfRange
h225.endTime endTime No value RasUsageInfoTypes/endTime
h225.endpointAlias endpointAlias Unsigned 32-bit integer
h225.endpointAliasPattern endpointAliasPattern Unsigned 32-bit integer UnregistrationRequest/endpointAliasPattern
h225.endpointAliasPattern_item Item Unsigned 32-bit integer UnregistrationRequest/endpointAliasPattern/_item
h225.endpointAlias_item Item Unsigned 32-bit integer
h225.endpointControlled endpointControlled No value TransportQOS/endpointControlled
h225.endpointIdentifier endpointIdentifier String
h225.endpointType endpointType No value
h225.endpointVendor endpointVendor No value RegistrationRequest/endpointVendor
h225.enforceCallDurationLimit enforceCallDurationLimit Boolean CallCreditServiceControl/enforceCallDurationLimit
h225.enterpriseNumber enterpriseNumber String VendorIdentifier/enterpriseNumber
h225.esn esn String ANSI-41-UIM/esn
h225.exceedsCallCapacity exceedsCallCapacity No value AdmissionRejectReason/exceedsCallCapacity
h225.facility facility No value H323-UU-PDU/h323-message-body/facility
h225.facilityCallDeflection facilityCallDeflection No value ReleaseCompleteReason/facilityCallDeflection
h225.failed failed No value ServiceControlResponse/result/failed
h225.fastConnectRefused fastConnectRefused No value
h225.fastStart fastStart Unsigned 32-bit integer
h225.fastStart_item_length fastStart item length Unsigned 32-bit integer fastStart item length
h225.featureServerAlias featureServerAlias Unsigned 32-bit integer RegistrationConfirm/featureServerAlias
h225.featureSet featureSet No value
h225.featureSetUpdate featureSetUpdate No value FacilityReason/featureSetUpdate
h225.forcedDrop forcedDrop No value DisengageReason/forcedDrop
h225.forwardedElements forwardedElements No value FacilityReason/forwardedElements
h225.fullRegistrationRequired fullRegistrationRequired No value RegistrationRejectReason/fullRegistrationRequired
h225.gatekeeper gatekeeper No value EndpointType/gatekeeper
h225.gatekeeperConfirm gatekeeperConfirm No value RasMessage/gatekeeperConfirm
h225.gatekeeperControlled gatekeeperControlled No value TransportQOS/gatekeeperControlled
h225.gatekeeperId gatekeeperId String CryptoH323Token/cryptoGKPwdHash/gatekeeperId
h225.gatekeeperIdentifier gatekeeperIdentifier String
h225.gatekeeperReject gatekeeperReject No value RasMessage/gatekeeperReject
h225.gatekeeperRequest gatekeeperRequest No value RasMessage/gatekeeperRequest
h225.gatekeeperResources gatekeeperResources No value ReleaseCompleteReason/gatekeeperResources
h225.gatekeeperRouted gatekeeperRouted No value CallModel/gatekeeperRouted
h225.gateway gateway No value EndpointType/gateway
h225.gatewayDataRate gatewayDataRate No value AdmissionRequest/gatewayDataRate
h225.gatewayResources gatewayResources No value ReleaseCompleteReason/gatewayResources
h225.genericData genericData Unsigned 32-bit integer
h225.genericDataReason genericDataReason No value
h225.genericData_item Item No value
h225.globalCallId globalCallId CallLinkage/globalCallId
h225.group group String
h225.gsm_uim gsm-uim No value MobileUIM/gsm-uim
h225.guid guid CallIdentifier/guid
h225.h221 h221 No value ScnConnectionAggregation/h221
h225.h221NonStandard h221NonStandard No value NonStandardIdentifier/h221NonStandard
h225.h245 h245 No value InfoRequestResponse/perCallInfo/_item/h245
h225.h245Address h245Address Unsigned 32-bit integer
h225.h245Control h245Control Unsigned 32-bit integer H323-UU-PDU/h245Control
h225.h245SecurityCapability h245SecurityCapability Unsigned 32-bit integer Setup-UUIE/h245SecurityCapability
h225.h245SecurityCapability_item Item Unsigned 32-bit integer Setup-UUIE/h245SecurityCapability/_item
h225.h245SecurityMode h245SecurityMode Unsigned 32-bit integer
h225.h245Tunneling h245Tunneling Boolean H323-UU-PDU/h245Tunneling
h225.h245ip6Address h245ip6Address No value H245TransportAddress/h245ip6Address
h225.h245ipAddress h245ipAddress No value H245TransportAddress/h245ipAddress
h225.h245ipSourceRoute h245ipSourceRoute No value H245TransportAddress/h245ipSourceRoute
h225.h245ipv4 h245ipv4 IPv4 address H245TransportAddress/h245ipAddress/h245ipv4
h225.h245ipv4port h245ipv4port Unsigned 32-bit integer H245TransportAddress/h245ipAddress/h245ipv4port
h225.h245ipv6 h245ipv6 IPv6 address H245TransportAddress/h245ip6Address/h245ipv6
h225.h245ipv6port h245ipv6port Unsigned 32-bit integer H245TransportAddress/h245ip6Address/h245ipv6port
h225.h245ipxAddress h245ipxAddress No value H245TransportAddress/h245ipxAddress
h225.h245ipxport h245ipxport Byte array H245TransportAddress/h245ipxAddress/h245ipxport
h225.h245netBios h245netBios Byte array H245TransportAddress/h245netBios
h225.h245nsap h245nsap Byte array H245TransportAddress/h245nsap
h225.h245route h245route Unsigned 32-bit integer H245TransportAddress/h245ipSourceRoute/h245route
h225.h245route_item Item Byte array H245TransportAddress/h245ipSourceRoute/h245route/_item
h225.h245routeip h245routeip Byte array H245TransportAddress/h245ipSourceRoute/h245routeip
h225.h245routeport h245routeport Unsigned 32-bit integer H245TransportAddress/h245ipSourceRoute/h245routeport
h225.h245routing h245routing Unsigned 32-bit integer H245TransportAddress/h245ipSourceRoute/h245routing
h225.h248Message h248Message Byte array StimulusControl/h248Message
h225.h310 h310 No value SupportedProtocols/h310
h225.h310GwCallsAvailable h310GwCallsAvailable Unsigned 32-bit integer CallCapacityInfo/h310GwCallsAvailable
h225.h310GwCallsAvailable_item Item No value CallCapacityInfo/h310GwCallsAvailable/_item
h225.h320 h320 No value SupportedProtocols/h320
h225.h320GwCallsAvailable h320GwCallsAvailable Unsigned 32-bit integer CallCapacityInfo/h320GwCallsAvailable
h225.h320GwCallsAvailable_item Item No value CallCapacityInfo/h320GwCallsAvailable/_item
h225.h321 h321 No value SupportedProtocols/h321
h225.h321GwCallsAvailable h321GwCallsAvailable Unsigned 32-bit integer CallCapacityInfo/h321GwCallsAvailable
h225.h321GwCallsAvailable_item Item No value CallCapacityInfo/h321GwCallsAvailable/_item
h225.h322 h322 No value SupportedProtocols/h322
h225.h322GwCallsAvailable h322GwCallsAvailable Unsigned 32-bit integer CallCapacityInfo/h322GwCallsAvailable
h225.h322GwCallsAvailable_item Item No value CallCapacityInfo/h322GwCallsAvailable/_item
h225.h323 h323 No value SupportedProtocols/h323
h225.h323GwCallsAvailable h323GwCallsAvailable Unsigned 32-bit integer CallCapacityInfo/h323GwCallsAvailable
h225.h323GwCallsAvailable_item Item No value CallCapacityInfo/h323GwCallsAvailable/_item
h225.h323_ID h323-ID String AliasAddress/h323-ID
h225.h323_message_body h323-message-body Unsigned 32-bit integer H323-UU-PDU/h323-message-body
h225.h323_uu_pdu h323-uu-pdu No value H323-UserInformation/h323-uu-pdu
h225.h323pdu h323pdu No value InfoRequestResponse/perCallInfo/_item/pdu/_item/h323pdu
h225.h324 h324 No value SupportedProtocols/h324
h225.h324GwCallsAvailable h324GwCallsAvailable Unsigned 32-bit integer CallCapacityInfo/h324GwCallsAvailable
h225.h324GwCallsAvailable_item Item No value CallCapacityInfo/h324GwCallsAvailable/_item
h225.h4501SupplementaryService h4501SupplementaryService Unsigned 32-bit integer H323-UU-PDU/h4501SupplementaryService
h225.h4501SupplementaryService_item Item Byte array H323-UU-PDU/h4501SupplementaryService/_item
h225.hMAC_MD5 hMAC-MD5 No value NonIsoIntegrityMechanism/hMAC-MD5
h225.hMAC_iso10118_2_l hMAC-iso10118-2-l Unsigned 32-bit integer NonIsoIntegrityMechanism/hMAC-iso10118-2-l
h225.hMAC_iso10118_2_s hMAC-iso10118-2-s Unsigned 32-bit integer NonIsoIntegrityMechanism/hMAC-iso10118-2-s
h225.hMAC_iso10118_3 hMAC-iso10118-3 String NonIsoIntegrityMechanism/hMAC-iso10118-3
h225.hopCount hopCount Unsigned 32-bit integer Setup-UUIE/hopCount
h225.hopCountExceeded hopCountExceeded No value
h225.hplmn hplmn String GSM-UIM/hplmn
h225.hybrid1536 hybrid1536 No value ScnConnectionType/hybrid1536
h225.hybrid1920 hybrid1920 No value ScnConnectionType/hybrid1920
h225.hybrid2x64 hybrid2x64 No value ScnConnectionType/hybrid2x64
h225.hybrid384 hybrid384 No value ScnConnectionType/hybrid384
h225.icv icv Byte array ICV/icv
h225.id id Unsigned 32-bit integer TunnelledProtocol/id
h225.imei imei String GSM-UIM/imei
h225.imsi imsi String
h225.inConf inConf No value ReleaseCompleteReason/inConf
h225.inIrr inIrr No value RasUsageSpecification/when/inIrr
h225.incomplete incomplete No value InfoRequestResponseStatus/incomplete
h225.incompleteAddress incompleteAddress No value
h225.infoRequest infoRequest No value RasMessage/infoRequest
h225.infoRequestAck infoRequestAck No value RasMessage/infoRequestAck
h225.infoRequestNak infoRequestNak No value RasMessage/infoRequestNak
h225.infoRequestResponse infoRequestResponse No value RasMessage/infoRequestResponse
h225.information information No value H323-UU-PDU/h323-message-body/information
h225.insufficientResources insufficientResources No value BandRejectReason/insufficientResources
h225.integrity integrity Unsigned 32-bit integer SecurityCapabilities/integrity
h225.integrityCheckValue integrityCheckValue No value
h225.integrity_item Item Unsigned 32-bit integer
h225.internationalNumber internationalNumber No value PublicTypeOfNumber/internationalNumber
h225.invalidAlias invalidAlias No value RegistrationRejectReason/invalidAlias
h225.invalidCID invalidCID No value ReleaseCompleteReason/invalidCID
h225.invalidCall invalidCall No value InfoRequestResponseStatus/invalidCall
h225.invalidCallSignalAddress invalidCallSignalAddress No value RegistrationRejectReason/invalidCallSignalAddress
h225.invalidConferenceID invalidConferenceID No value BandRejectReason/invalidConferenceID
h225.invalidEndpointIdentifier invalidEndpointIdentifier No value AdmissionRejectReason/invalidEndpointIdentifier
h225.invalidPermission invalidPermission No value
h225.invalidRASAddress invalidRASAddress No value RegistrationRejectReason/invalidRASAddress
h225.invalidRevision invalidRevision No value
h225.invalidTerminalAliases invalidTerminalAliases No value RegistrationRejectReason/invalidTerminalAliases
h225.invalidTerminalType invalidTerminalType No value RegistrationRejectReason/invalidTerminalType
h225.invite invite No value Setup-UUIE/conferenceGoal/invite
h225.ip ip IPv4 address TransportAddress/ipAddress/ip
h225.ip6Address ip6Address No value TransportAddress/ip6Address
h225.ipAddress ipAddress No value TransportAddress/ipAddress
h225.ipSourceRoute ipSourceRoute No value TransportAddress/ipSourceRoute
h225.ipsec ipsec No value H245Security/ipsec
h225.ipxAddress ipxAddress No value TransportAddress/ipxAddress
h225.irrFrequency irrFrequency Unsigned 32-bit integer AdmissionConfirm/irrFrequency
h225.irrFrequencyInCall irrFrequencyInCall Unsigned 32-bit integer RegistrationConfirm/preGrantedARQ/irrFrequencyInCall
h225.irrStatus irrStatus Unsigned 32-bit integer InfoRequestResponse/irrStatus
h225.isText isText No value StimulusControl/isText
h225.iso9797 iso9797 String IntegrityMechanism/iso9797
h225.isoAlgorithm isoAlgorithm String EncryptIntAlg/isoAlgorithm
h225.join join No value Setup-UUIE/conferenceGoal/join
h225.keepAlive keepAlive Boolean RegistrationRequest/keepAlive
h225.language language Unsigned 32-bit integer
h225.language_item Item String
h225.level1RegionalNumber level1RegionalNumber No value PrivateTypeOfNumber/level1RegionalNumber
h225.level2RegionalNumber level2RegionalNumber No value PrivateTypeOfNumber/level2RegionalNumber
h225.localNumber localNumber No value PrivateTypeOfNumber/localNumber
h225.locationConfirm locationConfirm No value RasMessage/locationConfirm
h225.locationReject locationReject No value RasMessage/locationReject
h225.locationRequest locationRequest No value RasMessage/locationRequest
h225.loose loose No value
h225.maintainConnection maintainConnection Boolean
h225.maintenance maintenance No value UnregRequestReason/maintenance
h225.makeCall makeCall Boolean RegistrationConfirm/preGrantedARQ/makeCall
h225.manufacturerCode manufacturerCode Unsigned 32-bit integer H221NonStandard/manufacturerCode
h225.maximumCallCapacity maximumCallCapacity No value CallCapacity/maximumCallCapacity
h225.mc mc Boolean EndpointType/mc
h225.mcu mcu No value EndpointType/mcu
h225.mcuCallsAvailable mcuCallsAvailable Unsigned 32-bit integer CallCapacityInfo/mcuCallsAvailable
h225.mcuCallsAvailable_item Item No value CallCapacityInfo/mcuCallsAvailable/_item
h225.mdn mdn String ANSI-41-UIM/mdn
h225.mediaWaitForConnect mediaWaitForConnect Boolean Setup-UUIE/mediaWaitForConnect
h225.member member Unsigned 32-bit integer GroupID/member
h225.member_item Item Unsigned 32-bit integer GroupID/member/_item
h225.messageContent messageContent Unsigned 32-bit integer H323-UU-PDU/tunnelledSignallingMessage/messageContent
h225.messageContent_item Item Unsigned 32-bit integer H323-UU-PDU/tunnelledSignallingMessage/messageContent/_item
h225.messageNotUnderstood messageNotUnderstood Byte array UnknownMessageResponse/messageNotUnderstood
h225.mid mid String ANSI-41-UIM/system-id/mid
h225.min min String ANSI-41-UIM/min
h225.mobileUIM mobileUIM Unsigned 32-bit integer AliasAddress/mobileUIM
h225.modifiedSrcInfo modifiedSrcInfo Unsigned 32-bit integer
h225.modifiedSrcInfo_item Item Unsigned 32-bit integer
h225.mscid mscid String ANSI-41-UIM/mscid
h225.msisdn msisdn String
h225.multicast multicast Boolean BandwidthDetails/multicast
h225.multipleCalls multipleCalls Boolean
h225.multirate multirate No value ScnConnectionType/multirate
h225.nToN nToN No value CallType/nToN
h225.nToOne nToOne No value CallType/nToOne
h225.nakReason nakReason Unsigned 32-bit integer InfoRequestNak/nakReason
h225.nationalNumber nationalNumber No value PublicTypeOfNumber/nationalNumber
h225.nationalStandardPartyNumber nationalStandardPartyNumber String PartyNumber/nationalStandardPartyNumber
h225.needResponse needResponse Boolean InfoRequestResponse/needResponse
h225.needToRegister needToRegister Boolean AlternateGK/needToRegister
h225.neededFeatureNotSupported neededFeatureNotSupported No value
h225.neededFeatures neededFeatures Unsigned 32-bit integer
h225.neededFeatures_item Item No value
h225.nested nested Unsigned 32-bit integer Content/nested
h225.nested_item Item No value Content/nested/_item
h225.nestedcryptoToken nestedcryptoToken Unsigned 32-bit integer CryptoH323Token/nestedcryptoToken
h225.netBios netBios Byte array TransportAddress/netBios
h225.netnum netnum Byte array
h225.networkSpecificNumber networkSpecificNumber No value PublicTypeOfNumber/networkSpecificNumber
h225.newConnectionNeeded newConnectionNeeded No value ReleaseCompleteReason/newConnectionNeeded
h225.newTokens newTokens No value FacilityReason/newTokens
h225.nextSegmentRequested nextSegmentRequested Unsigned 32-bit integer InfoRequest/nextSegmentRequested
h225.noBandwidth noBandwidth No value ReleaseCompleteReason/noBandwidth
h225.noControl noControl No value TransportQOS/noControl
h225.noH245 noH245 No value FacilityReason/noH245
h225.noPermission noPermission No value ReleaseCompleteReason/noPermission
h225.noRouteToDestination noRouteToDestination No value
h225.noSecurity noSecurity No value H245Security/noSecurity
h225.node node Byte array
h225.nonIsoIM nonIsoIM Unsigned 32-bit integer IntegrityMechanism/nonIsoIM
h225.nonStandard nonStandard No value
h225.nonStandardAddress nonStandardAddress No value
h225.nonStandardControl nonStandardControl Unsigned 32-bit integer H323-UU-PDU/nonStandardControl
h225.nonStandardControl_item Item No value H323-UU-PDU/nonStandardControl/_item
h225.nonStandardData nonStandardData No value
h225.nonStandardIdentifier nonStandardIdentifier Unsigned 32-bit integer NonStandardParameter/nonStandardIdentifier
h225.nonStandardMessage nonStandardMessage No value RasMessage/nonStandardMessage
h225.nonStandardProtocol nonStandardProtocol No value SupportedProtocols/nonStandardProtocol
h225.nonStandardReason nonStandardReason No value ReleaseCompleteReason/nonStandardReason
h225.nonStandardUsageFields nonStandardUsageFields Unsigned 32-bit integer RasUsageInformation/nonStandardUsageFields
h225.nonStandardUsageFields_item Item No value RasUsageInformation/nonStandardUsageFields/_item
h225.nonStandardUsageTypes nonStandardUsageTypes Unsigned 32-bit integer RasUsageInfoTypes/nonStandardUsageTypes
h225.nonStandardUsageTypes_item Item No value RasUsageInfoTypes/nonStandardUsageTypes/_item
h225.none none No value
h225.normalDrop normalDrop No value DisengageReason/normalDrop
h225.notAvailable notAvailable No value ServiceControlResponse/result/notAvailable
h225.notBound notBound No value BandRejectReason/notBound
h225.notCurrentlyRegistered notCurrentlyRegistered No value UnregRejectReason/notCurrentlyRegistered
h225.notRegistered notRegistered No value
h225.notify notify No value H323-UU-PDU/h323-message-body/notify
h225.nsap nsap Byte array TransportAddress/nsap
h225.number16 number16 Unsigned 32-bit integer Content/number16
h225.number32 number32 Unsigned 32-bit integer Content/number32
h225.number8 number8 Unsigned 32-bit integer Content/number8
h225.numberOfScnConnections numberOfScnConnections Unsigned 32-bit integer Setup-UUIE/connectionParameters/numberOfScnConnections
h225.object object String NonStandardIdentifier/object
h225.oid oid String GenericIdentifier/oid
h225.oneToN oneToN No value CallType/oneToN
h225.open open No value ServiceControlSession/reason/open
h225.originator originator Boolean InfoRequestResponse/perCallInfo/_item/originator
h225.pISNSpecificNumber pISNSpecificNumber No value PrivateTypeOfNumber/pISNSpecificNumber
h225.parallelH245Control parallelH245Control Unsigned 32-bit integer Setup-UUIE/parallelH245Control
h225.parameters parameters Unsigned 32-bit integer GenericData/parameters
h225.parameters_item Item No value GenericData/parameters/_item
h225.partyNumber partyNumber Unsigned 32-bit integer AliasAddress/partyNumber
h225.pdu pdu Unsigned 32-bit integer InfoRequestResponse/perCallInfo/_item/pdu
h225.pdu_item Item No value InfoRequestResponse/perCallInfo/_item/pdu/_item
h225.perCallInfo perCallInfo Unsigned 32-bit integer InfoRequestResponse/perCallInfo
h225.perCallInfo_item Item No value InfoRequestResponse/perCallInfo/_item
h225.permissionDenied permissionDenied No value UnregRejectReason/permissionDenied
h225.pointCode pointCode Byte array CicInfo/pointCode
h225.pointToPoint pointToPoint No value CallType/pointToPoint
h225.port port Unsigned 32-bit integer TransportAddress/ipAddress/port
h225.preGrantedARQ preGrantedARQ No value RegistrationConfirm/preGrantedARQ
h225.prefix prefix Unsigned 32-bit integer SupportedPrefix/prefix
h225.presentationAllowed presentationAllowed No value PresentationIndicator/presentationAllowed
h225.presentationIndicator presentationIndicator Unsigned 32-bit integer
h225.presentationRestricted presentationRestricted No value PresentationIndicator/presentationRestricted
h225.priority priority Unsigned 32-bit integer
h225.privateNumber privateNumber No value PartyNumber/privateNumber
h225.privateNumberDigits privateNumberDigits String PrivatePartyNumber/privateNumberDigits
h225.privateTypeOfNumber privateTypeOfNumber Unsigned 32-bit integer PrivatePartyNumber/privateTypeOfNumber
h225.productId productId String VendorIdentifier/productId
h225.progress progress No value H323-UU-PDU/h323-message-body/progress
h225.protocol protocol Unsigned 32-bit integer
h225.protocolIdentifier protocolIdentifier String
h225.protocolType protocolType String TunnelledProtocolAlternateIdentifier/protocolType
h225.protocolVariant protocolVariant String TunnelledProtocolAlternateIdentifier/protocolVariant
h225.protocol_discriminator protocol-discriminator Unsigned 32-bit integer H323-UserInformation/user-data/protocol-discriminator
h225.protocol_item Item Unsigned 32-bit integer
h225.protocols protocols Unsigned 32-bit integer ResourcesAvailableIndicate/protocols
h225.protocols_item Item Unsigned 32-bit integer ResourcesAvailableIndicate/protocols/_item
h225.provisionalRespToH245Tunneling provisionalRespToH245Tunneling No value H323-UU-PDU/provisionalRespToH245Tunneling
h225.publicNumberDigits publicNumberDigits String PublicPartyNumber/publicNumberDigits
h225.publicTypeOfNumber publicTypeOfNumber Unsigned 32-bit integer PublicPartyNumber/publicTypeOfNumber
h225.q932Full q932Full Boolean QseriesOptions/q932Full
h225.q951Full q951Full Boolean QseriesOptions/q951Full
h225.q952Full q952Full Boolean QseriesOptions/q952Full
h225.q953Full q953Full Boolean QseriesOptions/q953Full
h225.q954Info q954Info No value QseriesOptions/q954Info
h225.q955Full q955Full Boolean QseriesOptions/q955Full
h225.q956Full q956Full Boolean QseriesOptions/q956Full
h225.q957Full q957Full Boolean QseriesOptions/q957Full
h225.qosControlNotSupported qosControlNotSupported No value AdmissionRejectReason/qosControlNotSupported
h225.qualificationInformationCode qualificationInformationCode Byte array ANSI-41-UIM/qualificationInformationCode
h225.range range No value AddressPattern/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.rasAddress_item Item Unsigned 32-bit integer
h225.raw raw Byte array Content/raw
h225.reason reason Unsigned 32-bit integer
h225.recvAddress recvAddress Unsigned 32-bit integer TransportChannelInfo/recvAddress
h225.refresh refresh No value ServiceControlSession/reason/refresh
h225.registrationConfirm registrationConfirm No value RasMessage/registrationConfirm
h225.registrationReject registrationReject No value RasMessage/registrationReject
h225.registrationRequest registrationRequest No value RasMessage/registrationRequest
h225.rejectReason rejectReason Unsigned 32-bit integer GatekeeperReject/rejectReason
h225.releaseComplete releaseComplete No value H323-UU-PDU/h323-message-body/releaseComplete
h225.releaseCompleteCauseIE releaseCompleteCauseIE Byte array CallTerminationCause/releaseCompleteCauseIE
h225.remoteExtensionAddress remoteExtensionAddress Unsigned 32-bit integer
h225.remoteExtensionAddress_item Item Unsigned 32-bit integer
h225.replaceWithConferenceInvite replaceWithConferenceInvite ReleaseCompleteReason/replaceWithConferenceInvite
h225.replacementFeatureSet replacementFeatureSet Boolean FeatureSet/replacementFeatureSet
h225.replyAddress replyAddress Unsigned 32-bit integer
h225.requestDenied requestDenied No value
h225.requestInProgress requestInProgress No value RasMessage/requestInProgress
h225.requestSeqNum requestSeqNum Unsigned 32-bit integer
h225.requestToDropOther requestToDropOther No value DisengageRejectReason/requestToDropOther
h225.required required No value RasUsageSpecification/required
h225.reregistrationRequired reregistrationRequired No value UnregRequestReason/reregistrationRequired
h225.resourceUnavailable resourceUnavailable No value
h225.resourcesAvailableConfirm resourcesAvailableConfirm No value RasMessage/resourcesAvailableConfirm
h225.resourcesAvailableIndicate resourcesAvailableIndicate No value RasMessage/resourcesAvailableIndicate
h225.restart restart No value RegistrationRequest/restart
h225.result result Unsigned 32-bit integer ServiceControlResponse/result
h225.route route Unsigned 32-bit integer TransportAddress/ipSourceRoute/route
h225.routeCallToGatekeeper routeCallToGatekeeper No value
h225.routeCallToMC routeCallToMC No value FacilityReason/routeCallToMC
h225.routeCallToSCN routeCallToSCN Unsigned 32-bit integer AdmissionRejectReason/routeCallToSCN
h225.routeCallToSCN_item Item Unsigned 32-bit integer AdmissionRejectReason/routeCallToSCN/_item
h225.routeCalltoSCN routeCalltoSCN Unsigned 32-bit integer LocationRejectReason/routeCalltoSCN
h225.routeCalltoSCN_item Item Unsigned 32-bit integer LocationRejectReason/routeCalltoSCN/_item
h225.route_item Item Byte array TransportAddress/ipSourceRoute/route/_item
h225.routing routing Unsigned 32-bit integer TransportAddress/ipSourceRoute/routing
h225.rtcpAddress rtcpAddress No value RTPSession/rtcpAddress
h225.rtcpAddresses rtcpAddresses No value BandwidthDetails/rtcpAddresses
h225.rtpAddress rtpAddress No value RTPSession/rtpAddress
h225.screeningIndicator screeningIndicator Unsigned 32-bit integer
h225.sctp sctp Unsigned 32-bit integer AlternateTransportAddresses/sctp
h225.sctp_item Item Unsigned 32-bit integer AlternateTransportAddresses/sctp/_item
h225.securityCertificateDateInvalid securityCertificateDateInvalid No value SecurityErrors/securityCertificateDateInvalid
h225.securityCertificateExpired securityCertificateExpired No value SecurityErrors/securityCertificateExpired
h225.securityCertificateIncomplete securityCertificateIncomplete No value SecurityErrors/securityCertificateIncomplete
h225.securityCertificateMissing securityCertificateMissing No value SecurityErrors/securityCertificateMissing
h225.securityCertificateNotReadable securityCertificateNotReadable No value SecurityErrors/securityCertificateNotReadable
h225.securityCertificateRevoked securityCertificateRevoked No value SecurityErrors/securityCertificateRevoked
h225.securityCertificateSignatureInvalid securityCertificateSignatureInvalid No value SecurityErrors/securityCertificateSignatureInvalid
h225.securityDHmismatch securityDHmismatch No value
h225.securityDenial securityDenial No value
h225.securityDenied securityDenied No value ReleaseCompleteReason/securityDenied
h225.securityError securityError Unsigned 32-bit integer ReleaseCompleteReason/securityError
h225.securityIntegrityFailed securityIntegrityFailed No value
h225.securityReplay securityReplay No value
h225.securityUnknownCA securityUnknownCA No value SecurityErrors/securityUnknownCA
h225.securityUnsupportedCertificateAlgOID securityUnsupportedCertificateAlgOID No value SecurityErrors/securityUnsupportedCertificateAlgOID
h225.securityWrongGeneralID securityWrongGeneralID No value
h225.securityWrongOID securityWrongOID No value
h225.securityWrongSendersID securityWrongSendersID No value
h225.securityWrongSyncTime securityWrongSyncTime No value
h225.segment segment Unsigned 32-bit integer InfoRequestResponseStatus/segment
h225.segmentedResponseSupported segmentedResponseSupported No value InfoRequest/segmentedResponseSupported
h225.sendAddress sendAddress Unsigned 32-bit integer TransportChannelInfo/sendAddress
h225.sender sender Boolean BandwidthDetails/sender
h225.sent sent Boolean InfoRequestResponse/perCallInfo/_item/pdu/_item/sent
h225.serviceControl serviceControl Unsigned 32-bit integer
h225.serviceControlIndication serviceControlIndication No value RasMessage/serviceControlIndication
h225.serviceControlResponse serviceControlResponse No value RasMessage/serviceControlResponse
h225.serviceControl_item Item No value
h225.sesn sesn String ANSI-41-UIM/sesn
h225.sessionId sessionId Unsigned 32-bit integer ServiceControlSession/sessionId
h225.set set Byte array EndpointType/set
h225.setup setup No value H323-UU-PDU/h323-message-body/setup
h225.setupAcknowledge setupAcknowledge No value H323-UU-PDU/h323-message-body/setupAcknowledge
h225.sid sid String ANSI-41-UIM/system-id/sid
h225.signal signal Byte array ServiceControlDescriptor/signal
h225.sip sip No value SupportedProtocols/sip
h225.sipGwCallsAvailable sipGwCallsAvailable Unsigned 32-bit integer CallCapacityInfo/sipGwCallsAvailable
h225.sipGwCallsAvailable_item Item No value CallCapacityInfo/sipGwCallsAvailable/_item
h225.soc soc String ANSI-41-UIM/soc
h225.sourceAddress sourceAddress Unsigned 32-bit integer Setup-UUIE/sourceAddress
h225.sourceAddress_item Item Unsigned 32-bit integer Setup-UUIE/sourceAddress/_item
h225.sourceCallSignalAddress sourceCallSignalAddress Unsigned 32-bit integer Setup-UUIE/sourceCallSignalAddress
h225.sourceCircuitID sourceCircuitID No value CircuitInfo/sourceCircuitID
h225.sourceEndpointInfo sourceEndpointInfo Unsigned 32-bit integer LocationRequest/sourceEndpointInfo
h225.sourceEndpointInfo_item Item Unsigned 32-bit integer LocationRequest/sourceEndpointInfo/_item
h225.sourceInfo sourceInfo No value Setup-UUIE/sourceInfo
h225.sourceInfo_item Item Unsigned 32-bit integer LocationRequest/sourceInfo/_item
h225.srcAlternatives srcAlternatives Unsigned 32-bit integer AdmissionRequest/srcAlternatives
h225.srcAlternatives_item Item No value AdmissionRequest/srcAlternatives/_item
h225.srcCallSignalAddress srcCallSignalAddress Unsigned 32-bit integer AdmissionRequest/srcCallSignalAddress
h225.srcInfo srcInfo Unsigned 32-bit integer AdmissionRequest/srcInfo
h225.srcInfo_item Item Unsigned 32-bit integer AdmissionRequest/srcInfo/_item
h225.ssrc ssrc Unsigned 32-bit integer RTPSession/ssrc
h225.standard standard Unsigned 32-bit integer GenericIdentifier/standard
h225.start start No value RasUsageSpecification/when/start
h225.startH245 startH245 No value FacilityReason/startH245
h225.startOfRange startOfRange Unsigned 32-bit integer AddressPattern/range/startOfRange
h225.startTime startTime No value RasUsageInfoTypes/startTime
h225.started started No value ServiceControlResponse/result/started
h225.status status No value H323-UU-PDU/h323-message-body/status
h225.statusInquiry statusInquiry No value H323-UU-PDU/h323-message-body/statusInquiry
h225.stimulusControl stimulusControl No value H323-UU-PDU/stimulusControl
h225.stopped stopped No value ServiceControlResponse/result/stopped
h225.strict strict No value
h225.subIdentifier subIdentifier String TunnelledProtocol/subIdentifier
h225.subscriberNumber subscriberNumber No value PublicTypeOfNumber/subscriberNumber
h225.substituteConfIDs substituteConfIDs Unsigned 32-bit integer InfoRequestResponse/perCallInfo/_item/substituteConfIDs
h225.substituteConfIDs_item Item InfoRequestResponse/perCallInfo/_item/substituteConfIDs/_item
h225.supportedFeatures supportedFeatures Unsigned 32-bit integer
h225.supportedFeatures_item Item No value
h225.supportedH248Packages supportedH248Packages Unsigned 32-bit integer RegistrationRequest/supportedH248Packages
h225.supportedH248Packages_item Item Byte array RegistrationRequest/supportedH248Packages/_item
h225.supportedPrefixes supportedPrefixes Unsigned 32-bit integer
h225.supportedPrefixes_item Item No value
h225.supportedProtocols supportedProtocols Unsigned 32-bit integer
h225.supportedProtocols_item Item Unsigned 32-bit integer
h225.supportedTunnelledProtocols supportedTunnelledProtocols Unsigned 32-bit integer EndpointType/supportedTunnelledProtocols
h225.supportedTunnelledProtocols_item Item No value EndpointType/supportedTunnelledProtocols/_item
h225.supportsACFSequences supportsACFSequences No value RegistrationRequest/supportsACFSequences
h225.supportsAdditiveRegistration supportsAdditiveRegistration No value RegistrationConfirm/supportsAdditiveRegistration
h225.supportsAltGK supportsAltGK No value
h225.symmetricOperationRequired symmetricOperationRequired No value Setup-UUIE/symmetricOperationRequired
h225.systemAccessType systemAccessType Byte array ANSI-41-UIM/systemAccessType
h225.systemMyTypeCode systemMyTypeCode Byte array ANSI-41-UIM/systemMyTypeCode
h225.system_id system-id Unsigned 32-bit integer ANSI-41-UIM/system-id
h225.t120OnlyGwCallsAvailable t120OnlyGwCallsAvailable Unsigned 32-bit integer CallCapacityInfo/t120OnlyGwCallsAvailable
h225.t120OnlyGwCallsAvailable_item Item No value CallCapacityInfo/t120OnlyGwCallsAvailable/_item
h225.t120_only t120-only No value SupportedProtocols/t120-only
h225.t35CountryCode t35CountryCode Unsigned 32-bit integer H221NonStandard/t35CountryCode
h225.t35Extension t35Extension Unsigned 32-bit integer H221NonStandard/t35Extension
h225.t38FaxAnnexbOnly t38FaxAnnexbOnly No value SupportedProtocols/t38FaxAnnexbOnly
h225.t38FaxAnnexbOnlyGwCallsAvailable t38FaxAnnexbOnlyGwCallsAvailable Unsigned 32-bit integer CallCapacityInfo/t38FaxAnnexbOnlyGwCallsAvailable
h225.t38FaxAnnexbOnlyGwCallsAvailable_item Item No value CallCapacityInfo/t38FaxAnnexbOnlyGwCallsAvailable/_item
h225.t38FaxProfile t38FaxProfile No value T38FaxAnnexbOnlyCaps/t38FaxProfile
h225.t38FaxProtocol t38FaxProtocol Unsigned 32-bit integer T38FaxAnnexbOnlyCaps/t38FaxProtocol
h225.tcp tcp No value UseSpecifiedTransport/tcp
h225.telexPartyNumber telexPartyNumber String PartyNumber/telexPartyNumber
h225.terminal terminal No value EndpointType/terminal
h225.terminalAlias terminalAlias Unsigned 32-bit integer
h225.terminalAliasPattern terminalAliasPattern Unsigned 32-bit integer
h225.terminalAliasPattern_item Item Unsigned 32-bit integer
h225.terminalAlias_item Item Unsigned 32-bit integer
h225.terminalCallsAvailable terminalCallsAvailable Unsigned 32-bit integer CallCapacityInfo/terminalCallsAvailable
h225.terminalCallsAvailable_item Item No value CallCapacityInfo/terminalCallsAvailable/_item
h225.terminalExcluded terminalExcluded No value GatekeeperRejectReason/terminalExcluded
h225.terminalType terminalType No value RegistrationRequest/terminalType
h225.terminationCause terminationCause No value RasUsageInfoTypes/terminationCause
h225.text text String Content/text
h225.threadId threadId CallLinkage/threadId
h225.threePartyService threePartyService Boolean Q954Details/threePartyService
h225.timeStamp timeStamp Date/Time stamp
h225.timeToLive timeToLive Unsigned 32-bit integer
h225.tls tls No value H245Security/tls
h225.tmsi tmsi Byte array GSM-UIM/tmsi
h225.token token No value
h225.tokens tokens Unsigned 32-bit integer
h225.tokens_item Item No value
h225.totalBandwidthRestriction totalBandwidthRestriction Unsigned 32-bit integer RegistrationConfirm/preGrantedARQ/totalBandwidthRestriction
h225.transport transport Unsigned 32-bit integer Content/transport
h225.transportID transportID Unsigned 32-bit integer AliasAddress/transportID
h225.transportNotSupported transportNotSupported No value RegistrationRejectReason/transportNotSupported
h225.transportQOS transportQOS Unsigned 32-bit integer
h225.transportQOSNotSupported transportQOSNotSupported No value RegistrationRejectReason/transportQOSNotSupported
h225.transportedInformation transportedInformation No value FacilityReason/transportedInformation
h225.ttlExpired ttlExpired No value UnregRequestReason/ttlExpired
h225.tunnelledProtocolAlternateID tunnelledProtocolAlternateID No value TunnelledProtocol/id/tunnelledProtocolAlternateID
h225.tunnelledProtocolID tunnelledProtocolID No value H323-UU-PDU/tunnelledSignallingMessage/tunnelledProtocolID
h225.tunnelledProtocolObjectID tunnelledProtocolObjectID String TunnelledProtocol/id/tunnelledProtocolObjectID
h225.tunnelledSignallingMessage tunnelledSignallingMessage No value H323-UU-PDU/tunnelledSignallingMessage
h225.tunnelledSignallingRejected tunnelledSignallingRejected No value ReleaseCompleteReason/tunnelledSignallingRejected
h225.tunnellingRequired tunnellingRequired No value H323-UU-PDU/tunnelledSignallingMessage/tunnellingRequired
h225.unallocatedNumber unallocatedNumber No value
h225.undefinedNode undefinedNode Boolean EndpointType/undefinedNode
h225.undefinedReason undefinedReason No value
h225.unicode unicode String Content/unicode
h225.unknown unknown No value
h225.unknownMessageResponse unknownMessageResponse No value RasMessage/unknownMessageResponse
h225.unreachableDestination unreachableDestination No value ReleaseCompleteReason/unreachableDestination
h225.unreachableGatekeeper unreachableGatekeeper No value ReleaseCompleteReason/unreachableGatekeeper
h225.unregistrationConfirm unregistrationConfirm No value RasMessage/unregistrationConfirm
h225.unregistrationReject unregistrationReject No value RasMessage/unregistrationReject
h225.unregistrationRequest unregistrationRequest No value RasMessage/unregistrationRequest
h225.unsolicited unsolicited Boolean InfoRequestResponse/unsolicited
h225.url url String ServiceControlDescriptor/url
h225.url_ID url-ID String AliasAddress/url-ID
h225.usageInfoRequested usageInfoRequested No value InfoRequest/usageInfoRequested
h225.usageInformation usageInformation No value
h225.usageReportingCapability usageReportingCapability No value RegistrationRequest/usageReportingCapability
h225.usageSpec usageSpec Unsigned 32-bit integer
h225.usageSpec_item Item No value
h225.useGKCallSignalAddressToAnswer useGKCallSignalAddressToAnswer Boolean RegistrationConfirm/preGrantedARQ/useGKCallSignalAddressToAnswer
h225.useGKCallSignalAddressToMakeCall useGKCallSignalAddressToMakeCall Boolean RegistrationConfirm/preGrantedARQ/useGKCallSignalAddressToMakeCall
h225.useSpecifiedTransport useSpecifiedTransport Unsigned 32-bit integer
h225.user_data user-data No value H323-UserInformation/user-data
h225.user_information user-information Byte array H323-UserInformation/user-data/user-information
h225.uuiesRequested uuiesRequested No value
h225.vendor vendor No value EndpointType/vendor
h225.versionId versionId String VendorIdentifier/versionId
h225.video video Unsigned 32-bit integer InfoRequestResponse/perCallInfo/_item/video
h225.video_item Item No value InfoRequestResponse/perCallInfo/_item/video/_item
h225.voice voice No value SupportedProtocols/voice
h225.voiceGwCallsAvailable voiceGwCallsAvailable Unsigned 32-bit integer CallCapacityInfo/voiceGwCallsAvailable
h225.voiceGwCallsAvailable_item Item No value CallCapacityInfo/voiceGwCallsAvailable/_item
h225.vplmn vplmn String GSM-UIM/vplmn
h225.when when No value CapacityReportingSpecification/when
h225.wildcard wildcard Unsigned 32-bit integer AddressPattern/wildcard
h225.willRespondToIRR willRespondToIRR Boolean
h225.willSupplyUUIEs willSupplyUUIEs Boolean
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.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.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.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
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
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 AND-Set/_item
ftam.Attribute_Extension_Names_item Item No value Attribute-Extension-Names/_item
ftam.Attribute_Extensions_Pattern_item Item No value Attribute-Extensions-Pattern/_item
ftam.Attribute_Extensions_item Item No value Attribute-Extensions/_item
ftam.Attribute_Value_Assertions_item Item Unsigned 32-bit integer Attribute-Value-Assertions/_item
ftam.Charging_item Item No value Charging/_item
ftam.Child_Objects_Attribute_item Item String Child-Objects-Attribute/_item
ftam.Contents_Type_List_item Item Unsigned 32-bit integer Contents-Type-List/_item
ftam.Diagnostic_item Item No value Diagnostic/_item
ftam.OR_Set_item Item Unsigned 32-bit integer OR-Set/_item
ftam.Objects_Attributes_List_item Item No value Objects-Attributes-List/_item
ftam.Pass_Passwords_item Item Unsigned 32-bit integer Pass-Passwords/_item
ftam.Path_Access_Passwords_item Item No value Path-Access-Passwords/_item
ftam.Pathname_item Item String Pathname/_item
ftam.Scope_item Item No value Scope/_item
ftam.abstract_Syntax_Pattern abstract-Syntax-Pattern No value Contents-Type-Pattern/constraint-set-abstract-Syntax-Pattern/abstract-Syntax-Pattern
ftam.abstract_Syntax_name abstract-Syntax-name String
ftam.abstract_Syntax_not_supported abstract-Syntax-not-supported No value Private-Use-Attribute/abstract-Syntax-not-supported
ftam.access-class access-class Boolean
ftam.access_context access-context No value F-READ-request/access-context
ftam.access_control access-control Unsigned 32-bit integer Change-Attributes/access-control
ftam.access_passwords access-passwords No value
ftam.account account String
ftam.action_list action-list Byte array Access-Control-Element/action-list
ftam.action_result action-result Signed 32-bit integer
ftam.activity_identifier activity-identifier Signed 32-bit integer
ftam.actual_values actual-values Unsigned 32-bit integer Access-Control-Attribute/actual-values
ftam.actual_values_item Item No value Access-Control-Attribute/actual-values/_item
ftam.ae ae No value AE-title/ae
ftam.any_match any-match No value
ftam.ap ap No value AE-title/ap
ftam.attribute_extension_names attribute-extension-names Unsigned 32-bit integer
ftam.attribute_extensions attribute-extensions Unsigned 32-bit integer
ftam.attribute_extensions_pattern attribute-extensions-pattern Unsigned 32-bit integer AND-Set/_item/attribute-extensions-pattern
ftam.attribute_groups attribute-groups Byte array
ftam.attribute_names attribute-names Byte array
ftam.attribute_value_assertions attribute-value-assertions Unsigned 32-bit integer F-GROUP-SELECT-request/attribute-value-assertions
ftam.attribute_value_asset_tions attribute-value-asset-tions Unsigned 32-bit integer F-LIST-request/attribute-value-asset-tions
ftam.attributes attributes No value
ftam.begin_end begin-end Signed 32-bit integer FADU-Identity/begin-end
ftam.boolean_value boolean-value Boolean Boolean-Pattern/boolean-value
ftam.bulk_Data_PDU bulk-Data-PDU Unsigned 32-bit integer PDU/bulk-Data-PDU
ftam.bulk_transfer_number bulk-transfer-number Signed 32-bit integer F-RECOVER-request/bulk-transfer-number
ftam.change-attribute change-attribute Boolean
ftam.change_attribute change-attribute Signed 32-bit integer Concurrency-Control/change-attribute
ftam.change_attribute_password change-attribute-password Unsigned 32-bit integer
ftam.charging charging Unsigned 32-bit integer
ftam.charging_unit charging-unit String Charging/_item/charging-unit
ftam.charging_value charging-value Signed 32-bit integer Charging/_item/charging-value
ftam.checkpoint_identifier checkpoint-identifier Signed 32-bit integer
ftam.checkpoint_window checkpoint-window Signed 32-bit integer
ftam.child_objects child-objects Unsigned 32-bit integer Read-Attributes/child-objects
ftam.child_objects_Pattern child-objects-Pattern No value AND-Set/_item/child-objects-Pattern
ftam.complete_pathname complete-pathname Unsigned 32-bit integer Pathname-Attribute/complete-pathname
ftam.concurrency_access concurrency-access No value Access-Control-Element/concurrency-access
ftam.concurrency_control concurrency-control No value
ftam.concurrent-access concurrent-access Boolean
ftam.concurrent_bulk_transfer_number concurrent-bulk-transfer-number Signed 32-bit integer F-RECOVER-request/concurrent-bulk-transfer-number
ftam.concurrent_recovery_point concurrent-recovery-point Signed 32-bit integer
ftam.consecutive-access consecutive-access Boolean
ftam.constraint_Set_Pattern constraint-Set-Pattern No value Contents-Type-Pattern/constraint-set-abstract-Syntax-Pattern/constraint-Set-Pattern
ftam.constraint_set_abstract_Syntax_Pattern constraint-set-abstract-Syntax-Pattern No value Contents-Type-Pattern/constraint-set-abstract-Syntax-Pattern
ftam.constraint_set_and_abstract_Syntax constraint-set-and-abstract-Syntax No value Contents-Type-Attribute/constraint-set-and-abstract-Syntax
ftam.constraint_set_name constraint-set-name String Contents-Type-Attribute/constraint-set-and-abstract-Syntax/constraint-set-name
ftam.contents_type contents-type Unsigned 32-bit integer F-OPEN-request/contents-type
ftam.contents_type_Pattern contents-type-Pattern Unsigned 32-bit integer AND-Set/_item/contents-type-Pattern
ftam.contents_type_list contents-type-list Unsigned 32-bit integer
ftam.create_password create-password Unsigned 32-bit integer
ftam.date_and_time_of_creation date-and-time-of-creation Unsigned 32-bit integer Read-Attributes/date-and-time-of-creation
ftam.date_and_time_of_creation_Pattern date-and-time-of-creation-Pattern No value AND-Set/_item/date-and-time-of-creation-Pattern
ftam.date_and_time_of_last_attribute_modification date-and-time-of-last-attribute-modification Unsigned 32-bit integer Read-Attributes/date-and-time-of-last-attribute-modification
ftam.date_and_time_of_last_attribute_modification_Pattern date-and-time-of-last-attribute-modification-Pattern No value AND-Set/_item/date-and-time-of-last-attribute-modification-Pattern
ftam.date_and_time_of_last_modification date-and-time-of-last-modification Unsigned 32-bit integer Read-Attributes/date-and-time-of-last-modification
ftam.date_and_time_of_last_modification_Pattern date-and-time-of-last-modification-Pattern No value AND-Set/_item/date-and-time-of-last-modification-Pattern
ftam.date_and_time_of_last_read_access date-and-time-of-last-read-access Unsigned 32-bit integer Read-Attributes/date-and-time-of-last-read-access
ftam.date_and_time_of_last_read_access_Pattern date-and-time-of-last-read-access-Pattern No value AND-Set/_item/date-and-time-of-last-read-access-Pattern
ftam.define_contexts define-contexts Unsigned 32-bit integer
ftam.define_contexts_item Item String
ftam.degree_of_overlap degree-of-overlap Signed 32-bit integer
ftam.delete-Object delete-Object Boolean
ftam.delete_Object delete-Object Signed 32-bit integer Concurrency-Control/delete-Object
ftam.delete_password delete-password Unsigned 32-bit integer
ftam.delete_values delete-values Unsigned 32-bit integer Access-Control-Change-Attribute/actual-values/delete-values
ftam.delete_values_item Item No value Access-Control-Change-Attribute/actual-values/delete-values/_item
ftam.destination_file_directory destination-file-directory Unsigned 32-bit integer
ftam.diagnostic diagnostic Unsigned 32-bit integer
ftam.diagnostic_type diagnostic-type Signed 32-bit integer Diagnostic/_item/diagnostic-type
ftam.document_type document-type No value Contents-Type-Attribute/document-type
ftam.document_type_Pattern document-type-Pattern No value Contents-Type-Pattern/document-type-Pattern
ftam.document_type_name document-type-name String
ftam.enable_fadu_locking enable-fadu-locking Boolean F-OPEN-request/enable-fadu-locking
ftam.enhanced-file-management enhanced-file-management Boolean
ftam.enhanced-filestore-management enhanced-filestore-management Boolean
ftam.equality_comparision equality-comparision Byte array
ftam.equals-matches equals-matches Boolean
ftam.erase erase Signed 32-bit integer Concurrency-Control/erase
ftam.erase_password erase-password Unsigned 32-bit integer
ftam.error_Source error-Source Signed 32-bit integer Diagnostic/_item/error-Source
ftam.error_action error-action Signed 32-bit integer
ftam.error_identifier error-identifier Signed 32-bit integer Diagnostic/_item/error-identifier
ftam.error_observer error-observer Signed 32-bit integer Diagnostic/_item/error-observer
ftam.exclusive exclusive Boolean
ftam.extend extend Signed 32-bit integer Concurrency-Control/extend
ftam.extend_password extend-password Unsigned 32-bit integer
ftam.extension extension Boolean
ftam.extension_attribute extension-attribute No value Extension-Attribute/extension-attribute
ftam.extension_attribute_Pattern extension-attribute-Pattern No value Attribute-Extensions-Pattern/_item/extension-set-attribute-Patterns/_item/extension-attribute-Pattern
ftam.extension_attribute_identifier extension-attribute-identifier String Extension-Attribute/extension-attribute-identifier
ftam.extension_attribute_names extension-attribute-names Unsigned 32-bit integer Attribute-Extension-Set-Name/extension-attribute-names
ftam.extension_attribute_names_item Item String Attribute-Extension-Set-Name/extension-attribute-names/_item
ftam.extension_set_attribute_Patterns extension-set-attribute-Patterns Unsigned 32-bit integer Attribute-Extensions-Pattern/_item/extension-set-attribute-Patterns
ftam.extension_set_attribute_Patterns_item Item No value Attribute-Extensions-Pattern/_item/extension-set-attribute-Patterns/_item
ftam.extension_set_attributes extension-set-attributes Unsigned 32-bit integer Attribute-Extension-Set/extension-set-attributes
ftam.extension_set_attributes_item Item No value Attribute-Extension-Set/extension-set-attributes/_item
ftam.extension_set_identifier extension-set-identifier String
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 PDU/fSM-PDU
ftam.fTAM_Regime_PDU fTAM-Regime-PDU Unsigned 32-bit integer PDU/fTAM-Regime-PDU
ftam.f_Change_Iink_attrib_response f-Change-Iink-attrib-response No value FSM-PDU/f-Change-Iink-attrib-response
ftam.f_Change_attrib_reques f-Change-attrib-reques No value File-PDU/f-Change-attrib-reques
ftam.f_Change_attrib_respon f-Change-attrib-respon No value File-PDU/f-Change-attrib-respon
ftam.f_Change_link_attrib_request f-Change-link-attrib-request No value FSM-PDU/f-Change-link-attrib-request
ftam.f_Change_prefix_request f-Change-prefix-request No value FSM-PDU/f-Change-prefix-request
ftam.f_Change_prefix_response f-Change-prefix-response No value FSM-PDU/f-Change-prefix-response
ftam.f_begin_group_request f-begin-group-request No value File-PDU/f-begin-group-request
ftam.f_begin_group_response f-begin-group-response No value File-PDU/f-begin-group-response
ftam.f_cancel_request f-cancel-request No value Bulk-Data-PDU/f-cancel-request
ftam.f_cancel_response f-cancel-response No value Bulk-Data-PDU/f-cancel-response
ftam.f_close_request f-close-request No value File-PDU/f-close-request
ftam.f_close_response f-close-response No value File-PDU/f-close-response
ftam.f_copy_request f-copy-request No value FSM-PDU/f-copy-request
ftam.f_copy_response f-copy-response No value FSM-PDU/f-copy-response
ftam.f_create_directory_request f-create-directory-request No value FSM-PDU/f-create-directory-request
ftam.f_create_directory_response f-create-directory-response No value FSM-PDU/f-create-directory-response
ftam.f_create_request f-create-request No value File-PDU/f-create-request
ftam.f_create_response f-create-response No value File-PDU/f-create-response
ftam.f_data_end_request f-data-end-request No value Bulk-Data-PDU/f-data-end-request
ftam.f_delete_request f-delete-request No value File-PDU/f-delete-request
ftam.f_delete_response f-delete-response No value File-PDU/f-delete-response
ftam.f_deselect_request f-deselect-request No value File-PDU/f-deselect-request
ftam.f_deselect_response f-deselect-response No value File-PDU/f-deselect-response
ftam.f_end_group_request f-end-group-request No value File-PDU/f-end-group-request
ftam.f_end_group_response f-end-group-response No value File-PDU/f-end-group-response
ftam.f_erase_request f-erase-request No value File-PDU/f-erase-request
ftam.f_erase_response f-erase-response No value File-PDU/f-erase-response
ftam.f_group_Change_attrib_request f-group-Change-attrib-request No value FSM-PDU/f-group-Change-attrib-request
ftam.f_group_Change_attrib_response f-group-Change-attrib-response No value FSM-PDU/f-group-Change-attrib-response
ftam.f_group_copy_request f-group-copy-request No value FSM-PDU/f-group-copy-request
ftam.f_group_copy_response f-group-copy-response No value FSM-PDU/f-group-copy-response
ftam.f_group_delete_request f-group-delete-request No value FSM-PDU/f-group-delete-request
ftam.f_group_delete_response f-group-delete-response No value FSM-PDU/f-group-delete-response
ftam.f_group_list_request f-group-list-request No value FSM-PDU/f-group-list-request
ftam.f_group_list_response f-group-list-response No value FSM-PDU/f-group-list-response
ftam.f_group_move_request f-group-move-request No value FSM-PDU/f-group-move-request
ftam.f_group_move_response f-group-move-response No value FSM-PDU/f-group-move-response
ftam.f_group_select_request f-group-select-request No value FSM-PDU/f-group-select-request
ftam.f_group_select_response f-group-select-response No value FSM-PDU/f-group-select-response
ftam.f_initialize_request f-initialize-request No value FTAM-Regime-PDU/f-initialize-request
ftam.f_initialize_response f-initialize-response No value FTAM-Regime-PDU/f-initialize-response
ftam.f_link_request f-link-request No value FSM-PDU/f-link-request
ftam.f_link_response f-link-response No value FSM-PDU/f-link-response
ftam.f_list_request f-list-request No value FSM-PDU/f-list-request
ftam.f_list_response f-list-response No value FSM-PDU/f-list-response
ftam.f_locate_request f-locate-request No value File-PDU/f-locate-request
ftam.f_locate_response f-locate-response No value File-PDU/f-locate-response
ftam.f_move_request f-move-request No value FSM-PDU/f-move-request
ftam.f_move_response f-move-response No value FSM-PDU/f-move-response
ftam.f_open_request f-open-request No value File-PDU/f-open-request
ftam.f_open_response f-open-response No value File-PDU/f-open-response
ftam.f_p_abort_request f-p-abort-request No value FTAM-Regime-PDU/f-p-abort-request
ftam.f_read_attrib_request f-read-attrib-request No value File-PDU/f-read-attrib-request
ftam.f_read_attrib_response f-read-attrib-response No value File-PDU/f-read-attrib-response
ftam.f_read_link_attrib_request f-read-link-attrib-request No value FSM-PDU/f-read-link-attrib-request
ftam.f_read_link_attrib_response f-read-link-attrib-response No value FSM-PDU/f-read-link-attrib-response
ftam.f_read_request f-read-request No value Bulk-Data-PDU/f-read-request
ftam.f_recover_request f-recover-request No value File-PDU/f-recover-request
ftam.f_recover_response f-recover-response No value File-PDU/f-recover-response
ftam.f_restart_request f-restart-request No value Bulk-Data-PDU/f-restart-request
ftam.f_restart_response f-restart-response No value Bulk-Data-PDU/f-restart-response
ftam.f_select_another_request f-select-another-request No value FSM-PDU/f-select-another-request
ftam.f_select_another_response f-select-another-response No value FSM-PDU/f-select-another-response
ftam.f_select_request f-select-request No value File-PDU/f-select-request
ftam.f_select_response f-select-response No value File-PDU/f-select-response
ftam.f_terminate_request f-terminate-request No value FTAM-Regime-PDU/f-terminate-request
ftam.f_terminate_response f-terminate-response No value FTAM-Regime-PDU/f-terminate-response
ftam.f_transfer_end_request f-transfer-end-request No value Bulk-Data-PDU/f-transfer-end-request
ftam.f_transfer_end_response f-transfer-end-response No value Bulk-Data-PDU/f-transfer-end-response
ftam.f_u_abort_request f-u-abort-request No value FTAM-Regime-PDU/f-u-abort-request
ftam.f_unlink_request f-unlink-request No value FSM-PDU/f-unlink-request
ftam.f_unlink_response f-unlink-response No value FSM-PDU/f-unlink-response
ftam.f_write_request f-write-request No value Bulk-Data-PDU/f-write-request
ftam.fadu-locking fadu-locking Boolean
ftam.fadu_lock fadu-lock Signed 32-bit integer
ftam.fadu_number fadu-number Signed 32-bit integer FADU-Identity/fadu-number
ftam.file-access file-access Boolean
ftam.file_PDU file-PDU Unsigned 32-bit integer PDU/file-PDU
ftam.file_access_data_unit_Operation file-access-data-unit-Operation Signed 32-bit integer F-WRITE-request/file-access-data-unit-Operation
ftam.file_access_data_unit_identity file-access-data-unit-identity Unsigned 32-bit integer
ftam.filestore_password filestore-password Unsigned 32-bit integer F-INITIALIZE-request/filestore-password
ftam.first_last first-last Signed 32-bit integer FADU-Identity/first-last
ftam.ftam_quality_of_Service ftam-quality-of-Service Signed 32-bit integer
ftam.functional_units functional-units Byte array
ftam.further_details further-details String Diagnostic/_item/further-details
ftam.future_Object_size future-Object-size Unsigned 32-bit integer
ftam.future_object_size_Pattern future-object-size-Pattern No value AND-Set/_item/future-object-size-Pattern
ftam.graphicString graphicString String Password/graphicString
ftam.greater-than-matches greater-than-matches Boolean
ftam.group-manipulation group-manipulation Boolean
ftam.grouping grouping Boolean
ftam.identity identity String Access-Control-Element/identity
ftam.identity_last_attribute_modifier identity-last-attribute-modifier Unsigned 32-bit integer Read-Attributes/identity-last-attribute-modifier
ftam.identity_of_creator identity-of-creator Unsigned 32-bit integer Read-Attributes/identity-of-creator
ftam.identity_of_creator_Pattern identity-of-creator-Pattern No value AND-Set/_item/identity-of-creator-Pattern
ftam.identity_of_last_attribute_modifier_Pattern identity-of-last-attribute-modifier-Pattern No value AND-Set/_item/identity-of-last-attribute-modifier-Pattern
ftam.identity_of_last_modifier identity-of-last-modifier Unsigned 32-bit integer Read-Attributes/identity-of-last-modifier
ftam.identity_of_last_modifier_Pattern identity-of-last-modifier-Pattern No value AND-Set/_item/identity-of-last-modifier-Pattern
ftam.identity_of_last_reader identity-of-last-reader Unsigned 32-bit integer Read-Attributes/identity-of-last-reader
ftam.identity_of_last_reader_Pattern identity-of-last-reader-Pattern No value AND-Set/_item/identity-of-last-reader-Pattern
ftam.implementation_information implementation-information String
ftam.incomplete_pathname incomplete-pathname Unsigned 32-bit integer Pathname-Attribute/incomplete-pathname
ftam.initial_attributes initial-attributes No value
ftam.initiator_identity initiator-identity String F-INITIALIZE-request/initiator-identity
ftam.insert insert Signed 32-bit integer Concurrency-Control/insert
ftam.insert_password insert-password Unsigned 32-bit integer
ftam.insert_values insert-values Unsigned 32-bit integer Access-Control-Change-Attribute/actual-values/insert-values
ftam.insert_values_item Item No value Access-Control-Change-Attribute/actual-values/insert-values/_item
ftam.integer_value integer-value Signed 32-bit integer Integer-Pattern/integer-value
ftam.last_member_indicator last-member-indicator Boolean F-SELECT-ANOTHER-response/last-member-indicator
ftam.last_transfer_end_read_request last-transfer-end-read-request Signed 32-bit integer
ftam.last_transfer_end_read_response last-transfer-end-read-response Signed 32-bit integer
ftam.last_transfer_end_write_request last-transfer-end-write-request Signed 32-bit integer
ftam.last_transfer_end_write_response last-transfer-end-write-response Signed 32-bit integer
ftam.legal_quailfication_Pattern legal-quailfication-Pattern No value AND-Set/_item/legal-quailfication-Pattern
ftam.legal_qualification legal-qualification Unsigned 32-bit integer
ftam.less-than-matches less-than-matches Boolean
ftam.level_number level-number Signed 32-bit integer Access-Context/level-number
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.linked_Object linked-Object Unsigned 32-bit integer Read-Attributes/linked-Object
ftam.linked_Object_Pattern linked-Object-Pattern No value AND-Set/_item/linked-Object-Pattern
ftam.location location No value Access-Control-Element/location
ftam.management-class management-class Boolean
ftam.match_bitstring match-bitstring Byte array Bitstring-Pattern/match-bitstring
ftam.maximum_set_size maximum-set-size Signed 32-bit integer F-GROUP-SELECT-request/maximum-set-size
ftam.nBS9 nBS9 No value PDU/nBS9
ftam.name_list name-list Unsigned 32-bit integer FADU-Identity/name-list
ftam.name_list_item Item No value FADU-Identity/name-list/_item
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.not-required not-required Boolean
ftam.number_of_characters_match number-of-characters-match Signed 32-bit integer String-Pattern/string-value/_item/number-of-characters-match
ftam.object-manipulation object-manipulation Boolean
ftam.object_availabiiity_Pattern object-availabiiity-Pattern No value AND-Set/_item/object-availabiiity-Pattern
ftam.object_availability object-availability Unsigned 32-bit integer
ftam.object_identifier_value object-identifier-value String Object-Identifier-Pattern/object-identifier-value
ftam.object_size object-size Unsigned 32-bit integer Read-Attributes/object-size
ftam.object_size_Pattern object-size-Pattern No value AND-Set/_item/object-size-Pattern
ftam.object_type object-type Signed 32-bit integer
ftam.object_type_Pattern object-type-Pattern No value AND-Set/_item/object-type-Pattern
ftam.objects_attributes_list objects-attributes-list Unsigned 32-bit integer
ftam.octetString octetString Byte array Password/octetString
ftam.operation_result operation-result Unsigned 32-bit integer
ftam.override override Signed 32-bit integer
ftam.parameter parameter No value Contents-Type-Attribute/document-type/parameter
ftam.pass pass Boolean
ftam.pass_passwords pass-passwords Unsigned 32-bit integer
ftam.passwords passwords No value Access-Control-Element/passwords
ftam.path_access_control path-access-control Unsigned 32-bit integer Change-Attributes/path-access-control
ftam.path_access_passwords path-access-passwords Unsigned 32-bit integer
ftam.pathname pathname Unsigned 32-bit integer
ftam.pathname_Pattern pathname-Pattern No value AND-Set/_item/pathname-Pattern
ftam.pathname_value pathname-value Unsigned 32-bit integer Pathname-Pattern/pathname-value
ftam.pathname_value_item Item Unsigned 32-bit integer Pathname-Pattern/pathname-value/_item
ftam.permitted_actions permitted-actions Byte array
ftam.permitted_actions_Pattern permitted-actions-Pattern No value AND-Set/_item/permitted-actions-Pattern
ftam.presentation_action presentation-action Boolean
ftam.presentation_tontext_management presentation-tontext-management Boolean
ftam.primaty_pathname primaty-pathname Unsigned 32-bit integer Read-Attributes/primaty-pathname
ftam.primaty_pathname_Pattern primaty-pathname-Pattern No value AND-Set/_item/primaty-pathname-Pattern
ftam.private private Boolean
ftam.private_use private-use Unsigned 32-bit integer
ftam.processing_mode processing-mode Byte array F-OPEN-request/processing-mode
ftam.proposed proposed Unsigned 32-bit integer F-OPEN-request/contents-type/proposed
ftam.protocol_Version protocol-Version Byte array
ftam.random-Order random-Order Boolean
ftam.read read Signed 32-bit integer Concurrency-Control/read
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 Concurrency-Control/read-attribute
ftam.read_attribute_password read-attribute-password Unsigned 32-bit integer
ftam.read_password read-password Unsigned 32-bit integer
ftam.recovefy_Point recovefy-Point Signed 32-bit integer F-RECOVER-request/recovefy-Point
ftam.recovery recovery Boolean
ftam.recovery_mode recovery-mode Signed 32-bit integer F-OPEN-request/recovery-mode
ftam.recovety_Point recovety-Point Signed 32-bit integer F-RECOVER-response/recovety-Point
ftam.referent_indicator referent-indicator Boolean
ftam.relational_camparision relational-camparision Byte array Date-and-Time-Pattern/relational-camparision
ftam.relational_comparision relational-comparision Byte array Integer-Pattern/relational-comparision
ftam.relative relative Signed 32-bit integer FADU-Identity/relative
ftam.remove_contexts remove-contexts Unsigned 32-bit integer
ftam.remove_contexts_item Item String
ftam.replace replace Signed 32-bit integer Concurrency-Control/replace
ftam.replace_password replace-password Unsigned 32-bit integer
ftam.request_Operation_result request-Operation-result Signed 32-bit integer
ftam.request_type request-type Signed 32-bit integer
ftam.requested_access requested-access Byte array
ftam.reset reset Boolean F-CHANGE-PREFIX-request/reset
ftam.resource_identifier resource-identifier String Charging/_item/resource-identifier
ftam.restart-data-transfer restart-data-transfer Boolean
ftam.retrieval_scope retrieval-scope Signed 32-bit integer Scope/_item/retrieval-scope
ftam.reverse-traversal reverse-traversal Boolean
ftam.root_directory root-directory Unsigned 32-bit integer Scope/_item/root-directory
ftam.scope scope Unsigned 32-bit integer
ftam.security security Boolean
ftam.service_class service-class Byte array
ftam.shared shared Boolean
ftam.shared_ASE_infonnation shared-ASE-infonnation No value F-CREATE-DIRECTORY-request/shared-ASE-infonnation
ftam.shared_ASE_information shared-ASE-information No value
ftam.significance_bitstring significance-bitstring Byte array Bitstring-Pattern/significance-bitstring
ftam.single_name single-name No value FADU-Identity/single-name
ftam.state_result state-result Signed 32-bit integer
ftam.storage storage Boolean
ftam.storage_account storage-account Unsigned 32-bit integer
ftam.storage_account_Pattern storage-account-Pattern No value AND-Set/_item/storage-account-Pattern
ftam.string_match string-match No value Pathname-Pattern/pathname-value/_item/string-match
ftam.string_value string-value Unsigned 32-bit integer String-Pattern/string-value
ftam.string_value_item Item Unsigned 32-bit integer String-Pattern/string-value/_item
ftam.substring_match substring-match String String-Pattern/string-value/_item/substring-match
ftam.success_Object_count success-Object-count Signed 32-bit integer Operation-Result/success-Object-count
ftam.success_Object_names success-Object-names Unsigned 32-bit integer Operation-Result/success-Object-names
ftam.success_Object_names_item Item Unsigned 32-bit integer Operation-Result/success-Object-names/_item
ftam.suggested_delay suggested-delay Signed 32-bit integer Diagnostic/_item/suggested-delay
ftam.target_Object target-Object Unsigned 32-bit integer F-LINK-response/target-Object
ftam.target_object target-object Unsigned 32-bit integer F-LINK-request/target-object
ftam.threshold threshold Signed 32-bit integer F-BEGIN-GROUP-request/threshold
ftam.time_and_date_value time-and-date-value String Date-and-Time-Pattern/time-and-date-value
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.transfer_window transfer-window Signed 32-bit integer
ftam.traversal traversal Boolean
ftam.unconstrained-class unconstrained-class Boolean
ftam.unknown unknown No value F-OPEN-request/contents-type/unknown
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
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
isystemactivator.opnum Operation Unsigned 16-bit integer
gnm.AcceptableCircuitPackTypeList AcceptableCircuitPackTypeList Unsigned 32-bit integer AcceptableCircuitPackTypeList
gnm.AcceptableCircuitPackTypeList_item Item String AcceptableCircuitPackTypeList/_item
gnm.AddTpsToGtpInformation_item Item No value AddTpsToGtpInformation/_item
gnm.AddTpsToGtpResult_item Item Unsigned 32-bit integer AddTpsToGtpResult/_item
gnm.AddTpsToTpPoolInformation_item Item No value AddTpsToTpPoolInformation/_item
gnm.AddTpsToTpPoolResult_item Item Unsigned 32-bit integer AddTpsToTpPoolResult/_item
gnm.AdditionalInformation_item Item No value AdditionalInformation/_item
gnm.AdministrativeState AdministrativeState Unsigned 32-bit integer
gnm.AlarmSeverityAssignmentList AlarmSeverityAssignmentList Unsigned 32-bit integer AlarmSeverityAssignmentList
gnm.AlarmSeverityAssignmentList_item Item No value AlarmSeverityAssignmentList/_item
gnm.AlarmStatus AlarmStatus Unsigned 32-bit integer AlarmStatus
gnm.AttributeList_item Item No value AttributeList/_item
gnm.AvailabilityStatus_item Item Signed 32-bit integer AvailabilityStatus/_item
gnm.Boolean Boolean Boolean Boolean
gnm.ChannelNumber ChannelNumber Signed 32-bit integer ChannelNumber
gnm.CharacteristicInformation CharacteristicInformation String CharacteristicInformation
gnm.CircuitDirectionality CircuitDirectionality Unsigned 32-bit integer CircuitDirectionality
gnm.CircuitPackType CircuitPackType String CircuitPackType
gnm.ConnectInformation_item Item No value ConnectInformation/_item
gnm.ConnectResult_item Item Unsigned 32-bit integer ConnectResult/_item
gnm.ConnectivityPointer ConnectivityPointer Unsigned 32-bit integer ConnectivityPointer
gnm.ControlStatus ControlStatus Unsigned 32-bit integer ControlStatus
gnm.ControlStatus_item Item Signed 32-bit integer ControlStatus/_item
gnm.Count Count Signed 32-bit integer Count
gnm.CrossConnectionName CrossConnectionName String CrossConnectionName
gnm.CrossConnectionObjectPointer CrossConnectionObjectPointer Unsigned 32-bit integer CrossConnectionObjectPointer
gnm.CurrentProblemList CurrentProblemList Unsigned 32-bit integer CurrentProblemList
gnm.CurrentProblemList_item Item No value CurrentProblemList/_item
gnm.Directionality Directionality Unsigned 32-bit integer Directionality
gnm.DisconnectInformation_item Item Unsigned 32-bit integer DisconnectInformation/_item
gnm.DisconnectResult_item Item Unsigned 32-bit integer DisconnectResult/_item
gnm.DownstreamConnectivityPointer DownstreamConnectivityPointer Unsigned 32-bit integer DownstreamConnectivityPointer
gnm.EquipmentHolderAddress EquipmentHolderAddress Unsigned 32-bit integer EquipmentHolderAddress
gnm.EquipmentHolderAddress_item Item String EquipmentHolderAddress/_item
gnm.EquipmentHolderType EquipmentHolderType String EquipmentHolderType
gnm.ExternalTime ExternalTime String ExternalTime
gnm.GeneralError_item Item No value GeneralError/_item
gnm.HolderStatus HolderStatus Unsigned 32-bit integer HolderStatus
gnm.InformationTransferCapabilities InformationTransferCapabilities Unsigned 32-bit integer InformationTransferCapabilities
gnm.ListOfCharacteristicInformation ListOfCharacteristicInformation Unsigned 32-bit integer ListOfCharacteristicInformation
gnm.ListOfCharacteristicInformation_item Item String ListOfCharacteristicInformation/_item
gnm.ListOfTPs_item Item Unsigned 32-bit integer ListOfTPs/_item
gnm.MappingList_item Item String MappingList/_item
gnm.MultipleConnections_item Item Unsigned 32-bit integer MultipleConnections/_item
gnm.NameType NameType Unsigned 32-bit integer NameType
gnm.NumberOfCircuits NumberOfCircuits Signed 32-bit integer NumberOfCircuits
gnm.ObjectList ObjectList Unsigned 32-bit integer ObjectList
gnm.ObjectList_item Item Unsigned 32-bit integer ObjectList/_item
gnm.Packages Packages Unsigned 32-bit integer Packages
gnm.Packages_item Item String Packages/_item
gnm.Pointer Pointer Unsigned 32-bit integer Pointer
gnm.PointerOrNull PointerOrNull Unsigned 32-bit integer PointerOrNull
gnm.RelatedObjectInstance RelatedObjectInstance Unsigned 32-bit integer RelatedObjectInstance
gnm.RemoveTpsFromGtpInformation_item Item No value RemoveTpsFromGtpInformation/_item
gnm.RemoveTpsFromGtpResult_item Item Unsigned 32-bit integer RemoveTpsFromGtpResult/_item
gnm.RemoveTpsFromTpPoolInformation_item Item No value RemoveTpsFromTpPoolInformation/_item
gnm.RemoveTpsFromTpPoolResult_item Item Unsigned 32-bit integer RemoveTpsFromTpPoolResult/_item
gnm.Replaceable Replaceable Unsigned 32-bit integer Replaceable
gnm.SequenceOfObjectInstance SequenceOfObjectInstance Unsigned 32-bit integer SequenceOfObjectInstance
gnm.SequenceOfObjectInstance_item Item Unsigned 32-bit integer SequenceOfObjectInstance/_item
gnm.SerialNumber SerialNumber String SerialNumber
gnm.SignalRateAndMappingList_item Item No value SignalRateAndMappingList/_item
gnm.SignalType SignalType Unsigned 32-bit integer SignalType
gnm.SignallingCapabilities SignallingCapabilities Unsigned 32-bit integer SignallingCapabilities
gnm.SubordinateCircuitPackSoftwareLoad SubordinateCircuitPackSoftwareLoad Unsigned 32-bit integer SubordinateCircuitPackSoftwareLoad
gnm.SupportableClientList SupportableClientList Unsigned 32-bit integer SupportableClientList
gnm.SupportableClientList_item Item Unsigned 32-bit integer SupportableClientList/_item
gnm.SupportedTOClasses SupportedTOClasses Unsigned 32-bit integer SupportedTOClasses
gnm.SupportedTOClasses_item Item String SupportedTOClasses/_item
gnm.SwitchOverInformation_item Item No value SwitchOverInformation/_item
gnm.SwitchOverResult_item Item Unsigned 32-bit integer SwitchOverResult/_item
gnm.SystemTimingSource SystemTimingSource No value SystemTimingSource
gnm.ToTPPools_item Item No value ToTPPools/_item
gnm.TpsInGtpList TpsInGtpList Unsigned 32-bit integer TpsInGtpList
gnm.TpsInGtpList_item Item Unsigned 32-bit integer TpsInGtpList/_item
gnm.TransmissionCharacteristics TransmissionCharacteristics Byte array TransmissionCharacteristics
gnm.UserLabel UserLabel String UserLabel
gnm.VendorName VendorName String VendorName
gnm.Version Version String Version
gnm._item_item Item Unsigned 32-bit integer DownstreamConnectivityPointer/broadcastConcatenated/_item/_item
gnm.addedTps addedTps No value AddTpsToGtpResult/_item/addedTps
gnm.additionalInfo additionalInfo Unsigned 32-bit integer ConnectInformation/_item/additionalInfo
gnm.addleg addleg No value ConnectInformation/_item/itemType/addleg
gnm.administrativeState administrativeState Unsigned 32-bit integer ConnectInformation/_item/administrativeState
gnm.alarmStatus alarmStatus Unsigned 32-bit integer CurrentProblem/alarmStatus
gnm.attributeList attributeList Unsigned 32-bit integer GeneralError/_item/attributeList
gnm.bidirectional bidirectional Unsigned 32-bit integer ConnectInformation/_item/itemType/bidirectional
gnm.broadcast broadcast Unsigned 32-bit integer DownstreamConnectivityPointer/broadcast
gnm.broadcastConcatenated broadcastConcatenated Unsigned 32-bit integer DownstreamConnectivityPointer/broadcastConcatenated
gnm.broadcastConcatenated_item Item Unsigned 32-bit integer DownstreamConnectivityPointer/broadcastConcatenated/_item
gnm.broadcast_item Item Unsigned 32-bit integer DownstreamConnectivityPointer/broadcast/_item
gnm.bundle bundle No value SignalType/bundle
gnm.bundlingFactor bundlingFactor Signed 32-bit integer Bundle/bundlingFactor
gnm.cause cause Unsigned 32-bit integer GeneralError/_item/cause
gnm.characteristicInfoType characteristicInfoType String Bundle/characteristicInfoType
gnm.characteristicInformation characteristicInformation String SignalRate/characteristicInformation
gnm.complex complex Unsigned 32-bit integer SignalType/complex
gnm.complex_item Item No value SignalType/complex/_item
gnm.concatenated concatenated Unsigned 32-bit integer
gnm.concatenated_item Item Unsigned 32-bit integer
gnm.connected connected Unsigned 32-bit integer ConnectResult/_item/connected
gnm.connection connection Unsigned 32-bit integer IndividualSwitchOver/connection
gnm.dCME dCME Boolean
gnm.deletedTpPoolOrGTP deletedTpPoolOrGTP Unsigned 32-bit integer RemoveTpsResultInformation/deletedTpPoolOrGTP
gnm.details details String GeneralError/_item/details
gnm.disconnected disconnected Unsigned 32-bit integer DisconnectResult/_item/disconnected
gnm.diverse diverse No value PhysicalPortSignalRateAndMappingList/diverse
gnm.downstream downstream Unsigned 32-bit integer PhysicalPortSignalRateAndMappingList/diverse/downstream
gnm.downstreamConnected downstreamConnected Unsigned 32-bit integer MultipleConnections/_item/downstreamConnected
gnm.downstreamNotConnected downstreamNotConnected Unsigned 32-bit integer MultipleConnections/_item/downstreamNotConnected
gnm.echoControl echoControl Boolean
gnm.explicitPToP explicitPToP No value
gnm.explicitPtoMP explicitPtoMP No value ConnectionType/explicitPtoMP
gnm.failed failed Unsigned 32-bit integer
gnm.fromGtp fromGtp Unsigned 32-bit integer RemoveTpsFromGtpInformation/_item/fromGtp
gnm.fromTp fromTp Unsigned 32-bit integer
gnm.fromTpPool fromTpPool Unsigned 32-bit integer RemoveTpsFromTpPoolInformation/_item/fromTpPool
gnm.globalValue globalValue String
gnm.gtp gtp Unsigned 32-bit integer
gnm.holderEmpty holderEmpty No value HolderStatus/holderEmpty
gnm.identifier identifier String ManagementExtension/identifier
gnm.inTheAcceptableList inTheAcceptableList String HolderStatus/inTheAcceptableList
gnm.incorrectInstances incorrectInstances Unsigned 32-bit integer LogicalProblem/incorrectInstances
gnm.incorrectInstances_item Item Unsigned 32-bit integer LogicalProblem/incorrectInstances/_item
gnm.information information No value ManagementExtension/information
gnm.integerValue integerValue Signed 32-bit integer
gnm.itemType itemType Unsigned 32-bit integer ConnectInformation/_item/itemType
gnm.legs legs Unsigned 32-bit integer AddLeg/legs
gnm.legs_item Item Unsigned 32-bit integer AddLeg/legs/_item
gnm.listofTPs listofTPs Unsigned 32-bit integer ExplicitTP/listofTPs
gnm.listofTPs_item Item Unsigned 32-bit integer ExplicitTP/listofTPs/_item
gnm.localValue localValue Signed 32-bit integer
gnm.logicalProblem logicalProblem No value Failed/logicalProblem
gnm.mappingList mappingList Unsigned 32-bit integer SignalRateAndMappingList/_item/mappingList
gnm.mpCrossConnection mpCrossConnection Unsigned 32-bit integer AddLeg/mpCrossConnection
gnm.mpXCon mpXCon Unsigned 32-bit integer PointToMultipoint/mpXCon
gnm.multipleConnections multipleConnections Unsigned 32-bit integer CrossConnectionObjectPointer/multipleConnections
gnm.name name String NamedCrossConnection/name
gnm.namedCrossConnection namedCrossConnection No value ConnectInformation/_item/namedCrossConnection
gnm.newTP newTP Unsigned 32-bit integer IndividualSwitchOver/newTP
gnm.none none No value
gnm.notApplicable notApplicable No value SubordinateCircuitPackSoftwareLoad/notApplicable
gnm.notAvailable notAvailable No value RelatedObjectInstance/notAvailable
gnm.notConnected notConnected Unsigned 32-bit integer CrossConnectionObjectPointer/notConnected
gnm.notInTheAcceptableList notInTheAcceptableList String HolderStatus/notInTheAcceptableList
gnm.null null No value PointerOrNull/null
gnm.numberOfTPs numberOfTPs Signed 32-bit integer ToTPPools/_item/numberOfTPs
gnm.numericName numericName Signed 32-bit integer NameType/numericName
gnm.objectClass objectClass String SignalRate/objectClass
gnm.oneTPorGTP oneTPorGTP Unsigned 32-bit integer ExplicitTP/oneTPorGTP
gnm.pString pString String NameType/pString
gnm.pass pass Unsigned 32-bit integer IndividualResult/pass
gnm.pointToMultipoint pointToMultipoint No value Connected/pointToMultipoint
gnm.pointToPoint pointToPoint No value Connected/pointToPoint
gnm.pointer pointer Unsigned 32-bit integer PointerOrNull/pointer
gnm.primaryTimingSource primaryTimingSource No value SystemTimingSource/primaryTimingSource
gnm.problem problem Unsigned 32-bit integer
gnm.problemCause problemCause Unsigned 32-bit integer LogicalProblem/problemCause
gnm.ptoMPools ptoMPools No value ConnectionType/ptoMPools
gnm.ptoTpPool ptoTpPool No value
gnm.redline redline Boolean ConnectInformation/_item/redline
gnm.relatedObject relatedObject Unsigned 32-bit integer RelatedObjectInstance/relatedObject
gnm.relatedObjects relatedObjects Unsigned 32-bit integer GeneralError/_item/relatedObjects
gnm.relatedObjects_item Item Unsigned 32-bit integer GeneralError/_item/relatedObjects/_item
gnm.removed removed No value
gnm.resourceProblem resourceProblem Unsigned 32-bit integer Failed/resourceProblem
gnm.satellite satellite Boolean
gnm.secondaryTimingSource secondaryTimingSource No value SystemTimingSource/secondaryTimingSource
gnm.severityAssignedNonServiceAffecting severityAssignedNonServiceAffecting Unsigned 32-bit integer AlarmSeverityAssignment/severityAssignedNonServiceAffecting
gnm.severityAssignedServiceAffecting severityAssignedServiceAffecting Unsigned 32-bit integer AlarmSeverityAssignment/severityAssignedServiceAffecting
gnm.severityAssignedServiceIndependent severityAssignedServiceIndependent Unsigned 32-bit integer AlarmSeverityAssignment/severityAssignedServiceIndependent
gnm.signalRate signalRate Unsigned 32-bit integer SignalRateAndMappingList/_item/signalRate
gnm.significance significance Boolean ManagementExtension/significance
gnm.simple simple String SignalType/simple
gnm.single single Unsigned 32-bit integer
gnm.sinkTP sinkTP Unsigned 32-bit integer TerminationPointInformation/sinkTP
gnm.softwareIdentifiers softwareIdentifiers Unsigned 32-bit integer SubordinateCircuitPackSoftwareLoad/softwareIdentifiers
gnm.softwareIdentifiers_item Item String SubordinateCircuitPackSoftwareLoad/softwareIdentifiers/_item
gnm.softwareInstances softwareInstances Unsigned 32-bit integer SubordinateCircuitPackSoftwareLoad/softwareInstances
gnm.softwareInstances_item Item Unsigned 32-bit integer SubordinateCircuitPackSoftwareLoad/softwareInstances/_item
gnm.sourceID sourceID Unsigned 32-bit integer SystemTiming/sourceID
gnm.sourceTP sourceTP Unsigned 32-bit integer TerminationPointInformation/sourceTP
gnm.sourceType sourceType Unsigned 32-bit integer SystemTiming/sourceType
gnm.tPOrGTP tPOrGTP Unsigned 32-bit integer TerminationPointInformation/tPOrGTP
gnm.toPool toPool Unsigned 32-bit integer ToTermSpecifier/toPool
gnm.toTPPools toTPPools Unsigned 32-bit integer PtoMPools/toTPPools
gnm.toTPs toTPs Unsigned 32-bit integer ExplicitPtoMP/toTPs
gnm.toTPs_item Item Unsigned 32-bit integer ExplicitPtoMP/toTPs/_item
gnm.toTp toTp Unsigned 32-bit integer ExplicitPtoP/toTp
gnm.toTpOrGTP toTpOrGTP Unsigned 32-bit integer ToTermSpecifier/toTpOrGTP
gnm.toTpPool toTpPool Unsigned 32-bit integer
gnm.toTps toTps Unsigned 32-bit integer PointToMultipoint/toTps
gnm.toTps_item Item No value PointToMultipoint/toTps/_item
gnm.tp tp Unsigned 32-bit integer PointToMultipoint/toTps/_item/tp
gnm.tpPool tpPool Unsigned 32-bit integer TpsAddedToTpPool/tpPool
gnm.tpPoolId tpPoolId Unsigned 32-bit integer ToTPPools/_item/tpPoolId
gnm.tps tps Unsigned 32-bit integer AddTpsToTpPoolInformation/_item/tps
gnm.tpsAdded tpsAdded Unsigned 32-bit integer AddedTps/tpsAdded
gnm.tpsAddedToTpPool tpsAddedToTpPool No value AddTpsToTpPoolResult/_item/tpsAddedToTpPool
gnm.tpsAdded_item Item Unsigned 32-bit integer AddedTps/tpsAdded/_item
gnm.tps_item Item Unsigned 32-bit integer AddTpsToTpPoolInformation/_item/tps/_item
gnm.unchangedTP unchangedTP Unsigned 32-bit integer IndividualSwitchOver/unchangedTP
gnm.unidirectional unidirectional Unsigned 32-bit integer ConnectInformation/_item/itemType/unidirectional
gnm.uniform uniform Unsigned 32-bit integer PhysicalPortSignalRateAndMappingList/uniform
gnm.unknown unknown No value
gnm.unknownType unknownType No value HolderStatus/unknownType
gnm.upStream upStream Unsigned 32-bit integer PhysicalPortSignalRateAndMappingList/diverse/upStream
gnm.upstreamConnected upstreamConnected Unsigned 32-bit integer MultipleConnections/_item/upstreamConnected
gnm.upstreamNotConnected upstreamNotConnected Unsigned 32-bit integer MultipleConnections/_item/upstreamNotConnected
gnm.userLabel userLabel String ConnectInformation/_item/userLabel
gnm.wavelength wavelength Signed 32-bit integer SignalRateAndMappingList/_item/wavelength
gnm.xCon xCon Unsigned 32-bit integer PointToPoint/xCon
gnm.xConnection xConnection Unsigned 32-bit integer PointToMultipoint/toTps/_item/xConnection
e164.called_party_number.digits E.164 Called party number digits String
e164.calling_party_number.digits E.164 Calling party number digits String
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 String
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
llap.dst Destination Node Unsigned 8-bit integer
llap.src Source Node Unsigned 8-bit integer
llap.type Type Unsigned 8-bit 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
MAP_DialoguePDU.alternativeApplicationContext alternativeApplicationContext String MAP-RefuseInfo/alternativeApplicationContext
MAP_DialoguePDU.applicationProcedureCancellation applicationProcedureCancellation Unsigned 32-bit integer MAP-UserAbortChoice/applicationProcedureCancellation
MAP_DialoguePDU.destinationReference destinationReference Byte array MAP-OpenInfo/destinationReference
MAP_DialoguePDU.encapsulatedAC encapsulatedAC String MAP-ProtectedDialoguePDU/encapsulatedAC
MAP_DialoguePDU.extensionContainer extensionContainer No value
MAP_DialoguePDU.map_ProviderAbortReason map-ProviderAbortReason Unsigned 32-bit integer MAP-ProviderAbortInfo/map-ProviderAbortReason
MAP_DialoguePDU.map_UserAbortChoice map-UserAbortChoice Unsigned 32-bit integer MAP-UserAbortInfo/map-UserAbortChoice
MAP_DialoguePDU.map_accept map-accept No value MAP-DialoguePDU/map-accept
MAP_DialoguePDU.map_close map-close No value MAP-DialoguePDU/map-close
MAP_DialoguePDU.map_open map-open No value MAP-DialoguePDU/map-open
MAP_DialoguePDU.map_providerAbort map-providerAbort No value MAP-DialoguePDU/map-providerAbort
MAP_DialoguePDU.map_refuse map-refuse No value MAP-DialoguePDU/map-refuse
MAP_DialoguePDU.map_userAbort map-userAbort No value MAP-DialoguePDU/map-userAbort
MAP_DialoguePDU.originationReference originationReference Byte array MAP-OpenInfo/originationReference
MAP_DialoguePDU.protectedPayload protectedPayload Byte array MAP-ProtectedDialoguePDU/protectedPayload
MAP_DialoguePDU.reason reason Unsigned 32-bit integer MAP-RefuseInfo/reason
MAP_DialoguePDU.resourceUnavailable resourceUnavailable Unsigned 32-bit integer MAP-UserAbortChoice/resourceUnavailable
MAP_DialoguePDU.securityHeader securityHeader No value MAP-ProtectedDialoguePDU/securityHeader
MAP_DialoguePDU.userResourceLimitation userResourceLimitation No value MAP-UserAbortChoice/userResourceLimitation
MAP_DialoguePDU.userSpecificReason userSpecificReason No value MAP-UserAbortChoice/userSpecificReason
h245.Manufacturer H.245 Manufacturer Unsigned 32-bit integer h245.H.221 Manufacturer
h245.OpenLogicalChannel OpenLogicalChannel No value OpenLogicalChannel
h245.closeLogicalChannel closeLogicalChannel No value RequestMessage/closeLogicalChannel
h245.closeLogicalChannelAck closeLogicalChannelAck No value ResponseMessage/closeLogicalChannelAck
h245.command command Unsigned 32-bit integer
h245.communicationModeRequest communicationModeRequest No value RequestMessage/communicationModeRequest
h245.communicationModeResponse communicationModeResponse Unsigned 32-bit integer ResponseMessage/communicationModeResponse
h245.conferenceRequest conferenceRequest Unsigned 32-bit integer RequestMessage/conferenceRequest
h245.conferenceResponse conferenceResponse Unsigned 32-bit integer ResponseMessage/conferenceResponse
h245.encryptionCommand encryptionCommand Unsigned 32-bit integer CommandMessage/encryptionCommand
h245.endSessionCommand endSessionCommand Unsigned 32-bit integer Com
h245.flowControlCommand flowControlCommand No value CommandMessage/flowControlCommand
h245.genericRequest genericRequest No value RequestMessage/genericRequest
h245.genericResponse genericResponse No value ResponseMessage/genericResponse
h245.indication indication Unsigned 32-bit integer MultimediaSystemControlMessage/indication
h245.logicalChannelRateAcknowledge logicalChannelRateAcknowledge No value ResponseMessage/logicalChannelRateAcknowledge
h245.logicalChannelRateReject logicalChannelRateReject No value ResponseMessage/logicalChannelRateReject
h245.logicalChannelRateRequest logicalChannelRateRequest No value RequestMessage/logicalChannelRateRequest
h245.maintenanceLoopAck maintenanceLoopAck No value ResponseMessage/maintenanceLoopAck
h245.maintenanceLoopOffCommand maintenanceLoopOffCommand No value CommandMessage/maintenanceLoopOffCommand
h245.maintenanceLoopReject maintenanceLoopReject No value ResponseMessage/maintenanceLoopReject
h245.maintenanceLoopRequest maintenanceLoopRequest No value RequestMessage/maintenanceLoopRequest
h245.masterSlaveDetermination masterSlaveDetermination No value RequestMessage/masterSlaveDetermination
h245.masterSlaveDeterminationAck masterSlaveDeterminationAck No value ResponseMessage/masterSlaveDeterminationAck
h245.masterSlaveDeterminationReject masterSlaveDeterminationReject No value ResponseMessage/masterSlaveDeterminationReject
h245.multilinkRequest multilinkRequest Unsigned 32-bit integer RequestMessage/multilinkRequest
h245.multilinkResponse multilinkResponse Unsigned 32-bit integer ResponseMessage/multilinkResponse
h245.multiplexEntrySend multiplexEntrySend No value RequestMessage/multiplexEntrySend
h245.multiplexEntrySendAck multiplexEntrySendAck No value ResponseMessage/multiplexEntrySendAck
h245.multiplexEntrySendReject multiplexEntrySendReject No value ResponseMessage/multiplexEntrySendReject
h245.nonStandard nonStandard No value
h245.openLogicalChannel openLogicalChannel No value RequestMessage/openLogicalChannel
h245.openLogicalChannelAck openLogicalChannelAck No value ResponseMessage/openLogicalChannelAck
h245.openLogicalChannelReject openLogicalChannelReject No value ResponseMessage/openLogicalChannelReject
h245.pdu_type PDU Type Unsigned 32-bit integer Type of H.245 PDU
h245.request request Unsigned 32-bit integer
h245.requestChannelClose requestChannelClose No value RequestMessage/requestChannelClose
h245.requestChannelCloseAck requestChannelCloseAck No value ResponseMessage/requestChannelCloseAck
h245.requestChannelCloseReject requestChannelCloseReject No value ResponseMessage/requestChannelCloseReject
h245.requestMode requestMode No value RequestMessage/requestMode
h245.requestModeAck requestModeAck No value ResponseMessage/requestModeAck
h245.requestModeReject requestModeReject No value ResponseMessage/requestModeReject
h245.requestMultiplexEntry requestMultiplexEntry No value RequestMessage/requestMultiplexEntry
h245.requestMultiplexEntryAck requestMultiplexEntryAck No value ResponseMessage/requestMultiplexEntryAck
h245.requestMultiplexEntryReject requestMultiplexEntryReject No value ResponseMessage/requestMultiplexEntryReject
h245.response response Unsigned 32-bit integer
h245.roundTripDelayRequest roundTripDelayRequest No value RequestMessage/roundTripDelayRequest
h245.roundTripDelayResponse roundTripDelayResponse No value ResponseMessage/roundTripDelayResponse
h245.sendTerminalCapabilitySet sendTerminalCapabilitySet Unsigned 32-bit integer CommandMessage/sendTerminalCapabilitySet
h245.terminalCapabilitySet terminalCapabilitySet No value RequestMessage/terminalCapabilitySet
h245.terminalCapabilitySetAck terminalCapabilitySetAck No value ResponseMessage/terminalCapabilitySetAck
h245.terminalCapabilitySetReject terminalCapabilitySetReject No value ResponseMessage/terminalCapabilitySetReject
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 No value
atsvc.atsvc_JobEnumInfo.days_of_month Days Of Month No value
atsvc.atsvc_JobEnumInfo.days_of_week Days Of Week No value
atsvc.atsvc_JobEnumInfo.flags Flags No value
atsvc.atsvc_JobEnumInfo.job_time Job Time Unsigned 32-bit integer
atsvc.atsvc_JobInfo.command Command No value
atsvc.atsvc_JobInfo.days_of_month Days Of Month No value
atsvc.atsvc_JobInfo.days_of_week Days Of Week No value
atsvc.atsvc_JobInfo.flags Flags No value
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 ethereal developers.
mapi.unknown_short Unknown short Unsigned 16-bit integer Unknown short. If you know what this is, contact ethereal developers.
mapi.unknown_string Unknown string String Unknown string. If you know what this is, contact ethereal 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 ethereal developers.
lsa.unknown.hyper Unknown hyper Unsigned 64-bit integer Unknown hyper. If you know what this is, contact ethereal developers.
lsa.unknown.long Unknown long Unsigned 32-bit integer Unknown long. If you know what this is, contact ethereal developers.
lsa.unknown.short Unknown short Unsigned 16-bit integer Unknown short. If you know what this is, contact ethereal developers.
lsa.unknown_string Unknown string String Unknown string. If you know what this is, contact ethereal developers.
nt.luid.high High Unsigned 32-bit integer LUID High component
nt.luid.low Low Unsigned 32-bit integer LUID Low component
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 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.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 retruned server to be a NTP serveruns WindowsTimeServicer
netlogon.get_dcname.request.flags.writable_required Writable Required Boolean If we require that the return 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.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 ethereal developers.
netlogon.unknown.long Unknown long Unsigned 32-bit integer Unknown long. If you know what this is, contact ethereal developers.
netlogon.unknown.short Unknown short Unsigned 16-bit integer Unknown short. If you know what this is, contact ethereal developers.
netlogon.unknown_string Unknown string String Unknown string. If you know what this is, contact ethereal 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 ethereal developers.
samr.unknown.hyper Unknown hyper Unsigned 64-bit integer Unknown hyper. If you know what this is, contact ethereal developers.
samr.unknown.long Unknown long Unsigned 32-bit integer Unknown long. If you know what this is, contact ethereal developers.
samr.unknown.short Unknown short Unsigned 16-bit integer Unknown short. If you know what this is, contact ethereal developers.
samr.unknown_string Unknown string String Unknown string. If you know what this is, contact ethereal developers.
samr.unknown_time Unknown time Date/Time stamp Unknown NT TIME, contact ethereal 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 ethereal 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 ethereal developers.
tapi.unknown.long Unknown long Unsigned 32-bit integer Unknown long. If you know what this is, contact ethereal developers.
tapi.unknown.string Unknown string String Unknown string. If you know what this is, contact ethereal developers.
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
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
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
cert Certififcate No value Certificate
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
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 ethereal developers.
rpc_browser.unknown.hyper Unknown hyper Unsigned 64-bit integer Unknown hyper. If you know what this is, contact ethereal developers.
rpc_browser.unknown.long Unknown long Unsigned 32-bit integer Unknown long. If you know what this is, contact ethereal developers.
rpc_browser.unknown.string Unknown string String Unknown string. If you know what this is, contact ethereal developers.
rs_plcy.opnum Operation Unsigned 16-bit integer Operation
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 No value
winreg.opnum Operation Unsigned 16-bit integer
winreg.werror Windows Error Unsigned 32-bit integer
winreg.winreg_AbortSystemShutdown.server Server Unsigned 16-bit integer
winreg.winreg_CloseKey.handle Handle No value
winreg.winreg_CreateKey.access_required Access Required Unsigned 32-bit integer
winreg.winreg_CreateKey.action_taken Action Taken No value
winreg.winreg_CreateKey.class Class No value
winreg.winreg_CreateKey.handle Handle No value
winreg.winreg_CreateKey.name Name No value
winreg.winreg_CreateKey.new_handle New Handle No value
winreg.winreg_CreateKey.options Options Unsigned 32-bit integer
winreg.winreg_CreateKey.secdesc Secdesc No value
winreg.winreg_DeleteKey.handle Handle No value
winreg.winreg_DeleteKey.key Key No value
winreg.winreg_DeleteValue.handle Handle 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.handle Handle No value
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.handle Handle No value
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 No value
winreg.winreg_EnumValue.value Value Unsigned 8-bit integer
winreg.winreg_FlushKey.handle Handle No value
winreg.winreg_GetKeySecurity.handle Handle No value
winreg.winreg_GetKeySecurity.sd Sd No value
winreg.winreg_GetKeySecurity.sec_info Sec Info No value
winreg.winreg_GetVersion.handle Handle 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.handle Handle No value
winreg.winreg_LoadKey.keyname Keyname No value
winreg.winreg_NotifyChangeKeyValue.handle Handle 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_OpenHKCC.access_required Access Required Unsigned 32-bit integer
winreg.winreg_OpenHKCC.handle Handle No value
winreg.winreg_OpenHKCC.system_name System Name Unsigned 16-bit integer
winreg.winreg_OpenHKCR.access_required Access Required Unsigned 32-bit integer
winreg.winreg_OpenHKCR.handle Handle No value
winreg.winreg_OpenHKCR.system_name System Name Unsigned 16-bit integer
winreg.winreg_OpenHKCU.access_required Access Required Unsigned 32-bit integer
winreg.winreg_OpenHKCU.handle Handle No value
winreg.winreg_OpenHKCU.system_name System Name Unsigned 16-bit integer
winreg.winreg_OpenHKDD.access_required Access Required Unsigned 32-bit integer
winreg.winreg_OpenHKDD.handle Handle No value
winreg.winreg_OpenHKDD.system_name System Name Unsigned 16-bit integer
winreg.winreg_OpenHKLM.access_required Access Required Unsigned 32-bit integer
winreg.winreg_OpenHKLM.handle Handle No value
winreg.winreg_OpenHKLM.system_name System Name Unsigned 16-bit integer
winreg.winreg_OpenHKPD.access_required Access Required Unsigned 32-bit integer
winreg.winreg_OpenHKPD.handle Handle No value
winreg.winreg_OpenHKPD.system_name System Name Unsigned 16-bit integer
winreg.winreg_OpenHKPN.access_required Access Required Unsigned 32-bit integer
winreg.winreg_OpenHKPN.handle Handle No value
winreg.winreg_OpenHKPN.system_name System Name Unsigned 16-bit integer
winreg.winreg_OpenHKPT.access_required Access Required Unsigned 32-bit integer
winreg.winreg_OpenHKPT.handle Handle No value
winreg.winreg_OpenHKPT.system_name System Name Unsigned 16-bit integer
winreg.winreg_OpenHKU.access_required Access Required Unsigned 32-bit integer
winreg.winreg_OpenHKU.handle Handle No value
winreg.winreg_OpenHKU.system_name System Name Unsigned 16-bit integer
winreg.winreg_OpenKey.access_mask Access Mask Unsigned 32-bit integer
winreg.winreg_OpenKey.handle Handle No value
winreg.winreg_OpenKey.keyname Keyname No value
winreg.winreg_OpenKey.unknown Unknown Unsigned 32-bit integer
winreg.winreg_QueryInfoKey.class Class No value
winreg.winreg_QueryInfoKey.handle Handle 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 No value
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.handle Handle No value
winreg.winreg_QueryValue.length Length Unsigned 32-bit integer
winreg.winreg_QueryValue.size Size Unsigned 32-bit integer
winreg.winreg_QueryValue.type Type No value
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_SetKeySecurity.data Data No value
winreg.winreg_SetKeySecurity.handle Handle No value
winreg.winreg_SetValue.data Data Unsigned 8-bit integer
winreg.winreg_SetValue.handle Handle No value
winreg.winreg_SetValue.name Name No value
winreg.winreg_SetValue.size Size Unsigned 32-bit integer
winreg.winreg_SetValue.type Type No value
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
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
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
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 prority 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 MST Extension, 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
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)
bofl.pdu PDU Unsigned 32-bit integer PDU; normally equals 0x01010000 or 0x01011111
bofl.sequence Sequence Unsigned 32-bit integer incremental counter
dnsserver.opnum Operation Unsigned 16-bit integer Operation
dnsserver.rc Return code Unsigned 32-bit integer Return code
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 RDNSequence/_item
cmip.RelativeDistinguishedName_item Item No value RelativeDistinguishedName/_item
cmip.abortSource abortSource Unsigned 32-bit integer CMIPAbortInfo/abortSource
cmip.absent absent No value InvokeId/absent
cmip.accessControl accessControl No value
cmip.actionArgument actionArgument Unsigned 32-bit integer ErrorInfo/actionArgument
cmip.actionError actionError No value LinkedReplyArgument/actionError
cmip.actionErrorInfo actionErrorInfo No value ActionError/actionErrorInfo
cmip.actionId actionId No value NoSuchArgument/actionId
cmip.actionInfo actionInfo No value ActionArgument/actionInfo
cmip.actionInfoArg actionInfoArg No value ActionInfo/actionInfoArg
cmip.actionReply actionReply No value ActionResult/actionReply
cmip.actionReplyInfo actionReplyInfo No value ActionReply/actionReplyInfo
cmip.actionResult actionResult No value LinkedReplyArgument/actionResult
cmip.actionType actionType String NoSuchArgumentAction/actionType
cmip.actionType_OID actionType String actionType
cmip.actionValue actionValue No value InvalidArgumentValue/actionValue
cmip.ae_title_form1 ae-title-form1 Unsigned 32-bit integer AE-title/ae-title-form1
cmip.ae_title_form2 ae-title-form2 String AE-title/ae-title-form2
cmip.and and Unsigned 32-bit integer CMISFilter/and
cmip.and_item Item Unsigned 32-bit integer CMISFilter/and/_item
cmip.anyString anyString No value FilterItem/substrings/_item/anyString
cmip.argument argument No value
cmip.argumentValue argumentValue Unsigned 32-bit integer ErrorInfo/argumentValue
cmip.attribute attribute No value
cmip.attributeError attributeError No value SetInfoStatus/attributeError
cmip.attributeId attributeId String ModificationItem/attributeId
cmip.attributeIdError attributeIdError No value GetInfoStatus/attributeIdError
cmip.attributeIdList attributeIdList Unsigned 32-bit integer GetArgument/attributeIdList
cmip.attributeIdList_item Item Unsigned 32-bit integer GetArgument/attributeIdList/_item
cmip.attributeId_OID attributeId String attributeId
cmip.attributeList attributeList Unsigned 32-bit integer
cmip.attributeList_item Item No value
cmip.attributeValue attributeValue No value ModificationItem/attributeValue
cmip.baseManagedObjectClass baseManagedObjectClass Unsigned 32-bit integer
cmip.baseManagedObjectInstance baseManagedObjectInstance Unsigned 32-bit integer
cmip.baseToNthLevel baseToNthLevel Signed 32-bit integer Scope/baseToNthLevel
cmip.cancelGet cancelGet Boolean
cmip.currentTime currentTime String
cmip.deleteError deleteError No value LinkedReplyArgument/deleteError
cmip.deleteErrorInfo deleteErrorInfo Unsigned 32-bit integer DeleteError/deleteErrorInfo
cmip.deleteResult deleteResult No value LinkedReplyArgument/deleteResult
cmip.distinguishedName distinguishedName Unsigned 32-bit integer ObjectInstance/distinguishedName
cmip.equality equality No value FilterItem/equality
cmip.errorId errorId String SpecificErrorInfo/errorId
cmip.errorId_OID errorId String errorId
cmip.errorInfo errorInfo No value SpecificErrorInfo/errorInfo
cmip.errorStatus errorStatus Unsigned 32-bit integer AttributeIdError/errorStatus
cmip.eventId eventId No value NoSuchArgument/eventId
cmip.eventInfo eventInfo No value InvalidArgumentValueEventValue/eventInfo
cmip.eventReply eventReply No value EventReportResult/eventReply
cmip.eventReplyInfo eventReplyInfo No value EventReply/eventReplyInfo
cmip.eventTime eventTime String EventReportArgument/eventTime
cmip.eventType eventType String NoSuchArgumentEvent/eventType
cmip.eventType_OID eventType String eventType
cmip.eventValue eventValue No value InvalidArgumentValue/eventValue
cmip.extendedService extendedService Boolean
cmip.filter filter Unsigned 32-bit integer
cmip.finalString finalString No value FilterItem/substrings/_item/finalString
cmip.functionalUnits functionalUnits Byte array CMIPUserInfo/functionalUnits
cmip.generalProblem generalProblem Signed 32-bit integer RejectProb/generalProblem
cmip.getInfoList getInfoList Unsigned 32-bit integer GetListError/getInfoList
cmip.getInfoList_item Item Unsigned 32-bit integer GetListError/getInfoList/_item
cmip.getListError getListError No value LinkedReplyArgument/getListError
cmip.getResult getResult No value LinkedReplyArgument/getResult
cmip.globalForm globalForm String AttributeId/globalForm
cmip.greaterOrEqual greaterOrEqual No value FilterItem/greaterOrEqual
cmip.id id Unsigned 32-bit integer Attribute/id
cmip.individualLevels individualLevels Signed 32-bit integer Scope/individualLevels
cmip.initialString initialString No value FilterItem/substrings/_item/initialString
cmip.invoke invoke No value ROS/invoke
cmip.invokeId invokeId Unsigned 32-bit integer
cmip.invokeProblem invokeProblem Signed 32-bit integer RejectProb/invokeProblem
cmip.item item Unsigned 32-bit integer CMISFilter/item
cmip.lessOrEqual lessOrEqual No value FilterItem/lessOrEqual
cmip.linkedId linkedId Signed 32-bit integer Invoke/linkedId
cmip.localDistinguishedName localDistinguishedName Unsigned 32-bit integer ObjectInstance/localDistinguishedName
cmip.localForm localForm Signed 32-bit integer AttributeId/localForm
cmip.managedObjectClass managedObjectClass Unsigned 32-bit integer
cmip.managedObjectInstance managedObjectInstance Unsigned 32-bit integer
cmip.managedOrSuperiorObjectInstance managedOrSuperiorObjectInstance Unsigned 32-bit integer CreateArgument/managedOrSuperiorObjectInstance
cmip.modificationList modificationList Unsigned 32-bit integer SetArgument/modificationList
cmip.modificationList_item Item No value SetArgument/modificationList/_item
cmip.modifyOperator modifyOperator Signed 32-bit integer
cmip.multiple multiple Unsigned 32-bit integer Destination/multiple
cmip.multipleObjectSelection multipleObjectSelection Boolean
cmip.multipleReply multipleReply Boolean
cmip.multiple_item Item Unsigned 32-bit integer Destination/multiple/_item
cmip.namedNumbers namedNumbers Signed 32-bit integer Scope/namedNumbers
cmip.nonNullSetIntersection nonNullSetIntersection No value FilterItem/nonNullSetIntersection
cmip.nonSpecificForm nonSpecificForm Byte array ObjectInstance/nonSpecificForm
cmip.not not Unsigned 32-bit integer CMISFilter/not
cmip.ocglobalForm ocglobalForm String ObjectClass/ocglobalForm
cmip.oclocalForm oclocalForm Signed 32-bit integer ObjectClass/oclocalForm
cmip.opcode opcode Signed 32-bit integer
cmip.or or Unsigned 32-bit integer CMISFilter/or
cmip.or_item Item Unsigned 32-bit integer CMISFilter/or/_item
cmip.present present Unsigned 32-bit integer FilterItem/present
cmip.processingFailure processingFailure No value LinkedReplyArgument/processingFailure
cmip.protocolVersion protocolVersion Byte array CMIPUserInfo/protocolVersion
cmip.rRBody rRBody No value ReturnResult/rRBody
cmip.rdnSequence rdnSequence Unsigned 32-bit integer Name/rdnSequence
cmip.referenceObjectInstance referenceObjectInstance Unsigned 32-bit integer CreateArgument/referenceObjectInstance
cmip.reject reject No value ROS/reject
cmip.rejectProblem rejectProblem Unsigned 32-bit integer Reject/rejectProblem
cmip.returnError returnError No value ROS/returnError
cmip.returnErrorProblem returnErrorProblem Signed 32-bit integer RejectProb/returnErrorProblem
cmip.returnResult returnResult No value ROS/returnResult
cmip.returnResultProblem returnResultProblem Signed 32-bit integer RejectProb/returnResultProblem
cmip.scope scope Unsigned 32-bit integer
cmip.setInfoList setInfoList Unsigned 32-bit integer SetListError/setInfoList
cmip.setInfoList_item Item Unsigned 32-bit integer SetListError/setInfoList/_item
cmip.setListError setListError No value LinkedReplyArgument/setListError
cmip.setResult setResult No value LinkedReplyArgument/setResult
cmip.single single Unsigned 32-bit integer Destination/single
cmip.specificErrorInfo specificErrorInfo No value ProcessingFailure/specificErrorInfo
cmip.subsetOf subsetOf No value FilterItem/subsetOf
cmip.substrings substrings Unsigned 32-bit integer FilterItem/substrings
cmip.substrings_item Item Unsigned 32-bit integer FilterItem/substrings/_item
cmip.superiorObjectInstance superiorObjectInstance Unsigned 32-bit integer CreateArgument/managedOrSuperiorObjectInstance/superiorObjectInstance
cmip.supersetOf supersetOf No value FilterItem/supersetOf
cmip.synchronization synchronization Unsigned 32-bit integer
cmip.userInfo userInfo No value
cmip.value value No value Attribute/value
cmip.version1 version1 Boolean
cmip.version2 version2 Boolean
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.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.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
overnet.peer Overnet Peer No value Overnet Peer
gift.request Request Boolean TRUE if giFT request
gift.response Response Boolean TRUE if giFT response
The ethereal-filters manpage is part of the Ethereal distribution. The latest version of Ethereal can be found at http://www.ethereal.com.
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.
ethereal(1), tethereal(1), editcap(1), tcpdump(8), pcap(3)
See the list of authors in the Ethereal man page for a list of authors of that code.