language
stringlengths
0
24
filename
stringlengths
9
214
code
stringlengths
99
9.93M
Configuration
wireshark/epan/dissectors/asn1/mpeg-audio/mpeg-audio.cnf
# mpeg-audio.cnf # mpeg-audio conformation file #.TYPE_ATTR ID3v1/tag TYPE=FT_STRING ID3v1/title TYPE=FT_STRING ID3v1/artist TYPE=FT_STRING ID3v1/album TYPE=FT_STRING ID3v1/year TYPE=FT_STRING ID3v1/comment TYPE=FT_STRING #.END
C
wireshark/epan/dissectors/asn1/mpeg-audio/packet-mpeg-audio-template.c
/* MPEG audio packet decoder. * Written by Shaun Jackman <[email protected]>. * Copyright 2007 Shaun Jackman * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * * SPDX-License-Identifier: GPL-2.0-or-later */ #include "config.h" #include <epan/packet.h> #include <epan/asn1.h> #include <wsutil/mpeg-audio.h> #include "packet-per.h" #include "packet-mpeg-audio-hf.c" #include "packet-mpeg-audio-ett.c" #include "packet-mpeg-audio-fn.c" void proto_register_mpeg_audio(void); void proto_reg_handoff_mpeg_audio(void); dissector_handle_t mpeg_audio_handle; static int proto_mpeg_audio = -1; static dissector_handle_t id3v2_handle; static int hf_mpeg_audio_header = -1; static int hf_mpeg_audio_data = -1; static int hf_mpeg_audio_padbytes = -1; static int hf_id3v1 = -1; static int ett_mpeg_audio = -1; static gboolean test_mpeg_audio(tvbuff_t *tvb, int offset) { guint32 hdr; struct mpa mpa; if (!tvb_bytes_exist(tvb, offset, 4)) return FALSE; if (tvb_strneql(tvb, offset, "TAG", 3) == 0) return TRUE; if (tvb_strneql(tvb, offset, "ID3", 3) == 0) return TRUE; hdr = tvb_get_guint32(tvb, offset, ENC_BIG_ENDIAN); MPA_UNMARSHAL(&mpa, hdr); return MPA_VALID(&mpa); } static int mpeg_resync(tvbuff_t *tvb, int offset) { guint32 hdr; struct mpa mpa; /* This only looks to resync on another frame; it doesn't * look for an ID3 tag. */ offset = tvb_find_guint8(tvb, offset, -1, '\xff'); while (offset != -1 && tvb_bytes_exist(tvb, offset, 4)) { hdr = tvb_get_guint32(tvb, offset, ENC_BIG_ENDIAN); MPA_UNMARSHAL(&mpa, hdr); if (MPA_VALID(&mpa)) { return offset; } offset = tvb_find_guint8(tvb, offset + 1, -1, '\xff'); } return tvb_reported_length(tvb); } static int dissect_mpeg_audio_frame(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree) { guint32 h; struct mpa mpa; int data_size = 0; asn1_ctx_t asn1_ctx; int offset = 0; static const char *version_names[] = { "1", "2", "2.5" }; if (!tvb_bytes_exist(tvb, 0, 4)) return 0; h = tvb_get_ntohl(tvb, 0); MPA_UNMARSHAL(&mpa, h); if (!MPA_SYNC_VALID(&mpa) || !MPA_VERSION_VALID(&mpa) || !MPA_LAYER_VALID(&mpa)) { return 0; } col_add_fstr(pinfo->cinfo, COL_PROTOCOL, "MPEG-%s", version_names[mpa_version(&mpa)]); col_add_fstr(pinfo->cinfo, COL_INFO, "Audio Layer %d", mpa_layer(&mpa) + 1); if (MPA_BITRATE_VALID(&mpa) && MPA_FREQUENCY_VALID(&mpa)) { data_size = (int)(MPA_DATA_BYTES(&mpa) - sizeof mpa); col_append_fstr(pinfo->cinfo, COL_INFO, ", %d kb/s, %g kHz", mpa_bitrate(&mpa) / 1000, mpa_frequency(&mpa) / (float)1000); } asn1_ctx_init(&asn1_ctx, ASN1_ENC_PER, TRUE, pinfo); offset = dissect_mpeg_audio_Audio(tvb, offset, &asn1_ctx, tree, hf_mpeg_audio_header); if (data_size > 0) { unsigned int padding; proto_tree_add_item(tree, hf_mpeg_audio_data, tvb, offset / 8, data_size, ENC_NA); offset += data_size * 8; padding = mpa_padding(&mpa); if (padding > 0) { proto_tree_add_item(tree, hf_mpeg_audio_padbytes, tvb, offset / 8, padding, ENC_NA); offset += padding * 8; } } return offset / 8; } static int dissect_id3v1(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree) { asn1_ctx_t asn1_ctx; col_set_str(pinfo->cinfo, COL_PROTOCOL, "ID3v1"); col_clear(pinfo->cinfo, COL_INFO); asn1_ctx_init(&asn1_ctx, ASN1_ENC_PER, TRUE, pinfo); return dissect_mpeg_audio_ID3v1(tvb, 0, &asn1_ctx, tree, hf_id3v1); } static int dissect_mpeg_audio(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { proto_item *ti; proto_tree *mpeg_audio_tree; int magic, offset = 0; guint32 frame_len; tvbuff_t *next_tvb; ti = proto_tree_add_item(tree, proto_mpeg_audio, tvb, offset, -1, ENC_NA); mpeg_audio_tree = proto_item_add_subtree(ti, ett_mpeg_audio); while (tvb_reported_length_remaining(tvb, offset) >= 4) { next_tvb = tvb_new_subset_remaining(tvb, offset); magic = tvb_get_ntoh24(next_tvb, 0); switch (magic) { case 0x544147: /* TAG */ offset += dissect_id3v1(next_tvb, pinfo, mpeg_audio_tree); break; case 0x494433: /* ID3 */ offset += call_dissector(id3v2_handle, tvb, pinfo, mpeg_audio_tree); break; default: frame_len = dissect_mpeg_audio_frame(next_tvb, pinfo, mpeg_audio_tree); if (frame_len == 0) { frame_len = mpeg_resync(next_tvb, 0); } offset += frame_len; } } return tvb_reported_length(tvb); } static gboolean dissect_mpeg_audio_heur(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data) { if (!test_mpeg_audio(tvb, 0)) { return FALSE; } dissect_mpeg_audio(tvb, pinfo, tree, data); return TRUE; } void proto_register_mpeg_audio(void) { static hf_register_info hf[] = { #include "packet-mpeg-audio-hfarr.c" { &hf_mpeg_audio_header, { "Frame Header", "mpeg-audio.header", FT_NONE, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_audio_data, { "Data", "mpeg-audio.data", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_audio_padbytes, { "Padding", "mpeg-audio.padbytes", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_id3v1, { "ID3v1", "mpeg-audio.id3v1", FT_NONE, BASE_NONE, NULL, 0, NULL, HFILL }}, }; static gint *ett[] = { &ett_mpeg_audio, #include "packet-mpeg-audio-ettarr.c" }; proto_mpeg_audio = proto_register_protocol( "Moving Picture Experts Group Audio", "MPEG Audio", "mpeg-audio"); proto_register_field_array(proto_mpeg_audio, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); mpeg_audio_handle = register_dissector("mpeg-audio", dissect_mpeg_audio, proto_mpeg_audio); } void proto_reg_handoff_mpeg_audio(void) { dissector_add_string("media_type", "audio/mpeg", mpeg_audio_handle); /* "audio/mp3" used by Chrome before 2020 */ /* https://chromium.googlesource.com/chromium/src/+/842f46a95f49e24534ad35c7a71e5c425d426550 */ dissector_add_string("media_type", "audio/mp3", mpeg_audio_handle); heur_dissector_add("mpeg", dissect_mpeg_audio_heur, "MPEG Audio", "mpeg_audio", proto_mpeg_audio, HEURISTIC_ENABLE); id3v2_handle = find_dissector("id3v2"); }
Text
wireshark/epan/dissectors/asn1/mpeg-pes/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME mpeg-pes ) set( PROTO_OPT ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST ${PROTOCOL_NAME}.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/mpeg-pes/mpeg-pes.asn
-- ASN description of MPEG Packetized Elementary Stream (PES) -- Written by Shaun Jackman <[email protected]> -- Copyright 2007 Shaun Jackman -- -- This program is free software; you can redistribute it and/or -- modify it under the terms of the GNU General Public License. MPEG DEFINITIONS ::= BEGIN PES ::= SEQUENCE { prefix OCTET STRING (SIZE (3)), stream INTEGER { picture (0), sequence-header (179), sequence-header-extension (181), group-of-pictures (184), program-end (185), pack-header (186), system-header (187), program-stream-map (188), private-stream-1 (189), padding-stream (190), private-stream-2 (191), audio-stream (192), video-stream (224) } (0..255) } Stream ::= SEQUENCE { length INTEGER (0..65535), must-be-one BOOLEAN, must-be-zero BOOLEAN, scrambling-control INTEGER { not-scrambled (0) } (0..3), priority BOOLEAN, data-alignment BOOLEAN, copyright BOOLEAN, original BOOLEAN, pts-flag BOOLEAN, dts-flag BOOLEAN, escr-flag BOOLEAN, es-rate-flag BOOLEAN, dsm-trick-mode-flag BOOLEAN, additional-copy-info-flag BOOLEAN, crc-flag BOOLEAN, extension-flag BOOLEAN, header-data-length INTEGER (0..255) } Sequence-header ::= SEQUENCE { horizontal-size BIT STRING (SIZE (12)), vertical-size BIT STRING (SIZE (12)), aspect-ratio INTEGER { aspect-1to1 (1), aspect-4to3 (2), aspect-16to9 (3), aspect-2-21to1 (4) } (0..15), frame-rate ENUMERATED { reserved (0), fr (23976), fr (24000), fr (25000), fr (29970), fr (30000), fr (50000), fr (59940), fr (60000) }, bit-rate BIT STRING (SIZE (18)), must-be-one BOOLEAN, vbv-buffer-size BIT STRING (SIZE (10)), constrained-parameters-flag BOOLEAN, load-intra-quantiser-matrix BOOLEAN, load-non-intra-quantiser-matrix BOOLEAN } Sequence-extension ::= SEQUENCE { must-be-0001 BIT STRING (SIZE (4)), profile-and-level INTEGER (0..255), progressive-sequence BOOLEAN, chroma-format INTEGER (0..3), horizontal-size-extension INTEGER (0..3), vertical-size-extension INTEGER (0..3), bit-rate-extension BIT STRING (SIZE (12)), must-be-one BOOLEAN, vbv-buffer-size-extension INTEGER (0..255), low-delay BOOLEAN, frame-rate-extension-n INTEGER (0..3), frame-rate-extension-d INTEGER (0..3) } Group-of-pictures ::= SEQUENCE { drop-frame-flag BOOLEAN, hour INTEGER (0..32), minute INTEGER (0..64), must-be-one BOOLEAN, second INTEGER (0..64), frame INTEGER (0..64), closed-gop BOOLEAN, broken-gop BOOLEAN, must-be-zero BIT STRING (SIZE (5)) } Picture ::= SEQUENCE { temporal-sequence-number BIT STRING (SIZE (10)), frame-type INTEGER { i-frame (1), p-frame (2), b-frame (3), d-frame (4) } (0..7), vbv-delay BIT STRING (SIZE (16)) } END
Configuration
wireshark/epan/dissectors/asn1/mpeg-pes/mpeg-pes.cnf
# mpeg-pes.cnf # mpeg-pes conformation file #.FIELD_RENAME Stream/must-be-zero stream_must-be-zero #.FIELD_ATTR Stream/must-be-zero ABBREV=stream.must-be-zero #.TYPE_ATTR PES/stream TYPE=FT_UINT8 DISPLAY=BASE_HEX Pack/program-mux-rate TYPE=FT_UINT32 DISPLAY=BASE_DEC Stream/length TYPE=FT_UINT16 DISPLAY=BASE_DEC Stream/scrambling-control TYPE=FT_UINT8 BITMASK=0x30 #.END
C
wireshark/epan/dissectors/asn1/mpeg-pes/packet-mpeg-pes-template.c
/* MPEG Packetized Elementary Stream (PES) packet decoder. * Written by Shaun Jackman <[email protected]>. * Copyright 2007 Shaun Jackman * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #include "config.h" #include <epan/packet.h> #include <epan/asn1.h> #include <wiretap/wtap.h> #include "packet-per.h" #include "packet-mpeg-pes-hf.c" #include "packet-mpeg-pes-ett.c" #include "packet-mpeg-pes-fn.c" void proto_register_mpeg_pes(void); void proto_reg_handoff_mpeg_pes(void); static int proto_mpeg = -1; static int proto_mpeg_pes = -1; static int ett_mpeg_pes_pack_header = -1; static int ett_mpeg_pes_header_data = -1; static int ett_mpeg_pes_trick_mode = -1; static int hf_mpeg_pes_pack_header = -1; static int hf_mpeg_pes_scr = -1; static int hf_mpeg_pes_program_mux_rate = -1; static int hf_mpeg_pes_stuffing_length = -1; static int hf_mpeg_pes_stuffing = -1; static int hf_mpeg_pes_extension = -1; static int hf_mpeg_pes_header_data = -1; static int hf_mpeg_pes_pts = -1; static int hf_mpeg_pes_dts = -1; static int hf_mpeg_pes_escr = -1; static int hf_mpeg_pes_es_rate = -1; static int hf_mpeg_pes_dsm_trick_mode = -1; static int hf_mpeg_pes_dsm_trick_mode_control = -1; static int hf_mpeg_pes_dsm_trick_mode_field_id = -1; static int hf_mpeg_pes_dsm_trick_mode_intra_slice_refresh = -1; static int hf_mpeg_pes_dsm_trick_mode_frequency_truncation = -1; static int hf_mpeg_pes_dsm_trick_mode_rep_cntrl = -1; static int hf_mpeg_pes_copy_info = -1; static int hf_mpeg_pes_crc = -1; static int hf_mpeg_pes_extension_flags = -1; static int hf_mpeg_pes_private_data = -1; static int hf_mpeg_pes_pack_length = -1; static int hf_mpeg_pes_sequence = -1; static int hf_mpeg_pes_pstd_buffer = -1; static int hf_mpeg_pes_extension2 = -1; static int hf_mpeg_pes_padding = -1; static int hf_mpeg_pes_data = -1; static int hf_mpeg_video_sequence_header = -1; static int hf_mpeg_video_sequence_extension = -1; static int hf_mpeg_video_group_of_pictures = -1; static int hf_mpeg_video_picture = -1; static int hf_mpeg_video_quantization_matrix = -1; static int hf_mpeg_video_data = -1; static dissector_handle_t mpeg_handle; static dissector_table_t stream_type_table; enum { PES_PREFIX = 1 }; /* * MPEG uses 32-bit start codes that all begin with the three byte sequence * 00 00 01 (the start code prefix) for bit and byte alignment, among other * purposes. * * The values from 0xb9 through 0xff are "system start codes" and described in * ISO/IEC 13818-1:2019 / ITU-T H.222.0. The bulk of them, 0xbc through 0xff, * are stream_id values and documented in Table 2-22 "Stream_id assignments". * The remaining three are used by Program Streams and found as follows: * 0xb9, the MPEG_program_end_code, in 2.5.3.2 "Semantic definition of fields * in program stream" * 0xba, the pack_start_code, in 2.5.3.4 "Semantic definition of fields in * program stream pack" * 0xbb, the system_header_start_code, in 2.5.3.6 "Semantic definition of fields * in system header" * * The remaining 185 values from 0x00 to 0xb8 are used by MPEG-2 video * (backwards compatible with MPEG-1 video) and documented in ISO/IEC 13818-2 / * ITU-T H.262 (2000), in Table 6-1 "Start code values". These are not stream * id values and do not mark PES packets, but rather demarcate elements in the * coded MPEG-1/2 video bitstream, at a different hierarchical level than the * PES packets. The sets of values used for video start codes and for stream * ids are disjoint to avoid any ambiguity when resynchronizing. Note the * dissector currently conflates MPEG video with MPEG PES. * * Care is taken to ensure that the start code prefix 0x000001 does not occur * elsewhere in the structure (avoiding "emulation of start codes"). * * The video can have other formats, given by the stream type, carried on * TS in the PMT and in PS from the similar Program Stream Map. AVC/H.264 and * HEVC/H.265 carried in PES also use the start code prefix, before each NAL, * and escape the raw byte sequence with bytes that prevent internal start code * prefixes. The byte following the prefix (the first byte of the NAL header) * has high bit zero, so the values of the NAL header are in the range used by * the MPEG-2 video bitstream, not the range used by stream ids, allowing for * synchronization in the same way. See Annex B "Byte Stream Format" of H.264 * and H.265. */ enum { STREAM_PICTURE = 0x00, STREAM_SEQUENCE = 0xb3, STREAM_SEQUENCE_EXTENSION = 0xb5, STREAM_GOP = 0xb8, STREAM_END = 0xb9, STREAM_PACK = 0xba, STREAM_SYSTEM = 0xbb, STREAM_PROGRAM = 0xbc, STREAM_PRIVATE1 = 0xbd, STREAM_PADDING = 0xbe, STREAM_PRIVATE2 = 0xbf, STREAM_AUDIO = 0xc0, STREAM_VIDEO = 0xe0 }; enum { PTS_FLAG = 0x80, DTS_FLAG = 0x40, ESCR_FLAG = 0x20, ES_RATE_FLAG = 0x10, DSM_TRICK_MODE_FLAG = 0x08, COPY_INFO_FLAG = 0x04, CRC_FLAG = 0x02, EXTENSION_FLAG = 0x01 }; enum { PRIVATE_DATA_FLAG = 0x80, PACK_LENGTH_FLAG = 0x40, SEQUENCE_FLAG = 0x20, PSTD_BUFFER_FLAG = 0x10, MUST_BE_ONES = 0x07, EXTENSION_FLAG2 = 0x01 }; enum { FAST_FORWARD_CONTROL = 0x00, SLOW_MOTION_CONTROL = 0x01, FREEZE_FRAME_CONTROL = 0x02, FAST_REVERSE_CONTROL = 0x03, SLOW_REVERSE_CONTROL = 0x04 }; static const value_string mpeg_pes_TrickModeControl_vals[] = { { FAST_FORWARD_CONTROL, "fast-forward" }, { SLOW_MOTION_CONTROL, "slow-motion" }, { FREEZE_FRAME_CONTROL, "freeze-frame" }, { FAST_REVERSE_CONTROL, "fast-reverse" }, { SLOW_REVERSE_CONTROL, "slow-reverse" }, { 5, "reserved" }, { 6, "reserved" }, { 7, "reserved" }, { 0, NULL } }; static const value_string mpeg_pes_TrickModeFieldId_vals[] = { { 0, "display-from-top-field-only" }, { 1, "display-from-bottom-field-only" }, { 2, "display-complete-frame" }, { 3, "reserved" }, { 0, NULL } }; static const value_string mpeg_pes_TrickModeIntraSliceRefresh_vals[] = { { 0, "macroblocks-may-not-be-missing" }, { 1, "macroblocks-may-be-missing" }, { 0, NULL } }; static const value_string mpeg_pes_TrickModeFrequencyTruncation_vals[] = { { 0, "only-DC-coefficients-are-non-zero" }, { 1, "only-the-first-three-coefficients-are-non-zero" }, { 2, "only-the-first-six-coefficients-are-non-zero" }, { 3, "all-coefficients-may-be-non-zero" }, { 0, NULL } }; #define TSHZ 90000 static guint64 decode_time_stamp(tvbuff_t *tvb, gint offset, nstime_t *nst) { guint64 bytes = tvb_get_ntoh40(tvb, offset); guint64 ts = (bytes >> 33 & 0x0007) << 30 | (bytes >> 17 & 0x7fff) << 15 | (bytes >> 1 & 0x7fff) << 0; unsigned int rem = (unsigned int)(ts % TSHZ); nst->secs = (time_t)(ts / TSHZ); nst->nsecs = (int)(G_GINT64_CONSTANT(1000000000) * rem / TSHZ); return ts; } #define SCRHZ 27000000 static guint64 decode_clock_reference(tvbuff_t *tvb, gint offset, nstime_t *nst) { guint64 bytes = tvb_get_ntoh48(tvb, offset); guint64 ts = (bytes >> 43 & 0x0007) << 30 | (bytes >> 27 & 0x7fff) << 15 | (bytes >> 11 & 0x7fff) << 0; unsigned int ext = (unsigned int)((bytes >> 1) & 0x1ff); guint64 cr = 300 * ts + ext; unsigned int rem = (unsigned int)(cr % SCRHZ); nst->secs = (time_t)(cr / SCRHZ); nst->nsecs = (int)(G_GINT64_CONSTANT(1000000000) * rem / SCRHZ); return cr; } static int dissect_mpeg_pes_header_data(tvbuff_t *tvb, packet_info *pinfo _U_, proto_tree *root, unsigned int flags) { proto_item *item = proto_tree_add_item(root, hf_mpeg_pes_header_data, tvb, 0, -1, ENC_NA); proto_tree *tree = proto_item_add_subtree(item, ett_mpeg_pes_header_data); gint offset = 0; if (flags & PTS_FLAG) { nstime_t nst; decode_time_stamp(tvb, offset, &nst); proto_tree_add_time(tree, hf_mpeg_pes_pts, tvb, offset, 5, &nst); offset += 5; } if (flags & DTS_FLAG) { nstime_t nst; decode_time_stamp(tvb, offset, &nst); proto_tree_add_time(tree, hf_mpeg_pes_dts, tvb, offset, 5, &nst); offset += 5; } if (flags & ESCR_FLAG) { nstime_t nst; decode_clock_reference(tvb, offset, &nst); proto_tree_add_time(tree, hf_mpeg_pes_escr, tvb, offset, 6, &nst); offset += 6; } if (flags & ES_RATE_FLAG) { unsigned int es_rate = (tvb_get_ntohs(tvb, offset) >> 1 & 0x3fff) * 50; proto_tree_add_uint(tree, hf_mpeg_pes_es_rate, tvb, offset, 3, es_rate); offset += 3; } if (flags & DSM_TRICK_MODE_FLAG) { guint8 value = tvb_get_guint8(tvb, offset); guint8 control; proto_tree *trick_tree; proto_item *trick_item; trick_item = proto_tree_add_item(item, hf_mpeg_pes_dsm_trick_mode, tvb, offset, 1, ENC_NA); trick_tree = proto_item_add_subtree(trick_item, ett_mpeg_pes_trick_mode); control = (value >> 5); proto_tree_add_uint(trick_tree, hf_mpeg_pes_dsm_trick_mode_control, tvb, offset, 1, control); if (control == FAST_FORWARD_CONTROL || control == FAST_REVERSE_CONTROL) { proto_tree_add_uint(trick_tree, hf_mpeg_pes_dsm_trick_mode_field_id, tvb, offset, 1, (value & 0x18) >> 3); proto_tree_add_uint(trick_tree, hf_mpeg_pes_dsm_trick_mode_intra_slice_refresh, tvb, offset, 1, (value & 0x04) >> 2); proto_tree_add_uint(trick_tree, hf_mpeg_pes_dsm_trick_mode_frequency_truncation, tvb, offset, 1, (value & 0x03)); } else if (control == SLOW_MOTION_CONTROL || control == SLOW_REVERSE_CONTROL) { proto_tree_add_uint(trick_tree, hf_mpeg_pes_dsm_trick_mode_rep_cntrl, tvb, offset, 1, (value & 0x1F)); } else if (control == FREEZE_FRAME_CONTROL) { proto_tree_add_uint(trick_tree, hf_mpeg_pes_dsm_trick_mode_field_id, tvb, offset, 1, (value & 0x18) >> 3); } offset += 1; } if (flags & COPY_INFO_FLAG) { proto_tree_add_item(tree, hf_mpeg_pes_copy_info, tvb, offset, 1, ENC_BIG_ENDIAN); offset++; } if (flags & CRC_FLAG) { proto_tree_add_item(tree, hf_mpeg_pes_crc, tvb, offset, 2, ENC_BIG_ENDIAN); offset += 2; } if (flags & EXTENSION_FLAG) { int flags2 = tvb_get_guint8(tvb, offset); proto_tree_add_item(tree, hf_mpeg_pes_extension_flags, tvb, offset, 1, ENC_BIG_ENDIAN); offset++; if (flags2 & PRIVATE_DATA_FLAG) { proto_tree_add_item(tree, hf_mpeg_pes_private_data, tvb, offset, 16, ENC_NA); offset += 16; } if (flags2 & PACK_LENGTH_FLAG) { proto_tree_add_item(tree, hf_mpeg_pes_pack_length, tvb, offset, 1, ENC_BIG_ENDIAN); offset++; } if (flags2 & SEQUENCE_FLAG) { proto_tree_add_item(tree, hf_mpeg_pes_sequence, tvb, offset, 2, ENC_BIG_ENDIAN); offset += 2; } if (flags2 & PSTD_BUFFER_FLAG) { unsigned int pstd = tvb_get_ntohs(tvb, offset); proto_tree_add_uint(tree, hf_mpeg_pes_pstd_buffer, tvb, offset, 2, (pstd & 0x2000 ? 1024 : 128) * (pstd & 0x1ff)); offset += 2; } if (flags2 & EXTENSION_FLAG2) { proto_tree_add_item(tree, hf_mpeg_pes_extension2, tvb, offset, 2, ENC_BIG_ENDIAN); offset += 2; } } return offset; } static gint dissect_mpeg_pes_pack_header(tvbuff_t *tvb, gint offset, packet_info *pinfo _U_, proto_tree *root) { unsigned int program_mux_rate, stuffing_length; proto_item *item = proto_tree_add_item(root, hf_mpeg_pes_pack_header, tvb, offset / 8, 10, ENC_NA); proto_tree *tree = proto_item_add_subtree(item, ett_mpeg_pes_pack_header); nstime_t nst; decode_clock_reference(tvb, offset / 8, &nst); proto_tree_add_time(tree, hf_mpeg_pes_scr, tvb, offset / 8, 6, &nst); offset += 6 * 8; program_mux_rate = (tvb_get_ntoh24(tvb, offset / 8) >> 2) * 50; proto_tree_add_uint(tree, hf_mpeg_pes_program_mux_rate, tvb, offset / 8, 3, program_mux_rate); offset += 3 * 8; stuffing_length = tvb_get_guint8(tvb, offset / 8) & 0x07; proto_tree_add_item(tree, hf_mpeg_pes_stuffing_length, tvb, offset / 8, 1, ENC_BIG_ENDIAN); offset += 1 * 8; if (stuffing_length > 0) { proto_tree_add_item(tree, hf_mpeg_pes_stuffing, tvb, offset / 8, stuffing_length, ENC_NA); offset += stuffing_length * 8; } return offset; } static int dissect_mpeg(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void* data); static gboolean dissect_mpeg_pes(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data) { int prefix; int stream; asn1_ctx_t asn1_ctx; gint offset = 0; guint8 stream_type; if (!tvb_bytes_exist(tvb, 0, 3)) return FALSE; /* not enough bytes for a PES prefix */ prefix = tvb_get_ntoh24(tvb, 0); if (prefix != PES_PREFIX) return FALSE; col_set_str(pinfo->cinfo, COL_PROTOCOL, "MPEG PES"); col_clear(pinfo->cinfo, COL_INFO); stream = tvb_get_guint8(tvb, 3); col_add_fstr(pinfo->cinfo, COL_INFO, "%s ", val_to_str(stream, mpeg_pes_T_stream_vals, "Unknown stream: %d")); /* Were we called from MP2T providing a stream type from a PMT? */ stream_type = GPOINTER_TO_UINT(data); /* Luckily, stream_type 0 is reserved, so a null value is fine. * XXX: Implement Program Stream Map for Program Stream (similar * to PMT but maps stream_ids to stream_types instead of PIDs.) */ #if 0 if (tree == NULL) return TRUE; #endif asn1_ctx_init(&asn1_ctx, ASN1_ENC_PER, TRUE, pinfo); offset = dissect_mpeg_pes_PES(tvb, offset, &asn1_ctx, tree, proto_mpeg_pes); if (stream == STREAM_PICTURE) { int frame_type; frame_type = tvb_get_guint8(tvb, 5) >> 3 & 0x07; col_add_fstr(pinfo->cinfo, COL_INFO, "%s ", val_to_str(frame_type, mpeg_pes_T_frame_type_vals, "Unknown frame type: %d")); offset = dissect_mpeg_pes_Picture(tvb, offset, &asn1_ctx, tree, hf_mpeg_video_picture); proto_tree_add_item(tree, hf_mpeg_video_data, tvb, offset / 8, -1, ENC_NA); } else if (stream == STREAM_SEQUENCE) { tvbuff_t *es; offset = dissect_mpeg_pes_Sequence_header(tvb, offset, &asn1_ctx, tree, hf_mpeg_video_sequence_header); proto_tree_add_item(tree, hf_mpeg_video_quantization_matrix, tvb, offset / 8, 64, ENC_NA); offset += 64 * 8; es = tvb_new_subset_remaining(tvb, offset / 8); dissect_mpeg_pes(es, pinfo, tree, NULL); } else if (stream == STREAM_SEQUENCE_EXTENSION) { tvbuff_t *es; offset = dissect_mpeg_pes_Sequence_extension(tvb, offset, &asn1_ctx, tree, hf_mpeg_video_sequence_extension); es = tvb_new_subset_remaining(tvb, offset / 8); dissect_mpeg_pes(es, pinfo, tree, NULL); } else if (stream == STREAM_GOP) { tvbuff_t *es; offset = dissect_mpeg_pes_Group_of_pictures(tvb, offset, &asn1_ctx, tree, hf_mpeg_video_group_of_pictures); es = tvb_new_subset_remaining(tvb, offset / 8); dissect_mpeg_pes(es, pinfo, tree, NULL); } else if (stream == STREAM_PACK) { if (tvb_get_guint8(tvb, offset / 8) >> 6 == 1) { dissect_mpeg_pes_pack_header(tvb, offset, pinfo, tree); } else { proto_tree_add_item(tree, hf_mpeg_pes_data, tvb, offset / 8, 8, ENC_NA); } } else if (stream == STREAM_SYSTEM || stream == STREAM_PRIVATE2) { unsigned int data_length = tvb_get_ntohs(tvb, offset / 8); proto_tree_add_item(tree, hf_mpeg_pes_length, tvb, offset / 8, 2, ENC_BIG_ENDIAN); offset += 2 * 8; proto_tree_add_item(tree, hf_mpeg_pes_data, tvb, offset / 8, data_length, ENC_NA); } else if (stream == STREAM_PADDING) { unsigned int padding_length = tvb_get_ntohs(tvb, offset / 8); proto_tree_add_item(tree, hf_mpeg_pes_length, tvb, offset / 8, 2, ENC_BIG_ENDIAN); offset += 2 * 8; proto_tree_add_item(tree, hf_mpeg_pes_padding, tvb, offset / 8, padding_length, ENC_NA); } else if (stream == STREAM_PRIVATE1 || stream >= STREAM_AUDIO) { int length = tvb_get_ntohs(tvb, 4); if ((tvb_get_guint8(tvb, 6) & 0xc0) == 0x80) { int header_length; tvbuff_t *es; int save_offset = offset; offset = dissect_mpeg_pes_Stream(tvb, offset, &asn1_ctx, tree, hf_mpeg_pes_extension); /* https://gitlab.com/wireshark/wireshark/-/issues/2229 * A value of 0 indicates that the PES packet length * is neither specified nor bounded and is allowed * only in PES packets whose payload is a video * elementary stream contained in Transport Stream * packets. * * See ISO/IEC 13818-1:2007, section 2.4.3.7 * "Semantic definition of fields in PES packet", * which says of the PES_packet_length that "A value * of 0 indicates that the PES packet length is * neither specified nor bounded and is allowed only * in PES packets whose payload consists of bytes * from a video elementary stream contained in * Transport Stream packets." */ if(length !=0 && stream != STREAM_VIDEO){ /* * XXX - note that ISO/IEC 13818-1:2007 * says that the length field is *not* * part of the above extension. * * This means that the length of the length * field itself should *not* be subtracted * from the length field; ISO/IEC 13818-1:2007 * says that the PES_packet_length field is * "A 16-bit field specifying the number of * bytes in the PES packet following the * last byte of the field." * * So we calculate the size of the extension, * in bytes, by subtracting the saved bit * offset value from the current bit offset * value, divide by 8 to convert to a size * in bytes, and then subtract 2 to remove * the length field's length from the total * length. * * (In addition, ISO/IEC 13818-1:2007 * suggests that the length field is * always present, but this code, when * processing some stream ID types, doesn't * treat it as being present. Where are * the formats of those payloads specified?) */ length -= ((offset - save_offset) / 8) - 2; } header_length = tvb_get_guint8(tvb, 8); if (header_length > 0) { int flags = tvb_get_guint8(tvb, 7); tvbuff_t *header_data = tvb_new_subset_length(tvb, offset / 8, header_length); dissect_mpeg_pes_header_data(header_data, pinfo, tree, flags); offset += header_length * 8; /* length may be zero for Video stream */ if(length !=0 && stream != STREAM_VIDEO){ length -= header_length; } } /* length may be zero for Video stream */ if(length==0){ es = tvb_new_subset_remaining(tvb, offset / 8); } else { es = tvb_new_subset_length_caplen(tvb, offset / 8, -1, length); } if (!dissector_try_uint_new(stream_type_table, stream_type, es, pinfo, tree, TRUE, NULL)) { /* If we didn't get a stream type, then assume * MPEG-1/2 Audio or Video. */ if (tvb_get_ntoh24(es, 0) == PES_PREFIX) dissect_mpeg_pes(es, pinfo, tree, NULL); else if (tvb_get_guint8(es, 0) == 0xff) dissect_mpeg(es, pinfo, tree, NULL); else proto_tree_add_item(tree, hf_mpeg_pes_data, es, 0, -1, ENC_NA); } } else { unsigned int data_length = tvb_get_ntohs(tvb, offset / 8); proto_tree_add_item(tree, hf_mpeg_pes_length, tvb, offset / 8, 2, ENC_BIG_ENDIAN); offset += 2 * 8; proto_tree_add_item(tree, hf_mpeg_pes_data, tvb, offset / 8, data_length, ENC_NA); } } else if (stream != STREAM_END) { proto_tree_add_item(tree, hf_mpeg_pes_data, tvb, offset / 8, -1, ENC_NA); } return TRUE; } static heur_dissector_list_t heur_subdissector_list; static int dissect_mpeg(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void* data _U_) { heur_dtbl_entry_t *hdtbl_entry; if (!dissector_try_heuristic(heur_subdissector_list, tvb, pinfo, tree, &hdtbl_entry, NULL)) { col_set_str(pinfo->cinfo, COL_PROTOCOL, "MPEG"); col_clear(pinfo->cinfo, COL_INFO); proto_tree_add_item(tree, proto_mpeg, tvb, 0, -1, ENC_NA); } return tvb_captured_length(tvb); } void proto_register_mpeg_pes(void) { static hf_register_info hf[] = { #include "packet-mpeg-pes-hfarr.c" { &hf_mpeg_pes_pack_header, { "Pack header", "mpeg-pes.pack", FT_NONE, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_scr, { "system clock reference (SCR)", "mpeg-pes.scr", FT_RELATIVE_TIME, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_program_mux_rate, { "PES program mux rate", "mpeg-pes.program-mux-rate", FT_UINT24, BASE_DEC, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_stuffing_length, { "PES stuffing length", "mpeg-pes.stuffing-length", FT_UINT8, BASE_DEC, NULL, 0x07, NULL, HFILL }}, { &hf_mpeg_pes_stuffing, { "PES stuffing bytes", "mpeg-pes.stuffing", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_extension, { "PES extension", "mpeg-pes.extension", FT_NONE, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_header_data, { "PES header data", "mpeg-pes.header-data", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_pts, { "presentation time stamp (PTS)", "mpeg-pes.pts", FT_RELATIVE_TIME, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_dts, { "decode time stamp (DTS)", "mpeg-pes.dts", FT_RELATIVE_TIME, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_escr, { "elementary stream clock reference (ESCR)", "mpeg-pes.escr", FT_RELATIVE_TIME, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_es_rate, { "elementary stream rate", "mpeg-pes.es-rate", FT_UINT24, BASE_DEC, NULL, 0x7ffe, NULL, HFILL }}, { &hf_mpeg_pes_dsm_trick_mode, { "Trick mode", "mpeg-pes.trick-mode", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_dsm_trick_mode_control, { "control", "mpeg-pes.trick-mode-control", FT_UINT8, BASE_HEX, VALS(mpeg_pes_TrickModeControl_vals), 0, "mpeg_pes trick mode control", HFILL }}, { &hf_mpeg_pes_dsm_trick_mode_field_id, { "field id", "mpeg-pes.trick-mode-field-id", FT_UINT8, BASE_HEX, VALS(mpeg_pes_TrickModeFieldId_vals), 0, "mpeg_pes trick mode field id", HFILL }}, { &hf_mpeg_pes_dsm_trick_mode_intra_slice_refresh, { "intra slice refresh", "mpeg-pes.trick-mode-intra-slice-refresh", FT_UINT8, BASE_HEX, VALS(mpeg_pes_TrickModeIntraSliceRefresh_vals), 0, "mpeg_pes trick mode intra slice refresh", HFILL }}, { &hf_mpeg_pes_dsm_trick_mode_frequency_truncation, { "frequency truncation", "mpeg-pes.trick-mode-frequency-truncation", FT_UINT8, BASE_HEX, VALS(mpeg_pes_TrickModeFrequencyTruncation_vals), 0, "mpeg_pes trick mode frequency truncation", HFILL }}, { &hf_mpeg_pes_dsm_trick_mode_rep_cntrl, { "rep cntrl", "mpeg-pes.trick-mode-rep-cntrl", FT_UINT8, BASE_HEX, NULL, 0, "mpeg_pes trick mode rep cntrl", HFILL }}, { &hf_mpeg_pes_copy_info, { "copy info", "mpeg-pes.copy-info", FT_UINT8, BASE_DEC, NULL, 0x7f, NULL, HFILL }}, { &hf_mpeg_pes_crc, { "CRC", "mpeg-pes.crc", FT_UINT16, BASE_DEC, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_extension_flags, { "extension flags", "mpeg-pes.extension-flags", FT_UINT8, BASE_HEX, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_private_data, { "private data", "mpeg-pes.private-data", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_pack_length, { "pack length", "mpeg-pes.pack-length", FT_UINT8, BASE_DEC, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_sequence, { "sequence", "mpeg-pes.sequence", FT_UINT16, BASE_HEX, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_pstd_buffer, { "P-STD buffer size", "mpeg-pes.pstd-buffer", FT_UINT16, BASE_DEC, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_extension2, { "extension2", "mpeg-pes.extension2", FT_UINT16, BASE_HEX, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_padding, { "PES padding", "mpeg-pes.padding", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_pes_data, { "PES data", "mpeg-pes.data", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_video_sequence_header, { "MPEG sequence header", "mpeg-video.sequence", FT_NONE, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_video_sequence_extension, { "MPEG sequence extension", "mpeg-video.sequence-ext", FT_NONE, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_video_group_of_pictures, { "MPEG group of pictures", "mpeg-video.gop", FT_NONE, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_video_picture, { "MPEG picture", "mpeg-video.picture", FT_NONE, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_video_quantization_matrix, { "MPEG quantization matrix", "mpeg-video.quant", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_mpeg_video_data, { "MPEG picture data", "mpeg-video.data", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, }; static gint *ett[] = { #include "packet-mpeg-pes-ettarr.c" &ett_mpeg_pes_pack_header, &ett_mpeg_pes_header_data, &ett_mpeg_pes_trick_mode }; proto_mpeg = proto_register_protocol( "Moving Picture Experts Group", "MPEG", "mpeg"); mpeg_handle = register_dissector("mpeg", dissect_mpeg, proto_mpeg); heur_subdissector_list = register_heur_dissector_list("mpeg", proto_mpeg); proto_mpeg_pes = proto_register_protocol( "Packetized Elementary Stream", "MPEG PES", "mpeg-pes"); proto_register_field_array(proto_mpeg_pes, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); register_dissector("mpeg-pes", dissect_mpeg_pes, proto_mpeg_pes); stream_type_table = register_dissector_table("mpeg-pes.stream", "MPEG PES stream type", proto_mpeg_pes, FT_UINT8, BASE_HEX); } void proto_reg_handoff_mpeg_pes(void) { dissector_add_uint("wtap_encap", WTAP_ENCAP_MPEG, mpeg_handle); heur_dissector_add("mpeg", dissect_mpeg_pes, "MPEG PES", "mpeg_pes", proto_mpeg_pes, HEURISTIC_ENABLE); dissector_add_uint("mpeg-pes.stream", 0x1B, find_dissector_add_dependency("h264_bytestream", proto_mpeg_pes)); dissector_add_uint("mpeg-pes.stream", 0x24, find_dissector_add_dependency("h265_bytestream", proto_mpeg_pes)); }
Text
wireshark/epan/dissectors/asn1/mudurl/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME mudurl ) set( PROTO_OPT ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST MUDURL.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS -b ) set( EXTRA_CNF "${CMAKE_CURRENT_BINARY_DIR}/../x509af/x509af-exp.cnf" ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/mudurl/MUDURL.asn
-- Taken originally from draft-ietf-opsawg-mud. -- -- Copyright (c) 2016 IETF Trust and Eliot Lear -- All Rights Reserved. -- -- Redistribution and use in source and binary forms, with or without -- modification, are permitted provided that the following conditions -- are met: -- -- o Redistributions of source code must retain the above copyright -- notice, this list of conditions and the following disclaimer. -- o Redistributions in binary form must reproduce the above -- copyright notice, this list of conditions and the following -- disclaimer in the documentation and/or other materials provided -- with the distribution. -- o Neither the name of Internet Society, IETF or IETF Trust, nor -- the names of specific contributors, may be used to endorse or -- promote products derived from this software without specific prior -- written permission. -- -- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS -- “AS IS” AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT -- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS -- FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE -- COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, -- INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES -- (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR -- SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) -- HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, -- STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) -- ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED -- OF THE POSSIBILITY OF SUCH DAMAGE. MUDURLExtnModule-2016 { iso(1) identified-organization(3) dod(6) internet(1) security(5) mechanisms(5) pkix(7) id-mod(0) id-mod-mudURLExtn2016(88) } DEFINITIONS IMPLICIT TAGS ::= BEGIN -- EXPORTS ALL -- -- EXTENSION is modified. It would normally be taken from PKIX1Explicit-2009. -- For reasons passing my understanding, id-pe is already understood. IMPORTS EXTENSION FROM AuthenticationFramework {joint-iso-itu-t ds(5) module(1) authenticationFramework(7) 3} id-pe FROM PKIX1Explicit-2009 { iso(1) identified-organization(3) dod(6) internet(1) security(5) mechanisms(5) pkix(7) id-mod(0) id-mod-pkix1-explicit-02(51) }; MUDCertExtensions EXTENSION ::= { ext-MUDURL, ... } ext-MUDURL EXTENSION ::= { SYNTAX MUDURLSyntax IDENTIFIED BY id-pe-mud-url } id-pe-mud-url OBJECT IDENTIFIER ::= { id-pe 25 } MUDURLSyntax ::= IA5String END
Configuration
wireshark/epan/dissectors/asn1/mudurl/mudurl.cnf
# mudurl.cnf # mudurl conformation file #.INCLUDE ../x509af/x509af-exp.cnf #.MODULE_IMPORT EXTENSION x509af #.EXPORTS #.REGISTER MUDURLSyntax B "1.3.6.1.5.5.7.1.25" "id-pe-mud-url" #.TYPE_RENAME #.FIELD_RENAME #.END
C
wireshark/epan/dissectors/asn1/mudurl/packet-mudurl-template.c
/* packet-mudurl-template.c * Routines for mudurl found in draft-ietf-opsawg-mud * by Eliot Lear * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #include "config.h" #include <epan/packet.h> #include <epan/asn1.h> #include "packet-ber.h" /* #include "packet-mudurl.h" */ // At the moment we are not exporting. #include "packet-x509af.h" #define PNAME "MUDURL" #define PSNAME "MUDURL" #define PFNAME "mudurl" void proto_register_mudurl(void); void proto_reg_handoff_mudurl(void); /* Initialize the protocol and registered fields */ static int proto_mudurl = -1; #include "packet-mudurl-hf.c" /* Initialize the subtree pointers */ /* #include "packet-mudurl-ett.c" */ // static const char *object_identifier_id; #include "packet-mudurl-fn.c" /*--- proto_register_mudurl ----------------------------------------------*/ void proto_register_mudurl(void) { /* List of fields */ static hf_register_info hf[] = { #include "packet-mudurl-hfarr.c" }; /* List of subtrees */ /* static gint *ett[] = { #include "packet-mudurl-ettarr.c" }; */ /* Register protocol */ proto_mudurl = proto_register_protocol(PNAME, PSNAME, PFNAME); /* Register fields and subtrees */ proto_register_field_array(proto_mudurl, hf, array_length(hf)); // proto_register_subtree_array(ett, array_length(ett)); } /*--- proto_reg_handoff_mudurl -------------------------------------------*/ void proto_reg_handoff_mudurl(void) { #include "packet-mudurl-dis-tab.c" }
Text
wireshark/epan/dissectors/asn1/nbap/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME nbap ) set( PROTO_OPT ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST NBAP-CommonDataTypes.asn NBAP-Constants.asn NBAP-Containers.asn NBAP-IEs.asn NBAP-PDU-Contents.asn NBAP-PDU-Descriptions.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c packet-${PROTOCOL_NAME}-template.h ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/nbap/NBAP-CommonDataTypes.asn
-- Taken from 3GPP TS 25.433 V9.4.0 (2010-09) -- http://www.3gpp.org/ftp/Specs/archive/25_series/25.433/ -- 9.3.5 Common Definitions -- ************************************************************** -- -- Common definitions -- -- ************************************************************** NBAP-CommonDataTypes { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) umts-Access (20) modules (3) nbap (2) version1 (1) nbap-CommonDataTypes (3) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- Extension constants -- -- ************************************************************** maxPrivateIEs INTEGER ::= 65535 maxProtocolExtensions INTEGER ::= 65535 maxProtocolIEs INTEGER ::= 65535 -- ************************************************************** -- -- Common Data Types -- -- ************************************************************** Criticality ::= ENUMERATED { reject, ignore, notify } MessageDiscriminator ::= ENUMERATED { common, dedicated } Presence ::= ENUMERATED { optional, conditional, mandatory } PrivateIE-ID ::= CHOICE { local INTEGER (0..maxPrivateIEs), global OBJECT IDENTIFIER } ProcedureCode ::= INTEGER (0..255) ProcedureID ::= SEQUENCE { procedureCode ProcedureCode, ddMode ENUMERATED { tdd, fdd, common, ... } } ProtocolIE-ID ::= INTEGER (0..maxProtocolIEs) TransactionID ::= CHOICE { shortTransActionId INTEGER (0..127), longTransActionId INTEGER (0..32767) } TriggeringMessage ::= ENUMERATED { initiating-message, successful-outcome, unsuccessfull-outcome, outcome } END
ASN.1
wireshark/epan/dissectors/asn1/nbap/NBAP-Constants.asn
-- NBAP-Constants.asn -- -- Taken from 3GPP TS 25.433 V9.4.0 (2010-09) -- http://www.3gpp.org/ftp/Specs/archive/25_series/25.433/ --- -- 9.3.6 Constant Definitions -- -- ************************************************************** -- -- Constant definitions -- -- ************************************************************** NBAP-Constants { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) umts-Access (20) modules (3) nbap (2) version1 (1) nbap-Constants (4)} DEFINITIONS AUTOMATIC TAGS ::= BEGIN IMPORTS ProcedureCode, ProtocolIE-ID FROM NBAP-CommonDataTypes; -- ************************************************************** -- -- Elementary Procedures -- -- ************************************************************** id-audit ProcedureCode ::= 0 id-auditRequired ProcedureCode ::= 1 id-blockResource ProcedureCode ::= 2 id-cellDeletion ProcedureCode ::= 3 id-cellReconfiguration ProcedureCode ::= 4 id-cellSetup ProcedureCode ::= 5 id-cellSynchronisationInitiation ProcedureCode ::= 45 id-cellSynchronisationReconfiguration ProcedureCode ::= 46 id-cellSynchronisationReporting ProcedureCode ::= 47 id-cellSynchronisationTermination ProcedureCode ::= 48 id-cellSynchronisationFailure ProcedureCode ::= 49 id-commonMeasurementFailure ProcedureCode ::= 6 id-commonMeasurementInitiation ProcedureCode ::= 7 id-commonMeasurementReport ProcedureCode ::= 8 id-commonMeasurementTermination ProcedureCode ::= 9 id-commonTransportChannelDelete ProcedureCode ::= 10 id-commonTransportChannelReconfigure ProcedureCode ::= 11 id-commonTransportChannelSetup ProcedureCode ::= 12 id-compressedModeCommand ProcedureCode ::= 14 id-dedicatedMeasurementFailure ProcedureCode ::= 16 id-dedicatedMeasurementInitiation ProcedureCode ::= 17 id-dedicatedMeasurementReport ProcedureCode ::= 18 id-dedicatedMeasurementTermination ProcedureCode ::= 19 id-downlinkPowerControl ProcedureCode ::= 20 id-downlinkPowerTimeslotControl ProcedureCode ::= 38 id-errorIndicationForCommon ProcedureCode ::= 35 id-errorIndicationForDedicated ProcedureCode ::= 21 id-informationExchangeFailure ProcedureCode ::= 40 id-informationExchangeInitiation ProcedureCode ::= 41 id-informationExchangeTermination ProcedureCode ::= 42 id-informationReporting ProcedureCode ::= 43 id-BearerRearrangement ProcedureCode ::= 50 id-mBMSNotificationUpdate ProcedureCode ::= 53 id-physicalSharedChannelReconfiguration ProcedureCode ::= 37 id-privateMessageForCommon ProcedureCode ::= 36 id-privateMessageForDedicated ProcedureCode ::= 22 id-radioLinkAddition ProcedureCode ::= 23 id-radioLinkDeletion ProcedureCode ::= 24 id-radioLinkFailure ProcedureCode ::= 25 id-radioLinkPreemption ProcedureCode ::= 39 id-radioLinkRestoration ProcedureCode ::= 26 id-radioLinkSetup ProcedureCode ::= 27 id-reset ProcedureCode ::= 13 id-resourceStatusIndication ProcedureCode ::= 28 id-cellSynchronisationAdjustment ProcedureCode ::= 44 id-synchronisedRadioLinkReconfigurationCancellation ProcedureCode ::= 29 id-synchronisedRadioLinkReconfigurationCommit ProcedureCode ::= 30 id-synchronisedRadioLinkReconfigurationPreparation ProcedureCode ::= 31 id-systemInformationUpdate ProcedureCode ::= 32 id-unblockResource ProcedureCode ::= 33 id-unSynchronisedRadioLinkReconfiguration ProcedureCode ::= 34 id-radioLinkActivation ProcedureCode ::= 51 id-radioLinkParameterUpdate ProcedureCode ::= 52 id-uEStatusUpdate ProcedureCode ::= 54 id-secondaryULFrequencyReporting ProcedureCode ::= 55 id-secondaryULFrequencyUpdate ProcedureCode ::= 56 -- ************************************************************** -- -- Lists -- -- ************************************************************** maxNrOfCodes INTEGER ::= 10 maxNrOfDLTSs INTEGER ::= 15 maxNrOfDLTSLCRs INTEGER ::= 6 maxNrOfErrors INTEGER ::= 256 maxNrOfTFs INTEGER ::= 32 maxNrOfTFCs INTEGER ::= 1024 maxNrOfRLs INTEGER ::= 16 maxNrOfRLs-1 INTEGER ::= 15 -- maxNrOfRLs - 1 maxNrOfRLs-2 INTEGER ::= 14 -- maxNrOfRLs - 2 maxNrOfRLSets INTEGER ::= maxNrOfRLs maxNrOfDPCHs INTEGER ::= 240 maxNrOfDPCHsPerRL-1 INTEGER ::= 239 -- maxNrofCCTrCH*maxNrOfULTSs-1 maxNrOfDPCHLCRs INTEGER ::= 240 maxNrOfDPCHsLCRPerRL-1 INTEGER ::= 95 -- maxNrofCCTrCH*maxNrOfULTSLCRs-1 maxNrOfDPCHs768 INTEGER ::= 480 maxNrOfDPCHs768PerRL-1 INTEGER ::= 479 maxNrOfSCCPCHs INTEGER ::= 8 maxNrOfSCCPCHsinExt INTEGER ::= 232 maxNrOfSCCPCHs768 INTEGER ::= 480 maxNrOfDCHs INTEGER ::= 128 maxNrOfDSCHs INTEGER ::= 32 maxNrOfFACHs INTEGER ::= 8 maxNrOfCCTrCHs INTEGER ::= 16 maxNrOfPDSCHs INTEGER ::= 256 maxNrOfHSPDSCHs INTEGER ::= 16 maxNrOfHSPDSCHs768 INTEGER ::= 32 maxNrOfPUSCHs INTEGER ::= 256 maxNrOfPUSCHs-1 INTEGER ::= 255 maxNrOfPDSCHSets INTEGER ::= 256 maxNrOfPRACHLCRs INTEGER ::= 8 maxNrOfPUSCHSets INTEGER ::= 256 maxNrOfSCCPCHLCRs INTEGER ::= 8 maxNrOfSCCPCHsLCRinExt INTEGER ::= 88 maxNrOfULTSs INTEGER ::= 15 maxNrOfULTSLCRs INTEGER ::= 6 maxNrOfUSCHs INTEGER ::= 32 maxNrOfSlotFormatsPRACH INTEGER ::= 8 maxCellinNodeB INTEGER ::= 256 maxCCPinNodeB INTEGER ::= 256 maxCTFC INTEGER ::= 16777215 maxLocalCellinNodeB INTEGER ::= maxCellinNodeB maxFPACHCell INTEGER ::= 8 maxRACHCell INTEGER ::= maxPRACHCell maxPLCCHCell INTEGER ::= 16 maxPRACHCell INTEGER ::= 16 maxSCCPCHCell INTEGER ::= 32 maxSCCPCHCellinExt INTEGER ::= 208 -- maxNrOfSCCPCHs + maxNrOfSCCPCHsinExt - maxSCCPCHCell maxSCCPCHCellinExtLCR INTEGER ::= 64 -- maxNrOfSCCPCHLCRs + maxNrOfSCCPCHsLCRinExt - maxSCCPCHCell maxSCCPCHCell768 INTEGER ::= 480 maxSCPICHCell INTEGER ::= 32 maxTTI-count INTEGER ::= 4 maxIBSEG INTEGER ::= 16 maxIB INTEGER ::= 64 maxFACHCell INTEGER ::= 256 -- maxNrOfFACHs * maxSCCPCHCell maxRateMatching INTEGER ::= 256 maxHS-PDSCHCodeNrComp-1 INTEGER ::= 15 maxHS-SCCHCodeNrComp-1 INTEGER ::= 127 maxNrOfCellSyncBursts INTEGER ::= 10 maxNrOfReceptsPerSyncFrame INTEGER ::= 16 maxNrOfMeasNCell INTEGER ::= 96 maxNrOfMeasNCell-1 INTEGER ::= 95 -- maxNrOfMeasNCell - 1 maxNrOfSF INTEGER ::= 8 maxTGPS INTEGER ::= 6 maxCommunicationContext INTEGER ::= 1048575 maxNrOfLevels INTEGER ::= 256 maxNoSat INTEGER ::= 16 maxNoGPSItems INTEGER ::= 8 maxNrOfHSSCCHs INTEGER ::= 32 maxNrOfHSSICHs INTEGER ::= 4 maxNrOfHSSICHs-1 INTEGER ::= 3 maxNrOfSyncFramesLCR INTEGER ::= 512 maxNrOfReceptionsperSyncFrameLCR INTEGER ::= 8 maxNrOfSyncDLCodesLCR INTEGER ::= 32 maxNrOfHSSCCHCodes INTEGER ::= 4 maxNrOfMACdFlows INTEGER ::= 8 maxNrOfMACdFlows-1 INTEGER ::= 7 -- maxNrOfMACdFlows - 1 maxNrOfMACdPDUIndexes INTEGER ::= 8 maxNrOfMACdPDUIndexes-1 INTEGER ::= 7 -- maxNoOfMACdPDUIndexes - 1 maxNrOfMACdPDUSize INTEGER ::= 32 maxNrOfNIs INTEGER ::= 256 maxNrOfPriorityQueues INTEGER ::= 8 maxNrOfPriorityQueues-1 INTEGER ::= 7 -- maxNoOfPriorityQueues - 1 maxNrOfHARQProcesses INTEGER ::= 8 maxNrOfContextsOnUeList INTEGER ::= 16 maxNrOfCellPortionsPerCell INTEGER ::= 64 maxNrOfCellPortionsPerCell-1 INTEGER ::= 63 maxNrOfPriorityClasses INTEGER ::= 16 maxNrOfSatAlmanac-maxNoSat INTEGER ::= 16 -- maxNrofSatAlmanac - maxNoSat maxNrOfE-AGCHs INTEGER ::= 32 maxNrOfEDCHMACdFlows INTEGER ::= 8 maxNrOfEDCHMACdFlows-1 INTEGER ::= 7 maxNrOfE-RGCHs-E-HICHs INTEGER ::= 32 maxNrOfEDCH-HARQ-PO-QUANTSTEPs INTEGER ::= 6 maxNrOfEDCHHARQProcesses2msEDCH INTEGER ::= 8 maxNrOfEDPCCH-PO-QUANTSTEPs INTEGER ::= 8 maxNrOfBits-MACe-PDU-non-scheduled INTEGER ::= 19982 maxNrOfRefETFCIs INTEGER ::= 8 maxNrOfRefETFCI-PO-QUANTSTEPs INTEGER ::= 29 maxNrofSigSeqRGHI-1 INTEGER ::= 39 maxNoOfLogicalChannels INTEGER ::= 16 -- only maximum 15 can be used maxNrOfCombEDPDCH INTEGER ::= 12 maxE-RUCCHCell INTEGER ::= 16 maxNrOfEAGCHCodes INTEGER ::= 4 maxNrOfRefBetas INTEGER ::= 8 maxNrOfE-PUCHSlots INTEGER ::= 13 maxNrOfEAGCHs INTEGER ::= 32 maxNrOfHS-DSCH-TBSs-HS-SCCHless INTEGER ::= 4 maxNrOfHS-DSCH-TBSs INTEGER ::= 90 maxNrOfEHICHCodes INTEGER ::= 4 maxNrOfE-PUCHSlotsLCR INTEGER ::= 5 maxNrOfEPUCHcodes INTEGER ::= 16 maxNrOfEHICHs INTEGER ::= 32 maxNrOfCommonMACFlows INTEGER ::= 8 maxNrOfCommonMACFlows-1 INTEGER ::= 7 maxNrOfPagingMACFlow INTEGER ::= 4 maxNrOfPagingMACFlow-1 INTEGER ::= 3 maxNrOfcommonMACQueues INTEGER ::= 8 maxNrOfpagingMACQueues INTEGER ::= 8 maxNrOfHS-DSCHTBSsE-PCH INTEGER ::= 2 maxGANSSSat INTEGER ::= 64 maxNoGANSS INTEGER ::= 8 maxSgnType INTEGER ::= 8 maxFrequencyinCell INTEGER ::= 12 maxFrequencyinCell-1 INTEGER ::= 11 maxHSDPAFrequency INTEGER ::= 8 maxHSDPAFrequency-1 INTEGER ::= 7 maxNrOfHSSCCHsinExt INTEGER ::= 224 maxGANSSSatAlmanac INTEGER ::= 36 maxGANSSClockMod INTEGER ::= 4 maxNrOfEDCHRLs INTEGER ::= 4 maxERNTItoRelease INTEGER ::= 256 maxNrOfCommonEDCH INTEGER ::= 32 maxNrOfCommonMACFlowsLCR INTEGER ::= 256 maxNrOfCommonMACFlowsLCR-1 INTEGER ::= 255 maxNrOfHSSCCHsLCR INTEGER ::= 256 maxNrOfEDCHMACdFlowsLCR INTEGER ::= 256 maxNrOfEDCHMACdFlowsLCR-1 INTEGER ::= 255 maxNrOfEAGCHsLCR INTEGER ::= 256 maxNrOfEHICHsLCR INTEGER ::= 256 maxnrofERUCCHsLCR INTEGER ::= 32 maxNrOfHSDSCH-1 INTEGER ::= 32 maxNrOfHSDSCH INTEGER ::= 33 maxGANSS-1 INTEGER ::= 7 maxNoOfTBSs-Mapping-HS-DSCH-SPS INTEGER ::= 4 maxNoOfTBSs-Mapping-HS-DSCH-SPS-1 INTEGER ::= 3 maxNoOfHS-DSCH-TBSsLCR INTEGER ::= 64 maxNoOfRepetition-Period-LCR INTEGER ::= 4 maxNoOfRepetitionPeriod-SPS-LCR-1 INTEGER ::= 3 maxNoOf-HS-SICH-SPS INTEGER ::= 4 maxNoOf-HS-SICH-SPS-1 INTEGER ::= 3 maxNoOfNon-HS-SCCH-Assosiated-HS-SICH INTEGER ::= 4 maxNoOfNon-HS-SCCH-Assosiated-HS-SICH-Ext INTEGER ::= 44 maxMBMSServiceSelect INTEGER ::= 256 maxNrOfCellPortionsPerCellLCR INTEGER ::= 256 maxNrOfCellPortionsPerCellLCR-1 INTEGER ::= 255 maxNrOfEDCH-1 INTEGER ::= 32 maxNoOfCommonH-RNTI INTEGER ::= 256 maxNrOfCommonMACFlowsLCRExt INTEGER ::= 248 -- maxNrOfCommonMACFlowsLCR-maxNrOfCommonMACFlows maxofERNTI INTEGER ::= 256 maxNrOfDCHMeasurementOccasionPatternSequence INTEGER ::= 6 -- ************************************************************** -- -- IEs -- -- ************************************************************** id-AICH-Information ProtocolIE-ID ::= 0 id-AICH-InformationItem-ResourceStatusInd ProtocolIE-ID ::= 1 id-BCH-Information ProtocolIE-ID ::= 7 id-BCH-InformationItem-ResourceStatusInd ProtocolIE-ID ::= 8 id-BCCH-ModificationTime ProtocolIE-ID ::= 9 id-BlockingPriorityIndicator ProtocolIE-ID ::= 10 id-Cause ProtocolIE-ID ::= 13 id-CCP-InformationItem-AuditRsp ProtocolIE-ID ::= 14 id-CCP-InformationList-AuditRsp ProtocolIE-ID ::= 15 id-CCP-InformationItem-ResourceStatusInd ProtocolIE-ID ::= 16 id-Cell-InformationItem-AuditRsp ProtocolIE-ID ::= 17 id-Cell-InformationItem-ResourceStatusInd ProtocolIE-ID ::= 18 id-Cell-InformationList-AuditRsp ProtocolIE-ID ::= 19 id-CellParameterID ProtocolIE-ID ::= 23 id-CFN ProtocolIE-ID ::= 24 id-C-ID ProtocolIE-ID ::= 25 -- WS extension to fill the range id-Unknown-38 ProtocolIE-ID ::= 38 id-CommonMeasurementAccuracy ProtocolIE-ID ::= 39 id-CommonMeasurementObjectType-CM-Rprt ProtocolIE-ID ::= 31 id-CommonMeasurementObjectType-CM-Rqst ProtocolIE-ID ::= 32 id-CommonMeasurementObjectType-CM-Rsp ProtocolIE-ID ::= 33 id-CommonMeasurementType ProtocolIE-ID ::= 34 id-CommonPhysicalChannelID ProtocolIE-ID ::= 35 id-CommonPhysicalChannelType-CTCH-SetupRqstFDD ProtocolIE-ID ::= 36 id-CommonPhysicalChannelType-CTCH-SetupRqstTDD ProtocolIE-ID ::= 37 id-CommunicationControlPortID ProtocolIE-ID ::= 40 id-ConfigurationGenerationID ProtocolIE-ID ::= 43 id-CRNC-CommunicationContextID ProtocolIE-ID ::= 44 id-CriticalityDiagnostics ProtocolIE-ID ::= 45 id-DCHs-to-Add-FDD ProtocolIE-ID ::= 48 id-DCH-AddList-RL-ReconfPrepTDD ProtocolIE-ID ::= 49 id-DCHs-to-Add-TDD ProtocolIE-ID ::= 50 id-DCH-DeleteList-RL-ReconfPrepFDD ProtocolIE-ID ::= 52 id-DCH-DeleteList-RL-ReconfPrepTDD ProtocolIE-ID ::= 53 id-DCH-DeleteList-RL-ReconfRqstFDD ProtocolIE-ID ::= 54 id-DCH-DeleteList-RL-ReconfRqstTDD ProtocolIE-ID ::= 55 id-DCH-FDD-Information ProtocolIE-ID ::= 56 id-DCH-TDD-Information ProtocolIE-ID ::= 57 id-DCH-InformationResponse ProtocolIE-ID ::= 59 -- WS extension to fill the range id-Unknown-60 ProtocolIE-ID ::= 60 id-Unknown-61 ProtocolIE-ID ::= 61 id-FDD-DCHs-to-Modify ProtocolIE-ID ::= 62 id-TDD-DCHs-to-Modify ProtocolIE-ID ::= 63 id-DCH-ModifyList-RL-ReconfRqstTDD ProtocolIE-ID ::= 65 id-DCH-RearrangeList-Bearer-RearrangeInd ProtocolIE-ID ::= 135 id-DedicatedMeasurementObjectType-DM-Rprt ProtocolIE-ID ::= 67 id-DedicatedMeasurementObjectType-DM-Rqst ProtocolIE-ID ::= 68 id-DedicatedMeasurementObjectType-DM-Rsp ProtocolIE-ID ::= 69 id-DedicatedMeasurementType ProtocolIE-ID ::= 70 -- WS extension to fill the range id-Unknown-71 ProtocolIE-ID ::= 71 id-DL-CCTrCH-InformationItem-RL-SetupRqstTDD ProtocolIE-ID ::= 72 id-DL-CCTrCH-InformationList-RL-AdditionRqstTDD ProtocolIE-ID ::= 73 id-DL-CCTrCH-InformationList-RL-SetupRqstTDD ProtocolIE-ID ::= 76 -- WS extension to fill the range id-Unknown-75 ProtocolIE-ID ::= 75 id-DL-DPCH-InformationItem-RL-AdditionRqstTDD ProtocolIE-ID ::= 77 id-DL-DPCH-InformationList-RL-SetupRqstTDD ProtocolIE-ID ::= 79 -- WS extension to fill the range id-Unknown-80 ProtocolIE-ID ::= 80 id-DL-DPCH-Information-RL-ReconfPrepFDD ProtocolIE-ID ::= 81 id-DL-DPCH-Information-RL-ReconfRqstFDD ProtocolIE-ID ::= 82 id-DL-DPCH-Information-RL-SetupRqstFDD ProtocolIE-ID ::= 83 id-DL-DPCH-TimingAdjustment ProtocolIE-ID ::= 21 id-DL-ReferencePowerInformationItem-DL-PC-Rqst ProtocolIE-ID ::= 84 id-DLReferencePower ProtocolIE-ID ::= 85 id-DLReferencePowerList-DL-PC-Rqst ProtocolIE-ID ::= 86 id-Unused-ProtocolIE-ID-87 ProtocolIE-ID ::= 87 -- WS extension to fill the range id-Unknown-88 ProtocolIE-ID ::= 88 id-Unused-ProtocolIE-ID-89 ProtocolIE-ID ::= 89 id-Unused-ProtocolIE-ID-91 ProtocolIE-ID ::= 91 -- WS extension to fill the range id-Unknown-92 ProtocolIE-ID ::= 92 id-Unused-ProtocolIE-ID-93 ProtocolIE-ID ::= 93 -- WS extension to fill the range id-Unknown-95 ProtocolIE-ID ::= 95 id-DSCHs-to-Add-TDD ProtocolIE-ID ::= 96 id-DSCH-Information-DeleteList-RL-ReconfPrepTDD ProtocolIE-ID ::= 98 id-DSCH-Information-ModifyList-RL-ReconfPrepTDD ProtocolIE-ID ::= 100 id-DSCH-InformationResponse ProtocolIE-ID ::= 105 id-Unused-ProtocolIE-ID-106 ProtocolIE-ID ::= 106 id-DSCH-TDD-Information ProtocolIE-ID ::= 107 id-Unused-ProtocolIE-ID-108 ProtocolIE-ID ::= 108 -- WS extension to fill the range id-Unknown-109 ProtocolIE-ID ::= 109 id-Unused-ProtocolIE-ID-112 ProtocolIE-ID ::= 112 id-DSCH-RearrangeList-Bearer-RearrangeInd ProtocolIE-ID ::= 136 id-End-Of-Audit-Sequence-Indicator ProtocolIE-ID ::= 113 id-FACH-Information ProtocolIE-ID ::= 116 id-FACH-InformationItem-ResourceStatusInd ProtocolIE-ID ::= 117 -- WS extension to fill the range id-Unknown-118 ProtocolIE-ID ::= 118 id-FACH-ParametersList-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 120 id-FACH-ParametersListIE-CTCH-SetupRqstFDD ProtocolIE-ID ::= 121 id-FACH-ParametersListIE-CTCH-SetupRqstTDD ProtocolIE-ID ::= 122 id-IndicationType-ResourceStatusInd ProtocolIE-ID ::= 123 id-Local-Cell-ID ProtocolIE-ID ::= 124 id-Local-Cell-Group-InformationItem-AuditRsp ProtocolIE-ID ::= 2 id-Local-Cell-Group-InformationItem-ResourceStatusInd ProtocolIE-ID ::= 3 id-Local-Cell-Group-InformationItem2-ResourceStatusInd ProtocolIE-ID ::= 4 id-Local-Cell-Group-InformationList-AuditRsp ProtocolIE-ID ::= 5 id-Local-Cell-InformationItem-AuditRsp ProtocolIE-ID ::= 125 id-Local-Cell-InformationItem-ResourceStatusInd ProtocolIE-ID ::= 126 id-Local-Cell-InformationItem2-ResourceStatusInd ProtocolIE-ID ::= 127 id-Local-Cell-InformationList-AuditRsp ProtocolIE-ID ::= 128 id-AdjustmentPeriod ProtocolIE-ID ::= 129 id-MaxAdjustmentStep ProtocolIE-ID ::= 130 id-MaximumTransmissionPower ProtocolIE-ID ::= 131 id-MeasurementFilterCoefficient ProtocolIE-ID ::= 132 id-MeasurementID ProtocolIE-ID ::= 133 id-MessageStructure ProtocolIE-ID ::= 115 id-MIB-SB-SIB-InformationList-SystemInfoUpdateRqst ProtocolIE-ID ::= 134 -- WS extension to fill the range id-Unknown-137 ProtocolIE-ID ::= 137 id-Unknown-140 ProtocolIE-ID ::= 140 id-NodeB-CommunicationContextID ProtocolIE-ID ::= 143 id-NeighbouringCellMeasurementInformation ProtocolIE-ID ::= 455 id-P-CCPCH-Information ProtocolIE-ID ::= 144 id-P-CCPCH-InformationItem-ResourceStatusInd ProtocolIE-ID ::= 145 id-P-CPICH-Information ProtocolIE-ID ::= 146 id-P-CPICH-InformationItem-ResourceStatusInd ProtocolIE-ID ::= 147 id-P-SCH-Information ProtocolIE-ID ::= 148 -- WS extension to fill the range id-Unknown-149 ProtocolIE-ID ::= 149 id-PCCPCH-Information-Cell-ReconfRqstTDD ProtocolIE-ID ::= 150 id-PCCPCH-Information-Cell-SetupRqstTDD ProtocolIE-ID ::= 151 -- WS extension to fill the range id-Unknown-152 ProtocolIE-ID ::= 152 id-Unknown-153 ProtocolIE-ID ::= 153 id-PCH-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 155 id-PCH-ParametersItem-CTCH-SetupRqstFDD ProtocolIE-ID ::= 156 id-PCH-ParametersItem-CTCH-SetupRqstTDD ProtocolIE-ID ::= 157 id-PCH-Information ProtocolIE-ID ::= 158 -- WS extension to fill the range id-Unknown-159 ProtocolIE-ID ::= 159 id-Unknown-160 ProtocolIE-ID ::= 160 id-PDSCH-Information-AddListIE-PSCH-ReconfRqst ProtocolIE-ID ::= 161 id-PDSCH-Information-ModifyListIE-PSCH-ReconfRqst ProtocolIE-ID ::= 162 id-PDSCHSets-AddList-PSCH-ReconfRqst ProtocolIE-ID ::= 163 id-PDSCHSets-DeleteList-PSCH-ReconfRqst ProtocolIE-ID ::= 164 id-PDSCHSets-ModifyList-PSCH-ReconfRqst ProtocolIE-ID ::= 165 id-PICH-Information ProtocolIE-ID ::= 166 id-PICH-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 168 id-PowerAdjustmentType ProtocolIE-ID ::= 169 id-PRACH-Information ProtocolIE-ID ::= 170 -- WS extension to fill the range id-Unknown-171 ProtocolIE-ID ::= 171 id-Unknown-172 ProtocolIE-ID ::= 172 id-Unknown-173 ProtocolIE-ID ::= 173 id-PrimaryCCPCH-Information-Cell-ReconfRqstFDD ProtocolIE-ID ::= 175 id-PrimaryCCPCH-Information-Cell-SetupRqstFDD ProtocolIE-ID ::= 176 id-PrimaryCPICH-Information-Cell-ReconfRqstFDD ProtocolIE-ID ::= 177 id-PrimaryCPICH-Information-Cell-SetupRqstFDD ProtocolIE-ID ::= 178 id-PrimarySCH-Information-Cell-ReconfRqstFDD ProtocolIE-ID ::= 179 id-PrimarySCH-Information-Cell-SetupRqstFDD ProtocolIE-ID ::= 180 id-PrimaryScramblingCode ProtocolIE-ID ::= 181 -- WS extension to fill the range id-Unknown-182 ProtocolIE-ID ::= 182 id-SCH-Information-Cell-ReconfRqstTDD ProtocolIE-ID ::= 183 id-SCH-Information-Cell-SetupRqstTDD ProtocolIE-ID ::= 184 id-PUSCH-Information-AddListIE-PSCH-ReconfRqst ProtocolIE-ID ::= 185 id-PUSCH-Information-ModifyListIE-PSCH-ReconfRqst ProtocolIE-ID ::= 186 id-PUSCHSets-AddList-PSCH-ReconfRqst ProtocolIE-ID ::= 187 id-PUSCHSets-DeleteList-PSCH-ReconfRqst ProtocolIE-ID ::= 188 id-PUSCHSets-ModifyList-PSCH-ReconfRqst ProtocolIE-ID ::= 189 id-RACH-Information ProtocolIE-ID ::= 190 -- WS extension to fill the range id-Unknown-191 ProtocolIE-ID ::= 191 id-Unknown-192 ProtocolIE-ID ::= 192 id-Unknown-193 ProtocolIE-ID ::= 193 id-Unknown-194 ProtocolIE-ID ::= 194 id-Unknown-195 ProtocolIE-ID ::= 195 id-RACH-ParametersItem-CTCH-SetupRqstFDD ProtocolIE-ID ::= 196 id-RACH-ParameterItem-CTCH-SetupRqstTDD ProtocolIE-ID ::= 197 id-ReportCharacteristics ProtocolIE-ID ::= 198 id-Reporting-Object-RL-FailureInd ProtocolIE-ID ::= 199 id-Reporting-Object-RL-RestoreInd ProtocolIE-ID ::= 200 -- WS extension to fill the range id-Unknown-201 ProtocolIE-ID ::= 201 id-RL-InformationItem-DM-Rprt ProtocolIE-ID ::= 202 id-RL-InformationItem-DM-Rqst ProtocolIE-ID ::= 203 id-RL-InformationItem-DM-Rsp ProtocolIE-ID ::= 204 id-RL-InformationItem-RL-AdditionRqstFDD ProtocolIE-ID ::= 205 id-RL-informationItem-RL-DeletionRqst ProtocolIE-ID ::= 206 id-RL-InformationItem-RL-FailureInd ProtocolIE-ID ::= 207 id-RL-InformationItem-RL-PreemptRequiredInd ProtocolIE-ID ::= 286 id-RL-InformationItem-RL-ReconfPrepFDD ProtocolIE-ID ::= 208 id-RL-InformationItem-RL-ReconfRqstFDD ProtocolIE-ID ::= 209 id-RL-InformationItem-RL-RestoreInd ProtocolIE-ID ::= 210 id-RL-InformationItem-RL-SetupRqstFDD ProtocolIE-ID ::= 211 id-RL-InformationList-RL-AdditionRqstFDD ProtocolIE-ID ::= 212 id-RL-informationList-RL-DeletionRqst ProtocolIE-ID ::= 213 id-RL-InformationList-RL-PreemptRequiredInd ProtocolIE-ID ::= 237 id-RL-InformationList-RL-ReconfPrepFDD ProtocolIE-ID ::= 214 id-RL-InformationList-RL-ReconfRqstFDD ProtocolIE-ID ::= 215 id-RL-InformationList-RL-SetupRqstFDD ProtocolIE-ID ::= 216 id-RL-InformationResponseItem-RL-AdditionRspFDD ProtocolIE-ID ::= 217 id-RL-InformationResponseItem-RL-ReconfReady ProtocolIE-ID ::= 218 id-RL-InformationResponseItem-RL-ReconfRsp ProtocolIE-ID ::= 219 id-RL-InformationResponseItem-RL-SetupRspFDD ProtocolIE-ID ::= 220 id-RL-InformationResponseList-RL-AdditionRspFDD ProtocolIE-ID ::= 221 id-RL-InformationResponseList-RL-ReconfReady ProtocolIE-ID ::= 222 id-RL-InformationResponseList-RL-ReconfRsp ProtocolIE-ID ::= 223 id-RL-InformationResponseList-RL-SetupRspFDD ProtocolIE-ID ::= 224 id-RL-InformationResponse-RL-AdditionRspTDD ProtocolIE-ID ::= 225 id-RL-InformationResponse-RL-SetupRspTDD ProtocolIE-ID ::= 226 id-RL-Information-RL-AdditionRqstTDD ProtocolIE-ID ::= 227 id-RL-Information-RL-ReconfRqstTDD ProtocolIE-ID ::= 228 id-RL-Information-RL-ReconfPrepTDD ProtocolIE-ID ::= 229 id-RL-Information-RL-SetupRqstTDD ProtocolIE-ID ::= 230 id-RL-ReconfigurationFailureItem-RL-ReconfFailure ProtocolIE-ID ::= 236 id-RL-Set-InformationItem-DM-Rprt ProtocolIE-ID ::= 238 -- WS extension to fill the range id-Unknown-239 ProtocolIE-ID ::= 239 id-RL-Set-InformationItem-DM-Rsp ProtocolIE-ID ::= 240 id-RL-Set-InformationItem-RL-FailureInd ProtocolIE-ID ::= 241 id-RL-Set-InformationItem-RL-RestoreInd ProtocolIE-ID ::= 242 -- WS extension to fill the range id-Unknown-243 ProtocolIE-ID ::= 243 id-Unknown-244 ProtocolIE-ID ::= 244 id-Unknown-245 ProtocolIE-ID ::= 245 id-Unknown-246 ProtocolIE-ID ::= 246 id-S-CCPCH-Information ProtocolIE-ID ::= 247 -- WS extension to fill the range id-Unknown-248 ProtocolIE-ID ::= 248 id-S-CPICH-Information ProtocolIE-ID ::= 249 -- WS extension to fill the range id-Unknown-250 ProtocolIE-ID ::= 250 id-SCH-Information ProtocolIE-ID ::= 251 -- WS extension to fill the range id-Unknown-252 ProtocolIE-ID ::= 252 id-S-SCH-Information ProtocolIE-ID ::= 253 -- WS extension to fill the range id-Unknown-254 ProtocolIE-ID ::= 254 id-Unknown-255 ProtocolIE-ID ::= 255 id-Unknown-256 ProtocolIE-ID ::= 256 id-Secondary-CCPCHListIE-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 257 id-Secondary-CCPCH-parameterListIE-CTCH-SetupRqstTDD ProtocolIE-ID ::= 258 id-Secondary-CCPCH-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 259 id-SecondaryCPICH-InformationItem-Cell-ReconfRqstFDD ProtocolIE-ID ::= 260 id-SecondaryCPICH-InformationItem-Cell-SetupRqstFDD ProtocolIE-ID ::= 261 id-SecondaryCPICH-InformationList-Cell-ReconfRqstFDD ProtocolIE-ID ::= 262 id-SecondaryCPICH-InformationList-Cell-SetupRqstFDD ProtocolIE-ID ::= 263 id-SecondarySCH-Information-Cell-ReconfRqstFDD ProtocolIE-ID ::= 264 id-SecondarySCH-Information-Cell-SetupRqstFDD ProtocolIE-ID ::= 265 id-SegmentInformationListIE-SystemInfoUpdate ProtocolIE-ID ::= 266 -- WS extension to fill the range id-Unknown-267 ProtocolIE-ID ::= 267 id-SFN ProtocolIE-ID ::= 268 id-SignallingBearerRequestIndicator ProtocolIE-ID ::= 138 id-ShutdownTimer ProtocolIE-ID ::= 269 id-Start-Of-Audit-Sequence-Indicator ProtocolIE-ID ::= 114 id-Successful-RL-InformationRespItem-RL-AdditionFailureFDD ProtocolIE-ID ::= 270 id-Successful-RL-InformationRespItem-RL-SetupFailureFDD ProtocolIE-ID ::= 271 -- WS extension to fill the range id-Unknown-272 ProtocolIE-ID ::= 272 id-Unknown-273 ProtocolIE-ID ::= 273 id-SyncCase ProtocolIE-ID ::= 274 id-SyncCaseIndicatorItem-Cell-SetupRqstTDD-PSCH ProtocolIE-ID ::= 275 id-T-Cell ProtocolIE-ID ::= 276 id-TargetCommunicationControlPortID ProtocolIE-ID ::= 139 id-TimeSlotConfigurationList-Cell-ReconfRqstTDD ProtocolIE-ID ::= 277 id-TimeSlotConfigurationList-Cell-SetupRqstTDD ProtocolIE-ID ::= 278 id-TransmissionDiversityApplied ProtocolIE-ID ::= 279 id-TypeOfError ProtocolIE-ID ::= 508 id-UARFCNforNt ProtocolIE-ID ::= 280 id-UARFCNforNd ProtocolIE-ID ::= 281 id-UARFCNforNu ProtocolIE-ID ::= 282 id-UL-CCTrCH-InformationItem-RL-SetupRqstTDD ProtocolIE-ID ::= 284 id-UL-CCTrCH-InformationList-RL-AdditionRqstTDD ProtocolIE-ID ::= 285 id-UL-CCTrCH-InformationList-RL-SetupRqstTDD ProtocolIE-ID ::= 288 id-UL-DPCH-InformationItem-RL-AdditionRqstTDD ProtocolIE-ID ::= 289 id-UL-DPCH-InformationList-RL-SetupRqstTDD ProtocolIE-ID ::= 291 id-UL-DPCH-Information-RL-ReconfPrepFDD ProtocolIE-ID ::= 293 id-UL-DPCH-Information-RL-ReconfRqstFDD ProtocolIE-ID ::= 294 id-UL-DPCH-Information-RL-SetupRqstFDD ProtocolIE-ID ::= 295 id-Unsuccessful-RL-InformationRespItem-RL-AdditionFailureFDD ProtocolIE-ID ::= 296 id-Unsuccessful-RL-InformationRespItem-RL-SetupFailureFDD ProtocolIE-ID ::= 297 -- WS extension to fill the range id-Unknown-298 ProtocolIE-ID ::= 298 id-Unknown-299 ProtocolIE-ID ::= 299 id-Unsuccessful-RL-InformationResp-RL-AdditionFailureTDD ProtocolIE-ID ::= 300 id-Unsuccessful-RL-InformationResp-RL-SetupFailureTDD ProtocolIE-ID ::= 301 id-USCH-Information-Add ProtocolIE-ID ::= 302 -- WS extension to fill the range id-Unknown-303 ProtocolIE-ID ::= 303 id-USCH-Information-DeleteList-RL-ReconfPrepTDD ProtocolIE-ID ::= 304 -- WS extension to fill the range id-Unknown-305 ProtocolIE-ID ::= 305 id-USCH-Information-ModifyList-RL-ReconfPrepTDD ProtocolIE-ID ::= 306 -- WS extension to fill the range id-Unknown-307 ProtocolIE-ID ::= 307 id-Unknown-308 ProtocolIE-ID ::= 308 id-USCH-InformationResponse ProtocolIE-ID ::= 309 id-USCH-Information ProtocolIE-ID ::= 310 id-USCH-RearrangeList-Bearer-RearrangeInd ProtocolIE-ID ::= 141 -- WS extension to fill the range id-Unknown-313 ProtocolIE-ID ::= 313 id-Active-Pattern-Sequence-Information ProtocolIE-ID ::= 315 id-AICH-ParametersListIE-CTCH-ReconfRqstFDD ProtocolIE-ID ::= 316 id-AdjustmentRatio ProtocolIE-ID ::= 317 -- WS extension to fill the range id-Unknown-318 ProtocolIE-ID ::= 318 id-Unknown-319 ProtocolIE-ID ::= 319 id-Not-Used-320 ProtocolIE-ID ::= 320 -- WS extension to fill the range id-Unknown-321 ProtocolIE-ID ::= 321 id-Not-Used-322 ProtocolIE-ID ::= 322 id-FACH-ParametersListIE-CTCH-ReconfRqstFDD ProtocolIE-ID ::= 323 id-CauseLevel-PSCH-ReconfFailure ProtocolIE-ID ::= 324 id-CauseLevel-RL-AdditionFailureFDD ProtocolIE-ID ::= 325 id-CauseLevel-RL-AdditionFailureTDD ProtocolIE-ID ::= 326 id-CauseLevel-RL-ReconfFailure ProtocolIE-ID ::= 327 id-CauseLevel-RL-SetupFailureFDD ProtocolIE-ID ::= 328 id-CauseLevel-RL-SetupFailureTDD ProtocolIE-ID ::= 329 id-Not-Used-330 ProtocolIE-ID ::= 330 -- WS extension to fill the range id-Unknown-331 ProtocolIE-ID ::= 331 id-Not-Used-332 ProtocolIE-ID ::= 332 id-Closed-Loop-Timing-Adjustment-Mode ProtocolIE-ID ::= 333 id-CommonPhysicalChannelType-CTCH-ReconfRqstFDD ProtocolIE-ID ::= 334 id-Compressed-Mode-Deactivation-Flag ProtocolIE-ID ::= 335 id-Not-Used-336 ProtocolIE-ID ::= 336 -- WS extension to fill the range id-Unknown-337 ProtocolIE-ID ::= 337 id-Unknown-338 ProtocolIE-ID ::= 338 id-Unknown-339 ProtocolIE-ID ::= 339 id-Unknown-340 ProtocolIE-ID ::= 340 id-Unknown-341 ProtocolIE-ID ::= 341 id-Not-Used-342 ProtocolIE-ID ::= 342 id-Not-Used-343 ProtocolIE-ID ::= 343 -- WS extension to fill the range id-Unknown-344 ProtocolIE-ID ::= 344 id-Unknown-345 ProtocolIE-ID ::= 345 id-DL-CCTrCH-InformationAddList-RL-ReconfPrepTDD ProtocolIE-ID ::= 346 id-DL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD ProtocolIE-ID ::= 347 id-DL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD ProtocolIE-ID ::= 348 id-DL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD ProtocolIE-ID ::= 349 id-DL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD ProtocolIE-ID ::= 350 id-DL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD ProtocolIE-ID ::= 351 id-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD ProtocolIE-ID ::= 352 id-DL-DPCH-InformationAddListIE-RL-ReconfPrepTDD ProtocolIE-ID ::= 353 -- WS extension to fill the range id-Unknown-354 ProtocolIE-ID ::= 354 id-DL-DPCH-InformationModify-AddListIE-RL-ReconfPrepTDD ProtocolIE-ID ::= 355 id-DL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD ProtocolIE-ID ::= 356 id-DL-DPCH-InformationModify-ModifyListIE-RL-ReconfPrepTDD ProtocolIE-ID ::= 357 id-DL-TPC-Pattern01Count ProtocolIE-ID ::= 358 id-DPC-Mode ProtocolIE-ID ::= 450 id-DPCHConstant ProtocolIE-ID ::= 359 id-Unused-ProtocolIE-ID-94 ProtocolIE-ID ::= 94 id-Unused-ProtocolIE-ID-110 ProtocolIE-ID ::= 110 id-Unused-ProtocolIE-ID-111 ProtocolIE-ID ::= 111 -- WS extension to fill the range id-Unknown-360 ProtocolIE-ID ::= 360 id-Unknown-361 ProtocolIE-ID ::= 361 id-FACH-ParametersList-CTCH-SetupRsp ProtocolIE-ID ::= 362 -- WS extension to fill the range id-Unknown-363 ProtocolIE-ID ::= 363 id-Unknown-364 ProtocolIE-ID ::= 364 id-Unknown-365 ProtocolIE-ID ::= 365 id-Unknown-366 ProtocolIE-ID ::= 366 id-Unknown-367 ProtocolIE-ID ::= 367 id-Unknown-368 ProtocolIE-ID ::= 368 id-Limited-power-increase-information-Cell-SetupRqstFDD ProtocolIE-ID ::= 369 -- WS extension to fill the range id-Unknown-370 ProtocolIE-ID ::= 370 id-Unknown-371 ProtocolIE-ID ::= 371 id-Unknown-372 ProtocolIE-ID ::= 372 id-Unknown-373 ProtocolIE-ID ::= 373 id-PCH-Parameters-CTCH-SetupRsp ProtocolIE-ID ::= 374 id-PCH-ParametersItem-CTCH-ReconfRqstFDD ProtocolIE-ID ::= 375 id-Not-Used-376 ProtocolIE-ID ::= 376 -- WS extension to fill the range id-Unknown-377 ProtocolIE-ID ::= 377 id-Unknown-378 ProtocolIE-ID ::= 378 id-Unknown-379 ProtocolIE-ID ::= 379 id-PICH-ParametersItem-CTCH-ReconfRqstFDD ProtocolIE-ID ::= 380 id-PRACHConstant ProtocolIE-ID ::= 381 -- WS extension to fill the range id-Unknown-382 ProtocolIE-ID ::= 382 id-PRACH-ParametersListIE-CTCH-ReconfRqstFDD ProtocolIE-ID ::= 383 id-PUSCHConstant ProtocolIE-ID ::= 384 id-RACH-Parameters-CTCH-SetupRsp ProtocolIE-ID ::= 385 -- WS extension to fill the range id-Unknown-386 ProtocolIE-ID ::= 386 id-Unknown-387 ProtocolIE-ID ::= 387 id-Unknown-388 ProtocolIE-ID ::= 388 id-Unknown-389 ProtocolIE-ID ::= 389 id-Unknown-390 ProtocolIE-ID ::= 390 id-Unknown-391 ProtocolIE-ID ::= 391 id-Unknown-392 ProtocolIE-ID ::= 392 id-Unused-ProtocolIE-ID-443 ProtocolIE-ID ::= 443 id-Synchronisation-Configuration-Cell-ReconfRqst ProtocolIE-ID ::= 393 id-Synchronisation-Configuration-Cell-SetupRqst ProtocolIE-ID ::= 394 id-Transmission-Gap-Pattern-Sequence-Information ProtocolIE-ID ::= 395 id-UL-CCTrCH-InformationAddList-RL-ReconfPrepTDD ProtocolIE-ID ::= 396 id-UL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD ProtocolIE-ID ::= 397 id-UL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD ProtocolIE-ID ::= 398 id-UL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD ProtocolIE-ID ::= 399 id-UL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD ProtocolIE-ID ::= 400 id-UL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD ProtocolIE-ID ::= 401 id-UL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD ProtocolIE-ID ::= 402 id-UL-DPCH-InformationAddListIE-RL-ReconfPrepTDD ProtocolIE-ID ::= 403 -- WS extension to fill the range id-Unknown-404 ProtocolIE-ID ::= 404 id-UL-DPCH-InformationModify-AddListIE-RL-ReconfPrepTDD ProtocolIE-ID ::= 405 id-UL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD ProtocolIE-ID ::= 406 id-UL-DPCH-InformationModify-ModifyListIE-RL-ReconfPrepTDD ProtocolIE-ID ::= 407 id-Unsuccessful-PDSCHSetItem-PSCH-ReconfFailureTDD ProtocolIE-ID ::= 408 id-Unsuccessful-PUSCHSetItem-PSCH-ReconfFailureTDD ProtocolIE-ID ::= 409 -- WS extension to fill the range id-Unknown-410 ProtocolIE-ID ::= 410 id-Unknown-411 ProtocolIE-ID ::= 411 id-CommunicationContextInfoItem-Reset ProtocolIE-ID ::= 412 -- WS extension to fill the range id-Unknown-413 ProtocolIE-ID ::= 413 id-CommunicationControlPortInfoItem-Reset ProtocolIE-ID ::= 414 -- WS extension to fill the range id-Unknown-415 ProtocolIE-ID ::= 415 id-ResetIndicator ProtocolIE-ID ::= 416 id-Unused-ProtocolIE-ID-417 ProtocolIE-ID ::= 417 id-Unused-ProtocolIE-ID-418 ProtocolIE-ID ::= 418 id-Unused-ProtocolIE-ID-419 ProtocolIE-ID ::= 419 id-Unused-ProtocolIE-ID-142 ProtocolIE-ID ::= 142 id-TimingAdvanceApplied ProtocolIE-ID ::= 287 id-CFNReportingIndicator ProtocolIE-ID ::= 6 id-SFNReportingIndicator ProtocolIE-ID ::= 11 id-InnerLoopDLPCStatus ProtocolIE-ID ::= 12 id-TimeslotISCPInfo ProtocolIE-ID ::= 283 id-PICH-ParametersItem-CTCH-SetupRqstTDD ProtocolIE-ID ::= 167 id-PRACH-ParametersItem-CTCH-SetupRqstTDD ProtocolIE-ID ::= 20 id-CCTrCH-InformationItem-RL-FailureInd ProtocolIE-ID ::= 46 id-CCTrCH-InformationItem-RL-RestoreInd ProtocolIE-ID ::= 47 id-CauseLevel-SyncAdjustmntFailureTDD ProtocolIE-ID ::= 420 id-CellAdjustmentInfo-SyncAdjustmntRqstTDD ProtocolIE-ID ::= 421 id-CellAdjustmentInfoItem-SyncAdjustmentRqstTDD ProtocolIE-ID ::= 494 id-CellSyncBurstInfoList-CellSyncReconfRqstTDD ProtocolIE-ID ::= 482 id-CellSyncBurstTransInit-CellSyncInitiationRqstTDD ProtocolIE-ID ::= 422 id-CellSyncBurstMeasureInit-CellSyncInitiationRqstTDD ProtocolIE-ID ::= 423 id-CellSyncBurstTransReconfiguration-CellSyncReconfRqstTDD ProtocolIE-ID ::= 424 id-CellSyncBurstMeasReconfiguration-CellSyncReconfRqstTDD ProtocolIE-ID ::= 425 id-CellSyncBurstTransInfoList-CellSyncReconfRqstTDD ProtocolIE-ID ::= 426 id-CellSyncBurstMeasInfoList-CellSyncReconfRqstTDD ProtocolIE-ID ::= 427 id-CellSyncBurstTransReconfInfo-CellSyncReconfRqstTDD ProtocolIE-ID ::= 428 id-CellSyncInfo-CellSyncReprtTDD ProtocolIE-ID ::= 429 id-CSBTransmissionID ProtocolIE-ID ::= 430 id-CSBMeasurementID ProtocolIE-ID ::= 431 id-IntStdPhCellSyncInfoItem-CellSyncReprtTDD ProtocolIE-ID ::= 432 id-NCyclesPerSFNperiod ProtocolIE-ID ::= 433 id-NRepetitionsPerCyclePeriod ProtocolIE-ID ::= 434 id-SyncFrameNumber ProtocolIE-ID ::= 437 id-SynchronisationReportType ProtocolIE-ID ::= 438 id-SynchronisationReportCharacteristics ProtocolIE-ID ::= 439 id-Unsuccessful-cell-InformationRespItem-SyncAdjustmntFailureTDD ProtocolIE-ID ::= 440 -- WS extension to fill the range id-Unknown-441 ProtocolIE-ID ::= 441 id-Unknown-442 ProtocolIE-ID ::= 442 id-LateEntranceCellSyncInfoItem-CellSyncReprtTDD ProtocolIE-ID ::= 119 id-ReferenceClockAvailability ProtocolIE-ID ::= 435 id-ReferenceSFNoffset ProtocolIE-ID ::= 436 id-InformationExchangeID ProtocolIE-ID ::= 444 id-InformationExchangeObjectType-InfEx-Rqst ProtocolIE-ID ::= 445 id-InformationType ProtocolIE-ID ::= 446 id-InformationReportCharacteristics ProtocolIE-ID ::= 447 id-InformationExchangeObjectType-InfEx-Rsp ProtocolIE-ID ::= 448 id-InformationExchangeObjectType-InfEx-Rprt ProtocolIE-ID ::= 449 id-IPDLParameter-Information-Cell-ReconfRqstFDD ProtocolIE-ID ::= 451 id-IPDLParameter-Information-Cell-SetupRqstFDD ProtocolIE-ID ::= 452 id-IPDLParameter-Information-Cell-ReconfRqstTDD ProtocolIE-ID ::= 453 id-IPDLParameter-Information-Cell-SetupRqstTDD ProtocolIE-ID ::= 454 id-DL-DPCH-LCR-Information-RL-SetupRqstTDD ProtocolIE-ID ::= 74 id-DwPCH-LCR-Information ProtocolIE-ID ::= 78 id-DwPCH-LCR-InformationList-AuditRsp ProtocolIE-ID ::= 90 id-DwPCH-LCR-Information-Cell-SetupRqstTDD ProtocolIE-ID ::= 97 id-DwPCH-LCR-Information-Cell-ReconfRqstTDD ProtocolIE-ID ::= 99 id-DwPCH-LCR-Information-ResourceStatusInd ProtocolIE-ID ::= 101 id-maxFACH-Power-LCR-CTCH-SetupRqstTDD ProtocolIE-ID ::= 154 id-maxFACH-Power-LCR-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 174 id-FPACH-LCR-Information ProtocolIE-ID ::= 290 id-FPACH-LCR-Information-AuditRsp ProtocolIE-ID ::= 292 id-FPACH-LCR-InformationList-AuditRsp ProtocolIE-ID ::= 22 id-FPACH-LCR-InformationList-ResourceStatusInd ProtocolIE-ID ::= 311 id-FPACH-LCR-Parameters-CTCH-SetupRqstTDD ProtocolIE-ID ::= 312 id-FPACH-LCR-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 314 id-PCCPCH-LCR-Information-Cell-SetupRqstTDD ProtocolIE-ID ::= 456 id-PCH-Power-LCR-CTCH-SetupRqstTDD ProtocolIE-ID ::= 457 id-PCH-Power-LCR-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 458 id-PICH-LCR-Parameters-CTCH-SetupRqstTDD ProtocolIE-ID ::= 459 -- WS extension to fill the range id-Unknown-460 ProtocolIE-ID ::= 460 id-PRACH-LCR-ParametersList-CTCH-SetupRqstTDD ProtocolIE-ID ::= 461 -- WS extension to fill the range id-Unknown-462 ProtocolIE-ID ::= 462 id-RL-InformationResponse-LCR-RL-SetupRspTDD ProtocolIE-ID ::= 463 -- WS extension to fill the range id-Unknown-464 ProtocolIE-ID ::= 464 id-Secondary-CCPCH-LCR-parameterList-CTCH-SetupRqstTDD ProtocolIE-ID ::= 465 id-TimeSlot ProtocolIE-ID ::= 495 id-TimeSlotConfigurationList-LCR-Cell-ReconfRqstTDD ProtocolIE-ID ::= 466 id-TimeSlotConfigurationList-LCR-Cell-SetupRqstTDD ProtocolIE-ID ::= 467 id-TimeslotISCP-LCR-InfoList-RL-SetupRqstTDD ProtocolIE-ID ::= 468 id-TimeSlotLCR-CM-Rqst ProtocolIE-ID ::= 469 id-UL-DPCH-LCR-Information-RL-SetupRqstTDD ProtocolIE-ID ::= 470 -- WS extension to fill the range id-Unknown-471 ProtocolIE-ID ::= 471 id-DL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD ProtocolIE-ID ::= 472 id-UL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD ProtocolIE-ID ::= 473 id-TimeslotISCP-InformationList-LCR-RL-AdditionRqstTDD ProtocolIE-ID ::= 474 id-DL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD ProtocolIE-ID ::= 475 -- WS extension to fill the range id-Unknown-476 ProtocolIE-ID ::= 476 id-DL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD ProtocolIE-ID ::= 477 -- WS extension to fill the range id-Unknown-478 ProtocolIE-ID ::= 478 id-DL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD ProtocolIE-ID ::= 479 id-TimeslotISCPInfoList-LCR-DL-PC-RqstTDD ProtocolIE-ID ::= 480 id-UL-DPCH-LCR-InformationAddListIE-RL-ReconfPrepTDD ProtocolIE-ID ::= 481 id-UL-DPCH-LCR-InformationModify-AddList ProtocolIE-ID ::= 483 -- WS extension to fill the range id-Unknown-484 ProtocolIE-ID ::= 484 id-UL-TimeslotLCR-Information-RL-ReconfPrepTDD ProtocolIE-ID ::= 485 id-UL-SIRTarget ProtocolIE-ID ::= 510 id-PDSCH-AddInformation-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 486 id-PDSCH-AddInformation-LCR-AddListIE-PSCH-ReconfRqst ProtocolIE-ID ::= 487 id-Unused-ProtocolIE-ID-26 ProtocolIE-ID ::= 26 id-Unused-ProtocolIE-ID-27 ProtocolIE-ID ::= 27 id-PDSCH-ModifyInformation-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 488 id-PDSCH-ModifyInformation-LCR-ModifyListIE-PSCH-ReconfRqst ProtocolIE-ID ::= 489 id-PUSCH-AddInformation-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 490 id-PUSCH-AddInformation-LCR-AddListIE-PSCH-ReconfRqst ProtocolIE-ID ::= 491 id-PUSCH-ModifyInformation-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 492 id-PUSCH-ModifyInformation-LCR-ModifyListIE-PSCH-ReconfRqst ProtocolIE-ID ::= 493 id-timeslotInfo-CellSyncInitiationRqstTDD ProtocolIE-ID ::= 496 id-SyncReportType-CellSyncReprtTDD ProtocolIE-ID ::= 497 id-Power-Local-Cell-Group-InformationItem-AuditRsp ProtocolIE-ID ::= 498 id-Power-Local-Cell-Group-InformationItem-ResourceStatusInd ProtocolIE-ID ::= 499 id-Power-Local-Cell-Group-InformationItem2-ResourceStatusInd ProtocolIE-ID ::= 500 id-Power-Local-Cell-Group-InformationList-AuditRsp ProtocolIE-ID ::= 501 id-Power-Local-Cell-Group-InformationList-ResourceStatusInd ProtocolIE-ID ::= 502 id-Power-Local-Cell-Group-InformationList2-ResourceStatusInd ProtocolIE-ID ::= 503 id-Power-Local-Cell-Group-ID ProtocolIE-ID ::= 504 id-PUSCH-Info-DM-Rqst ProtocolIE-ID ::= 505 id-PUSCH-Info-DM-Rsp ProtocolIE-ID ::= 506 id-PUSCH-Info-DM-Rprt ProtocolIE-ID ::= 507 id-InitDL-Power ProtocolIE-ID ::= 509 id-cellSyncBurstRepetitionPeriod ProtocolIE-ID ::= 511 id-ReportCharacteristicsType-OnModification ProtocolIE-ID ::= 512 id-SFNSFNMeasurementValueInformation ProtocolIE-ID ::= 513 id-SFNSFNMeasurementThresholdInformation ProtocolIE-ID ::= 514 id-TUTRANGPSMeasurementValueInformation ProtocolIE-ID ::= 515 id-TUTRANGPSMeasurementThresholdInformation ProtocolIE-ID ::= 516 id-Rx-Timing-Deviation-Value-LCR ProtocolIE-ID ::= 520 id-RL-InformationResponse-LCR-RL-AdditionRspTDD ProtocolIE-ID ::= 51 id-DL-PowerBalancing-Information ProtocolIE-ID ::= 28 id-DL-PowerBalancing-ActivationIndicator ProtocolIE-ID ::= 29 id-DL-PowerBalancing-UpdatedIndicator ProtocolIE-ID ::= 30 id-CCTrCH-Initial-DL-Power-RL-SetupRqstTDD ProtocolIE-ID ::= 517 id-CCTrCH-Initial-DL-Power-RL-AdditionRqstTDD ProtocolIE-ID ::= 518 id-CCTrCH-Initial-DL-Power-RL-ReconfPrepTDD ProtocolIE-ID ::= 519 id-IPDLParameter-Information-LCR-Cell-SetupRqstTDD ProtocolIE-ID ::= 41 id-IPDLParameter-Information-LCR-Cell-ReconfRqstTDD ProtocolIE-ID ::= 42 id-HS-PDSCH-HS-SCCH-E-AGCH-E-RGCH-E-HICH-MaxPower-PSCH-ReconfRqst ProtocolIE-ID ::= 522 id-HS-PDSCH-HS-SCCH-ScramblingCode-PSCH-ReconfRqst ProtocolIE-ID ::= 523 id-HS-PDSCH-FDD-Code-Information-PSCH-ReconfRqst ProtocolIE-ID ::= 524 id-HS-SCCH-FDD-Code-Information-PSCH-ReconfRqst ProtocolIE-ID ::= 525 id-HS-PDSCH-TDD-Information-PSCH-ReconfRqst ProtocolIE-ID ::= 526 id-Add-To-HS-SCCH-Resource-Pool-PSCH-ReconfRqst ProtocolIE-ID ::= 527 id-Modify-HS-SCCH-Resource-Pool-PSCH-ReconfRqst ProtocolIE-ID ::= 528 id-Delete-From-HS-SCCH-Resource-Pool-PSCH-ReconfRqst ProtocolIE-ID ::= 529 id-bindingID ProtocolIE-ID ::= 102 id-RL-Specific-DCH-Info ProtocolIE-ID ::= 103 id-transportlayeraddress ProtocolIE-ID ::= 104 id-DelayedActivation ProtocolIE-ID ::= 231 id-DelayedActivationList-RL-ActivationCmdFDD ProtocolIE-ID ::= 232 id-DelayedActivationInformation-RL-ActivationCmdFDD ProtocolIE-ID ::= 233 id-DelayedActivationList-RL-ActivationCmdTDD ProtocolIE-ID ::= 234 id-DelayedActivationInformation-RL-ActivationCmdTDD ProtocolIE-ID ::= 235 id-neighbouringTDDCellMeasurementInformationLCR ProtocolIE-ID ::= 58 id-SYNCDlCodeId-TransInitLCR-CellSyncInitiationRqstTDD ProtocolIE-ID ::= 543 id-SYNCDlCodeId-MeasureInitLCR-CellSyncInitiationRqstTDD ProtocolIE-ID ::= 544 id-SYNCDlCodeIdTransReconfInfoLCR-CellSyncReconfRqstTDD ProtocolIE-ID ::= 545 id-SYNCDlCodeIdMeasReconfigurationLCR-CellSyncReconfRqstTDD ProtocolIE-ID ::= 546 id-SYNCDlCodeIdMeasInfoList-CellSyncReconfRqstTDD ProtocolIE-ID ::= 547 id-SyncDLCodeIdsMeasInfoList-CellSyncReprtTDD ProtocolIE-ID ::= 548 id-SyncDLCodeIdThreInfoLCR ProtocolIE-ID ::= 549 id-NSubCyclesPerCyclePeriod-CellSyncReconfRqstTDD ProtocolIE-ID ::= 550 id-DwPCH-Power ProtocolIE-ID ::= 551 id-AccumulatedClockupdate-CellSyncReprtTDD ProtocolIE-ID ::= 552 id-Angle-Of-Arrival-Value-LCR ProtocolIE-ID ::= 521 id-HSDSCH-FDD-Information ProtocolIE-ID ::= 530 id-HSDSCH-FDD-Information-Response ProtocolIE-ID ::= 531 -- WS extension to fill the range id-Unknown-532 ProtocolIE-ID ::= 532 id-Unknown-533 ProtocolIE-ID ::= 533 id-HSDSCH-Information-to-Modify ProtocolIE-ID ::= 534 id-HSDSCH-RNTI ProtocolIE-ID ::= 535 id-HSDSCH-TDD-Information ProtocolIE-ID ::= 536 id-HSDSCH-TDD-Information-Response ProtocolIE-ID ::= 537 -- WS extension to fill the range id-Unknown-538 ProtocolIE-ID ::= 538 id-Unknown-539 ProtocolIE-ID ::= 539 id-Unknown-540 ProtocolIE-ID ::= 540 id-HSPDSCH-RL-ID ProtocolIE-ID ::= 541 id-PrimCCPCH-RSCP-DL-PC-RqstTDD ProtocolIE-ID ::= 542 id-Unused-ProtocolIE-ID-64 ProtocolIE-ID ::= 64 id-PDSCH-RL-ID ProtocolIE-ID ::= 66 id-HSDSCH-RearrangeList-Bearer-RearrangeInd ProtocolIE-ID ::= 553 id-UL-Synchronisation-Parameters-LCR ProtocolIE-ID ::= 554 id-HSDSCH-FDD-Update-Information ProtocolIE-ID ::= 555 id-HSDSCH-TDD-Update-Information ProtocolIE-ID ::= 556 -- WS extension to fill the range id-Unknown-557 ProtocolIE-ID ::= 557 id-DL-DPCH-TimeSlotFormat-LCR-ModifyItem-RL-ReconfPrepTDD ProtocolIE-ID ::= 558 id-UL-DPCH-TimeSlotFormat-LCR-ModifyItem-RL-ReconfPrepTDD ProtocolIE-ID ::= 559 id-TDD-TPC-UplinkStepSize-LCR-RL-SetupRqstTDD ProtocolIE-ID ::= 560 id-TDD-TPC-UplinkStepSize-LCR-RL-AdditionRqstTDD ProtocolIE-ID ::= 561 id-TDD-TPC-DownlinkStepSize-RL-AdditionRqstTDD ProtocolIE-ID ::= 562 id-TDD-TPC-UplinkStepSize-InformationAdd-LCR-RL-ReconfPrepTDD ProtocolIE-ID ::= 563 id-TDD-TPC-UplinkStepSize-InformationModify-LCR-RL-ReconfPrepTDD ProtocolIE-ID ::= 564 id-TDD-TPC-DownlinkStepSize-InformationModify-RL-ReconfPrepTDD ProtocolIE-ID ::= 565 id-TDD-TPC-DownlinkStepSize-InformationAdd-RL-ReconfPrepTDD ProtocolIE-ID ::= 566 id-CCTrCH-Maximum-DL-Power-RL-SetupRqstTDD ProtocolIE-ID ::= 567 id-CCTrCH-Minimum-DL-Power-RL-SetupRqstTDD ProtocolIE-ID ::= 568 id-CCTrCH-Maximum-DL-Power-RL-AdditionRqstTDD ProtocolIE-ID ::= 569 id-CCTrCH-Minimum-DL-Power-RL-AdditionRqstTDD ProtocolIE-ID ::= 570 id-CCTrCH-Maximum-DL-Power-InformationAdd-RL-ReconfPrepTDD ProtocolIE-ID ::= 571 id-CCTrCH-Minimum-DL-Power-InformationAdd-RL-ReconfPrepTDD ProtocolIE-ID ::= 572 id-CCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfPrepTDD ProtocolIE-ID ::= 573 id-CCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfPrepTDD ProtocolIE-ID ::= 574 id-Maximum-DL-Power-Modify-LCR-InformationModify-RL-ReconfPrepTDD ProtocolIE-ID ::= 575 id-Minimum-DL-Power-Modify-LCR-InformationModify-RL-ReconfPrepTDD ProtocolIE-ID ::= 576 id-DL-DPCH-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD ProtocolIE-ID ::= 577 id-CCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfRqstTDD ProtocolIE-ID ::= 578 id-CCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfRqstTDD ProtocolIE-ID ::= 579 id-Initial-DL-Power-TimeslotLCR-InformationItem ProtocolIE-ID ::= 580 id-Maximum-DL-Power-TimeslotLCR-InformationItem ProtocolIE-ID ::= 581 id-Minimum-DL-Power-TimeslotLCR-InformationItem ProtocolIE-ID ::= 582 id-HS-DSCHProvidedBitRateValueInformation ProtocolIE-ID ::= 583 -- WS extension to fill the range id-Unknown-584 ProtocolIE-ID ::= 584 id-HS-DSCHRequiredPowerValueInformation ProtocolIE-ID ::= 585 id-HS-DSCHRequiredPowerValue ProtocolIE-ID ::= 586 id-TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmission ProtocolIE-ID ::= 587 id-HS-SICH-Reception-Quality ProtocolIE-ID ::= 588 id-HS-SICH-Reception-Quality-Measurement-Value ProtocolIE-ID ::= 589 id-HSSICH-Info-DM-Rprt ProtocolIE-ID ::= 590 id-HSSICH-Info-DM-Rqst ProtocolIE-ID ::= 591 id-HSSICH-Info-DM-Rsp ProtocolIE-ID ::= 592 id-Best-Cell-Portions-Value ProtocolIE-ID ::= 593 id-Primary-CPICH-Usage-for-Channel-Estimation ProtocolIE-ID ::= 594 id-Secondary-CPICH-Information-Change ProtocolIE-ID ::= 595 id-NumberOfReportedCellPortions ProtocolIE-ID ::= 596 id-CellPortion-InformationItem-Cell-SetupRqstFDD ProtocolIE-ID ::= 597 id-CellPortion-InformationList-Cell-SetupRqstFDD ProtocolIE-ID ::= 598 id-TimeslotISCP-LCR-InfoList-RL-ReconfPrepTDD ProtocolIE-ID ::= 599 id-Secondary-CPICH-Information ProtocolIE-ID ::= 600 id-Received-total-wide-band-power-For-CellPortion ProtocolIE-ID ::= 601 id-Unidirectional-DCH-Indicator ProtocolIE-ID ::= 602 id-TimingAdjustmentValueLCR ProtocolIE-ID ::= 603 id-multipleRL-dl-DPCH-InformationList ProtocolIE-ID ::= 604 id-multipleRL-dl-DPCH-InformationModifyList ProtocolIE-ID ::= 605 id-multipleRL-ul-DPCH-InformationList ProtocolIE-ID ::= 606 id-multipleRL-ul-DPCH-InformationModifyList ProtocolIE-ID ::= 607 id-RL-ID ProtocolIE-ID ::= 608 id-SAT-Info-Almanac-ExtItem ProtocolIE-ID ::= 609 id-HSDPA-Capability ProtocolIE-ID ::= 610 id-HSDSCH-Resources-Information-AuditRsp ProtocolIE-ID ::= 611 id-HSDSCH-Resources-Information-ResourceStatusInd ProtocolIE-ID ::= 612 id-HSDSCH-MACdFlows-to-Add ProtocolIE-ID ::= 613 id-HSDSCH-MACdFlows-to-Delete ProtocolIE-ID ::= 614 id-HSDSCH-Information-to-Modify-Unsynchronised ProtocolIE-ID ::= 615 id-TnlQos ProtocolIE-ID ::= 616 id-Received-total-wide-band-power-For-CellPortion-Value ProtocolIE-ID ::= 617 id-Transmitted-Carrier-Power-For-CellPortion ProtocolIE-ID ::= 618 id-Transmitted-Carrier-Power-For-CellPortion-Value ProtocolIE-ID ::= 619 id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortion ProtocolIE-ID ::= 620 id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue ProtocolIE-ID ::= 621 id-UpPTSInterferenceValue ProtocolIE-ID ::= 622 id-PrimaryCCPCH-RSCP-Delta ProtocolIE-ID ::= 623 id-MeasurementRecoveryBehavior ProtocolIE-ID ::= 624 id-MeasurementRecoveryReportingIndicator ProtocolIE-ID ::= 625 id-MeasurementRecoverySupportIndicator ProtocolIE-ID ::= 626 id-Tstd-indicator ProtocolIE-ID ::= 627 id-multiple-RL-Information-RL-ReconfPrepTDD ProtocolIE-ID ::= 628 id-multiple-RL-Information-RL-ReconfRqstTDD ProtocolIE-ID ::= 629 id-DL-DPCH-Power-Information-RL-ReconfPrepFDD ProtocolIE-ID ::= 630 id-F-DPCH-Information-RL-ReconfPrepFDD ProtocolIE-ID ::= 631 id-F-DPCH-Information-RL-SetupRqstFDD ProtocolIE-ID ::= 632 id-Additional-S-CCPCH-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 633 id-Additional-S-CCPCH-Parameters-CTCH-SetupRqstTDD ProtocolIE-ID ::= 634 id-Additional-S-CCPCH-LCR-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 635 id-Additional-S-CCPCH-LCR-Parameters-CTCH-SetupRqstTDD ProtocolIE-ID ::= 636 id-MICH-CFN ProtocolIE-ID ::= 637 id-MICH-Information-AuditRsp ProtocolIE-ID ::= 638 id-MICH-Information-ResourceStatusInd ProtocolIE-ID ::= 639 id-MICH-Parameters-CTCH-ReconfRqstFDD ProtocolIE-ID ::= 640 id-MICH-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 641 id-MICH-Parameters-CTCH-SetupRqstFDD ProtocolIE-ID ::= 642 id-MICH-Parameters-CTCH-SetupRqstTDD ProtocolIE-ID ::= 643 id-Modification-Period ProtocolIE-ID ::= 644 id-NI-Information-NotifUpdateCmd ProtocolIE-ID ::= 645 id-S-CCPCH-InformationListExt-AuditRsp ProtocolIE-ID ::= 646 id-S-CCPCH-InformationListExt-ResourceStatusInd ProtocolIE-ID ::= 647 id-S-CCPCH-LCR-InformationListExt-AuditRsp ProtocolIE-ID ::= 648 id-S-CCPCH-LCR-InformationListExt-ResourceStatusInd ProtocolIE-ID ::= 649 id-HARQ-Preamble-Mode ProtocolIE-ID ::= 650 id-Initial-DL-DPCH-TimingAdjustment ProtocolIE-ID ::= 651 id-Initial-DL-DPCH-TimingAdjustment-Allowed ProtocolIE-ID ::= 652 id-DLTransmissionBranchLoadValue ProtocolIE-ID ::= 653 id-Power-Local-Cell-Group-choice-CM-Rqst ProtocolIE-ID ::= 654 id-Power-Local-Cell-Group-choice-CM-Rsp ProtocolIE-ID ::= 655 id-Power-Local-Cell-Group-choice-CM-Rprt ProtocolIE-ID ::= 656 id-SynchronisationIndicator ProtocolIE-ID ::= 657 id-HSDPA-And-EDCH-CellPortion-Information-PSCH-ReconfRqst ProtocolIE-ID ::= 658 id-Unused-ProtocolIE-ID-659 ProtocolIE-ID ::= 659 id-HS-DSCHRequiredPowerValue-For-Cell-Portion ProtocolIE-ID ::= 660 id-HS-DSCHRequiredPowerValueInformation-For-CellPortion ProtocolIE-ID ::= 661 id-HS-DSCHProvidedBitRateValueInformation-For-CellPortion ProtocolIE-ID ::= 662 id-E-AGCH-And-E-RGCH-E-HICH-FDD-Scrambling-Code ProtocolIE-ID ::= 663 id-E-AGCH-FDD-Code-Information ProtocolIE-ID ::= 664 id-E-DCH-Capability ProtocolIE-ID ::= 665 id-E-DCH-FDD-DL-Control-Channel-Information ProtocolIE-ID ::= 666 id-E-DCH-FDD-Information ProtocolIE-ID ::= 667 id-E-DCH-FDD-Information-Response ProtocolIE-ID ::= 668 id-E-DCH-FDD-Information-to-Modify ProtocolIE-ID ::= 669 id-E-DCH-MACdFlows-to-Add ProtocolIE-ID ::= 670 id-E-DCH-MACdFlows-to-Delete ProtocolIE-ID ::= 671 id-E-DCH-Resources-Information-AuditRsp ProtocolIE-ID ::= 672 id-E-DCH-Resources-Information-ResourceStatusInd ProtocolIE-ID ::= 673 id-E-DCH-RL-Indication ProtocolIE-ID ::= 674 id-E-DCH-RL-Set-ID ProtocolIE-ID ::= 675 id-E-DPCH-Information-RL-ReconfPrepFDD ProtocolIE-ID ::= 676 id-E-DPCH-Information-RL-SetupRqstFDD ProtocolIE-ID ::= 677 id-E-RGCH-E-HICH-FDD-Code-Information ProtocolIE-ID ::= 678 id-Serving-E-DCH-RL-ID ProtocolIE-ID ::= 679 id-UL-DPDCH-Indicator-For-E-DCH-Operation ProtocolIE-ID ::= 680 id-FDD-S-CCPCH-FrameOffset-CTCH-SetupRqstFDD ProtocolIE-ID ::= 681 id-E-DPCH-Information-RL-ReconfRqstFDD ProtocolIE-ID ::= 682 id-Maximum-Target-ReceivedTotalWideBandPower ProtocolIE-ID ::= 683 id-E-DCHProvidedBitRateValueInformation ProtocolIE-ID ::= 684 id-HARQ-Preamble-Mode-Activation-Indicator ProtocolIE-ID ::= 685 id-RL-Specific-E-DCH-Info ProtocolIE-ID ::= 686 id-E-DCH-CapacityConsumptionLaw ProtocolIE-ID ::= 687 id-multiple-DedicatedMeasurementValueList-TDD-DM-Rsp ProtocolIE-ID ::= 688 id-multiple-DedicatedMeasurementValueList-LCR-TDD-DM-Rsp ProtocolIE-ID ::= 689 id-E-DCH-RearrangeList-Bearer-RearrangeInd ProtocolIE-ID ::= 690 id-Unused-ProtocolIE-ID-691 ProtocolIE-ID ::= 691 id-multipleRL-dl-CCTrCH-InformationModifyList-RL-ReconfRqstTDD ProtocolIE-ID ::= 692 id-Target-NonServing-EDCH-To-Total-EDCH-Power-Ratio ProtocolIE-ID ::= 693 id-CellPortion-InformationItem-Cell-ReconfRqstFDD ProtocolIE-ID ::= 694 id-CellPortion-InformationList-Cell-ReconfRqstFDD ProtocolIE-ID ::= 695 id-multiple-PUSCH-InfoList-DM-Rsp ProtocolIE-ID ::= 696 id-multiple-PUSCH-InfoList-DM-Rprt ProtocolIE-ID ::= 697 id-Reference-ReceivedTotalWideBandPower ProtocolIE-ID ::= 698 id-E-DCH-Serving-Cell-Change-Info-Response ProtocolIE-ID ::= 699 id-HS-DSCH-Serving-Cell-Change-Info ProtocolIE-ID ::= 700 id-HS-DSCH-Serving-Cell-Change-Info-Response ProtocolIE-ID ::= 701 id-Serving-Cell-Change-CFN ProtocolIE-ID ::= 702 id-E-DCH-HARQ-Combining-Capability ProtocolIE-ID ::= 703 id-E-DCH-TTI2ms-Capability ProtocolIE-ID ::= 704 id-E-DCH-SF-Capability ProtocolIE-ID ::= 705 id-E-DCH-FDD-Update-Information ProtocolIE-ID ::= 706 id-F-DPCH-Capability ProtocolIE-ID ::= 707 id-E-DCH-Non-serving-Relative-Grant-Down-CommandsValue ProtocolIE-ID ::= 708 id-HSSICH-SIRTarget ProtocolIE-ID ::= 709 id-multiple-HSSICHMeasurementValueList-TDD-DM-Rsp ProtocolIE-ID ::= 710 id-PLCCH-Information-AuditRsp ProtocolIE-ID ::= 711 id-PLCCH-Information-ResourceStatusInd ProtocolIE-ID ::= 712 id-PLCCH-Information-RL-ReconfPrepTDDLCR ProtocolIE-ID ::= 713 id-PLCCH-Information-UL-TimeslotLCR-Info ProtocolIE-ID ::= 714 id-PLCCH-InformationList-AuditRsp ProtocolIE-ID ::= 715 id-PLCCH-InformationList-ResourceStatusInd ProtocolIE-ID ::= 716 id-PLCCH-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 717 id-S-CCPCH-768-Parameters-CTCH-SetupRqstTDD ProtocolIE-ID ::= 718 id-PICH-768-Parameters-CTCH-SetupRqstTDD ProtocolIE-ID ::= 719 id-PRACH-768-Parameters-CTCH-SetupRqstTDD ProtocolIE-ID ::= 720 id-S-CCPCH-768-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 721 id-PICH-768-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 722 id-MICH-768-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 723 id-CommonPhysicalChannelID768-CommonTrChDeletionReq ProtocolIE-ID ::= 724 id-S-CCPCH-768-InformationList-AuditRsp ProtocolIE-ID ::= 725 id-S-CCPCH-768-Information-AuditRsp ProtocolIE-ID ::= 726 id-neighbouringTDDCellMeasurementInformation768 ProtocolIE-ID ::= 727 id-PCCPCH-768-Information-Cell-SetupRqstTDD ProtocolIE-ID ::= 728 id-SCH-768-Information-Cell-SetupRqstTDD ProtocolIE-ID ::= 729 id-SCH-768-Information-Cell-ReconfRqstTDD ProtocolIE-ID ::= 730 id-PCCPCH-768-Information-Cell-ReconfRqstTDD ProtocolIE-ID ::= 731 id-P-CCPCH-768-Information-AuditRsp ProtocolIE-ID ::= 732 id-PICH-768-Information-AuditRsp ProtocolIE-ID ::= 733 id-PRACH-768-InformationList-AuditRsp ProtocolIE-ID ::= 734 id-SCH-768-Information-AuditRsp ProtocolIE-ID ::= 735 id-MICH-768-Information-AuditRsp ProtocolIE-ID ::= 736 id-PRACH-768-Information ProtocolIE-ID ::= 737 id-S-CCPCH-768-Information-ResourceStatusInd ProtocolIE-ID ::= 738 id-P-CCPCH-768-Information-ResourceStatusInd ProtocolIE-ID ::= 739 id-PICH-768-Information-ResourceStatusInd ProtocolIE-ID ::= 740 id-PRACH-768-InformationList-ResourceStatusInd ProtocolIE-ID ::= 741 id-SCH-768-Information-ResourceStatusInd ProtocolIE-ID ::= 742 id-MICH-768-Information-ResourceStatusInd ProtocolIE-ID ::= 743 id-S-CCPCH-768-InformationList-ResourceStatusInd ProtocolIE-ID ::= 744 id-UL-DPCH-768-Information-RL-SetupRqstTDD ProtocolIE-ID ::= 745 id-DL-DPCH-768-Information-RL-SetupRqstTDD ProtocolIE-ID ::= 746 id-DL-DPCH-InformationItem-768-RL-AdditionRqstTDD ProtocolIE-ID ::= 747 id-UL-DPCH-InformationItem-768-RL-AdditionRqstTDD ProtocolIE-ID ::= 748 id-UL-DPCH-768-InformationAddItemIE-RL-ReconfPrepTDD ProtocolIE-ID ::= 749 id-UL-DPCH-768-InformationAddListIE-RL-ReconfPrepTDD ProtocolIE-ID ::= 750 id-UL-DPCH-768-InformationModify-AddItem ProtocolIE-ID ::= 751 id-UL-DPCH-768-InformationModify-AddList ProtocolIE-ID ::= 752 id-UL-Timeslot768-Information-RL-ReconfPrepTDD ProtocolIE-ID ::= 753 id-DL-DPCH-768-InformationAddItem-RL-ReconfPrepTDD ProtocolIE-ID ::= 754 id-DL-DPCH-768-InformationAddList-RL-ReconfPrepTDD ProtocolIE-ID ::= 755 id-DL-DPCH-768-InformationModify-AddItem-RL-ReconfPrepTDD ProtocolIE-ID ::= 756 id-DL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD ProtocolIE-ID ::= 757 id-DL-Timeslot-768-InformationModify-ModifyList-RL-ReconfPrepTDD ProtocolIE-ID ::= 758 id-DPCH-ID768-DM-Rqst ProtocolIE-ID ::= 759 id-multiple-DedicatedMeasurementValueList-768-TDD-DM-Rsp ProtocolIE-ID ::= 760 id-DPCH-ID768-DM-Rsp ProtocolIE-ID ::= 761 id-Rx-Timing-Deviation-Value-768 ProtocolIE-ID ::= 762 id-DPCH-ID768-DM-Rprt ProtocolIE-ID ::= 763 id-PDSCH-AddInformation-768-PSCH-ReconfRqst ProtocolIE-ID ::= 764 id-PDSCH-ModifyInformation-768-PSCH-ReconfRqst ProtocolIE-ID ::= 765 id-PUSCH-AddInformation-768-PSCH-ReconfRqst ProtocolIE-ID ::= 766 id-PUSCH-ModifyInformation-768-PSCH-ReconfRqst ProtocolIE-ID ::= 767 id-dL-HS-PDSCH-Timeslot-Information-768-PSCH-ReconfRqst ProtocolIE-ID ::= 768 id-hS-SCCH-Information-768-PSCH-ReconfRqst ProtocolIE-ID ::= 769 id-hS-SCCH-InformationModify-768-PSCH-ReconfRqst ProtocolIE-ID ::= 770 id-hsSCCH-Specific-Information-ResponseTDD768 ProtocolIE-ID ::= 771 id-E-DPCH-Information-RL-AdditionReqFDD ProtocolIE-ID ::= 772 -- WS extension to fill the range id-Unknown-773 ProtocolIE-ID ::= 773 id-Unknown-774 ProtocolIE-ID ::= 774 id-PDSCH-Timeslot-Format-PSCH-ReconfRqst-LCR ProtocolIE-ID ::= 775 -- WS extension to fill the range id-Unknown-776 ProtocolIE-ID ::= 776 id-Unknown-777 ProtocolIE-ID ::= 777 id-Unknown-778 ProtocolIE-ID ::= 778 id-Unknown-779 ProtocolIE-ID ::= 779 id-PUSCH-Timeslot-Format-PSCH-ReconfRqst-LCR ProtocolIE-ID ::= 780 -- WS extension to fill the range id-Unknown-781 ProtocolIE-ID ::= 781 id-E-DCH-PowerOffset-for-SchedulingInfo ProtocolIE-ID ::= 782 id-HSDSCH-Configured-Indicator ProtocolIE-ID ::= 783 -- WS extension to fill the range id-Unknown-784 ProtocolIE-ID ::= 784 id-Unknown-785 ProtocolIE-ID ::= 785 id-Rx-Timing-Deviation-Value-384-ext ProtocolIE-ID ::= 786 id-RTWP-ReportingIndicator ProtocolIE-ID ::= 787 id-RTWP-CellPortion-ReportingIndicator ProtocolIE-ID ::= 788 id-Received-Scheduled-EDCH-Power-Share-Value ProtocolIE-ID ::= 789 id-Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value ProtocolIE-ID ::= 790 id-Received-Scheduled-EDCH-Power-Share ProtocolIE-ID ::= 791 id-Received-Scheduled-EDCH-Power-Share-For-CellPortion ProtocolIE-ID ::= 792 id-tFCI-Presence ProtocolIE-ID ::= 793 id-HSSICH-TPC-StepSize ProtocolIE-ID ::= 794 id-E-RUCCH-InformationList-AuditRsp ProtocolIE-ID ::= 795 id-E-RUCCH-InformationList-ResourceStatusInd ProtocolIE-ID ::= 796 id-E-DCH-TDD-CapacityConsumptionLaw ProtocolIE-ID ::= 797 id-E-RUCCH-Information ProtocolIE-ID ::= 798 id-E-DCH-Information ProtocolIE-ID ::= 799 id-E-DCH-Information-Response ProtocolIE-ID ::= 800 id-E-DCH-Information-Reconfig ProtocolIE-ID ::= 801 id-E-PUCH-Information-PSCH-ReconfRqst ProtocolIE-ID ::= 802 id-Add-To-E-AGCH-Resource-Pool-PSCH-ReconfRqst ProtocolIE-ID ::= 803 id-Modify-E-AGCH-Resource-Pool-PSCH-ReconfRqst ProtocolIE-ID ::= 804 id-Delete-From-E-AGCH-Resource-Pool-PSCH-ReconfRqst ProtocolIE-ID ::= 805 id-E-HICH-Information-PSCH-ReconfRqst ProtocolIE-ID ::= 806 id-E-HICH-TimeOffset ProtocolIE-ID ::= 807 id-Maximum-Generated-ReceivedTotalWideBandPowerInOtherCells ProtocolIE-ID ::= 808 id-E-DCH-Serving-RL-ID ProtocolIE-ID ::= 809 id-E-RUCCH-768-InformationList-AuditRsp ProtocolIE-ID ::= 810 id-E-RUCCH-768-InformationList-ResourceStatusInd ProtocolIE-ID ::= 811 id-E-RUCCH-768-Information ProtocolIE-ID ::= 812 id-E-DCH-768-Information ProtocolIE-ID ::= 813 id-E-DCH-768-Information-Reconfig ProtocolIE-ID ::= 814 id-E-PUCH-Information-768-PSCH-ReconfRqst ProtocolIE-ID ::= 815 id-Add-To-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst ProtocolIE-ID ::= 816 id-Modify-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst ProtocolIE-ID ::= 817 id-E-HICH-Information-768-PSCH-ReconfRqst ProtocolIE-ID ::= 818 id-ExtendedPropagationDelay ProtocolIE-ID ::= 819 id-Extended-Round-Trip-Time-Value ProtocolIE-ID ::= 820 id-AlternativeFormatReportingIndicator ProtocolIE-ID ::= 821 id-DCH-Indicator-For-E-DCH-HSDPA-Operation ProtocolIE-ID ::= 822 id-Reference-ReceivedTotalWideBandPowerReporting ProtocolIE-ID ::= 823 id-Reference-ReceivedTotalWideBandPowerSupportIndicator ProtocolIE-ID ::= 824 id-ueCapability-Info ProtocolIE-ID ::= 825 id-MAChs-ResetIndicator ProtocolIE-ID ::= 826 id-Fast-Reconfiguration-Mode ProtocolIE-ID ::= 827 id-Fast-Reconfiguration-Permission ProtocolIE-ID ::= 828 id-BroadcastReference ProtocolIE-ID ::= 829 id-BroadcastCommonTransportBearerIndication ProtocolIE-ID ::= 830 id-ContinuousPacketConnectivityDTX-DRX-Capability ProtocolIE-ID ::= 831 id-ContinuousPacketConnectivityDTX-DRX-Information ProtocolIE-ID ::= 832 id-ContinuousPacketConnectivityHS-SCCH-less-Capability ProtocolIE-ID ::= 833 id-ContinuousPacketConnectivityHS-SCCH-less-Information ProtocolIE-ID ::= 834 id-ContinuousPacketConnectivityHS-SCCH-less-Information-Response ProtocolIE-ID ::= 835 id-CPC-Information ProtocolIE-ID ::= 836 id-MIMO-Capability ProtocolIE-ID ::= 837 id-MIMO-PilotConfiguration ProtocolIE-ID ::= 838 -- WS extension to fill the range id-Unknown-839 ProtocolIE-ID ::= 839 id-Unknown-840 ProtocolIE-ID ::= 840 id-MBSFN-Cell-ParameterID-Cell-SetupRqstTDD ProtocolIE-ID ::= 841 id-MBSFN-Cell-ParameterID-Cell-ReconfRqstTDD ProtocolIE-ID ::= 842 id-S-CCPCH-Modulation ProtocolIE-ID ::= 843 id-HS-PDSCH-Code-Change-Grant ProtocolIE-ID ::= 844 id-HS-PDSCH-Code-Change-Indicator ProtocolIE-ID ::= 845 id-SYNC-UL-Partition-LCR ProtocolIE-ID ::= 846 id-E-DCH-LCR-Information ProtocolIE-ID ::= 847 id-E-DCH-LCR-Information-Reconfig ProtocolIE-ID ::= 848 -- WS extension to fill the range id-Unknown-849 ProtocolIE-ID ::= 849 id-Unknown-850 ProtocolIE-ID ::= 850 id-Unknown-851 ProtocolIE-ID ::= 851 id-E-PUCH-Information-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 852 id-Add-To-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 853 id-Modify-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 854 id-Add-To-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 855 id-Modify-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 856 id-Delete-From-E-HICH-Resource-Pool-PSCH-ReconfRqst ProtocolIE-ID ::= 857 id-E-HICH-TimeOffsetLCR ProtocolIE-ID ::= 858 -- WS extension to fill the range id-Unknown-859 ProtocolIE-ID ::= 859 id-SixtyfourQAM-DL-Capability ProtocolIE-ID ::= 860 id-SixteenQAM-UL-Capability ProtocolIE-ID ::= 861 -- WS extension to fill the range id-Unknown-862 ProtocolIE-ID ::= 862 id-Unknown-863 ProtocolIE-ID ::= 863 id-HSDSCH-MACdPDU-SizeCapability ProtocolIE-ID ::= 864 id-HSDSCH-MACdPDUSizeFormat ProtocolIE-ID ::= 865 id-MaximumMACdPDU-SizeExtended ProtocolIE-ID ::= 866 -- WS extension to fill the range id-Unknown-867 ProtocolIE-ID ::= 867 id-Unknown-868 ProtocolIE-ID ::= 868 id-Unknown-869 ProtocolIE-ID ::= 869 id-F-DPCH-SlotFormat ProtocolIE-ID ::= 870 id-F-DPCH-SlotFormatCapability ProtocolIE-ID ::= 871 id-LCRTDD-uplink-Physical-Channel-Capability ProtocolIE-ID ::= 872 id-Extended-RNC-ID ProtocolIE-ID ::= 873 id-Max-UE-DTX-Cycle ProtocolIE-ID ::= 874 -- WS extension to fill the range id-Unknown-875 ProtocolIE-ID ::= 875 id-Secondary-CCPCH-SlotFormat-Extended ProtocolIE-ID ::= 876 -- WS extension to fill the range id-Unknown-877 ProtocolIE-ID ::= 877 id-MBSFN-Only-Mode-Indicator-Cell-SetupRqstTDD-LCR ProtocolIE-ID ::= 878 id-MBSFN-Only-Mode-Capability ProtocolIE-ID ::= 879 id-Time-Slot-Parameter-ID ProtocolIE-ID ::= 880 id-Additional-failed-HS-SICH ProtocolIE-ID ::= 881 id-Additional-missed-HS-SICH ProtocolIE-ID ::= 882 id-Additional-total-HS-SICH ProtocolIE-ID ::= 883 id-Additional-HS-SICH-Reception-Quality-Measurement-Value ProtocolIE-ID ::= 884 -- WS extension to fill the range id-Unknown-885 ProtocolIE-ID ::= 885 id-Unknown-886 ProtocolIE-ID ::= 886 id-GANSS-Common-Data ProtocolIE-ID ::= 887 id-GANSS-Information ProtocolIE-ID ::= 888 id-GANSS-Generic-Data ProtocolIE-ID ::= 889 id-TUTRANGANSSMeasurementThresholdInformation ProtocolIE-ID ::= 890 id-TUTRANGANSSMeasurementValueInformation ProtocolIE-ID ::= 891 id-ModulationPO-MBSFN ProtocolIE-ID ::= 892 -- WS extension to fill the range id-Unknown-893 ProtocolIE-ID ::= 893 id-Unknown-894 ProtocolIE-ID ::= 894 id-Enhanced-FACH-Capability ProtocolIE-ID ::= 895 id-Enhanced-PCH-Capability ProtocolIE-ID ::= 896 id-HSDSCH-Common-System-InformationFDD ProtocolIE-ID ::= 897 id-HSDSCH-Common-System-Information-ResponseFDD ProtocolIE-ID ::= 898 id-HSDSCH-Paging-System-InformationFDD ProtocolIE-ID ::= 899 id-HSDSCH-Paging-System-Information-ResponseFDD ProtocolIE-ID ::= 900 id-MBMS-Capability ProtocolIE-ID ::= 901 id-Ext-Reference-E-TFCI-PO ProtocolIE-ID ::= 902 id-Ext-Max-Bits-MACe-PDU-non-scheduled ProtocolIE-ID ::= 903 id-HARQ-MemoryPartitioningInfoExtForMIMO ProtocolIE-ID ::= 904 id-MIMO-ActivationIndicator ProtocolIE-ID ::= 905 id-MIMO-Mode-Indicator ProtocolIE-ID ::= 906 id-MIMO-N-M-Ratio ProtocolIE-ID ::= 907 id-IPMulticastIndication ProtocolIE-ID ::= 908 id-IPMulticastDataBearerIndication ProtocolIE-ID ::= 909 id-TransportBearerNotSetupIndicator ProtocolIE-ID ::= 910 id-TransportBearerNotRequestedIndicator ProtocolIE-ID ::= 911 id-TimeSlotConfigurationList-LCR-CTCH-SetupRqstTDD ProtocolIE-ID ::= 912 id-Cell-Frequency-List-Information-LCR-MulFreq-AuditRsp ProtocolIE-ID ::= 913 id-Cell-Frequency-List-InformationItem-LCR-MulFreq-AuditRsp ProtocolIE-ID ::= 914 id-Cell-Frequency-List-LCR-MulFreq-Cell-SetupRqstTDD ProtocolIE-ID ::= 915 id-UARFCN-Adjustment ProtocolIE-ID ::= 916 id-Cell-Frequency-List-Information-LCR-MulFreq-ResourceStatusInd ProtocolIE-ID ::= 917 id-Cell-Frequency-List-InformationItem-LCR-MulFreq-ResourceStatusInd ProtocolIE-ID ::= 918 id-UPPCHPositionLCR ProtocolIE-ID ::= 919 id-UPPCH-LCR-Parameters-CTCH-ReconfRqstTDD ProtocolIE-ID ::= 920 id-UPPCH-LCR-InformationList-AuditRsp ProtocolIE-ID ::= 921 id-UPPCH-LCR-InformationItem-AuditRsp ProtocolIE-ID ::= 922 id-UPPCH-LCR-InformationList-ResourceStatusInd ProtocolIE-ID ::= 923 id-UPPCH-LCR-InformationItem-ResourceStatusInd ProtocolIE-ID ::= 924 id-multipleFreq-dL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 925 id-number-Of-Supported-Carriers ProtocolIE-ID ::= 926 id-multipleFreq-HSPDSCH-InformationList-ResponseTDDLCR ProtocolIE-ID ::= 927 id-Unsuccessful-UARFCNItem-PSCH-ReconfFailureTDD ProtocolIE-ID ::= 928 id-multipleFreq-HS-DSCH-Resources-InformationList-AuditRsp ProtocolIE-ID ::= 929 id-multipleFreq-HS-DSCH-Resources-InformationList-ResourceStatusInd ProtocolIE-ID ::= 930 id-UARFCNSpecificCauseList ProtocolIE-ID ::= 931 id-tSN-Length ProtocolIE-ID ::= 932 id-MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst ProtocolIE-ID ::= 933 id-multicarrier-number ProtocolIE-ID ::= 934 id-Extended-HS-SCCH-ID ProtocolIE-ID ::= 935 id-Extended-HS-SICH-ID ProtocolIE-ID ::= 936 id-HSSICH-InfoExt-DM-Rqst ProtocolIE-ID ::= 937 id-Delete-From-HS-SCCH-Resource-PoolExt-PSCH-ReconfRqst ProtocolIE-ID ::= 938 id-HS-SCCH-InformationExt-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 939 id-HS-SCCH-InformationModifyExt-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 940 id-PowerControlGAP ProtocolIE-ID ::= 941 id-MBSFN-SpecialTimeSlot-LCR ProtocolIE-ID ::= 942 id-Common-MACFlows-to-DeleteFDD ProtocolIE-ID ::= 943 id-Paging-MACFlows-to-DeleteFDD ProtocolIE-ID ::= 944 id-E-TFCI-Boost-Information ProtocolIE-ID ::= 945 id-SixteenQAM-UL-Operation-Indicator ProtocolIE-ID ::= 946 id-SixtyfourQAM-UsageAllowedIndicator ProtocolIE-ID ::= 947 id-SixtyfourQAM-DL-UsageIndicator ProtocolIE-ID ::= 948 id-Default-Serving-Grant-in-DTX-Cycle2 ProtocolIE-ID ::= 949 id-Maximum-Target-ReceivedTotalWideBandPower-LCR ProtocolIE-ID ::= 950 id-E-DPDCH-PowerInterpolation ProtocolIE-ID ::= 951 id-Extended-E-DCH-LCRTDD-PhysicalLayerCategory ProtocolIE-ID ::= 952 id-MultipleFreq-E-DCH-Resources-InformationList-AuditRsp ProtocolIE-ID ::= 953 id-MultipleFreq-E-DCH-Resources-InformationList-ResourceStatusInd ProtocolIE-ID ::= 954 id-MultipleFreq-E-PUCH-Timeslot-InformationList-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 955 id-MultipleFreq-E-PUCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst ProtocolIE-ID ::= 956 id-Extended-E-HICH-ID-TDD ProtocolIE-ID ::= 957 id-ContinuousPacketConnectivityHS-SCCH-less-Deactivate-Indicator ProtocolIE-ID ::= 958 id-E-DCH-MACdPDU-SizeCapability ProtocolIE-ID ::= 959 id-E-DCH-MACdPDUSizeFormat ProtocolIE-ID ::= 960 id-MaximumNumber-Of-Retransmission-for-Scheduling-Info-LCRTDD ProtocolIE-ID ::= 961 id-E-DCH-RetransmissionTimer-for-SchedulingInfo-LCRTDD ProtocolIE-ID ::= 962 id-E-HICH-TimeOffset-Extension ProtocolIE-ID ::= 963 id-MultipleFreq-E-HICH-TimeOffsetLCR ProtocolIE-ID ::= 964 id-E-PUCH-PowerControlGAP ProtocolIE-ID ::= 965 id-HSDSCH-TBSizeTableIndicator ProtocolIE-ID ::= 966 id-E-DCH-DL-Control-Channel-Change-Information ProtocolIE-ID ::= 967 id-E-DCH-DL-Control-Channel-Grant-Information ProtocolIE-ID ::= 968 id-DGANSS-Corrections-Req ProtocolIE-ID ::= 969 id-UE-with-enhanced-HS-SCCH-support-indicator ProtocolIE-ID ::= 970 id-AdditionalTimeSlotListLCR ProtocolIE-ID ::= 971 id-AdditionalMeasurementValueList ProtocolIE-ID ::= 972 -- WS extension to fill the range id-Unknown-973 ProtocolIE-ID ::= 973 id-Unknown-974 ProtocolIE-ID ::= 974 id-Unknown-975 ProtocolIE-ID ::= 975 id-Unknown-976 ProtocolIE-ID ::= 976 id-Unknown-977 ProtocolIE-ID ::= 977 id-E-AGCH-Table-Choice ProtocolIE-ID ::= 978 -- WS extension to fill the range id-Unknown-979 ProtocolIE-ID ::= 979 id-Unknown-980 ProtocolIE-ID ::= 980 id-PLCCH-parameters ProtocolIE-ID ::= 981 id-E-RUCCH-parameters ProtocolIE-ID ::= 982 id-E-RUCCH-768-parameters ProtocolIE-ID ::= 983 id-HS-Cause ProtocolIE-ID ::= 984 id-E-Cause ProtocolIE-ID ::= 985 -- WS extension to fill the range id-Unknown-986 ProtocolIE-ID ::= 986 id-Common-EDCH-Capability ProtocolIE-ID ::= 987 id-E-AI-Capability ProtocolIE-ID ::= 988 id-Common-EDCH-System-InformationFDD ProtocolIE-ID ::= 989 id-Common-UL-MACFlows-to-DeleteFDD ProtocolIE-ID ::= 990 id-Common-EDCH-MACdFlows-to-DeleteFDD ProtocolIE-ID ::= 991 id-Common-EDCH-System-Information-ResponseFDD ProtocolIE-ID ::= 992 id-Cell-ERNTI-Status-Information ProtocolIE-ID ::= 993 id-Enhanced-UE-DRX-Capability ProtocolIE-ID ::= 994 id-Enhanced-UE-DRX-InformationFDD ProtocolIE-ID ::= 995 id-TransportBearerRequestIndicator ProtocolIE-ID ::= 996 id-SixtyfourQAM-DL-MIMO-Combined-Capability ProtocolIE-ID ::= 997 id-E-RNTI ProtocolIE-ID ::= 998 id-MinimumReducedE-DPDCH-GainFactor ProtocolIE-ID ::= 999 id-GANSS-Time-ID ProtocolIE-ID ::= 1000 id-GANSS-AddIonoModelReq ProtocolIE-ID ::= 1001 id-GANSS-EarthOrientParaReq ProtocolIE-ID ::= 1002 id-GANSS-AddNavigationModelsReq ProtocolIE-ID ::= 1003 id-GANSS-AddUTCModelsReq ProtocolIE-ID ::= 1004 id-GANSS-AuxInfoReq ProtocolIE-ID ::= 1005 id-GANSS-SBAS-ID ProtocolIE-ID ::= 1006 id-GANSS-ID ProtocolIE-ID ::= 1007 id-GANSS-Additional-Ionospheric-Model ProtocolIE-ID ::= 1008 id-GANSS-Earth-Orientation-Parameters ProtocolIE-ID ::= 1009 id-GANSS-Additional-Time-Models ProtocolIE-ID ::= 1010 id-GANSS-Additional-Navigation-Models ProtocolIE-ID ::= 1011 id-GANSS-Additional-UTC-Models ProtocolIE-ID ::= 1012 id-GANSS-Auxiliary-Information ProtocolIE-ID ::= 1013 id-ERACH-CM-Rqst ProtocolIE-ID ::= 1014 id-ERACH-CM-Rsp ProtocolIE-ID ::= 1015 id-ERACH-CM-Rprt ProtocolIE-ID ::= 1016 id-EDCH-RACH-Report-Value ProtocolIE-ID ::= 1017 id-EDCH-RACH-Report-IncrDecrThres ProtocolIE-ID ::= 1018 id-EDCH-RACH-Report-ThresholdInformation ProtocolIE-ID ::= 1019 id-E-DPCCH-Power-Boosting-Capability ProtocolIE-ID ::= 1020 id-HSDSCH-Common-System-InformationLCR ProtocolIE-ID ::= 1021 -- WS extension to fill the range id-Unknown-1022 ProtocolIE-ID ::= 1022 id-HSDSCH-Common-System-Information-ResponseLCR ProtocolIE-ID ::= 1222 id-HSDSCH-Paging-System-InformationLCR ProtocolIE-ID ::= 1023 id-HSDSCH-Paging-System-Information-ResponseLCR ProtocolIE-ID ::= 1024 id-Common-MACFlows-to-DeleteLCR ProtocolIE-ID ::= 1025 id-Paging-MACFlows-to-DeleteLCR ProtocolIE-ID ::= 1026 id-Common-EDCH-System-InformationLCR ProtocolIE-ID ::= 1027 id-Common-UL-MACFlows-to-DeleteLCR ProtocolIE-ID ::= 1028 id-Common-EDCH-MACdFlows-to-DeleteLCR ProtocolIE-ID ::= 1029 id-Common-EDCH-System-Information-ResponseLCR ProtocolIE-ID ::= 1030 id-Enhanced-UE-DRX-CapabilityLCR ProtocolIE-ID ::= 1031 id-Enhanced-UE-DRX-InformationLCR ProtocolIE-ID ::= 1032 id-HSDSCH-PreconfigurationSetup ProtocolIE-ID ::= 1033 id-HSDSCH-PreconfigurationInfo ProtocolIE-ID ::= 1034 id-NoOfTargetCellHS-SCCH-Order ProtocolIE-ID ::= 1035 id-EnhancedHSServingCC-Abort ProtocolIE-ID ::= 1036 id-Additional-HS-Cell-Information-RL-Setup ProtocolIE-ID ::= 1037 id-Additional-HS-Cell-Information-Response ProtocolIE-ID ::= 1038 id-Additional-HS-Cell-Information-RL-Addition ProtocolIE-ID ::= 1039 id-Additional-HS-Cell-Change-Information-Response ProtocolIE-ID ::= 1040 id-Additional-HS-Cell-Information-RL-Reconf-Prep ProtocolIE-ID ::= 1041 id-Additional-HS-Cell-Information-RL-Reconf-Req ProtocolIE-ID ::= 1042 id-Additional-HS-Cell-Information-RL-Param-Upd ProtocolIE-ID ::= 1043 id-Multi-Cell-Capability-Info ProtocolIE-ID ::= 1044 id-IMB-Parameters ProtocolIE-ID ::= 1045 id-MACes-Maximum-Bitrate-LCR ProtocolIE-ID ::= 1046 id-Semi-PersistentScheduling-CapabilityLCR ProtocolIE-ID ::= 1047 id-E-DCH-Semi-PersistentScheduling-Information-LCR ProtocolIE-ID ::= 1048 id-HS-DSCH-Semi-PersistentScheduling-Information-LCR ProtocolIE-ID ::= 1049 id-Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 1050 id-Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 1051 id-Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 1052 id-ContinuousPacketConnectivity-DRX-CapabilityLCR ProtocolIE-ID ::= 1053 id-ContinuousPacketConnectivity-DRX-InformationLCR ProtocolIE-ID ::= 1054 id-ContinuousPacketConnectivity-DRX-Information-ResponseLCR ProtocolIE-ID ::= 1055 id-CPC-InformationLCR ProtocolIE-ID ::= 1056 id-HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR ProtocolIE-ID ::= 1057 id-E-DCH-Semi-PersistentScheduling-Information-ResponseLCR ProtocolIE-ID ::= 1058 id-E-AGCH-UE-Inactivity-Monitor-Threshold ProtocolIE-ID ::= 1059 -- WS extension to fill the range id-Unknown-1060 ProtocolIE-ID ::= 1060 id-Unknown-1061 ProtocolIE-ID ::= 1061 id-Unknown-1062 ProtocolIE-ID ::= 1062 id-IdleIntervalInformation ProtocolIE-ID ::= 1063 id-GANSS-alm-keplerianNAVAlmanac ProtocolIE-ID ::= 1064 id-GANSS-alm-keplerianReducedAlmanac ProtocolIE-ID ::= 1065 id-GANSS-alm-keplerianMidiAlmanac ProtocolIE-ID ::= 1066 id-GANSS-alm-keplerianGLONASS ProtocolIE-ID ::= 1067 id-GANSS-alm-ecefSBASAlmanac ProtocolIE-ID ::= 1068 -- WS extension to fill the range id-Unknown-1069 ProtocolIE-ID ::= 1069 id-HSSICH-ReferenceSignal-InformationLCR ProtocolIE-ID ::= 1070 id-MIMO-ReferenceSignal-InformationListLCR ProtocolIE-ID ::= 1071 id-MIMO-SFMode-For-HSPDSCHDualStream ProtocolIE-ID ::= 1072 id-MIMO-SFMode-Supported-For-HSPDSCHDualStream ProtocolIE-ID ::= 1073 id-UE-Selected-MBMS-Service-Information ProtocolIE-ID ::= 1074 -- WS extension to fill the range id-Unknown-1075 ProtocolIE-ID ::= 1075 id-Unknown-1076 ProtocolIE-ID ::= 1076 id-MultiCarrier-HSDSCH-Physical-Layer-Category ProtocolIE-ID ::= 1077 id-Common-E-DCH-HSDPCCH-Capability ProtocolIE-ID ::= 1078 id-DL-RLC-PDU-Size-Format ProtocolIE-ID ::= 1079 id-HSSICH-ReferenceSignal-InformationModifyLCR ProtocolIE-ID ::= 1080 id-schedulingPriorityIndicator ProtocolIE-ID ::= 1081 id-TimeSlotMeasurementValueListLCR ProtocolIE-ID ::= 1082 -- WS extension to fill the range id-Unknown-1083 ProtocolIE-ID ::= 1083 id-Unknown-1084 ProtocolIE-ID ::= 1084 id-UE-SupportIndicatorExtension ProtocolIE-ID ::= 1085 -- WS extension to fill the range id-Unknown-1086 ProtocolIE-ID ::= 1086 id-Unknown-1087 ProtocolIE-ID ::= 1087 id-Single-Stream-MIMO-ActivationIndicator ProtocolIE-ID ::= 1088 id-Single-Stream-MIMO-Capability ProtocolIE-ID ::= 1089 id-Single-Stream-MIMO-Mode-Indicator ProtocolIE-ID ::= 1090 id-Dual-Band-Capability-Info ProtocolIE-ID ::= 1091 id-UE-AggregateMaximumBitRate ProtocolIE-ID ::= 1092 id-UE-AggregateMaximumBitRate-Enforcement-Indicator ProtocolIE-ID ::= 1093 -- WS extension to fill the range id-Unknown-1094 ProtocolIE-ID ::= 1094 id-Unknown-1095 ProtocolIE-ID ::= 1095 id-Unknown-1096 ProtocolIE-ID ::= 1096 id-Unknown-1097 ProtocolIE-ID ::= 1097 id-Unknown-1098 ProtocolIE-ID ::= 1098 id-Unknown-1099 ProtocolIE-ID ::= 1099 id-Unknown-1100 ProtocolIE-ID ::= 1100 id-MIMO-Power-Offset-For-S-CPICH-Capability ProtocolIE-ID ::= 1101 id-MIMO-PilotConfigurationExtension ProtocolIE-ID ::= 1102 id-TxDiversityOnDLControlChannelsByMIMOUECapability ProtocolIE-ID ::= 1103 id-ULTimeslotISCPValue-For-CellPortion ProtocolIE-ID ::= 1104 id-UpPTSInterferenceValue-For-CellPortion ProtocolIE-ID ::= 1105 id-Best-Cell-Portions-ValueLCR ProtocolIE-ID ::= 1106 id-Transmitted-Carrier-Power-For-CellPortion-ValueLCR ProtocolIE-ID ::= 1107 id-Received-total-wide-band-power-For-CellPortion-ValueLCR ProtocolIE-ID ::= 1108 id-UL-TimeslotISCP-For-CellPortion-Value ProtocolIE-ID ::= 1109 id-HS-DSCHRequiredPowerValueInformation-For-CellPortionLCR ProtocolIE-ID ::= 1110 id-HS-DSCHProvidedBitRateValueInformation-For-CellPortionLCR ProtocolIE-ID ::= 1111 id-E-DCHProvidedBitRateValueInformation-For-CellPortion ProtocolIE-ID ::= 1112 id-UpPTSInterference-For-CellPortion-Value ProtocolIE-ID ::= 1113 id-NumberOfReportedCellPortionsLCR ProtocolIE-ID ::= 1114 id-CellPortion-CapabilityLCR ProtocolIE-ID ::= 1115 id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortionValue ProtocolIE-ID ::= 1116 id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortion ProtocolIE-ID ::= 1117 -- WS extension to fill the range id-Unknown-1118 ProtocolIE-ID ::= 1118 id-ActivationInformation ProtocolIE-ID ::= 1119 id-Additional-EDCH-Cell-Information-RL-Setup-Req ProtocolIE-ID ::= 1120 id-Additional-EDCH-Cell-Information-Response ProtocolIE-ID ::= 1121 id-Additional-EDCH-Cell-Information-RL-Add-Req ProtocolIE-ID ::= 1122 id-Additional-EDCH-Cell-Information-Response-RL-Add ProtocolIE-ID ::= 1123 id-Additional-EDCH-Cell-Information-RL-Reconf-Prep ProtocolIE-ID ::= 1124 id-Additional-EDCH-Cell-Information-RL-Reconf-Req ProtocolIE-ID ::= 1125 id-Additional-EDCH-Cell-Information-Bearer-Rearrangement ProtocolIE-ID ::= 1126 id-Additional-EDCH-Cell-Information-RL-Param-Upd ProtocolIE-ID ::= 1127 id-Additional-EDCH-Preconfiguration-Information ProtocolIE-ID ::= 1128 id-EDCH-Indicator ProtocolIE-ID ::= 1129 -- WS extension to fill the range id-Unknown-1130 ProtocolIE-ID ::= 1130 id-HS-DSCH-SPS-Reservation-Indicator ProtocolIE-ID ::= 1131 id-E-DCH-SPS-Reservation-Indicator ProtocolIE-ID ::= 1132 id-MultipleFreq-HARQ-MemoryPartitioning-InformationList ProtocolIE-ID ::= 1133 id-Ul-common-E-DCH-MACflow-Specific-InfoResponseListLCR-Ext ProtocolIE-ID ::= 1134 id-RepetitionPeriodIndex ProtocolIE-ID ::= 1135 id-MidambleShiftLCR ProtocolIE-ID ::= 1136 id-MaxHSDSCH-HSSCCH-Power-per-CELLPORTION ProtocolIE-ID ::= 1137 id-DormantModeIndicator ProtocolIE-ID ::= 1138 id-DiversityMode ProtocolIE-ID ::= 1139 id-TransmitDiversityIndicator ProtocolIE-ID ::= 1140 id-NonCellSpecificTxDiversity ProtocolIE-ID ::= 1141 id-Cell-Capability-Container ProtocolIE-ID ::= 1142 id-E-RNTI-List-Request ProtocolIE-ID ::= 1143 id-E-RNTI-List ProtocolIE-ID ::= 1144 id-PowerControlGAP-For-CellFACHLCR ProtocolIE-ID ::= 1145 -- WS extension to fill the range id-Unknown-1146 ProtocolIE-ID ::= 1146 id-UL-Synchronisation-Parameters-For-FACHLCR ProtocolIE-ID ::= 1147 id-HS-DSCH-SPS-Operation-Indicator ProtocolIE-ID ::= 1148 id-HSDSCH-RNTI-For-FACH ProtocolIE-ID ::= 1149 id-E-RNTI-For-FACH ProtocolIE-ID ::= 1150 id-Out-of-Sychronization-Window ProtocolIE-ID ::= 1151 id-Max-RTWP-perUARFCN-Information-LCR-PSCH-ReconfRqst ProtocolIE-ID ::= 1152 id-E-HICH-TimeOffset-ReconfFailureTDD ProtocolIE-ID ::= 1153 id-HSSCCH-TPC-StepSize ProtocolIE-ID ::= 1154 id-TS0-CapabilityLCR ProtocolIE-ID ::= 1155 id-UE-TS0-CapabilityLCR ProtocolIE-ID ::= 1156 id-Common-System-Information-ResponseLCR ProtocolIE-ID ::= 1157 id-Additional-EDCH-Cell-Information-ResponseRLReconf ProtocolIE-ID ::= 1158 id-Multicell-EDCH-InformationItemIEs ProtocolIE-ID ::= 1159 id-Multicell-EDCH-RL-Specific-InformationItemIEs ProtocolIE-ID ::= 1160 id-Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext ProtocolIE-ID ::= 1161 id-Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext ProtocolIE-ID ::= 1162 id-Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext ProtocolIE-ID ::= 1163 id-Initial-DL-Transmission-Power ProtocolIE-ID ::= 1164 id-Maximum-DL-Power ProtocolIE-ID ::= 1165 id-Minimum-DL-Power ProtocolIE-ID ::= 1166 id-DCH-MeasurementOccasion-Information ProtocolIE-ID ::= 1167 id-AssociatedPhsicalChannelID ProtocolIE-ID ::= 1168 id-DGNSS-ValidityPeriod ProtocolIE-ID ::= 1169 id-PhysicalChannelID-for-CommonERNTI-RequestedIndicator ProtocolIE-ID ::= 1170 id-PrecodingWeightSetRestriction ProtocolIE-ID ::= 1171 id-Treset-Usage-Indicator ProtocolIE-ID ::= 1172 id-Non-Serving-RL-Preconfig-Info ProtocolIE-ID ::= 1173 id-Non-Serving-RL-Preconfig-Setup ProtocolIE-ID ::= 1174 id-Non-Serving-RL-Preconfig-Removal ProtocolIE-ID ::= 1175 id-Additional-E-DCH-Non-Serving-RL-Preconfiguration-Setup ProtocolIE-ID ::= 1176 id-Additional-E-DCH-New-non-serving-RL-E-DCH-FDD-DL-Control-Channel-InfoList ProtocolIE-ID ::= 1177 id-Ul-common-E-DCH-MACflow-Specific-InfoListLCR-Ext ProtocolIE-ID ::= 1178 id-CommonMACFlow-Specific-InfoList-ResponseLCR-Ext ProtocolIE-ID ::= 1179 id-Enabling-Delay-Ext-LCR ProtocolIE-ID ::= 1180 -- WS extension to fill the range id-Unallocated-1181 ProtocolIE-ID ::= 1181 id-Unallocated-1182 ProtocolIE-ID ::= 1182 id-Unallocated-1183 ProtocolIE-ID ::= 1183 id-Unallocated-1184 ProtocolIE-ID ::= 1184 id-Unallocated-1185 ProtocolIE-ID ::= 1185 id-Unallocated-1186 ProtocolIE-ID ::= 1186 id-Unallocated-1187 ProtocolIE-ID ::= 1187 id-Unallocated-1188 ProtocolIE-ID ::= 1188 id-Unallocated-1189 ProtocolIE-ID ::= 1189 id-Unallocated-1190 ProtocolIE-ID ::= 1190 id-Unallocated-1191 ProtocolIE-ID ::= 1191 id-Unallocated-1192 ProtocolIE-ID ::= 1192 id-Unallocated-1193 ProtocolIE-ID ::= 1193 id-Unallocated-1194 ProtocolIE-ID ::= 1194 id-Unallocated-1195 ProtocolIE-ID ::= 1195 id-Unallocated-1196 ProtocolIE-ID ::= 1196 id-Unallocated-1197 ProtocolIE-ID ::= 1197 id-Unallocated-1198 ProtocolIE-ID ::= 1198 id-Unallocated-1199 ProtocolIE-ID ::= 1199 id-Unallocated-1200 ProtocolIE-ID ::= 1200 id-Unallocated-1201 ProtocolIE-ID ::= 1201 id-Unallocated-1202 ProtocolIE-ID ::= 1202 id-Unallocated-1203 ProtocolIE-ID ::= 1203 id-Unallocated-1204 ProtocolIE-ID ::= 1204 id-Unallocated-1205 ProtocolIE-ID ::= 1205 id-Unallocated-1206 ProtocolIE-ID ::= 1206 id-Unallocated-1207 ProtocolIE-ID ::= 1207 id-Unallocated-1208 ProtocolIE-ID ::= 1208 id-Unallocated-1209 ProtocolIE-ID ::= 1209 id-Unallocated-1210 ProtocolIE-ID ::= 1210 id-Unallocated-1211 ProtocolIE-ID ::= 1211 id-Unallocated-1212 ProtocolIE-ID ::= 1212 id-Unallocated-1213 ProtocolIE-ID ::= 1213 id-Unallocated-1214 ProtocolIE-ID ::= 1214 id-Unallocated-1215 ProtocolIE-ID ::= 1215 id-Unallocated-1216 ProtocolIE-ID ::= 1216 id-Unallocated-1217 ProtocolIE-ID ::= 1217 id-Unallocated-1218 ProtocolIE-ID ::= 1218 id-Unallocated-1219 ProtocolIE-ID ::= 1219 id-Unallocated-1220 ProtocolIE-ID ::= 1220 id-Unallocated-1221 ProtocolIE-ID ::= 1221 --id-HSDSCH-Common-System-Information-ResponseLCR ProtocolIE-ID ::= 1222 END
ASN.1
wireshark/epan/dissectors/asn1/nbap/NBAP-Containers.asn
-- NBAP-Containers.asn -- -- Taken from 3GPP TS 25.433 V9.4.0 (2010-09) -- http://www.3gpp.org/ftp/Specs/archive/25_series/25.433/ -- -- 9.3.7 Container Definitions -- -- ************************************************************** -- -- Container definitions -- -- ************************************************************** NBAP-Containers { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) umts-Access (20) modules (3) nbap (2) version1 (1) nbap-Containers (5) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- IE parameter types from other modules. -- -- ************************************************************** IMPORTS maxProtocolExtensions, maxPrivateIEs, maxProtocolIEs, Criticality, Presence, PrivateIE-ID, ProtocolIE-ID FROM NBAP-CommonDataTypes; -- ************************************************************** -- -- Class Definition for Protocol IEs -- -- ************************************************************** NBAP-PROTOCOL-IES ::= CLASS { &id ProtocolIE-ID UNIQUE, &criticality Criticality, &Value, &presence Presence } WITH SYNTAX { ID &id CRITICALITY &criticality TYPE &Value PRESENCE &presence } -- ************************************************************** -- -- Class Definition for Protocol IEs -- -- ************************************************************** NBAP-PROTOCOL-IES-PAIR ::= CLASS { &id ProtocolIE-ID UNIQUE, &firstCriticality Criticality, &FirstValue, &secondCriticality Criticality, &SecondValue, &presence Presence } WITH SYNTAX { ID &id FIRST CRITICALITY &firstCriticality FIRST TYPE &FirstValue SECOND CRITICALITY &secondCriticality SECOND TYPE &SecondValue PRESENCE &presence } -- ************************************************************** -- -- Class Definition for Protocol Extensions -- -- ************************************************************** NBAP-PROTOCOL-EXTENSION ::= CLASS { &id ProtocolIE-ID UNIQUE, &criticality Criticality, &Extension, &presence Presence } WITH SYNTAX { ID &id CRITICALITY &criticality EXTENSION &Extension PRESENCE &presence } -- ************************************************************** -- -- Class Definition for Private IEs -- -- ************************************************************** NBAP-PRIVATE-IES ::= CLASS { &id PrivateIE-ID, &criticality Criticality, &Value, &presence Presence } WITH SYNTAX { ID &id CRITICALITY &criticality TYPE &Value PRESENCE &presence } -- ************************************************************** -- -- Container for Protocol IEs -- -- ************************************************************** ProtocolIE-Container {NBAP-PROTOCOL-IES : IEsSetParam} ::= SEQUENCE (SIZE (0..maxProtocolIEs)) OF ProtocolIE-Field {{IEsSetParam}} ProtocolIE-Single-Container {NBAP-PROTOCOL-IES : IEsSetParam} ::= ProtocolIE-Field {{IEsSetParam}} ProtocolIE-Field {NBAP-PROTOCOL-IES : IEsSetParam} ::= SEQUENCE { id NBAP-PROTOCOL-IES.&id ({IEsSetParam}), criticality NBAP-PROTOCOL-IES.&criticality ({IEsSetParam}{@id}), value NBAP-PROTOCOL-IES.&Value ({IEsSetParam}{@id}) } -- ************************************************************** -- -- Container for Protocol IE Pairs -- -- ************************************************************** ProtocolIE-ContainerPair {NBAP-PROTOCOL-IES-PAIR : IEsSetParam} ::= SEQUENCE (SIZE (0..maxProtocolIEs)) OF ProtocolIE-FieldPair {{IEsSetParam}} ProtocolIE-FieldPair {NBAP-PROTOCOL-IES-PAIR : IEsSetParam} ::= SEQUENCE { id NBAP-PROTOCOL-IES-PAIR.&id ({IEsSetParam}), firstCriticality NBAP-PROTOCOL-IES-PAIR.&firstCriticality ({IEsSetParam}{@id}), firstValue NBAP-PROTOCOL-IES-PAIR.&FirstValue ({IEsSetParam}{@id}), secondCriticality NBAP-PROTOCOL-IES-PAIR.&secondCriticality ({IEsSetParam}{@id}), secondValue NBAP-PROTOCOL-IES-PAIR.&SecondValue ({IEsSetParam}{@id}) } -- ************************************************************** -- -- Container Lists for Protocol IE Containers -- -- ************************************************************** ProtocolIE-ContainerList {INTEGER : lowerBound, INTEGER : upperBound, NBAP-PROTOCOL-IES : IEsSetParam} ::= SEQUENCE (SIZE (lowerBound..upperBound)) OF ProtocolIE-Container {{IEsSetParam}} ProtocolIE-ContainerPairList {INTEGER : lowerBound, INTEGER : upperBound, NBAP-PROTOCOL-IES-PAIR : IEsSetParam} ::= SEQUENCE (SIZE (lowerBound..upperBound)) OF ProtocolIE-ContainerPair {{IEsSetParam}} -- ************************************************************** -- -- Container for Protocol Extensions -- -- ************************************************************** ProtocolExtensionContainer {NBAP-PROTOCOL-EXTENSION : ExtensionSetParam} ::= SEQUENCE (SIZE (1..maxProtocolExtensions)) OF ProtocolExtensionField {{ExtensionSetParam}} ProtocolExtensionField {NBAP-PROTOCOL-EXTENSION : ExtensionSetParam} ::= SEQUENCE { id NBAP-PROTOCOL-EXTENSION.&id ({ExtensionSetParam}), criticality NBAP-PROTOCOL-EXTENSION.&criticality ({ExtensionSetParam}{@id}), extensionValue NBAP-PROTOCOL-EXTENSION.&Extension ({ExtensionSetParam}{@id}) } -- ************************************************************** -- -- Container for Private IEs -- -- ************************************************************** PrivateIE-Container {NBAP-PRIVATE-IES : IEsSetParam} ::= SEQUENCE (SIZE (1..maxPrivateIEs)) OF PrivateIE-Field {{IEsSetParam}} PrivateIE-Field {NBAP-PRIVATE-IES : IEsSetParam} ::= SEQUENCE { id NBAP-PRIVATE-IES.&id ({IEsSetParam}), criticality NBAP-PRIVATE-IES.&criticality ({IEsSetParam}{@id}), value NBAP-PRIVATE-IES.&Value ({IEsSetParam}{@id}) } END
ASN.1
wireshark/epan/dissectors/asn1/nbap/NBAP-IEs.asn
-- NBAP-IEs.asn -- -- Taken from 3GPP TS 25.433 V9.2.0 (2010-03) -- http://www.3gpp.org/ftp/Specs/archive/25_series/25.433/ -- -- 9.3.4 Information Elements Definitions -- --****************************************************************************** -- -- Information Element Definitions -- --****************************************************************************** NBAP-IEs { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) umts-Access (20) modules (3) nbap (2) version1 (1) nbap-IEs (2) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN IMPORTS maxNrOfRLs, maxNrOfTFCs, maxNrOfErrors, maxCTFC, maxNrOfTFs, maxTTI-count, maxRateMatching, maxHS-PDSCHCodeNrComp-1, maxHS-SCCHCodeNrComp-1, maxNrOfCellSyncBursts, maxNrOfCombEDPDCH, maxNrOfEDCH-HARQ-PO-QUANTSTEPs, maxNrOfEDCHHARQProcesses2msEDCH, maxNrOfBits-MACe-PDU-non-scheduled, maxNrOfEDPCCH-PO-QUANTSTEPs, maxNrOfRefETFCI-PO-QUANTSTEPs, maxNrOfRefETFCIs, maxNrOfMeasNCell, maxNrOfMeasNCell-1, maxNrOfReceptsPerSyncFrame, maxNrOfSF, maxTGPS, maxNrOfUSCHs, maxNrOfULTSs, maxNrOfULTSLCRs, maxNrOfDPCHs, maxNrOfDPCHLCRs, maxNrOfDPCHs768, maxNrOfCodes, maxNrOfDSCHs, maxNrOfDLTSs, maxNrOfDLTSLCRs, maxNrOfDCHs, maxNrOfLevels, maxNoGPSItems, maxNoSat, maxNrOfCellPortionsPerCell, maxNrOfCellPortionsPerCell-1, maxNrOfHSSCCHs, maxNrOfHSSCCHCodes, maxNrOfMACdFlows, maxNrOfMACdFlows-1, maxNrOfMACdPDUIndexes, maxNrOfMACdPDUIndexes-1, maxNrOfMACdPDUSize, maxNrOfNIs, maxNrOfPriorityQueues, maxNrOfPriorityQueues-1, maxNrOfHARQProcesses, maxNrOfSyncDLCodesLCR, maxNrOfSyncFramesLCR, maxNrOfContextsOnUeList, maxNrOfPriorityClasses, maxNrOfSatAlmanac-maxNoSat, maxNrOfE-AGCHs, maxNrOfEDCHMACdFlows, maxNrOfEDCHMACdFlows-1, maxNrOfE-RGCHs-E-HICHs, maxNrofSigSeqRGHI-1, maxNoOfLogicalChannels, maxNrOfEAGCHs, maxNrOfRefBetas, maxNrOfEAGCHCodes, maxNrOfHS-DSCH-TBSs, maxNrOfHS-DSCH-TBSs-HS-SCCHless, maxNrOfEHICHCodes, maxNrOfCommonMACFlows, maxNrOfCommonMACFlows-1, maxNrOfPagingMACFlow, maxNrOfPagingMACFlow-1, maxNrOfcommonMACQueues, maxNrOfpagingMACQueues, maxNrOfHS-DSCHTBSsE-PCH, maxGANSSSat, maxNoGANSS, maxSgnType, maxHSDPAFrequency, maxHSDPAFrequency-1, maxGANSSSatAlmanac, maxGANSSClockMod, maxNrOfEDCHRLs, maxCellinNodeB, maxERNTItoRelease, maxNrOfCommonEDCH, maxFrequencyinCell-1, maxNrOfCommonMACFlowsLCR, maxNrOfCommonMACFlowsLCR-1, maxNrOfHSSCCHsLCR, maxNrOfEDCHMACdFlowsLCR, maxNrOfEDCHMACdFlowsLCR-1, maxNrOfEAGCHsLCR, maxNrOfEHICHsLCR, maxnrofERUCCHsLCR, maxNrOfHSPDSCHs, maxFrequencyinCell, maxNrOfHSDSCH-1, maxNrOfHSDSCH, maxGANSS-1, maxNoOfTBSs-Mapping-HS-DSCH-SPS, maxNoOfTBSs-Mapping-HS-DSCH-SPS-1, maxNoOfHS-DSCH-TBSsLCR, maxNoOfRepetition-Period-LCR, maxNoOfRepetitionPeriod-SPS-LCR-1, maxNoOf-HS-SICH-SPS, maxNoOf-HS-SICH-SPS-1, maxNoOfNon-HS-SCCH-Assosiated-HS-SICH, maxNoOfNon-HS-SCCH-Assosiated-HS-SICH-Ext, maxMBMSServiceSelect, maxNrOfCellPortionsPerCellLCR, maxNrOfCellPortionsPerCellLCR-1, maxNrOfEDCH-1, maxNoOfCommonH-RNTI, maxNrOfCommonMACFlowsLCRExt, maxofERNTI, maxNrOfDCHMeasurementOccasionPatternSequence, id-BroadcastCommonTransportBearerIndication, id-MessageStructure, id-ReportCharacteristicsType-OnModification, id-Rx-Timing-Deviation-Value-LCR, id-SFNSFNMeasurementValueInformation, id-SFNSFNMeasurementThresholdInformation, id-TUTRANGPSMeasurementValueInformation, id-TUTRANGPSMeasurementThresholdInformation, id-TypeOfError, id-transportlayeraddress, id-bindingID, id-Angle-Of-Arrival-Value-LCR, id-SyncDLCodeIdThreInfoLCR, id-neighbouringTDDCellMeasurementInformationLCR, id-HS-SICH-Reception-Quality, id-HS-SICH-Reception-Quality-Measurement-Value, id-Initial-DL-Power-TimeslotLCR-InformationItem, id-Maximum-DL-Power-TimeslotLCR-InformationItem, id-Minimum-DL-Power-TimeslotLCR-InformationItem, id-Received-total-wide-band-power-For-CellPortion, id-Received-total-wide-band-power-For-CellPortion-Value, id-Transmitted-Carrier-Power-For-CellPortion, id-Transmitted-Carrier-Power-For-CellPortion-Value, id-TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmission, id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortion, id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue, id-HS-DSCHRequiredPowerValueInformation, id-HS-DSCHProvidedBitRateValueInformation, id-HS-DSCHRequiredPowerValue, id-HS-DSCHRequiredPowerValue-For-Cell-Portion, id-HS-DSCHRequiredPowerValueInformation-For-CellPortion, id-HS-DSCHProvidedBitRateValueInformation-For-CellPortion, id-HSDSCH-MACdPDUSizeFormat, id-HS-PDSCH-Code-Change-Grant, id-HS-PDSCH-Code-Change-Indicator, id-HS-DSCH-SPS-Operation-Indicator, id-Best-Cell-Portions-Value, id-Unidirectional-DCH-Indicator, id-SAT-Info-Almanac-ExtItem, id-TnlQos, id-UpPTSInterferenceValue, id-HARQ-Preamble-Mode, id-HARQ-Preamble-Mode-Activation-Indicator, id-DLTransmissionBranchLoadValue, id-E-DCHProvidedBitRateValueInformation, id-E-DCH-Non-serving-Relative-Grant-Down-CommandsValue, id-HSSICH-SIRTarget, id-PLCCH-Information-UL-TimeslotLCR-Info, id-neighbouringTDDCellMeasurementInformation768, id-Rx-Timing-Deviation-Value-768, id-hsSCCH-Specific-Information-ResponseTDD768, id-Rx-Timing-Deviation-Value-384-ext, id-E-DCH-PowerOffset-for-SchedulingInfo, id-Extended-Round-Trip-Time-Value, id-ExtendedPropagationDelay, id-HSSICH-TPC-StepSize, id-RTWP-CellPortion-ReportingIndicator, id-Received-Scheduled-EDCH-Power-Share-Value, id-Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value, id-Received-Scheduled-EDCH-Power-Share, id-Received-Scheduled-EDCH-Power-Share-For-CellPortion, id-ueCapability-Info, id-ContinuousPacketConnectivityHS-SCCH-less-Information, id-ContinuousPacketConnectivityHS-SCCH-less-Information-Response, id-MIMO-ActivationIndicator, id-MIMO-Mode-Indicator, id-MIMO-N-M-Ratio, id-Additional-failed-HS-SICH, id-Additional-missed-HS-SICH, id-Additional-total-HS-SICH, id-Additional-HS-SICH-Reception-Quality-Measurement-Value, id-LCRTDD-uplink-Physical-Channel-Capability, id-SixteenQAM-UL-Operation-Indicator, id-E-AGCH-Table-Choice, id-E-TFCI-Boost-Information, id-E-DPDCH-PowerInterpolation, id-MaximumMACdPDU-SizeExtended, id-GANSS-Common-Data, id-GANSS-Information, id-GANSS-Generic-Data, id-TUTRANGANSSMeasurementThresholdInformation, id-TUTRANGANSSMeasurementValueInformation, id-Extended-RNC-ID, id-HARQ-MemoryPartitioningInfoExtForMIMO, id-Ext-Reference-E-TFCI-PO, id-Ext-Max-Bits-MACe-PDU-non-scheduled, id-TransportBearerNotSetupIndicator, id-TransportBearerNotRequestedIndicator, id-UARFCNforNt, id-number-Of-Supported-Carriers, id-multipleFreq-HSPDSCH-InformationList-ResponseTDDLCR, id-tSN-Length, id-multicarrier-number, id-Extended-HS-SICH-ID, id-Default-Serving-Grant-in-DTX-Cycle2, id-SixtyfourQAM-UsageAllowedIndicator, id-SixtyfourQAM-DL-UsageIndicator, id-IPMulticastDataBearerIndication, id-Extended-E-DCH-LCRTDD-PhysicalLayerCategory, id-ContinuousPacketConnectivityHS-SCCH-less-Deactivate-Indicator, id-Extended-E-HICH-ID-TDD, id-E-DCH-MACdPDUSizeFormat, id-MaximumNumber-Of-Retransmission-for-Scheduling-Info-LCRTDD, id-E-DCH-RetransmissionTimer-for-SchedulingInfo-LCRTDD, id-E-PUCH-PowerControlGAP, id-HSDSCH-TBSizeTableIndicator, id-E-DCH-DL-Control-Channel-Change-Information, id-E-DCH-DL-Control-Channel-Grant-Information, id-DGANSS-Corrections-Req, id-UE-with-enhanced-HS-SCCH-support-indicator, id-TransportBearerRequestIndicator, id-EnhancedHSServingCC-Abort, id-GANSS-Time-ID, id-GANSS-AddIonoModelReq, id-GANSS-EarthOrientParaReq, id-GANSS-AddNavigationModelsReq, id-GANSS-AddUTCModelsReq, id-GANSS-AuxInfoReq, id-GANSS-SBAS-ID, id-GANSS-ID, id-GANSS-Additional-Ionospheric-Model, id-GANSS-Earth-Orientation-Parameters, id-GANSS-Additional-Time-Models, id-GANSS-Additional-Navigation-Models, id-GANSS-Additional-UTC-Models, id-GANSS-Auxiliary-Information, id-GANSS-alm-keplerianNAVAlmanac, id-GANSS-alm-keplerianReducedAlmanac, id-GANSS-alm-keplerianMidiAlmanac, id-GANSS-alm-keplerianGLONASS, id-GANSS-alm-ecefSBASAlmanac, id-EDCH-RACH-Report-Value, id-EDCH-RACH-Report-IncrDecrThres, id-EDCH-RACH-Report-ThresholdInformation, id-MACes-Maximum-Bitrate-LCR, id-E-AGCH-UE-Inactivity-Monitor-Threshold, id-MultiCarrier-HSDSCH-Physical-Layer-Category, id-MIMO-ReferenceSignal-InformationListLCR, id-MIMO-SFMode-For-HSPDSCHDualStream, id-MIMO-SFMode-Supported-For-HSPDSCHDualStream, id-DL-RLC-PDU-Size-Format, id-schedulingPriorityIndicator, id-UE-SupportIndicatorExtension, id-UE-AggregateMaximumBitRate-Enforcement-Indicator, id-Single-Stream-MIMO-ActivationIndicator, id-Single-Stream-MIMO-Mode-Indicator, id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortion, id-ULTimeslotISCPValue-For-CellPortion, id-UpPTSInterferenceValue-For-CellPortion, id-Best-Cell-Portions-ValueLCR, id-Transmitted-Carrier-Power-For-CellPortion-ValueLCR, id-Received-total-wide-band-power-For-CellPortion-ValueLCR, id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortionValue, id-UL-TimeslotISCP-For-CellPortion-Value, id-HS-DSCHRequiredPowerValueInformation-For-CellPortionLCR, id-HS-DSCHProvidedBitRateValueInformation-For-CellPortionLCR, id-E-DCHProvidedBitRateValueInformation-For-CellPortion, id-UpPTSInterference-For-CellPortion-Value, id-HS-DSCH-SPS-Reservation-Indicator, id-E-DCH-SPS-Reservation-Indicator, id-MultipleFreq-HARQ-MemoryPartitioning-InformationList, id-DiversityMode, id-TransmitDiversityIndicator, id-NonCellSpecificTxDiversity, id-RepetitionPeriodIndex, id-MidambleShiftLCR, id-MaxHSDSCH-HSSCCH-Power-per-CELLPORTION, id-Additional-EDCH-Preconfiguration-Information, id-EDCH-Indicator, id-Ul-common-E-DCH-MACflow-Specific-InfoResponseListLCR-Ext, id-E-RNTI-List-Request, id-E-RNTI-List, id-UL-Synchronisation-Parameters-For-FACHLCR, id-UE-TS0-CapabilityLCR, id-Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext, id-Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext, id-DGNSS-ValidityPeriod, id-AssociatedPhsicalChannelID, id-PhysicalChannelID-for-CommonERNTI-RequestedIndicator, id-Initial-DL-Transmission-Power, id-Maximum-DL-Power, id-Minimum-DL-Power, id-Multicell-EDCH-InformationItemIEs, id-Multicell-EDCH-RL-Specific-InformationItemIEs FROM NBAP-Constants Criticality, ProcedureID, ProtocolIE-ID, TransactionID, TriggeringMessage FROM NBAP-CommonDataTypes NBAP-PROTOCOL-IES, ProtocolExtensionContainer{}, ProtocolIE-Single-Container{}, NBAP-PROTOCOL-EXTENSION FROM NBAP-Containers; -- ========================================== -- A -- ========================================== AckNack-RepetitionFactor ::= INTEGER (1..4,...) -- Step: 1 Ack-Power-Offset ::= INTEGER (0..8,...) -- According to mapping in ref. [9] subclause 4.2.1 Acknowledged-PRACH-preambles-Value ::= INTEGER(0..240,...) -- According to mapping in [22]. ActivationInformation ::= SEQUENCE (SIZE (1..maxNrOfEDCH-1)) OF ActivationInformationItem ActivationInformationItem ::= SEQUENCE { uU-ActivationState Uu-ActivationState, iE-Extensions ProtocolExtensionContainer { { ActivationInformationItem-ExtIEs} } OPTIONAL, ... } ActivationInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-Setup-Info ::=SEQUENCE{ multicell-EDCH-Transport-Bearer-Mode Multicell-EDCH-Transport-Bearer-Mode, additional-EDCH-Cell-Information-Setup Additional-EDCH-Cell-Information-Setup, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-Setup-Info-ExtIEs} } OPTIONAL, ... } Additional-EDCH-Setup-Info-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Multicell-EDCH-Transport-Bearer-Mode ::= ENUMERATED { separate-Iub-Transport-Bearer-Mode, uL-Flow-Multiplexing-Mode } Additional-EDCH-Cell-Information-Setup ::= SEQUENCE (SIZE (1..maxNrOfEDCH-1)) OF Additional-EDCH-FDD-Setup-Cell-Information Additional-EDCH-FDD-Setup-Cell-Information ::=SEQUENCE{ additional-EDCH-UL-DPCH-Information-Setup Additional-EDCH-UL-DPCH-Information-Setup, additional-EDCH-RL-Specific-Information-To-Setup Additional-EDCH-RL-Specific-Information-To-Setup-List, additional-EDCH-FDD-Information Additional-EDCH-FDD-Information OPTIONAL, additional-EDCH-F-DPCH-Information-Setup Additional-EDCH-F-DPCH-Information, multicell-EDCH-Information Multicell-EDCH-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-FDD-Setup-Cell-Information-ExtIEs} } OPTIONAL, ... } Additional-EDCH-FDD-Setup-Cell-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-UL-DPCH-Information-Setup ::=SEQUENCE{ ul-ScramblingCode UL-ScramblingCode, ul-SIR-Target UL-SIR, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-UL-DPCH-Information-Setup-ExtIEs} } OPTIONAL, ... } Additional-EDCH-UL-DPCH-Information-Setup-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-F-DPCH-Information ::=SEQUENCE{ fdd-TPC-DownlinkStepSize FDD-TPC-DownlinkStepSize, limitedPowerIncrease LimitedPowerIncrease, innerLoopDLPCStatus InnerLoopDLPCStatus, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-F-DPCH-Information-ExtIEs} } OPTIONAL, ... } Additional-EDCH-F-DPCH-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-RL-Specific-Information-To-Setup-List ::= SEQUENCE (SIZE (1..maxNrOfEDCHRLs)) OF Additional-EDCH-RL-Specific-Information-To-Setup-ItemIEs Additional-EDCH-RL-Specific-Information-To-Setup-ItemIEs ::=SEQUENCE{ eDCH-Additional-RL-ID RL-ID, c-ID C-ID OPTIONAL, firstRLS-indicator FirstRLS-Indicator, propagationDelay PropagationDelay OPTIONAL, dl-CodeInformation FDD-DL-CodeInformation, initialDL-transmissionPower DL-Power, maximumDL-power DL-Power, minimumDL-power DL-Power, f-DPCH-SlotFormat F-DPCH-SlotFormat OPTIONAL, e-RNTI E-RNTI OPTIONAL, multicell-EDCH-RL-Specific-Information Multicell-EDCH-RL-Specific-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-RL-Specific-Information-To-Setup-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-EDCH-RL-Specific-Information-To-Setup-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-Cell-Information-To-Add-List ::= SEQUENCE (SIZE (1..maxNrOfEDCH-1)) OF Additional-EDCH-Cell-Information-To-Add-ItemIEs Additional-EDCH-Cell-Information-To-Add-ItemIEs ::=SEQUENCE{ additional-EDCH-RL-Specific-Information-To-Add-ItemIEs Additional-EDCH-RL-Specific-Information-To-Add-ItemIEs, additional-EDCH-FDD-Information Additional-EDCH-FDD-Information OPTIONAL, multicell-EDCH-Information Multicell-EDCH-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-Cell-Information-To-Add-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-EDCH-Cell-Information-To-Add-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-RL-Specific-Information-To-Add-ItemIEs ::= SEQUENCE (SIZE (1.. maxNrOfEDCHRLs)) OF EDCH-Additional-RL-Specific-Information-To-Add-List EDCH-Additional-RL-Specific-Information-To-Add-List ::=SEQUENCE{ eDCH-Additional-RL-ID RL-ID, c-ID C-ID, dl-CodeInformation FDD-DL-CodeInformation, initialDL-transmissionPower DL-Power OPTIONAL, maximumDL-power DL-Power OPTIONAL, minimumDL-power DL-Power OPTIONAL, f-DPCH-SlotFormat F-DPCH-SlotFormat OPTIONAL, multicell-EDCH-RL-Specific-Information Multicell-EDCH-RL-Specific-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { EDCH-Additional-RL-Specific-Information-To-Add-List-ExtIEs} } OPTIONAL, ... } EDCH-Additional-RL-Specific-Information-To-Add-List-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-RL-Specific-Information-To-Modify-List ::= SEQUENCE (SIZE (1..maxNrOfEDCHRLs)) OF Additional-EDCH-RL-Specific-Information-To-Modify-ItemIEs Additional-EDCH-RL-Specific-Information-To-Modify-ItemIEs ::=SEQUENCE{ eDCH-Additional-RL-ID RL-ID, dl-CodeInformation FDD-DL-CodeInformation OPTIONAL, maximumDL-power DL-Power OPTIONAL, minimumDL-power DL-Power OPTIONAL, f-DPCH-SlotFormat F-DPCH-SlotFormat OPTIONAL, multicell-EDCH-RL-Specific-Information Multicell-EDCH-RL-Specific-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-RL-Specific-Information-To-Modify-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-EDCH-RL-Specific-Information-To-Modify-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-FDD-Information ::=SEQUENCE{ additional-EDCH-MAC-d-Flows-Specific-Information Additional-EDCH-MAC-d-Flows-Specific-Info-List OPTIONAL, hARQ-Process-Allocation-Scheduled-2ms-EDCH HARQ-Process-Allocation-2ms-EDCH OPTIONAL, e-DCH-Maximum-Bitrate E-DCH-Maximum-Bitrate OPTIONAL, e-DCH-Processing-Overload-Level E-DCH-Processing-Overload-Level OPTIONAL, e-DCH-Min-Set-E-TFCI E-TFCI OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-FDD-Information-ExtIEs} } OPTIONAL, ... } Additional-EDCH-FDD-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-MAC-d-Flows-Specific-Info-List ::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlows)) OF Additional-EDCH-MAC-d-Flows-Specific-Info Additional-EDCH-MAC-d-Flows-Specific-Info ::= SEQUENCE { e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-MAC-d-Flows-Specific-Info-ExtIEs} } OPTIONAL, ... } Additional-EDCH-MAC-d-Flows-Specific-Info-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-Cell-Information-Response-List ::= SEQUENCE (SIZE (1..maxNrOfEDCH-1)) OF Additional-EDCH-FDD-Information-Response-ItemIEs Additional-EDCH-FDD-Information-Response-ItemIEs ::=SEQUENCE{ eDCH-Additional-RL-Specific-Information-Response EDCH-Additional-RL-Specific-Information-Response-List OPTIONAL, additional-EDCH-MAC-d-Flow-Specific-Information-Response Additional-EDCH-MAC-d-Flow-Specific-Information-Response-List OPTIONAL, hARQ-Process-Allocation-Scheduled-2ms-EDCH HARQ-Process-Allocation-2ms-EDCH OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-FDD-Information-Response-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-EDCH-FDD-Information-Response-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } EDCH-Additional-RL-Specific-Information-Response-List ::= SEQUENCE (SIZE (1..maxNrOfEDCHRLs)) OF EDCH-Additional-RL-Specific-Information-Response-ItemIEs EDCH-Additional-RL-Specific-Information-Response-ItemIEs ::=SEQUENCE{ eDCH-Additional-RL-ID RL-ID, received-total-wide-band-power Received-total-wide-band-power-Value, dL-PowerBalancing-ActivationIndicator DL-PowerBalancing-ActivationIndicator OPTIONAL, rL-Set-ID RL-Set-ID, e-DCH-RL-Set-ID RL-Set-ID, e-DCH-FDD-DL-Control-Channel-Information E-DCH-FDD-DL-Control-Channel-Information, iE-Extensions ProtocolExtensionContainer { { EDCH-Additional-RL-Specific-Information-Response-ItemIEs-ExtIEs} } OPTIONAL, ... } EDCH-Additional-RL-Specific-Information-Response-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-Cell-Information-Response-RLReconf-List::= SEQUENCE (SIZE (1..maxNrOfEDCH-1)) OF Additional-EDCH-FDD-Information-Response-RLReconf-Items Additional-EDCH-FDD-Information-Response-RLReconf-Items::=SEQUENCE{ additional-EDCH-FDD-Information-Response-ItemIEs Additional-EDCH-FDD-Information-Response-ItemIEs OPTIONAL, additional-Modififed-EDCH-FDD-Information-Response-ItemIEs Additional-Modififed-EDCH-FDD-Information-Response-ItemIEs OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-FDD-Information-Response-RLReconf-Items-ExtIEs} } OPTIONAL, ... } Additional-EDCH-FDD-Information-Response-RLReconf-Items-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-Modififed-EDCH-FDD-Information-Response-ItemIEs ::=SEQUENCE{ eDCH-Additional-Modified-RL-Specific-Information-Response EDCH-Additional-Modified-RL-Specific-Information-Response-List OPTIONAL, additional-EDCH-MAC-d-Flow-Specific-Information-Response Additional-EDCH-MAC-d-Flow-Specific-Information-Response-List OPTIONAL, hARQ-Process-Allocation-Scheduled-2ms-EDCH HARQ-Process-Allocation-2ms-EDCH OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-Modififed-EDCH-FDD-Information-Response-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-Modififed-EDCH-FDD-Information-Response-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } EDCH-Additional-Modified-RL-Specific-Information-Response-List ::= SEQUENCE (SIZE (1.. maxNrOfEDCHRLs)) OF EDCH-Additional-Modified-RL-Specific-Information-Response-List-Items EDCH-Additional-Modified-RL-Specific-Information-Response-List-Items ::=SEQUENCE{ eDCH-Additional-RL-ID RL-ID, dL-PowerBalancing-UpdatedIndicator DL-PowerBalancing-UpdatedIndicator OPTIONAL, e-DCH-FDD-DL-Control-Channel-Information E-DCH-FDD-DL-Control-Channel-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { EDCH-Additional-Modified-RL-Specific-Information-Response-List-Items-ExtIEs} } OPTIONAL, ... } EDCH-Additional-Modified-RL-Specific-Information-Response-List-Items-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-MAC-d-Flow-Specific-Information-Response-List::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlows)) OF Additional-EDCH-MAC-d-Flows-Specific-Info-Response Additional-EDCH-MAC-d-Flows-Specific-Info-Response ::= SEQUENCE { e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-MAC-d-Flows-Specific-Info-Response-ExtIEs} } OPTIONAL, ... } Additional-EDCH-MAC-d-Flows-Specific-Info-Response-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-Cell-Information-Response-RL-Add-List ::= SEQUENCE (SIZE (1..maxNrOfEDCH-1)) OF Additional-EDCH-Cell-Information-Response-RL-Add-ItemIEs Additional-EDCH-Cell-Information-Response-RL-Add-ItemIEs ::=SEQUENCE{ additional-EDCH-FDD-Information-Response Additional-EDCH-FDD-Information-Response-ItemIEs OPTIONAL, additional-EDCH-Serving-Cell-Change-Information-Response E-DCH-Serving-Cell-Change-Info-Response OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-Cell-Information-Response-RL-Add-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-EDCH-Cell-Information-Response-RL-Add-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-Cell-Information-ConfigurationChange-List ::= SEQUENCE (SIZE (1..maxNrOfEDCH-1)) OF Additional-EDCH-ConfigurationChange-Info-ItemIEs Additional-EDCH-ConfigurationChange-Info-ItemIEs ::=SEQUENCE{ additional-EDCH-UL-DPCH-Information-Modify Additional-EDCH-UL-DPCH-Information-Modify OPTIONAL, additional-EDCH-RL-Specific-Information-To-Add Additional-EDCH-RL-Specific-Information-To-Add-ItemIEs OPTIONAL, additional-EDCH-RL-Specific-Information-To-Modify Additional-EDCH-RL-Specific-Information-To-Modify-List OPTIONAL, additional-EDCH-FDD-Information-To-Modify Additional-EDCH-FDD-Information OPTIONAL, additional-EDCH-F-DPCH-Information-Modify Additional-EDCH-F-DPCH-Information OPTIONAL, multicell-EDCH-Information Multicell-EDCH-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-ConfigurationChange-Info-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-EDCH-ConfigurationChange-Info-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-UL-DPCH-Information-Modify ::=SEQUENCE{ ul-ScramblingCode UL-ScramblingCode OPTIONAL, ul-SIR-Target UL-SIR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-UL-DPCH-Information-Modify-ExtIEs} } OPTIONAL, ... } Additional-EDCH-UL-DPCH-Information-Modify-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-Cell-Information-Removal-List ::= SEQUENCE (SIZE (1..maxNrOfEDCH-1)) OF Additional-EDCH-Cell-Information-Removal-Info-ItemIEs Additional-EDCH-Cell-Information-Removal-Info-ItemIEs ::=SEQUENCE{ rL-on-Secondary-UL-Frequency RL-on-Secondary-UL-Frequency, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-Cell-Information-Removal-Info-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-EDCH-Cell-Information-Removal-Info-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-on-Secondary-UL-Frequency ::= ENUMERATED { remove, ... } Additional-EDCH-FDD-Update-Information ::=SEQUENCE{ hARQ-Process-Allocation-Scheduled-2ms-EDCH HARQ-Process-Allocation-2ms-EDCH OPTIONAL, additional-EDCH-DL-Control-Channel-Change-Information Additional-EDCH-DL-Control-Channel-Change-Information-List OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-FDD-Update-Information-ExtIEs} } OPTIONAL, ... } Additional-EDCH-FDD-Update-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-DL-Control-Channel-Change-Information-List ::= SEQUENCE (SIZE (1..maxNrOfEDCHRLs)) OF Additional-EDCH-DL-Control-Channel-Change-Info-ItemIEs Additional-EDCH-DL-Control-Channel-Change-Info-ItemIEs ::=SEQUENCE{ eDCH-Additional-RL-ID RL-ID, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-DL-Control-Channel-Change-Info-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-EDCH-DL-Control-Channel-Change-Info-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } AdditionalMeasurementValueList::= SEQUENCE (SIZE (1..maxFrequencyinCell-1)) OF AdditionalMeasurementValue AdditionalMeasurementValue ::= SEQUENCE { uARFCN UARFCN, timeSlotMeasurementValueListLCR TimeSlotMeasurementValueListLCR, iE-Extensions ProtocolExtensionContainer { {AdditionalMeasurementValueList-ExtIEs} } OPTIONAL, ... } AdditionalMeasurementValueList-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } AdditionalTimeSlotListLCR::= SEQUENCE (SIZE (0..maxFrequencyinCell-1)) OF AdditionalTimeSlotLCR AdditionalTimeSlotLCR ::= SEQUENCE { uARFCN UARFCN, timeslot-InitiatedListLCR TimeSlot-InitiatedListLCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { {AdditionalTimeSlotLCR-ExtIEs} } OPTIONAL, ... } AdditionalTimeSlotLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } AddorDeleteIndicator ::= ENUMERATED { add, delete } Active-Pattern-Sequence-Information ::= SEQUENCE { cMConfigurationChangeCFN CFN, transmission-Gap-Pattern-Sequence-Status Transmission-Gap-Pattern-Sequence-Status-List OPTIONAL, iE-Extensions ProtocolExtensionContainer { {Active-Pattern-Sequence-Information-ExtIEs} } OPTIONAL, ... } Active-Pattern-Sequence-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Transmission-Gap-Pattern-Sequence-Status-List ::= SEQUENCE (SIZE (0..maxTGPS)) OF SEQUENCE { tGPSID TGPSID, tGPRC TGPRC, tGCFN CFN, iE-Extensions ProtocolExtensionContainer { { Transmission-Gap-Pattern-Sequence-Status-List-ExtIEs } } OPTIONAL, ... } Transmission-Gap-Pattern-Sequence-Status-List-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } AICH-Power ::= INTEGER (-22..5) -- Offset in dB. AICH-TransmissionTiming ::= ENUMERATED { v0, v1 } AllocationRetentionPriority ::= SEQUENCE { priorityLevel PriorityLevel, pre-emptionCapability Pre-emptionCapability, pre-emptionVulnerability Pre-emptionVulnerability, iE-Extensions ProtocolExtensionContainer { {AllocationRetentionPriority-ExtIEs} } OPTIONAL, ... } AllocationRetentionPriority-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } AlternativeFormatReportingIndicator ::= ENUMERATED { alternativeFormatAllowed,... } Angle-Of-Arrival-Value-LCR ::= SEQUENCE { aOA-LCR AOA-LCR, aOA-LCR-Accuracy-Class AOA-LCR-Accuracy-Class, iE-Extensions ProtocolExtensionContainer { {Angle-Of-Arrival-Value-LCR-ExtIEs} } OPTIONAL, ... } Angle-Of-Arrival-Value-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } AOA-LCR ::= INTEGER (0..719) -- Angle Of Arrival for 1.28Mcps TDD AOA-LCR-Accuracy-Class ::= ENUMERATED {a,b,c,d,e,f,g,h,...} AvailabilityStatus ::= ENUMERATED { empty, in-test, failed, power-off, off-line, off-duty, dependency, degraded, not-installed, log-full, ... } -- ========================================== -- B -- ========================================== BCCH-Specific-HSDSCH-RNTI-Information::= SEQUENCE { bCCH-Specific-HSDSCH-RNTI HSDSCH-RNTI, hSSCCH-Power DL-Power, hSPDSCH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { BCCH-Specific-HSDSCH-RNTI-Information-ExtIEs } } OPTIONAL, ... } BCCH-Specific-HSDSCH-RNTI-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } BCCH-Specific-HSDSCH-RNTI-InformationLCR::= SEQUENCE { bCCH-Specific-HSDSCH-RNTI HSDSCH-RNTI, hSSCCH-Power DL-Power, hSPDSCH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { BCCH-Specific-HSDSCH-RNTI-InformationLCR-ExtIEs } } OPTIONAL, ... } BCCH-Specific-HSDSCH-RNTI-InformationLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } BCCH-ModificationTime ::= INTEGER (0..511) -- Time = BCCH-ModificationTime * 8 -- Range 0 to 4088, step 8 -- All SFN values in which MIB may be mapped are allowed Best-Cell-Portions-Value::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCell)) OF Best-Cell-Portions-Item Best-Cell-Portions-Item ::= SEQUENCE { cellPortionID CellPortionID, sIRValue SIR-Value, iE-Extensions ProtocolExtensionContainer { { Best-Cell-Portions-Item-ExtIEs} } OPTIONAL, ... } Best-Cell-Portions-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Best-Cell-Portions-ValueLCR::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCellLCR)) OF Best-Cell-Portions-ItemLCR Best-Cell-Portions-ItemLCR ::= SEQUENCE { cellPortionLCRID CellPortionLCRID, rSCPValue RSCP-Value, iE-Extensions ProtocolExtensionContainer { { Best-Cell-Portions-ItemLCR-ExtIEs} } OPTIONAL, ... } Best-Cell-Portions-ItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } BindingID ::= OCTET STRING (SIZE (1..4, ...)) -- If the Binding ID includes a UDP port, the UDP port is included in octet 1 and 2.The first octet of -- the UDP port field is included in the first octet of the Binding ID. BetaCD ::= INTEGER (0..15) BlockingPriorityIndicator ::= ENUMERATED { high, normal, low, ... } -- High priority: Block resource immediately. -- Normal priority: Block resource when idle or upon timer expiry. -- Low priority: Block resource when idle. SCTD-Indicator ::= ENUMERATED { active, inactive } BundlingModeIndicator ::= ENUMERATED { bundling, no-bundling } BroadcastCommonTransportBearerIndication ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, cid C-ID, iE-Extensions ProtocolExtensionContainer { { BroadcastCommonTransportBearerIndication-ExtIEs} } OPTIONAL, ... } BroadcastCommonTransportBearerIndication-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } BroadcastReference ::= BIT STRING (SIZE (24)) -- ========================================== -- C -- ========================================== Cause ::= CHOICE { radioNetwork CauseRadioNetwork, transport CauseTransport, protocol CauseProtocol, misc CauseMisc, ... } CauseMisc ::= ENUMERATED { control-processing-overload, hardware-failure, oam-intervention, not-enough-user-plane-processing-resources, unspecified, ... } CauseProtocol ::= ENUMERATED { transfer-syntax-error, abstract-syntax-error-reject, abstract-syntax-error-ignore-and-notify, message-not-compatible-with-receiver-state, semantic-error, unspecified, abstract-syntax-error-falsely-constructed-message, ... } CauseRadioNetwork ::= ENUMERATED { unknown-C-ID, cell-not-available, power-level-not-supported, dl-radio-resources-not-available, ul-radio-resources-not-available, rl-already-ActivatedOrAllocated, nodeB-Resources-unavailable, measurement-not-supported-for-the-object, combining-resources-not-available, requested-configuration-not-supported, synchronisation-failure, priority-transport-channel-established, sIB-Origination-in-Node-B-not-Supported, requested-tx-diversity-mode-not-supported, unspecified, bCCH-scheduling-error, measurement-temporarily-not-available, invalid-CM-settings, reconfiguration-CFN-not-elapsed, number-of-DL-codes-not-supported, s-cpich-not-supported, combining-not-supported, ul-sf-not-supported, dl-SF-not-supported, common-transport-channel-type-not-supported, dedicated-transport-channel-type-not-supported, downlink-shared-channel-type-not-supported, uplink-shared-channel-type-not-supported, cm-not-supported, tx-diversity-no-longer-supported, unknown-Local-Cell-ID, ..., number-of-UL-codes-not-supported, information-temporarily-not-available, information-provision-not-supported-for-the-object, cell-synchronisation-not-supported, cell-synchronisation-adjustment-not-supported, dpc-mode-change-not-supported, iPDL-already-activated, iPDL-not-supported, iPDL-parameters-not-available, frequency-acquisition-not-supported, power-balancing-status-not-compatible, requested-typeofbearer-re-arrangement-not-supported, signalling-Bearer-Re-arrangement-not-supported, bearer-Re-arrangement-needed, delayed-activation-not-supported, rl-timing-adjustment-not-supported, mich-not-supported, f-DPCH-not-supported, modification-period-not-available, pLCCH-not-supported, continuous-packet-connectivity-DTX-DRX-operation-not-available, continuous-packet-connectivity-UE-DTX-Cycle-not-available, mIMO-not-available, e-DCH-MACdPDU-SizeFormat-not-available, multi-Cell-operation-not-available, semi-Persistent-scheduling-not-supported, continuous-Packet-Connectivity-DRX-not-supported, continuous-Packet-Connectivity-DRX-not-available, sixtyfourQAM-DL-and-MIMO-Combined-not-available, s-cpich-power-offset-not-available, tx-diversity-for-mimo-on-DL-control-channels-not-available, single-Stream-MIMO-not-available, multi-Cell-operation-with-MIMO-not-available, multi-Cell-operation-with-Single-Stream-MIMO-not-available, cellSpecificTxDiversityHandlingForMultiCellOperationNotAvailable, multi-Cell-EDCH-operation-not-available } CauseTransport ::= ENUMERATED { transport-resource-unavailable, unspecified, ... } CCTrCH-ID ::= INTEGER (0..15) Cell-Capability-Container ::= BIT STRING (SIZE (128)) -- First bit: Cell Specific Tx Diversity Handling For Multi Cell Operation Capability -- Second bit: Multi Cell and MIMO Capability -- Third bit: Multi Cell and Single Stream MIMO Capability -- Fourth bit: Multi Cell E-DCH Capability -- Fifth bit: Separate Iub Transport Bearer Capability -- Sixth bit: E-DCH UL Flow Multiplexing Capability -- Note that undefined bits are considered as a spare bit and spare bits shall be set to 0 by the transmitter and shall be ignored by the receiver. Cell-ERNTI-Status-Information ::= SEQUENCE (SIZE (1..maxCellinNodeB)) OF Cell-ERNTI-Status-Information-Item Cell-ERNTI-Status-Information-Item ::= SEQUENCE { c-ID C-ID, vacant-ERNTI Vacant-ERNTI, ... } Vacant-ERNTI ::= SEQUENCE (SIZE (1..maxERNTItoRelease)) OF E-RNTI CellParameterID ::= INTEGER (0..127,...) CellPortionID ::= INTEGER (0..maxNrOfCellPortionsPerCell-1,...) CellPortionLCRID ::= INTEGER (0..maxNrOfCellPortionsPerCellLCR-1,...) CellPortion-CapabilityLCR ::= ENUMERATED { cell-portion-capable, cell-portion-non-capable } CellSyncBurstCode ::= INTEGER(0..7, ...) CellSyncBurstCodeShift ::= INTEGER(0..7) CellSyncBurstRepetitionPeriod ::= INTEGER (0..4095) CellSyncBurstSIR ::= INTEGER (0..31) CellSyncBurstTiming ::= CHOICE { initialPhase INTEGER (0..1048575,...), steadyStatePhase INTEGER (0..255,...) } CellSyncBurstTimingLCR ::= CHOICE { initialPhase INTEGER (0..524287,...), steadyStatePhase INTEGER (0..127,...) } CellSyncBurstTimingThreshold ::= INTEGER(0..254) CFN ::= INTEGER (0..255) ChipOffset ::= INTEGER (0..38399) -- Unit Chip C-ID ::= INTEGER (0..65535) Closedlooptimingadjustmentmode ::= ENUMERATED { adj-1-slot, adj-2-slot, ... } CodeRate ::= INTEGER (0..63) CodeRate-short ::= INTEGER (0..10) CommonChannelsCapacityConsumptionLaw ::= SEQUENCE (SIZE(1..maxNrOfSF)) OF SEQUENCE { dl-Cost INTEGER (0..65535), ul-Cost INTEGER (0..65535), iE-Extensions ProtocolExtensionContainer { { CommonChannelsCapacityConsumptionLaw-ExtIEs } } OPTIONAL, ... } CommonChannelsCapacityConsumptionLaw-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-EDCH-Capability ::= ENUMERATED { common-EDCH-capable, common-EDCH-non-capable } Common-E-DCH-HSDPCCH-Capability ::= ENUMERATED { hSDPCCH-non-capable, aCK-NACK-capable, aCK-NACK-CQI-capable } Common-EDCH-System-InformationFDD ::= SEQUENCE { common-E-DCH-UL-DPCH-Information Common-E-DCH-UL-DPCH-InfoItem OPTIONAL, common-E-DCH-EDPCH-Information Common-E-DCH-EDPCH-InfoItem OPTIONAL, common-E-DCH-Information Common-E-DCH-InfoItem OPTIONAL, common-E-DCH-HSDPCCH-Information Common-E-DCH-HSDPCCH-InfoItem OPTIONAL, common-E-DCH-Preamble-Control-Information Common-E-DCH-Preamble-Control-InfoItem OPTIONAL, common-E-DCH-FDPCH-Information Common-E-DCH-FDPCH-InfoItem OPTIONAL, common-E-DCH-E-AGCH-ChannelisationCodeNumber FDD-DL-ChannelisationCodeNumber OPTIONAL, common-E-DCH-Resource-Combination-Information Common-E-DCH-Resource-Combination-InfoList OPTIONAL, ul-common-E-DCH-MACflow-Specific-Information Ul-common-E-DCH-MACflow-Specific-InfoList OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Common-EDCH-System-InformationFDD-ExtIEs } } OPTIONAL, ... } Common-EDCH-System-InformationFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-RNTI-List-Request CRITICALITY ignore EXTENSION NULL PRESENCE optional}, ... } Common-E-DCH-UL-DPCH-InfoItem ::= SEQUENCE { uL-SIR-Target UL-SIR, dPC-Mode DPC-Mode OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-UL-DPCH-InfoItem-ExtIEs} } OPTIONAL, ... } Common-E-DCH-UL-DPCH-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-DCH-EDPCH-InfoItem ::= SEQUENCE { maxSet-E-DPDCHs Max-Set-E-DPDCHs, ul-PunctureLimit PunctureLimit, e-TFCS-Information E-TFCS-Information, e-TTI E-TTI, e-DPCCH-PO E-DPCCH-PO, e-RGCH-2-IndexStepThreshold E-RGCH-2-IndexStepThreshold OPTIONAL, e-RGCH-3-IndexStepThreshold E-RGCH-3-IndexStepThreshold OPTIONAL, hARQ-Info-for-E-DCH HARQ-Info-for-E-DCH, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-EDPCH-InfoItem-ExtIEs} } OPTIONAL, ... } Common-E-DCH-EDPCH-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-DCH-InfoItem ::= SEQUENCE { e-DCH-Reference-Power-Offset E-DCH-Reference-Power-Offset OPTIONAL, e-DCH-PowerOffset-for-SchedulingInfo E-DCH-PowerOffset-for-SchedulingInfo OPTIONAL, max-EDCH-Resource-Allocation-for-CCCH Max-EDCH-Resource-Allocation-for-CCCH, max-Period-for-Collistion-Resolution Max-Period-for-Collistion-Resolution, max-TB-Sizes Max-TB-Sizes OPTIONAL, common-E-DCH-ImplicitRelease-Indicator BOOLEAN, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-InfoItem-ExtIEs} } OPTIONAL, ... } Common-E-DCH-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-DCH-HSDPCCH-InfoItem ::= SEQUENCE { ackNackRepetitionFactor AckNack-RepetitionFactor, ackPowerOffset Ack-Power-Offset, nackPowerOffset Nack-Power-Offset, common-E-DCH-CQI-Info Common-E-DCH-CQI-Info OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-HSDPCCH-InfoItem-ExtIEs} } OPTIONAL, ... } Common-E-DCH-HSDPCCH-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-DCH-CQI-Info ::= SEQUENCE { cqiFeedback-CycleK CQI-Feedback-Cycle, cqiRepetitionFactor CQI-RepetitionFactor OPTIONAL, -- This IE shall be present if the CQI Feedback Cycle k is greater than 0 cqiPowerOffset CQI-Power-Offset, measurement-Power-Offset Measurement-Power-Offset, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-CQI-Info-ExtIEs} } OPTIONAL, ... } Common-E-DCH-CQI-Info-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-DCH-Preamble-Control-InfoItem ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, common-E-DCH-PreambleSignatures PreambleSignatures, scramblingCodeNumber ScramblingCodeNumber, preambleThreshold PreambleThreshold, e-AI-Indicator E-AI-Indicator OPTIONAL, common-E-DCH-AICH-Information Common-E-DCH-AICH-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-Preamble-Control-InfoItem-ExtIEs} } OPTIONAL, ... } Common-E-DCH-Preamble-Control-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-DCH-AICH-Information ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, aICH-TransmissionTiming AICH-TransmissionTiming, fdd-dl-ChannelisationCodeNumber FDD-DL-ChannelisationCodeNumber, aICH-Power AICH-Power, sTTD-Indicator STTD-Indicator, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-AICH-Information-ExtIEs} } OPTIONAL, ... } Common-E-DCH-AICH-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-DCH-FDPCH-InfoItem ::= SEQUENCE { f-DPCH-SlotFormat F-DPCH-SlotFormat, fdd-TPC-DownlinkStepSize FDD-TPC-DownlinkStepSize, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-FDPCH-InfoItem-ExtIEs} } OPTIONAL, ... } Common-E-DCH-FDPCH-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Initial-DL-Transmission-Power CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-Maximum-DL-Power CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-Minimum-DL-Power CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }, ... } Common-E-DCH-Resource-Combination-InfoList::= SEQUENCE (SIZE (1.. maxNrOfCommonEDCH)) OF Common-E-DCH-Resource-Combination-InfoList-Item Common-E-DCH-Resource-Combination-InfoList-Item ::= SEQUENCE { soffset Soffset, f-DPCH-DL-Code-Number FDD-DL-ChannelisationCodeNumber, ul-DPCH-ScramblingCode UL-ScramblingCode, e-RGCH-E-HICH-Channelisation-Code FDD-DL-ChannelisationCodeNumber, e-RGCH-Signature-Sequence E-RGCH-Signature-Sequence OPTIONAL, e-HICH-Signature-Sequence E-HICH-Signature-Sequence, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-Resource-Combination-InfoList-Item-ExtIEs} } OPTIONAL, ... } Common-E-DCH-Resource-Combination-InfoList-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Ul-common-E-DCH-MACflow-Specific-InfoList ::= SEQUENCE (SIZE (1..maxNrOfCommonMACFlows)) OF Ul-common-E-DCH-MACflow-Specific-InfoList-Item Ul-common-E-DCH-MACflow-Specific-InfoList-Item ::= SEQUENCE { ul-Common-MACFlowID Common-MACFlow-ID, transportBearerRequestIndicator TransportBearerRequestIndicator, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, tnlQos TnlQos OPTIONAL, payloadCRC-PresenceIndicator PayloadCRC-PresenceIndicator, bundlingModeIndicator BundlingModeIndicator OPTIONAL, common-E-DCH-MACdFlow-Specific-Information Common-E-DCH-MACdFlow-Specific-InfoList, iE-Extensions ProtocolExtensionContainer { { Ul-common-E-DCH-MACflow-Specific-InfoList-Item-ExtIEs} } OPTIONAL, ... } Ul-common-E-DCH-MACflow-Specific-InfoList-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-DCH-MACdFlow-Specific-InfoList::= SEQUENCE (SIZE (1.. maxNrOfEDCHMACdFlows)) OF Common-E-DCH-MACdFlow-Specific-InfoList-Item Common-E-DCH-MACdFlow-Specific-InfoList-Item ::= SEQUENCE { common-e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, maximum-Number-of-Retransmissions-For-E-DCH Maximum-Number-of-Retransmissions-For-E-DCH, eDCH-HARQ-PO-FDD E-DCH-HARQ-PO-FDD, eDCH-MACdFlow-Multiplexing-List E-DCH-MACdFlow-Multiplexing-List OPTIONAL, common-E-DCHLogicalChannelInformation Common-E-DCH-LogicalChannel-InfoList, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-MACdFlow-Specific-InfoList-Item-ExtIEs} } OPTIONAL, ... } Common-E-DCH-MACdFlow-Specific-InfoList-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-DCH-LogicalChannel-InfoList::= SEQUENCE (SIZE (1.. maxNoOfLogicalChannels)) OF Common-E-DCH-LogicalChannel-InfoList-Item Common-E-DCH-LogicalChannel-InfoList-Item ::= SEQUENCE { logicalChannelId LogicalChannelID, maximumMACcPDU-SizeExtended MAC-PDU-SizeExtended, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-LogicalChannel-InfoList-Item-ExtIEs} } OPTIONAL, ... } Common-E-DCH-LogicalChannel-InfoList-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-schedulingPriorityIndicator CRITICALITY ignore EXTENSION SchedulingPriorityIndicator PRESENCE optional}, ... } Common-EDCH-System-Information-ResponseFDD ::= SEQUENCE { ul-common-E-DCH-MACflow-Specific-InfoResponse Ul-common-E-DCH-MACflow-Specific-InfoResponseList, serving-Grant-Value E-Serving-Grant-Value, iE-Extensions ProtocolExtensionContainer { { Common-EDCH-System-Information-ResponseFDD-ExtIEs} } OPTIONAL, ... } Common-EDCH-System-Information-ResponseFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-RNTI-List CRITICALITY ignore EXTENSION E-RNTI-List PRESENCE optional}, ... } E-RNTI-List ::= SEQUENCE (SIZE (1..maxofERNTI)) OF E-RNTI Ul-common-E-DCH-MACflow-Specific-InfoResponseList ::= SEQUENCE (SIZE (1..maxNrOfCommonMACFlows)) OF Ul-common-E-DCH-MACflow-Specific-InfoResponseList-Item Ul-common-E-DCH-MACflow-Specific-InfoResponseList-Item ::= SEQUENCE { ul-Common-MACFlowID Common-MACFlow-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Ul-common-E-DCH-MACflow-Specific-InfoResponseList-Item-ExtIEs} } OPTIONAL, ... } Ul-common-E-DCH-MACflow-Specific-InfoResponseList-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-MACFlows-to-DeleteFDD ::= SEQUENCE (SIZE (1.. maxNrOfCommonMACFlows)) OF Common-MACFlows-to-DeleteFDD-Item Common-MACFlows-to-DeleteFDD-Item ::= SEQUENCE { common-MACFlow-ID Common-MACFlow-ID, iE-Extensions ProtocolExtensionContainer { { Common-MACFlows-to-DeleteFDD-Item-ExtIEs} } OPTIONAL, ... } Common-MACFlows-to-DeleteFDD-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-MACFlow-ID ::= INTEGER (0..maxNrOfCommonMACFlows-1) CommonMACFlow-Specific-InfoList ::= SEQUENCE (SIZE (1.. maxNrOfCommonMACFlows)) OF CommonMACFlow-Specific-InfoItem CommonMACFlow-Specific-InfoItem ::= SEQUENCE { common-MACFlow-Id Common-MACFlow-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, tnl-qos TnlQos OPTIONAL, common-MACFlow-PriorityQueue-Information Common-MACFlow-PriorityQueue-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { CommonMACFlow-Specific-InfoItem-ExtIEs } } OPTIONAL, ... } CommonMACFlow-Specific-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TransportBearerRequestIndicator CRITICALITY ignore EXTENSION TransportBearerRequestIndicator PRESENCE optional}, -- This IE should not be contained if the MAC flow is setup in procedure, and it should be contained if the MAC flow is modified in procedure. ... } CommonMACFlow-Specific-InfoList-Response ::= SEQUENCE (SIZE (1..maxNrOfCommonMACFlows)) OF CommonMACFlow-Specific-InfoItem-Response CommonMACFlow-Specific-InfoItem-Response ::= SEQUENCE { commonMACFlow-ID Common-MACFlow-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, hSDSCH-Initial-Capacity-Allocation HSDSCH-Initial-Capacity-Allocation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { CommonMACFlow-Specific-InfoItem-Response-ExtIEs} } OPTIONAL, ... } CommonMACFlow-Specific-InfoItem-Response-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-MACFlow-PriorityQueue-Information ::= SEQUENCE (SIZE (1..maxNrOfcommonMACQueues)) OF Common-MACFlow-PriorityQueue-Item Common-MACFlow-PriorityQueue-Item ::= SEQUENCE { priority-Queue-Information-for-Enhanced-FACH Priority-Queue-Information-for-Enhanced-FACH-PCH, iE-Extensions ProtocolExtensionContainer { { Common-MACFlow-PriorityQueue-Item-ExtIEs } } OPTIONAL, ... } Common-MACFlow-PriorityQueue-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CommonMeasurementAccuracy ::= CHOICE { tUTRANGPSMeasurementAccuracyClass TUTRANGPSAccuracyClass, ..., tUTRANGANSSMeasurementAccuracyClass TUTRANGANSSAccuracyClass } CommonMeasurementType ::= ENUMERATED { received-total-wide-band-power, transmitted-carrier-power, acknowledged-prach-preambles, ul-timeslot-iscp, notUsed-1-acknowledged-PCPCH-access-preambles, notUsed-2-detected-PCPCH-access-preambles, ..., uTRAN-GPS-Timing-of-Cell-Frames-for-UE-Positioning, sFN-SFN-Observed-Time-Difference, transmittedCarrierPowerOfAllCodesNotUsedForHSTransmission, hS-DSCH-Required-Power, hS-DSCH-Provided-Bit-Rate, received-total-wide-band-power-for-cellPortion, transmitted-carrier-power-for-cellPortion, transmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmission-for-cellPortion, upPTS-Interference, dLTransmissionBranchLoad, hS-DSCH-Required-Power-for-cell-portion, hS-DSCH-Provided-Bit-Rate-for-cell-portion, e-DCH-Provided-Bit-Rate, e-DCH-Non-serving-Relative-Grant-Down-Commands, received-Scheduled-EDCH-Power-Share, received-Scheduled-EDCH-Power-Share-for-cellPortion, uTRAN-GANSS-timing-of-cell-frames-for-UE-Positioning, eDCH-RACH-report, transmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmission-for-cellPortion, ul-timeslot-iscp-for-cellPortion, upPTS-Interference-for-cellPortion, e-DCH-Provided-Bit-Rate-for-cellPortion } CommonMeasurementValue ::= CHOICE { transmitted-carrier-power Transmitted-Carrier-Power-Value, received-total-wide-band-power Received-total-wide-band-power-Value, acknowledged-prach-preambles Acknowledged-PRACH-preambles-Value, uL-TimeslotISCP UL-TimeslotISCP-Value, notUsed-1-acknowledged-PCPCH-access-preambles NULL, notUsed-2-detected-PCPCH-access-preambles NULL, ..., extension-CommonMeasurementValue Extension-CommonMeasurementValue } Extension-CommonMeasurementValue ::= ProtocolIE-Single-Container {{ Extension-CommonMeasurementValueIE }} Extension-CommonMeasurementValueIE NBAP-PROTOCOL-IES ::= { { ID id-TUTRANGPSMeasurementValueInformation CRITICALITY ignore TYPE TUTRANGPSMeasurementValueInformation PRESENCE mandatory }| { ID id-SFNSFNMeasurementValueInformation CRITICALITY ignore TYPE SFNSFNMeasurementValueInformation PRESENCE mandatory }| { ID id-TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmission CRITICALITY ignore TYPE TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue PRESENCE mandatory }| { ID id-HS-DSCHRequiredPowerValueInformation CRITICALITY ignore TYPE HS-DSCHRequiredPower PRESENCE mandatory }| { ID id-HS-DSCHProvidedBitRateValueInformation CRITICALITY ignore TYPE HS-DSCHProvidedBitRate PRESENCE mandatory }| { ID id-Transmitted-Carrier-Power-For-CellPortion-Value CRITICALITY ignore TYPE Transmitted-Carrier-Power-For-CellPortion-Value PRESENCE mandatory }| { ID id-Received-total-wide-band-power-For-CellPortion-Value CRITICALITY ignore TYPE Received-total-wide-band-power-For-CellPortion-Value PRESENCE mandatory }| { ID id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue CRITICALITY ignore TYPE TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue PRESENCE mandatory }| { ID id-UpPTSInterferenceValue CRITICALITY ignore TYPE UpPTSInterferenceValue PRESENCE mandatory }| { ID id-DLTransmissionBranchLoadValue CRITICALITY ignore TYPE DLTransmissionBranchLoadValue PRESENCE mandatory }| { ID id-HS-DSCHRequiredPowerValueInformation-For-CellPortion CRITICALITY ignore TYPE HS-DSCHRequiredPowerValueInformation-For-CellPortion PRESENCE mandatory }| { ID id-HS-DSCHProvidedBitRateValueInformation-For-CellPortion CRITICALITY ignore TYPE HS-DSCHProvidedBitRateValueInformation-For-CellPortion PRESENCE mandatory }| { ID id-E-DCHProvidedBitRateValueInformation CRITICALITY ignore TYPE E-DCHProvidedBitRate PRESENCE mandatory }| { ID id-E-DCH-Non-serving-Relative-Grant-Down-CommandsValue CRITICALITY ignore TYPE E-DCH-Non-serving-Relative-Grant-Down-Commands PRESENCE mandatory }| { ID id-Received-Scheduled-EDCH-Power-Share-Value CRITICALITY ignore TYPE Received-Scheduled-EDCH-Power-Share-Value PRESENCE mandatory }| { ID id-Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value CRITICALITY ignore TYPE Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value PRESENCE mandatory }| { ID id-TUTRANGANSSMeasurementValueInformation CRITICALITY ignore TYPE TUTRANGANSSMeasurementValueInformation PRESENCE mandatory }| { ID id-EDCH-RACH-Report-Value CRITICALITY ignore TYPE EDCH-RACH-Report-Value PRESENCE mandatory }| -- FDD only { ID id-Transmitted-Carrier-Power-For-CellPortion-ValueLCR CRITICALITY ignore TYPE Transmitted-Carrier-Power-For-CellPortion-ValueLCR PRESENCE mandatory }| { ID id-Received-total-wide-band-power-For-CellPortion-ValueLCR CRITICALITY ignore TYPE Received-total-wide-band-power-For-CellPortion-ValueLCR PRESENCE mandatory }| { ID id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortionValue CRITICALITY ignore TYPE TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortionValue PRESENCE mandatory }| { ID id-UL-TimeslotISCP-For-CellPortion-Value CRITICALITY ignore TYPE UL-TimeslotISCP-For-CellPortion-Value PRESENCE mandatory }| { ID id-HS-DSCHRequiredPowerValueInformation-For-CellPortionLCR CRITICALITY ignore TYPE HS-DSCHRequiredPowerValueInformation-For-CellPortionLCR PRESENCE mandatory }| { ID id-HS-DSCHProvidedBitRateValueInformation-For-CellPortionLCR CRITICALITY ignore TYPE HS-DSCHProvidedBitRateValueInformation-For-CellPortionLCR PRESENCE mandatory }| { ID id-E-DCHProvidedBitRateValueInformation-For-CellPortion CRITICALITY ignore TYPE E-DCHProvidedBitRateValueInformation-For-CellPortion PRESENCE mandatory }| { ID id-UpPTSInterference-For-CellPortion-Value CRITICALITY ignore TYPE UpPTSInterference-For-CellPortion-Value PRESENCE mandatory } } CommonMeasurementValueInformation ::= CHOICE { measurementAvailable CommonMeasurementAvailable, measurementnotAvailable CommonMeasurementnotAvailable } CommonMeasurementAvailable::= SEQUENCE { commonmeasurementValue CommonMeasurementValue, ie-Extensions ProtocolExtensionContainer { { CommonMeasurementAvailableItem-ExtIEs} } OPTIONAL, ... } CommonMeasurementAvailableItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CommonMeasurementnotAvailable ::= NULL CommonPhysicalChannelID ::= INTEGER (0..255) CommonPhysicalChannelID768 ::= INTEGER (0..511) Common-PhysicalChannel-Status-Information ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer { { Common-PhysicalChannel-Status-Information-ExtIEs} } OPTIONAL, ... } Common-PhysicalChannel-Status-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-PhysicalChannel-Status-Information768 ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer { { Common-PhysicalChannel-Status-Information768-ExtIEs} } OPTIONAL, ... } Common-PhysicalChannel-Status-Information768-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CommonTransportChannelID ::= INTEGER (0..255) CommonTransportChannel-InformationResponse ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { CommonTransportChannel-InformationResponse-ExtIEs} } OPTIONAL, ... } CommonTransportChannel-InformationResponse-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-BroadcastCommonTransportBearerIndication CRITICALITY ignore EXTENSION BroadcastCommonTransportBearerIndication PRESENCE optional }| { ID id-IPMulticastDataBearerIndication CRITICALITY ignore EXTENSION IPMulticastDataBearerIndication PRESENCE optional }, ... } Common-TransportChannel-Status-Information ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer { { Common-TransportChannel-Status-Information-ExtIEs} } OPTIONAL, ... } Common-TransportChannel-Status-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CommunicationControlPortID ::= INTEGER (0..65535) Compressed-Mode-Deactivation-Flag::= ENUMERATED { deactivate, maintain-Active } ConfigurationGenerationID ::= INTEGER (0..255) -- Value '0' means "No configuration" ConstantValue ::= INTEGER (-10..10,...) -- -10 dB - +10 dB -- unit dB -- step 1 dB ContinuousPacketConnectivityDTX-DRX-Capability ::= ENUMERATED { continuous-Packet-Connectivity-DTX-DRX-capable, continuous-Packet-Connectivity-DTX-DRX-non-capable } ContinuousPacketConnectivityDTX-DRX-Information ::= SEQUENCE { uE-DTX-DRX-Offset UE-DTX-DRX-Offset, enabling-Delay Enabling-Delay, dTX-Information DTX-Information , dRX-Information DRX-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ContinuousPacketConnectivityDTX-DRX-Information-ExtIEs } } OPTIONAL, ... } ContinuousPacketConnectivityDTX-DRX-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ContinuousPacketConnectivityDTX-DRX-Information-to-Modify ::= SEQUENCE { uE-DTX-DRX-Offset UE-DTX-DRX-Offset OPTIONAL, enabling-Delay Enabling-Delay OPTIONAL, dTX-Information-to-Modify DTX-Information-to-Modify OPTIONAL, dRX-Information-to-Modify DRX-Information-to-Modify OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ContinuousPacketConnectivityDTX-DRX-Information-to-Modify-ExtIEs } } OPTIONAL, ... } ContinuousPacketConnectivityDTX-DRX-Information-to-Modify-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ContinuousPacketConnectivityHS-SCCH-less-Capability ::= ENUMERATED { continuous-Packet-Connectivity-HS-SCCH-less-capable, continuous-Packet-Connectivity-HS-SCCH-less-capable-non-capable } ContinuousPacketConnectivityHS-SCCH-less-Information ::= SEQUENCE (SIZE (1..maxNrOfHS-DSCH-TBSs-HS-SCCHless)) OF ContinuousPacketConnectivityHS-SCCH-less-InformationItem ContinuousPacketConnectivityHS-SCCH-less-InformationItem ::= SEQUENCE { transport-Block-Size-Index Transport-Block-Size-Index, hSPDSCH-Second-Code-Support HSPDSCH-Second-Code-Support, iE-Extensions ProtocolExtensionContainer { { ContinuousPacketConnectivityHS-SCCH-less-Information-ExtIEs } } OPTIONAL, ... } ContinuousPacketConnectivityHS-SCCH-less-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ContinuousPacketConnectivityHS-SCCH-less-Information-Response ::= SEQUENCE { hSPDSCH-First-Code-Index HSPDSCH-First-Code-Index, hSPDSCH-Second-Code-Index HSPDSCH-Second-Code-Index OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ContinuousPacketConnectivityHS-SCCH-less-Information-Response-ExtIEs } } OPTIONAL, ... } ContinuousPacketConnectivityHS-SCCH-less-Information-Response-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ControlGAP ::= INTEGER (1..255) CPC-Information ::= SEQUENCE { continuousPacketConnectivityDTX-DRX-Information ContinuousPacketConnectivityDTX-DRX-Information OPTIONAL, continuousPacketConnectivityDTX-DRX-Information-to-Modify ContinuousPacketConnectivityDTX-DRX-Information-to-Modify OPTIONAL, continuousPacketConnectivityHS-SCCH-less-Information ContinuousPacketConnectivityHS-SCCH-less-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { CPC-Information-ExtIEs} } OPTIONAL, ... } CPC-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-ContinuousPacketConnectivityHS-SCCH-less-Deactivate-Indicator CRITICALITY reject EXTENSION ContinuousPacketConnectivityHS-SCCH-less-Deactivate-Indicator PRESENCE optional}, ... } ContinuousPacketConnectivityHS-SCCH-less-Deactivate-Indicator ::= NULL CQI-DTX-Timer ::= ENUMERATED {v0, v1, v2, v4, v8, v16, v32, v64, v128, v256, v512, infinity} -- Unit subframe CQI-Feedback-Cycle ::= ENUMERATED {v0, v2, v4, v8, v10, v20, v40, v80, v160,..., v16, v32, v64} CQI-Power-Offset ::= INTEGER (0..8,...) -- According to mapping in ref. [9] subclause 4.2.1 CQI-RepetitionFactor ::= INTEGER (1..4,...) -- Step: 1 CriticalityDiagnostics ::= SEQUENCE { procedureID ProcedureID OPTIONAL, triggeringMessage TriggeringMessage OPTIONAL, procedureCriticality Criticality OPTIONAL, transactionID TransactionID OPTIONAL, iEsCriticalityDiagnostics CriticalityDiagnostics-IE-List OPTIONAL, iE-Extensions ProtocolExtensionContainer { {CriticalityDiagnostics-ExtIEs} } OPTIONAL, ... } CriticalityDiagnostics-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CriticalityDiagnostics-IE-List ::= SEQUENCE (SIZE (1..maxNrOfErrors)) OF SEQUENCE { iECriticality Criticality, iE-ID ProtocolIE-ID, repetitionNumber RepetitionNumber0 OPTIONAL, iE-Extensions ProtocolExtensionContainer { {CriticalityDiagnostics-IE-List-ExtIEs} } OPTIONAL, ... } CriticalityDiagnostics-IE-List-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MessageStructure CRITICALITY ignore EXTENSION MessageStructure PRESENCE optional }| { ID id-TypeOfError CRITICALITY ignore EXTENSION TypeOfError PRESENCE mandatory }, ... } CRNC-CommunicationContextID ::= INTEGER (0..1048575) CSBMeasurementID ::= INTEGER (0..65535) CSBTransmissionID ::= INTEGER (0..65535) Common-EDCH-System-InformationLCR ::= SEQUENCE { ul-common-E-DCH-MACflow-Specific-InformationLCR Ul-common-E-DCH-MACflow-Specific-InfoListLCR OPTIONAL, common-E-PUCH-InformationLCR Common-E-PUCH-InformationLCR OPTIONAL, e-TFCS-Information-TDD E-TFCS-Information-TDD OPTIONAL, maximum-Number-of-Retransmissions-For-SchedulingInfo Maximum-Number-of-Retransmissions-For-E-DCH OPTIONAL, eDCH-Retransmission-Timer-SchedulingInfo E-DCH-MACdFlow-Retransmission-Timer OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Common-EDCH-System-InformationLCR-ExtIEs } } OPTIONAL, ... } Common-EDCH-System-InformationLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-Synchronisation-Parameters-For-FACHLCR CRITICALITY reject EXTENSION UL-Synchronisation-Parameters-LCR PRESENCE optional }| { ID id-PhysicalChannelID-for-CommonERNTI-RequestedIndicator CRITICALITY ignore EXTENSION PhysicalChannelID-for-CommonERNTI-RequestedIndicator PRESENCE optional}, ... } Common-E-PUCH-InformationLCR ::= SEQUENCE { minCR CodeRate, maxCR CodeRate, harqInfo HARQ-Info-for-E-DCH, pRXdes-base-perURAFCN PRXdes-base-perURAFCN OPTIONAL, e-PUCH-TPC-StepSize TDD-TPC-UplinkStepSize-LCR OPTIONAL, e-AGCH-TPC-StepSize TDD-TPC-DownlinkStepSize OPTIONAL, e-PUCH-PowerControlGAP ControlGAP OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Common-E-PUCH-InformationLCR-ExtIEs } } OPTIONAL, ... } Common-E-PUCH-InformationLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PRXdes-base-perURAFCN ::= SEQUENCE (SIZE (1.. maxFrequencyinCell)) OF PRXdes-base-Item PRXdes-base-Item ::= SEQUENCE { pRXdes-base PRXdes-base, uARFCN UARFCN OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PRXdes-base-Item-ExtIEs} } OPTIONAL, ... } PRXdes-base-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Ul-common-E-DCH-MACflow-Specific-InfoListLCR ::= SEQUENCE (SIZE (1..maxNrOfCommonMACFlows)) OF Ul-common-E-DCH-MACflow-Specific-InfoList-ItemLCR Ul-common-E-DCH-MACflow-Specific-InfoList-ItemLCR ::= SEQUENCE { ul-Common-MACFlowIDLCR Common-MACFlow-ID-LCR, transportBearerRequestIndicator TransportBearerRequestIndicator OPTIONAL, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, tnlQos TnlQos OPTIONAL, payloadCRC-PresenceIndicator PayloadCRC-PresenceIndicator OPTIONAL, common-E-DCH-MACdFlow-Specific-InformationLCR Common-E-DCH-MACdFlow-Specific-InfoListLCR OPTIONAL, uARFCN UARFCN OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Ul-common-E-DCH-MACflow-Specific-InfoList-ItemLCR-ExtIEs} } OPTIONAL, ... } Ul-common-E-DCH-MACflow-Specific-InfoList-ItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-DCH-MACdFlow-Specific-InfoListLCR ::= SEQUENCE (SIZE (1.. maxNrOfEDCHMACdFlowsLCR)) OF Common-E-DCH-MACdFlow-Specific-InfoList-ItemLCR Common-E-DCH-MACdFlow-Specific-InfoList-ItemLCR ::= SEQUENCE { common-e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID-LCR, maximum-Number-of-Retransmissions-For-E-DCH Maximum-Number-of-Retransmissions-For-E-DCH OPTIONAL, eDCH-MACdFlow-Multiplexing-List E-DCH-MACdFlow-Multiplexing-List OPTIONAL, common-E-DCHLogicalChannelInformation Common-E-DCH-LogicalChannel-InfoList OPTIONAL, eDCH-HARQ-PO-TDD E-DCH-HARQ-PO-TDD OPTIONAL, eDCH-MACdFlow-Retransmission-Timer E-DCH-MACdFlow-Retransmission-Timer OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Common-E-DCH-MACdFlow-Specific-InfoList-ItemLCR-ExtIEs} } OPTIONAL, ... } Common-E-DCH-MACdFlow-Specific-InfoList-ItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-EDCH-System-Information-ResponseLCR ::= SEQUENCE { ul-common-E-DCH-MACflow-Specific-InfoResponseLCR Ul-common-E-DCH-MACflow-Specific-InfoResponseListLCR OPTIONAL, common-E-AGCH-ListLCR Common-E-AGCH-ListLCR OPTIONAL, common-E-HICH-ListLCR Common-E-HICH-ListLCR OPTIONAL, common-E-RNTI-Info-LCR Common-E-RNTI-Info-LCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Common-EDCH-System-Information-ResponseLCR-ExtIEs} } OPTIONAL, ... } Common-EDCH-System-Information-ResponseLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Ul-common-E-DCH-MACflow-Specific-InfoResponseListLCR-Ext CRITICALITY ignore EXTENSION Ul-common-E-DCH-MACflow-Specific-InfoResponseListLCR-Ext PRESENCE optional}, ... } Ul-common-E-DCH-MACflow-Specific-InfoResponseListLCR ::= SEQUENCE (SIZE (1..maxNrOfCommonMACFlows)) OF Ul-common-E-DCH-MACflow-Specific-InfoResponseList-ItemLCR Ul-common-E-DCH-MACflow-Specific-InfoResponseListLCR-Ext ::= SEQUENCE (SIZE (1..maxNrOfCommonMACFlowsLCRExt)) OF Ul-common-E-DCH-MACflow-Specific-InfoResponseList-ItemLCR Ul-common-E-DCH-MACflow-Specific-InfoResponseList-ItemLCR ::= SEQUENCE { ul-Common-MACFlowID-LCR Common-MACFlow-ID-LCR, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, uARFCN UARFCN OPTIONAL, -- the IE is not used. iE-Extensions ProtocolExtensionContainer { { Ul-common-E-DCH-MACflow-Specific-InfoResponseList-ItemLCR-ExtIEs} } OPTIONAL, ... } Ul-common-E-DCH-MACflow-Specific-InfoResponseList-ItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-AGCH-ListLCR ::= SEQUENCE (SIZE (1.. maxNrOfEAGCHsLCR)) OF Common-E-AGCH-ItemLCR Common-E-AGCH-ItemLCR ::= SEQUENCE { e-AGCH-ID E-AGCH-Id, uARFCN UARFCN OPTIONAL, -- the IE is not used. iE-Extensions ProtocolExtensionContainer { { Common-E-AGCH-ItemLCR-ExtIEs} } OPTIONAL, ... } Common-E-AGCH-ItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-HICH-ListLCR ::= SEQUENCE (SIZE (1.. maxNrOfEHICHsLCR)) OF Common-E-HICH-ItemLCR Common-E-HICH-ItemLCR ::= SEQUENCE { eI EI, e-HICH-ID E-HICH-ID-LCR, iE-Extensions ProtocolExtensionContainer { { Common-E-HICH-ItemLCR-ExtIEs} } OPTIONAL, ... } Common-E-HICH-ItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-E-RNTI-Info-LCR ::= SEQUENCE (SIZE (1.. maxnrofERUCCHsLCR)) OF Common-E-RNTI-Info-ItemLCR Common-E-RNTI-Info-ItemLCR ::= SEQUENCE { starting-E-RNTI E-RNTI, number-of-Group INTEGER(1..32), number-of-e-E-RNTI-perGroup INTEGER(1..7), iE-Extensions ProtocolExtensionContainer { { Common-E-RNTI-Info-ItemLCR-ExtIEs} } OPTIONAL, ... } Common-E-RNTI-Info-ItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-AssociatedPhsicalChannelID CRITICALITY reject EXTENSION CommonPhysicalChannelID PRESENCE optional}, ... } Common-MACFlows-to-DeleteLCR ::= SEQUENCE (SIZE (1.. maxNrOfCommonMACFlowsLCR)) OF Common-MACFlows-to-DeleteLCR-Item Common-MACFlows-to-DeleteLCR-Item ::= SEQUENCE { common-MACFlow-ID-LCR Common-MACFlow-ID-LCR, iE-Extensions ProtocolExtensionContainer { { Common-MACFlows-to-DeleteLCR-Item-ExtIEs} } OPTIONAL, ... } Common-MACFlows-to-DeleteLCR-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-MACFlow-ID-LCR ::= INTEGER (0..maxNrOfCommonMACFlowsLCR-1) CommonMACFlow-Specific-InfoListLCR ::= SEQUENCE (SIZE (1.. maxNrOfCommonMACFlowsLCR)) OF CommonMACFlow-Specific-InfoItemLCR CommonMACFlow-Specific-InfoItemLCR ::= SEQUENCE { common-MACFlow-ID-LCR Common-MACFlow-ID-LCR, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, tnl-qos TnlQos OPTIONAL, common-MACFlow-PriorityQueue-InformationLCR Common-MACFlow-PriorityQueue-Information OPTIONAL, transportBearerRequestIndicator TransportBearerRequestIndicator OPTIONAL, uARFCN UARFCN OPTIONAL, iE-Extensions ProtocolExtensionContainer { { CommonMACFlow-Specific-InfoItemLCR-ExtIEs } } OPTIONAL, ... } CommonMACFlow-Specific-InfoItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Common-H-RNTI-InformationLCR ::= SEQUENCE (SIZE (1.. maxNoOfCommonH-RNTI)) OF Common-H-RNTI-InfoItemLCR Common-H-RNTI-InfoItemLCR ::= SEQUENCE { common-H-RNTI HSDSCH-RNTI, iE-Extensions ProtocolExtensionContainer { { Common-H-RNTI-InfoItemLCR-ExtIEs } } OPTIONAL, ... } Common-H-RNTI-InfoItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Sync-InformationLCR ::= SEQUENCE { t-SYNC T-SYNC, t-PROTECT T-PROTECT, n-PROTECT N-PROTECT, iE-Extensions ProtocolExtensionContainer { { Sync-InformationLCR-ExtIEs } } OPTIONAL, ... } Sync-InformationLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CommonMACFlow-Specific-InfoList-ResponseLCR ::= SEQUENCE (SIZE (1..maxNrOfCommonMACFlows)) OF CommonMACFlow-Specific-InfoItem-ResponseLCR CommonMACFlow-Specific-InfoItem-ResponseLCR ::= SEQUENCE { common-MACFlow-ID-LCR Common-MACFlow-ID-LCR, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, hSDSCH-Initial-Capacity-Allocation HSDSCH-Initial-Capacity-Allocation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { CommonMACFlow-Specific-InfoItem-ResponseLCR-ExtIEs} } OPTIONAL, ... } CommonMACFlow-Specific-InfoItem-ResponseLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CPC-InformationLCR ::= SEQUENCE { continuousPacketConnectivity-DRX-InformationLCR ContinuousPacketConnectivity-DRX-InformationLCR OPTIONAL, continuousPacketConnectivity-DRX-Information-to-Modify-LCR ContinuousPacketConnectivity-DRX-Information-to-Modify-LCR OPTIONAL, hS-DSCH-Semi-PersistentScheduling-Information-LCR HS-DSCH-Semi-PersistentScheduling-Information-LCR OPTIONAL, hS-DSCH-Semi-PersistentScheduling-Information-to-Modify-LCR HS-DSCH-Semi-PersistentScheduling-Information-to-Modify-LCR OPTIONAL, hS-DSCH-SPS-Deactivate-Indicator-LCR NULL OPTIONAL, e-DCH-Semi-PersistentScheduling-Information-LCR E-DCH-Semi-PersistentScheduling-Information-LCR OPTIONAL, e-DCH-Semi-PersistentScheduling-Information-to-Modify-LCR E-DCH-Semi-PersistentScheduling-Information-to-Modify-LCR OPTIONAL, e-DCH-SPS-Deactivate-Indicator-LCR NULL OPTIONAL, iE-Extensions ProtocolExtensionContainer { { CPC-InformationLCR-ExtIEs} } OPTIONAL, ... } CPC-InformationLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ContinuousPacketConnectivity-DRX-CapabilityLCR ::= ENUMERATED { continuous-Packet-Connectivity-DRX-Capable, continuous-Packet-Connectivity-DRX-Non-Capable } ContinuousPacketConnectivity-DRX-InformationLCR ::= SEQUENCE { enabling-Delay Enabling-Delay, hS-SCCH-DRX-Information-LCR HS-SCCH-DRX-Information-LCR, e-AGCH-DRX-Information-LCR E-AGCH-DRX-Information-LCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ContinuousPacketConnectivity-DRX-InformationLCR-ExtIEs } } OPTIONAL, ... } ContinuousPacketConnectivity-DRX-InformationLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SCCH-DRX-Information-LCR ::= SEQUENCE { hS-SCCH-UE-DRX-Cycle-LCR UE-DRX-Cycle-LCR, hS-SCCH-Inactivity-Threshold-for-UE-DRX-Cycle-LCR Inactivity-Threshold-for-UE-DRX-Cycle-LCR OPTIONAL, hS-SCCH-UE-DRX-Offset-LCR UE-DRX-Offset-LCR, iE-Extensions ProtocolExtensionContainer { { HS-SCCH-DRX-Information-LCR-ExtIEs} } OPTIONAL, ... } HS-SCCH-DRX-Information-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-AGCH-DRX-Information-LCR ::= CHOICE { sameAsHS-SCCH NULL, e-AGCH-DRX-Parameters E-AGCH-DRX-Parameters, ... } E-AGCH-DRX-Parameters ::= SEQUENCE { e-AGCH-UE-DRX-Cycle-LCR UE-DRX-Cycle-LCR, e-AGCH-UE-Inactivity-Monitor-Threshold E-AGCH-UE-Inactivity-Monitor-Threshold OPTIONAL, e-AGCH-UE-DRX-Offset-LCR UE-DRX-Offset-LCR, iE-Extensions ProtocolExtensionContainer { { E-AGCH-DRX-Parameters-ExtIEs} } OPTIONAL, ... } E-AGCH-DRX-Parameters-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UE-DRX-Cycle-LCR ::= ENUMERATED {v1, v2, v4, v8, v16, v32, v64,...} -- Unit subframe UE-DRX-Offset-LCR ::= INTEGER (0..63) -- Unit subframe Inactivity-Threshold-for-UE-DRX-Cycle-LCR ::= ENUMERATED {v1, v2, v4, v8, v16, v32, v64,...} -- Unit subframe E-AGCH-UE-Inactivity-Monitor-Threshold ::= ENUMERATED {v0, v1, v2, v4, v8, v16, v32, v64, v128, v256, v512, infinity,...} -- Unit subframe ContinuousPacketConnectivity-DRX-Information-to-Modify-LCR ::= SEQUENCE { enabling-Delay Enabling-Delay OPTIONAL, dRX-Information-to-Modify-LCR DRX-Information-to-Modify-LCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ContinuousPacketConnectivity-DRX-Information-to-Modify-LCR-ExtIEs } } OPTIONAL, ... } ContinuousPacketConnectivity-DRX-Information-to-Modify-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DRX-Information-to-Modify-LCR ::= CHOICE { modify DRX-Information-to-Modify-Items-LCR, deactivate NULL, ... } DRX-Information-to-Modify-Items-LCR ::= SEQUENCE { hS-SCCH-DRX-Information-LCR HS-SCCH-DRX-Information-LCR OPTIONAL, e-AGCH-DRX-Information-LCR E-AGCH-DRX-Information-LCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { {DRX-Information-to-Modify-Items-LCR-ExtIEs} } OPTIONAL, ... } DRX-Information-to-Modify-Items-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ContinuousPacketConnectivity-DRX-Information-ResponseLCR ::= SEQUENCE { enabling-Delay Enabling-Delay OPTIONAL, hS-SCCH-DRX-Information-ResponseLCR HS-SCCH-DRX-Information-ResponseLCR OPTIONAL, e-AGCH-DRX-Information-ResponseLCR E-AGCH-DRX-Information-ResponseLCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ContinuousPacketConnectivity-DRX-Information-ResponseLCR-ExtIEs } } OPTIONAL, ... } ContinuousPacketConnectivity-DRX-Information-ResponseLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SCCH-DRX-Information-ResponseLCR ::= SEQUENCE { hS-SCCH-UE-DRX-Cycle-LCR UE-DRX-Cycle-LCR OPTIONAL, hS-SCCH-Inactivity-Threshold-for-UE-DRX-Cycle-LCR Inactivity-Threshold-for-UE-DRX-Cycle-LCR OPTIONAL, hS-SCCH-UE-DRX-Offset-LCR UE-DRX-Offset-LCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-SCCH-DRX-Information-ResponseLCR-ExtIEs} } OPTIONAL, ... } HS-SCCH-DRX-Information-ResponseLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-AGCH-DRX-Information-ResponseLCR ::= CHOICE { sameAsHS-SCCH NULL, e-AGCH-DRX-Parameters-Response E-AGCH-DRX-Parameters-Response, ... } E-AGCH-DRX-Parameters-Response ::= SEQUENCE { e-AGCH-UE-DRX-Cycle-LCR UE-DRX-Cycle-LCR OPTIONAL, e-AGCH-UE-Inactivity-Monitor-Threshold E-AGCH-UE-Inactivity-Monitor-Threshold OPTIONAL, e-AGCH-UE-DRX-Offset-LCR UE-DRX-Offset-LCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-AGCH-DRX-Parameters-Response-ExtIEs} } OPTIONAL, ... } E-AGCH-DRX-Parameters-Response-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ========================================== -- D -- ========================================== DATA-ID ::= INTEGER (0..3) DCH-ID ::= INTEGER (0..255) DCH-FDD-Information ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-FDD-InformationItem DCH-FDD-InformationItem ::= SEQUENCE { payloadCRC-PresenceIndicator PayloadCRC-PresenceIndicator, ul-FP-Mode UL-FP-Mode, toAWS ToAWS, toAWE ToAWE, dCH-SpecificInformationList DCH-Specific-FDD-InformationList, iE-Extensions ProtocolExtensionContainer { { DCH-FDD-InformationItem-ExtIEs} } OPTIONAL, ... } DCH-FDD-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } DCH-Specific-FDD-InformationList ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-Specific-FDD-Item DCH-Specific-FDD-Item ::= SEQUENCE { dCH-ID DCH-ID, ul-TransportFormatSet TransportFormatSet, dl-TransportFormatSet TransportFormatSet, allocationRetentionPriority AllocationRetentionPriority, frameHandlingPriority FrameHandlingPriority, qE-Selector QE-Selector, iE-Extensions ProtocolExtensionContainer { { DCH-Specific-FDD-Item-ExtIEs} } OPTIONAL, ... } DCH-Specific-FDD-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Unidirectional-DCH-Indicator CRITICALITY reject EXTENSION Unidirectional-DCH-Indicator PRESENCE optional }, ... } DCH-Indicator-For-E-DCH-HSDPA-Operation ::= ENUMERATED { dch-not-present } DCH-InformationResponse ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-InformationResponseItem DCH-InformationResponseItem ::= SEQUENCE { dCH-ID DCH-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DCH-InformationResponseItem-ExtIEs} } OPTIONAL, ... } DCH-InformationResponseItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TransportBearerNotSetupIndicator CRITICALITY ignore EXTENSION TransportBearerNotSetupIndicator PRESENCE optional }, -- FDD only ... } DCH-MeasurementOccasion-Information ::= SEQUENCE (SIZE (1.. maxNrOfDCHMeasurementOccasionPatternSequence)) OF DchMeasurementOccasionInformation-Item DchMeasurementOccasionInformation-Item ::= SEQUENCE { pattern-Sequence-Identifier Pattern-Sequence-Identifier, status-Flag Status-Flag, measurement-Occasion-Pattern-Sequence-parameters Measurement-Occasion-Pattern-Sequence-parameters OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DCH-MeasurementOccasion-Information-ExtIEs } } OPTIONAL, ... } DCH-MeasurementOccasion-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Measurement-Occasion-Pattern-Sequence-parameters ::= SEQUENCE { measurement-Occasion-Pattern-Sequence-parameters-k INTEGER(1..9), measurement-Occasion-Pattern-Sequence-parameters-offset INTEGER(0..511), measurement-Occasion-Pattern-Sequence-parameters-M-Length INTEGER(1..512), measurement-Occasion-Pattern-Sequence-parameters-Timeslot-Bitmap BIT STRING (SIZE (7)), iE-Extensions ProtocolExtensionContainer { { Measurement-Occasion-Pattern-Sequence-parameters-ExtIEs } } OPTIONAL, ... } Measurement-Occasion-Pattern-Sequence-parameters-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DCH-TDD-Information ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-TDD-InformationItem DCH-TDD-InformationItem ::= SEQUENCE { payloadCRC-PresenceIndicator PayloadCRC-PresenceIndicator, ul-FP-Mode UL-FP-Mode, toAWS ToAWS, toAWE ToAWE, dCH-SpecificInformationList DCH-Specific-TDD-InformationList, iE-Extensions ProtocolExtensionContainer { { DCH-TDD-InformationItem-ExtIEs} } OPTIONAL, ... } DCH-TDD-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional}, ... } DCH-Specific-TDD-InformationList ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-Specific-TDD-Item DCH-Specific-TDD-Item ::= SEQUENCE { dCH-ID DCH-ID, ul-CCTrCH-ID CCTrCH-ID, dl-CCTrCH-ID CCTrCH-ID, ul-TransportFormatSet TransportFormatSet, dl-TransportFormatSet TransportFormatSet, allocationRetentionPriority AllocationRetentionPriority, frameHandlingPriority FrameHandlingPriority, qE-Selector QE-Selector OPTIONAL, -- This IE shall be present if DCH is part of set of Coordinated DCHs iE-Extensions ProtocolExtensionContainer { { DCH-Specific-TDD-Item-ExtIEs} } OPTIONAL, ... } DCH-Specific-TDD-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Unidirectional-DCH-Indicator CRITICALITY reject EXTENSION Unidirectional-DCH-Indicator PRESENCE optional }, ... } FDD-DCHs-to-Modify ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF FDD-DCHs-to-ModifyItem FDD-DCHs-to-ModifyItem ::= SEQUENCE { ul-FP-Mode UL-FP-Mode OPTIONAL, toAWS ToAWS OPTIONAL, toAWE ToAWE OPTIONAL, transportBearerRequestIndicator TransportBearerRequestIndicator, dCH-SpecificInformationList DCH-ModifySpecificInformation-FDD, iE-Extensions ProtocolExtensionContainer { { FDD-DCHs-to-ModifyItem-ExtIEs} } OPTIONAL, ... } FDD-DCHs-to-ModifyItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional}, ... } DCH-ModifySpecificInformation-FDD::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-ModifySpecificItem-FDD DCH-ModifySpecificItem-FDD::= SEQUENCE { dCH-ID DCH-ID, ul-TransportFormatSet TransportFormatSet OPTIONAL, dl-TransportFormatSet TransportFormatSet OPTIONAL, allocationRetentionPriority AllocationRetentionPriority OPTIONAL, frameHandlingPriority FrameHandlingPriority OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DCH-ModifySpecificItem-FDD-ExtIEs} } OPTIONAL, ... } DCH-ModifySpecificItem-FDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-Unidirectional-DCH-Indicator CRITICALITY reject EXTENSION Unidirectional-DCH-Indicator PRESENCE optional}, ... } TDD-DCHs-to-Modify ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-ModifyItem-TDD DCH-ModifyItem-TDD ::= SEQUENCE { ul-FP-Mode UL-FP-Mode OPTIONAL, toAWS ToAWS OPTIONAL, toAWE ToAWE OPTIONAL, transportBearerRequestIndicator TransportBearerRequestIndicator, dCH-SpecificInformationList DCH-ModifySpecificInformation-TDD, iE-Extensions ProtocolExtensionContainer { { TDD-DCHs-to-ModifyItem-ExtIEs} } OPTIONAL, ... } TDD-DCHs-to-ModifyItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional}, ... } DCH-ModifySpecificInformation-TDD ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-ModifySpecificItem-TDD DCH-ModifySpecificItem-TDD ::= SEQUENCE { dCH-ID DCH-ID, ul-CCTrCH-ID CCTrCH-ID OPTIONAL, dl-CCTrCH-ID CCTrCH-ID OPTIONAL, ul-TransportFormatSet TransportFormatSet OPTIONAL, dl-TransportFormatSet TransportFormatSet OPTIONAL, allocationRetentionPriority AllocationRetentionPriority OPTIONAL, frameHandlingPriority FrameHandlingPriority OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DCH-ModifySpecificItem-TDD-ExtIEs} } OPTIONAL, ... } DCH-ModifySpecificItem-TDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DedicatedChannelsCapacityConsumptionLaw ::= SEQUENCE ( SIZE(1..maxNrOfSF) ) OF SEQUENCE { dl-Cost-1 INTEGER (0..65535), dl-Cost-2 INTEGER (0..65535), ul-Cost-1 INTEGER (0..65535), ul-Cost-2 INTEGER (0..65535), iE-Extensions ProtocolExtensionContainer { { DedicatedChannelsCapacityConsumptionLaw-ExtIEs } } OPTIONAL, ... } DedicatedChannelsCapacityConsumptionLaw-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DedicatedMeasurementType ::= ENUMERATED { sir, sir-error, transmitted-code-power, rscp, rx-timing-deviation, round-trip-time, ..., rx-timing-deviation-LCR, angle-Of-Arrival-LCR, hs-sich-quality, best-Cell-Portions, rx-timing-deviation-768, rx-timing-deviation-384-extended, best-Cell-PortionsLCR } DedicatedMeasurementValue ::= CHOICE { sIR-Value SIR-Value, sIR-ErrorValue SIR-Error-Value, transmittedCodePowerValue Transmitted-Code-Power-Value, rSCP RSCP-Value, rxTimingDeviationValue Rx-Timing-Deviation-Value, roundTripTime Round-Trip-Time-Value, ..., extension-DedicatedMeasurementValue Extension-DedicatedMeasurementValue } Extension-DedicatedMeasurementValue ::= ProtocolIE-Single-Container {{ Extension-DedicatedMeasurementValueIE }} Extension-DedicatedMeasurementValueIE NBAP-PROTOCOL-IES ::= { { ID id-Rx-Timing-Deviation-Value-LCR CRITICALITY reject TYPE Rx-Timing-Deviation-Value-LCR PRESENCE mandatory }| { ID id-Angle-Of-Arrival-Value-LCR CRITICALITY reject TYPE Angle-Of-Arrival-Value-LCR PRESENCE mandatory }| { ID id-HS-SICH-Reception-Quality CRITICALITY reject TYPE HS-SICH-Reception-Quality-Value PRESENCE mandatory }| { ID id-Best-Cell-Portions-Value CRITICALITY reject TYPE Best-Cell-Portions-Value PRESENCE mandatory }| { ID id-Rx-Timing-Deviation-Value-768 CRITICALITY reject TYPE Rx-Timing-Deviation-Value-768 PRESENCE mandatory }| { ID id-Rx-Timing-Deviation-Value-384-ext CRITICALITY reject TYPE Rx-Timing-Deviation-Value-384-ext PRESENCE mandatory }| { ID id-Extended-Round-Trip-Time-Value CRITICALITY reject TYPE Extended-Round-Trip-Time-Value PRESENCE mandatory }| { ID id-Best-Cell-Portions-ValueLCR CRITICALITY reject TYPE Best-Cell-Portions-ValueLCR PRESENCE mandatory }, ... } DedicatedMeasurementValueInformation ::= CHOICE { measurementAvailable DedicatedMeasurementAvailable, measurementnotAvailable DedicatedMeasurementnotAvailable } DedicatedMeasurementAvailable::= SEQUENCE { dedicatedmeasurementValue DedicatedMeasurementValue, cFN CFN OPTIONAL, ie-Extensions ProtocolExtensionContainer { { DedicatedMeasurementAvailableItem-ExtIEs} } OPTIONAL, ... } DedicatedMeasurementAvailableItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DedicatedMeasurementnotAvailable ::= NULL DelayedActivation ::= CHOICE { cfn CFN, separate-indication NULL } DelayedActivationUpdate ::= CHOICE { activate Activate-Info, deactivate Deactivate-Info } Activate-Info ::= SEQUENCE { activation-type Execution-Type, initial-dl-tx-power DL-Power, firstRLS-Indicator FirstRLS-Indicator OPTIONAL, --FDD Only propagation-delay PropagationDelay OPTIONAL, --FDD Only iE-Extensions ProtocolExtensionContainer { { Activate-Info-ExtIEs} } OPTIONAL, ... } Activate-Info-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-ExtendedPropagationDelay CRITICALITY reject EXTENSION ExtendedPropagationDelay PRESENCE mandatory }, --FDD Only ... } Deactivate-Info ::= SEQUENCE { deactivation-type Execution-Type, iE-Extensions ProtocolExtensionContainer { { Deactivate-Info-ExtIEs} } OPTIONAL, ... } Deactivate-Info-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Execution-Type ::= CHOICE { synchronised CFN, unsynchronised NULL } DeltaSIR ::= INTEGER (0..30) -- Unit dB, Step 0.1 dB, Range 0..3 dB. DGANSSCorrections ::= SEQUENCE { dGANSS-ReferenceTime INTEGER(0..119), dGANSS-Information DGANSS-Information, ie-Extensions ProtocolExtensionContainer { { DGANSSCorrections-ExtIEs } } OPTIONAL, ... } DGANSSCorrections-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DGANSS-Corrections-Req ::= SEQUENCE { dGANSS-Signal-ID BIT STRING (SIZE (8)), ie-Extensions ProtocolExtensionContainer { { DGANSS-Corrections-Req-ExtIEs } } OPTIONAL, ... } DGANSS-Corrections-Req-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-GANSS-ID CRITICALITY ignore EXTENSION GANSS-ID PRESENCE optional}, ... } DGANSS-Information ::= SEQUENCE (SIZE (1..maxSgnType)) OF DGANSS-InformationItem DGANSS-InformationItem ::= SEQUENCE { gANSS-SignalId GANSS-Signal-ID OPTIONAL, gANSS-StatusHealth GANSS-StatusHealth, -- The following IE shall be present if the Status Health IE value is not equal to "no data" or "invalid data" dGANSS-SignalInformation DGANSS-SignalInformation OPTIONAL, ie-Extensions ProtocolExtensionContainer { { DGANSS-InformationItem-ExtIEs } } OPTIONAL, ... } DGANSS-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DGANSS-SignalInformation ::= SEQUENCE (SIZE (1..maxGANSSSat)) OF DGANSS-SignalInformationItem DGANSS-SignalInformationItem ::= SEQUENCE { satId INTEGER(0..63), gANSS-iod BIT STRING (SIZE (10)), udre UDRE, ganss-prc INTEGER(-2047..2047), ganss-rrc INTEGER(-127..127), ie-Extensions ProtocolExtensionContainer { { DGANSS-SignalInformationItem-ExtIEs } } OPTIONAL, ... } DGANSS-SignalInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-DGNSS-ValidityPeriod CRITICALITY ignore EXTENSION DGNSS-ValidityPeriod PRESENCE optional}, ... } DGANSSThreshold ::= SEQUENCE { pRCDeviation PRCDeviation, ie-Extensions ProtocolExtensionContainer { { DGANSSThreshold-ExtIEs } } OPTIONAL, ... } DGANSSThreshold-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DGNSS-ValidityPeriod ::= SEQUENCE { udreGrowthRate UDREGrowthRate, udreValidityTime UDREValidityTime, iE-Extensions ProtocolExtensionContainer { { DGNSS-ValidityPeriod-ExtIEs } } OPTIONAL, ... } DGNSS-ValidityPeriod-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DGPSCorrections ::= SEQUENCE { gpstow GPSTOW, status-health GPS-Status-Health, satelliteinfo SAT-Info-DGPSCorrections, ie-Extensions ProtocolExtensionContainer { { DGPSCorrections-ExtIEs} } OPTIONAL, ... } DGPSCorrections-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DGPSThresholds ::= SEQUENCE { prcdeviation PRCDeviation, ie-Extensions ProtocolExtensionContainer { { DGPSThresholds-ExtIEs} } OPTIONAL, ... } DGPSThresholds-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DiscardTimer ::= ENUMERATED {v20,v40,v60,v80,v100,v120,v140,v160,v180,v200,v250,v300,v400,v500,v750,v1000,v1250,v1500,v1750,v2000,v2500,v3000,v3500,v4000,v4500,v5000,v7500, ... } DiversityControlField ::= ENUMERATED { may, must, must-not, ... } DiversityMode ::= ENUMERATED { none, sTTD, closed-loop-mode1, not-used-closed-loop-mode2, ... } DL-DPCH-SlotFormat ::= INTEGER (0..16,...) DL-DPCH-TimingAdjustment ::= ENUMERATED { timing-advance, timing-delay } DL-Timeslot-Information ::= SEQUENCE (SIZE (1.. maxNrOfDLTSs)) OF DL-Timeslot-InformationItem DL-Timeslot-InformationItem ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType, tFCI-Presence TFCI-Presence, dL-Code-Information TDD-DL-Code-Information, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot-InformationItem-ExtIEs} } OPTIONAL, ... } DL-Timeslot-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-TimeslotLCR-Information ::= SEQUENCE (SIZE (1.. maxNrOfDLTSLCRs)) OF DL-TimeslotLCR-InformationItem DL-TimeslotLCR-InformationItem ::= SEQUENCE { timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, tFCI-Presence TFCI-Presence, dL-Code-LCR-Information TDD-DL-Code-LCR-Information, iE-Extensions ProtocolExtensionContainer { { DL-TimeslotLCR-InformationItem-ExtIEs} } OPTIONAL, ... } DL-TimeslotLCR-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Initial-DL-Power-TimeslotLCR-InformationItem CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-Maximum-DL-Power-TimeslotLCR-InformationItem CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-Minimum-DL-Power-TimeslotLCR-InformationItem CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }, -- Applicable to 1.28Mcps TDD only ... } DL-Timeslot768-Information ::= SEQUENCE (SIZE (1.. maxNrOfDLTSs)) OF DL-Timeslot768-InformationItem DL-Timeslot768-InformationItem ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tFCI-Presence TFCI-Presence, dL-Code-768-Information TDD-DL-Code-768-Information, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot768-InformationItem-ExtIEs} } OPTIONAL, ... } DL-Timeslot768-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-FrameType ::= ENUMERATED { typeA, typeB, ... } DL-or-Global-CapacityCredit ::= INTEGER (0..65535) DL-Power ::= INTEGER (-350..150) -- Value = DL-Power/10 -- Unit dB, Range -35dB .. +15dB, Step +0.1dB DLPowerAveragingWindowSize ::= INTEGER (1..60) DL-PowerBalancing-Information ::= SEQUENCE { powerAdjustmentType PowerAdjustmentType, dLReferencePower DL-Power OPTIONAL, -- This IE shall be present if Power Adjustment Type IE equals to 'Common' dLReferencePowerList-DL-PC-Rqst DL-ReferencePowerInformationList OPTIONAL, -- This IE shall be present if Power Adjustment Type IE equals to 'Individual' maxAdjustmentStep MaxAdjustmentStep OPTIONAL, -- This IE shall be present if Power Adjustment Type IE equals to 'Common' or 'Individual' adjustmentPeriod AdjustmentPeriod OPTIONAL, -- This IE shall be present if Power Adjustment Type IE equals to 'Common' or 'Individual' adjustmentRatio ScaledAdjustmentRatio OPTIONAL, -- This IE shall be present if Power Adjustment Type IE equals to 'Common' or 'Individual' iE-Extensions ProtocolExtensionContainer { { DL-PowerBalancing-Information-ExtIEs } } OPTIONAL, ... } DL-PowerBalancing-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-ReferencePowerInformationList ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF DL-ReferencePowerInformationItem DL-ReferencePowerInformationItem ::= SEQUENCE { rL-ID RL-ID, dl-Reference-Power DL-Power, iE-Extensions ProtocolExtensionContainer { {DL-ReferencePowerInformationItem-ExtIEs} } OPTIONAL, ... } DL-ReferencePowerInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-PowerBalancing-ActivationIndicator ::= ENUMERATED { dL-PowerBalancing-Activated } DL-PowerBalancing-UpdatedIndicator ::= ENUMERATED { dL-PowerBalancing-Updated } DL-ScramblingCode ::= INTEGER (0..15) -- 0= Primary scrambling code of the cell, 1..15= Secondary scrambling code -- DL-TimeslotISCP ::= INTEGER (0..91) DL-TimeslotISCPInfo ::= SEQUENCE (SIZE (1..maxNrOfDLTSs)) OF DL-TimeslotISCPInfoItem DL-TimeslotISCPInfoItem ::= SEQUENCE { timeSlot TimeSlot, dL-TimeslotISCP DL-TimeslotISCP, iE-Extensions ProtocolExtensionContainer { {DL-TimeslotISCPInfoItem-ExtIEs} } OPTIONAL, ... } DL-TimeslotISCPInfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-TimeslotISCPInfoLCR ::= SEQUENCE (SIZE (1..maxNrOfDLTSLCRs)) OF DL-TimeslotISCPInfoItemLCR DL-TimeslotISCPInfoItemLCR ::= SEQUENCE { timeSlotLCR TimeSlotLCR, dL-TimeslotISCP DL-TimeslotISCP, iE-Extensions ProtocolExtensionContainer { {DL-TimeslotISCPInfoItemLCR-ExtIEs} } OPTIONAL, ... } DL-TimeslotISCPInfoItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-TPC-Pattern01Count ::= INTEGER (0..30,...) DLTransmissionBranchLoadValue ::= INTEGER (0..101,...) Downlink-Compressed-Mode-Method ::= ENUMERATED { not-Used-puncturing, sFdiv2, higher-layer-scheduling, ... } DL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfDLTSLCRs)) OF DL-HS-PDSCH-Timeslot-InformationItem-LCR-PSCH-ReconfRqst DL-HS-PDSCH-Timeslot-InformationItem-LCR-PSCH-ReconfRqst::= SEQUENCE { timeSlot TimeSlotLCR, midambleShiftAndBurstType MidambleShiftLCR, dl-HS-PDSCH-Codelist-LCR-PSCH-ReconfRqst DL-HS-PDSCH-Codelist-LCR-PSCH-ReconfRqst, maxHSDSCH-HSSCCH-Power MaximumTransmissionPower OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-HS-PDSCH-Timeslot-InformationItem-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-HS-PDSCH-Timeslot-InformationItem-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MaxHSDSCH-HSSCCH-Power-per-CELLPORTION CRITICALITY ignore EXTENSION MaxHSDSCH-HSSCCH-Power-per-CELLPORTION PRESENCE optional}, ... } MaxHSDSCH-HSSCCH-Power-per-CELLPORTION ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCellLCR)) OF MaxHSDSCH-HSSCCH-Power-per-CELLPORTION-Item MaxHSDSCH-HSSCCH-Power-per-CELLPORTION-Item::= SEQUENCE { cellPortionLCRID CellPortionLCRID, maxHSDSCH-HSSCCH-Power MaximumTransmissionPower, iE-Extensions ProtocolExtensionContainer { { MaxHSDSCH-HSSCCH-Power-per-CELLPORTION-Item-ExtIEs} } OPTIONAL, ... } MaxHSDSCH-HSSCCH-Power-per-CELLPORTION-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-HS-PDSCH-Codelist-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfHSPDSCHs)) OF TDD-ChannelisationCode DPC-Mode ::= ENUMERATED { mode0, mode1, ... } DPCH-ID ::= INTEGER (0..239) DPCH-ID768 ::= INTEGER (0..479) DRX-Information ::= SEQUENCE { uE-DRX-Cycle UE-DRX-Cycle, inactivity-Threshold-for-UE-DRX-Cycle Inactivity-Threshold-for-UE-DRX-Cycle, inactivity-Threshold-for-UE-Grant-Monitoring Inactivity-Threshold-for-UE-Grant-Monitoring, uE-DRX-Grant-Monitoring UE-DRX-Grant-Monitoring, iE-Extensions ProtocolExtensionContainer { {DRX-Information-ExtIEs} } OPTIONAL, ... } DRX-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DRX-Information-to-Modify ::= CHOICE { modify DRX-Information-to-Modify-Items, deactivate NULL, ... } DRX-Information-to-Modify-Items ::= SEQUENCE { uE-DRX-Cycle UE-DRX-Cycle OPTIONAL, inactivity-Threshold-for-UE-DRX-Cycle Inactivity-Threshold-for-UE-DRX-Cycle OPTIONAL, inactivity-Threshold-for-UE-Grant-Monitoring Inactivity-Threshold-for-UE-Grant-Monitoring OPTIONAL, uE-DRX-Grant-Monitoring UE-DRX-Grant-Monitoring OPTIONAL, iE-Extensions ProtocolExtensionContainer { {DRX-Information-to-Modify-Items-ExtIEs} } OPTIONAL, ... } DRX-Information-to-Modify-Items-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DRX-Interruption-by-HS-DSCH ::= ENUMERATED { drx-Interruption-Configured, drx-Interruption-Not-Configured, ... } DSCH-ID ::= INTEGER (0..255) DSCH-InformationResponse ::= SEQUENCE (SIZE (1..maxNrOfDSCHs)) OF DSCH-InformationResponseItem DSCH-InformationResponseItem ::= SEQUENCE { dSCH-ID DSCH-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DSCH-InformationResponseItem-ExtIEs } } OPTIONAL, ... } DSCH-InformationResponseItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DSCH-TDD-Information ::= SEQUENCE (SIZE (1..maxNrOfDSCHs)) OF DSCH-TDD-InformationItem DSCH-TDD-InformationItem ::= SEQUENCE { dSCH-ID DSCH-ID, cCTrCH-ID CCTrCH-ID, transportFormatSet TransportFormatSet, allocationRetentionPriority AllocationRetentionPriority, frameHandlingPriority FrameHandlingPriority, toAWS ToAWS, toAWE ToAWE, iE-Extensions ProtocolExtensionContainer { { DSCH-TDD-InformationItem-ExtIEs} } OPTIONAL, ... } DSCH-TDD-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-bindingID CRITICALITY ignore EXTENSION BindingID PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-transportlayeraddress CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional}, ... } DsField ::= BIT STRING (SIZE (8)) DTX-Cycle-2ms-Items ::= SEQUENCE { uE-DTX-Cycle1-2ms UE-DTX-Cycle1-2ms, uE-DTX-Cycle2-2ms UE-DTX-Cycle2-2ms, mAC-DTX-Cycle-2ms MAC-DTX-Cycle-2ms, iE-Extensions ProtocolExtensionContainer { { DTX-Cycle-2ms-Items-ExtIEs} } OPTIONAL, ... } DTX-Cycle-2ms-Items-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DTX-Cycle-2ms-to-Modify-Items ::= SEQUENCE { uE-DTX-Cycle1-2ms UE-DTX-Cycle1-2ms, uE-DTX-Cycle2-2ms UE-DTX-Cycle2-2ms, mAC-DTX-Cycle-2ms MAC-DTX-Cycle-2ms, iE-Extensions ProtocolExtensionContainer { { DTX-Cycle-2ms-to-Modify-Items-ExtIEs} } OPTIONAL, ... } DTX-Cycle-2ms-to-Modify-Items-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DTX-Cycle-10ms-Items ::= SEQUENCE { uE-DTX-Cycle1-10ms UE-DTX-Cycle1-10ms, uE-DTX-Cycle2-10ms UE-DTX-Cycle2-10ms, mAC-DTX-Cycle-10ms MAC-DTX-Cycle-10ms, iE-Extensions ProtocolExtensionContainer { { DTX-Cycle-10ms-Items-ExtIEs} } OPTIONAL, ... } DTX-Cycle-10ms-Items-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DTX-Cycle-10ms-to-Modify-Items ::= SEQUENCE { uE-DTX-Cycle1-10ms UE-DTX-Cycle1-10ms, uE-DTX-Cycle2-10ms UE-DTX-Cycle2-10ms, mAC-DTX-Cycle-10ms MAC-DTX-Cycle-10ms, iE-Extensions ProtocolExtensionContainer { { DTX-Cycle-10ms-to-Modify-Items-ExtIEs} } OPTIONAL, ... } DTX-Cycle-10ms-to-Modify-Items-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DTX-Information ::= SEQUENCE { e-DCH-TTI-Length E-DCH-TTI-Length, inactivity-Threshold-for-UE-DTX-Cycle2 Inactivity-Threshold-for-UE-DTX-Cycle2, uE-DTX-Long-Preamble UE-DTX-Long-Preamble, mAC-Inactivity-Threshold MAC-Inactivity-Threshold , cQI-DTX-Timer CQI-DTX-Timer, uE-DPCCH-burst1 UE-DPCCH-burst1, uE-DPCCH-burst2 UE-DPCCH-burst2, iE-Extensions ProtocolExtensionContainer { {DTX-Information-ExtIEs} } OPTIONAL, ... } DTX-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DTX-Information-to-Modify ::= CHOICE { modify DTX-Information-to-Modify-Items, deactivate NULL, ... } DTX-Information-to-Modify-Items ::= SEQUENCE { e-DCH-TTI-Length-to-Modify E-DCH-TTI-Length-to-Modify OPTIONAL, inactivity-Threshold-for-UE-DTX-Cycle2 Inactivity-Threshold-for-UE-DTX-Cycle2 OPTIONAL, uE-DTX-Long-Preamble UE-DTX-Long-Preamble OPTIONAL, mAC-Inactivity-Threshold MAC-Inactivity-Threshold OPTIONAL, cQI-DTX-Timer CQI-DTX-Timer OPTIONAL, uE-DPCCH-burst1 UE-DPCCH-burst1 OPTIONAL, uE-DPCCH-burst2 UE-DPCCH-burst2 OPTIONAL, iE-Extensions ProtocolExtensionContainer { {DTX-Information-to-Modify-Items-ExtIEs} } OPTIONAL, ... } DTX-Information-to-Modify-Items-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Dual-Band-Capability ::= ENUMERATED { dual-Band-Capable, dual-Band-non-Capable } Dual-Band-Capability-Info::= SEQUENCE { dual-Band-Capability Dual-Band-Capability, possible-Secondary-Serving-Cell-List Possible-Secondary-Serving-Cell-List OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Dual-Band-Capability-Info-ExtIEs } } OPTIONAL, ... } Dual-Band-Capability-Info-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DwPCH-Power ::= INTEGER (-150..400,...) -- DwPCH-power = power * 10 -- If power <= -15 DwPCH shall be set to -150 -- If power >= 40 DwPCH shall be set to 400 -- Unit dBm, Range -15dBm .. +40 dBm, Step +0.1dB -- ========================================== -- E -- ========================================== E-AGCH-Table-Choice ::= ENUMERATED{table16B, table16B-1, ...} E-AGCH-FDD-Code-Information ::= CHOICE { replace E-AGCH-FDD-Code-List, remove NULL, ... } E-AGCH-FDD-Code-List ::= SEQUENCE (SIZE (1..maxNrOfE-AGCHs)) OF FDD-DL-ChannelisationCodeNumber E-AI-Capability ::= ENUMERATED { e-AI-capable, e-AI-non-capable } E-AI-Indicator ::= BOOLEAN E-DCH-Capability ::= ENUMERATED { e-DCH-capable, e-DCH-non-capable } E-DCHCapacityConsumptionLaw ::= SEQUENCE { e-DCH-SF-allocation E-DCH-SF-allocation, dl-Cost-1 INTEGER (0..65535) OPTIONAL, dl-Cost-2 INTEGER (0..65535) OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCHCapacityConsumptionLaw-ExtIEs } } OPTIONAL, ... } E-DCHCapacityConsumptionLaw-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-TDD-CapacityConsumptionLaw ::= SEQUENCE { ul-Cost INTEGER (0..65535), dl-Cost INTEGER (0..65535) OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-TDD-CapacityConsumptionLaw-ExtIEs } } OPTIONAL, ... } E-DCH-TDD-CapacityConsumptionLaw-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-SF-allocation ::= SEQUENCE ( SIZE(1..maxNrOfCombEDPDCH) ) OF SEQUENCE { ul-Cost-1 INTEGER (0..65535), ul-Cost-2 INTEGER (0..65535), iE-Extensions ProtocolExtensionContainer { { E-DCH-SF-allocation-ExtIEs } } OPTIONAL, ... } E-DCH-SF-allocation-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-TTI2ms-Capability ::= BOOLEAN -- True = TTI 10ms and 2ms supported for E-DCH False = only TTI 10ms supported for E-DCH E-DCH-SF-Capability ::= ENUMERATED { sf64, sf32, sf16, sf8, sf4, sf4x2, sf2x2, sf4x2-and-sf2x2, ... } E-DCH-HARQ-Combining-Capability ::= ENUMERATED { iR-Combining-capable, chase-Combining-capable, iR-and-Chase-Combining-capable } E-DCH-DDI-Value ::= INTEGER (0..62) E-DCH-FDD-DL-Control-Channel-Information ::= SEQUENCE { e-AGCH-And-E-RGCH-E-HICH-FDD-Scrambling-Code DL-ScramblingCode OPTIONAL, e-AGCH-Channelisation-Code FDD-DL-ChannelisationCodeNumber OPTIONAL, primary-e-RNTI E-RNTI OPTIONAL, secondary-e-RNTI E-RNTI OPTIONAL, e-RGCH-E-HICH-Channelisation-Code FDD-DL-ChannelisationCodeNumber OPTIONAL, e-RGCH-Signature-Sequence E-RGCH-Signature-Sequence OPTIONAL, e-HICH-Signature-Sequence E-HICH-Signature-Sequence OPTIONAL, serving-Grant-Value E-Serving-Grant-Value OPTIONAL, primary-Secondary-Grant-Selector E-Primary-Secondary-Grant-Selector OPTIONAL, e-RGCH-Release-Indicator E-RGCH-Release-Indicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-FDD-DL-Control-Channel-Information-ExtIEs} } OPTIONAL, ... } E-DCH-FDD-DL-Control-Channel-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Default-Serving-Grant-in-DTX-Cycle2 CRITICALITY ignore EXTENSION E-Serving-Grant-Value PRESENCE optional }, ... } E-DCH-FDD-Information ::= SEQUENCE { e-DCH-MACdFlows-Information E-DCH-MACdFlows-Information, hARQ-Process-Allocation-Scheduled-2ms-EDCH HARQ-Process-Allocation-2ms-EDCH OPTIONAL, e-DCH-Maximum-Bitrate E-DCH-Maximum-Bitrate OPTIONAL, e-DCH-Processing-Overload-Level E-DCH-Processing-Overload-Level OPTIONAL, e-DCH-Reference-Power-Offset E-DCH-Reference-Power-Offset OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-FDD-Information-ExtIEs} } OPTIONAL, ... } E-DCH-FDD-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-PowerOffset-for-SchedulingInfo CRITICALITY ignore EXTENSION E-DCH-PowerOffset-for-SchedulingInfo PRESENCE optional}| { ID id-SixteenQAM-UL-Operation-Indicator CRITICALITY reject EXTENSION SixteenQAM-UL-Operation-Indicator PRESENCE optional}| { ID id-E-AGCH-Table-Choice CRITICALITY ignore EXTENSION E-AGCH-Table-Choice PRESENCE conditional}, -- The IE shall be present if the SixteenQAM UL Operation Indicator IE is set to "Activate"-- ... } E-DCH-FDD-Information-Response ::= SEQUENCE { e-DCH-MACdFlow-Specific-InformationResp E-DCH-MACdFlow-Specific-InformationResp OPTIONAL, hARQ-Process-Allocation-Scheduled-2ms-EDCH HARQ-Process-Allocation-2ms-EDCH OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-FDD-Information-Response-ExtIEs } } OPTIONAL, ... } E-DCH-FDD-Information-Response-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-FDD-Information-to-Modify ::= SEQUENCE { e-DCH-MACdFlow-Specific-Info-to-Modify E-DCH-MACdFlow-Specific-InfoList-to-Modify OPTIONAL, hARQ-Process-Allocation-Scheduled-2ms-EDCH HARQ-Process-Allocation-2ms-EDCH OPTIONAL, e-DCH-Maximum-Bitrate E-DCH-Maximum-Bitrate OPTIONAL, e-DCH-Processing-Overload-Level E-DCH-Processing-Overload-Level OPTIONAL, e-DCH-Reference-Power-Offset E-DCH-Reference-Power-Offset OPTIONAL, mACeReset-Indicator MACeReset-Indicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-FDD-Information-to-Modify-ExtIEs} } OPTIONAL, ... } E-DCH-FDD-Information-to-Modify-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-PowerOffset-for-SchedulingInfo CRITICALITY ignore EXTENSION E-DCH-PowerOffset-for-SchedulingInfo PRESENCE optional}| { ID id-SixteenQAM-UL-Operation-Indicator CRITICALITY reject EXTENSION SixteenQAM-UL-Operation-Indicator PRESENCE optional}| { ID id-E-DCH-MACdPDUSizeFormat CRITICALITY reject EXTENSION E-DCH-MACdPDUSizeFormat PRESENCE optional}| { ID id-E-DCH-DL-Control-Channel-Grant-Information CRITICALITY ignore EXTENSION E-DCH-DL-Control-Channel-Grant-Information PRESENCE optional}| { ID id-E-AGCH-Table-Choice CRITICALITY ignore EXTENSION E-AGCH-Table-Choice PRESENCE conditional}, -- The IE shall be present if the SixteenQAM UL Operation Indicator IE is set to "Activate"-- ... } E-DCH-FDD-Update-Information ::= SEQUENCE { e-DCH-MACdFlow-Specific-UpdateInformation E-DCH-MACdFlow-Specific-UpdateInformation OPTIONAL, hARQ-Process-Allocation-Scheduled-2ms-EDCH HARQ-Process-Allocation-2ms-EDCH OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-FDD-Update-Information-ExtIEs } } OPTIONAL, ... } E-DCH-FDD-Update-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-DL-Control-Channel-Change-Information CRITICALITY ignore EXTENSION E-DCH-DL-Control-Channel-Change-Information PRESENCE optional}, ... } E-DCH-MACdFlow-Specific-UpdateInformation ::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlows)) OF E-DCH-MACdFlow-Specific-UpdateInformation-Item E-DCH-MACdFlow-Specific-UpdateInformation-Item ::= SEQUENCE { e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, hARQ-Process-Allocation-NonSched-2ms-EDCH HARQ-Process-Allocation-2ms-EDCH OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-MACdFlow-Specific-UpdateInformation-Item-ExtIEs} } OPTIONAL, ... } E-DCH-MACdFlow-Specific-UpdateInformation-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-DL-Control-Channel-Change-Information ::= SEQUENCE (SIZE (1..maxNrOfEDCHRLs)) OF E-DCH-DL-Control-Channel-Change-Information-Item E-DCH-DL-Control-Channel-Change-Information-Item ::= SEQUENCE { e-DCH-RL-ID RL-ID, iE-Extensions ProtocolExtensionContainer { { E-DCH-DL-Control-Channel-Change-Information-Item-ExtIEs} } OPTIONAL, ... } E-DCH-DL-Control-Channel-Change-Information-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-DL-Control-Channel-Grant-Information ::= SEQUENCE (SIZE (1..maxNrOfEDCHRLs)) OF E-DCH-DL-Control-Channel-Grant-Information-Item E-DCH-DL-Control-Channel-Grant-Information-Item ::= SEQUENCE { e-DCH-RL-ID RL-ID, iE-Extensions ProtocolExtensionContainer { { E-DCH-DL-Control-Channel-Grant-Information-Item-ExtIEs} } OPTIONAL, ... } E-DCH-DL-Control-Channel-Grant-Information-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-Grant-Type-Information ::= CHOICE { e-DCH-Non-Scheduled-Transmission-Grant E-DCH-Non-Scheduled-Transmission-Grant-Items, e-DCH-Scheduled-Transmission-Grant NULL, ... } E-DCH-LogicalChannelInformation ::= SEQUENCE (SIZE (1..maxNoOfLogicalChannels)) OF E-DCH-LogicalChannelInformationItem E-DCH-LogicalChannelInformationItem ::= SEQUENCE { logicalChannelId LogicalChannelID, schedulingPriorityIndicator SchedulingPriorityIndicator, schedulingInformation SchedulingInformation, mACesGuaranteedBitRate MACesGuaranteedBitRate OPTIONAL, e-DCH-DDI-Value E-DCH-DDI-Value, mACd-PDU-Size-List E-DCH-MACdPDU-SizeList, iE-Extensions ProtocolExtensionContainer { { E-DCH-LogicalChannelInformationItem-ExtIEs } } OPTIONAL, ... } E-DCH-LogicalChannelInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MaximumMACdPDU-SizeExtended CRITICALITY reject EXTENSION MAC-PDU-SizeExtended PRESENCE optional}| { ID id-MACes-Maximum-Bitrate-LCR CRITICALITY ignore EXTENSION MACes-Maximum-Bitrate-LCR PRESENCE optional}| --1.28Mcps TDD only { ID id-UE-AggregateMaximumBitRate-Enforcement-Indicator CRITICALITY ignore EXTENSION UE-AggregateMaximumBitRate-Enforcement-Indicator PRESENCE optional}, ... } E-DCH-Maximum-Bitrate ::= INTEGER (0..5742,...,5743..11498) E-DCH-PowerOffset-for-SchedulingInfo ::= INTEGER (0.. maxNrOfEDCH-HARQ-PO-QUANTSTEPs) E-DCH-Processing-Overload-Level ::= INTEGER (0..10,...) E-DCH-Reference-Power-Offset ::= INTEGER (0.. maxNrOfEDCH-HARQ-PO-QUANTSTEPs) E-DCH-MACdPDU-SizeList ::= SEQUENCE (SIZE (1.. maxNrOfMACdPDUSize)) OF E-DCH-MACdPDU-SizeListItem E-DCH-MACdPDU-SizeListItem ::= SEQUENCE { mACdPDU-Size MACdPDU-Size, iE-Extensions ProtocolExtensionContainer { { E-DCH-MACdPDU-SizeListItem-ExtIEs } } OPTIONAL, ... } E-DCH-MACdPDU-SizeListItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-MACdPDU-SizeCapability ::= ENUMERATED { fixedSizeCapable, flexibleSizeCapable } E-DCH-MACdPDUSizeFormat ::= ENUMERATED { fixedMACdPDU-Size, flexibleMACdPDU-Size } E-DCH-LogicalChannelToModify ::= SEQUENCE (SIZE (1..maxNoOfLogicalChannels)) OF E-DCH-LogicalChannelToModifyItem E-DCH-LogicalChannelToModifyItem ::= SEQUENCE { logicalChannelId LogicalChannelID, schedulingPriorityIndicator SchedulingPriorityIndicator OPTIONAL, schedulingInformation SchedulingInformation OPTIONAL, mACesGuaranteedBitRate MACesGuaranteedBitRate OPTIONAL, e-DCH-DDI-Value E-DCH-DDI-Value OPTIONAL, mACd-PDU-Size-List E-DCH-MACdPDU-SizeToModifyList, iE-Extensions ProtocolExtensionContainer { { E-DCH-LogicalChannelToModifyItem-ExtIEs } } OPTIONAL, ... } E-DCH-LogicalChannelToModifyItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MaximumMACdPDU-SizeExtended CRITICALITY reject EXTENSION MAC-PDU-SizeExtended PRESENCE optional}| { ID id-MACes-Maximum-Bitrate-LCR CRITICALITY ignore EXTENSION MACes-Maximum-Bitrate-LCR PRESENCE optional}, --1.28Mcps TDD only ... } E-DCH-MACdPDU-SizeToModifyList ::= SEQUENCE (SIZE (0.. maxNrOfMACdPDUSize)) OF E-DCH-MACdPDU-SizeListItem E-DCH-LogicalChannelToDelete ::= SEQUENCE (SIZE (1..maxNoOfLogicalChannels)) OF E-DCH-LogicalChannelToDeleteItem E-DCH-LogicalChannelToDeleteItem ::= SEQUENCE { logicalChannelId LogicalChannelID, iE-Extensions ProtocolExtensionContainer { { E-DCH-LogicalChannelToDeleteItem-ExtIEs } } OPTIONAL, ... } E-DCH-LogicalChannelToDeleteItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } LogicalChannelID ::= INTEGER (1..15) E-DCH-HARQ-PO-FDD ::= INTEGER (0.. maxNrOfEDCH-HARQ-PO-QUANTSTEPs) E-DCH-MACdFlow-ID ::= INTEGER (0..maxNrOfEDCHMACdFlows-1) E-DCH-MACdFlows-Information ::= SEQUENCE { e-DCH-MACdFlow-Specific-Info E-DCH-MACdFlow-Specific-InfoList, iE-Extensions ProtocolExtensionContainer { { E-DCH-MACdFlows-Information-ExtIEs} } OPTIONAL, ... } E-DCH-MACdFlows-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-MACdFlow-Multiplexing-List ::= BIT STRING ( SIZE(maxNrOfEDCHMACdFlows) ) E-DCH-MACdFlow-Specific-InfoList ::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlows)) OF E-DCH-MACdFlow-Specific-InfoItem E-DCH-MACdFlow-Specific-InfoItem ::= SEQUENCE { e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, allocationRetentionPriority AllocationRetentionPriority, tnlQos TnlQos OPTIONAL, payloadCRC-PresenceIndicator PayloadCRC-PresenceIndicator, maximum-Number-of-Retransmissions-For-E-DCH Maximum-Number-of-Retransmissions-For-E-DCH, eDCH-HARQ-PO-FDD E-DCH-HARQ-PO-FDD, eDCH-MACdFlow-Multiplexing-List E-DCH-MACdFlow-Multiplexing-List OPTIONAL, eDCH-Grant-Type-Information E-DCH-Grant-Type-Information, bundlingModeIndicator BundlingModeIndicator OPTIONAL, eDCHLogicalChannelInformation E-DCH-LogicalChannelInformation, iE-Extensions ProtocolExtensionContainer { { E-DCH-MACdFlow-Specific-InfoItem-ExtIEs} } OPTIONAL, ... } E-DCH-MACdFlow-Specific-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TransportBearerNotRequestedIndicator CRITICALITY ignore EXTENSION TransportBearerNotRequestedIndicator PRESENCE optional }, ... } E-DCH-MACdFlow-Specific-InformationResp ::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlows)) OF E-DCH-MACdFlow-Specific-InformationResp-Item E-DCH-MACdFlow-Specific-InformationResp-Item ::= SEQUENCE { e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, hARQ-Process-Allocation-NonSched-2ms-EDCH HARQ-Process-Allocation-2ms-EDCH OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-MACdFlow-Specific-InformationResp-Item-ExtIEs} } OPTIONAL, ... } E-DCH-MACdFlow-Specific-InformationResp-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TransportBearerNotSetupIndicator CRITICALITY ignore EXTENSION TransportBearerNotSetupIndicator PRESENCE optional }, -- FDD only ... } E-DCH-MACdFlow-Specific-InfoList-to-Modify ::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlows)) OF E-DCH-MACdFlow-Specific-InfoItem-to-Modify E-DCH-MACdFlow-Specific-InfoItem-to-Modify ::= SEQUENCE { e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, allocationRetentionPriority AllocationRetentionPriority OPTIONAL, transportBearerRequestIndicator TransportBearerRequestIndicator, tnlQos TnlQos OPTIONAL, maximum-Number-of-Retransmissions-For-E-DCH Maximum-Number-of-Retransmissions-For-E-DCH OPTIONAL, eDCH-HARQ-PO-FDD E-DCH-HARQ-PO-FDD OPTIONAL, eDCH-MACdFlow-Multiplexing-List E-DCH-MACdFlow-Multiplexing-List OPTIONAL, eDCH-Grant-Type-Information E-DCH-Grant-Type-Information OPTIONAL, bundlingModeIndicator BundlingModeIndicator OPTIONAL, eDCH-LogicalChannelToAdd E-DCH-LogicalChannelInformation OPTIONAL, eDCH-LogicalChannelToModify E-DCH-LogicalChannelToModify OPTIONAL, eDCH-LogicalChannelToDelete E-DCH-LogicalChannelToDelete OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-MACdFlow-Specific-InfoItem-to-Modify-ExtIEs} } OPTIONAL, ... } E-DCH-MACdFlow-Specific-InfoItem-to-Modify-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-MACdFlows-to-Delete ::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlows)) OF E-DCH-MACdFlow-to-Delete-Item E-DCH-MACdFlow-to-Delete-Item ::= SEQUENCE { e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, iE-Extensions ProtocolExtensionContainer { { E-DCH-MACdFlow-to-Delete-Item-ExtIEs} } OPTIONAL, ... } E-DCH-MACdFlow-to-Delete-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-Non-Scheduled-Transmission-Grant-Items ::= SEQUENCE { -- The following IE shall be ignored if id-Ext-Max-Bits-MACe-PDU-non-scheduled is present in E-DCH-Non-Scheduled-Transmission-Grant-Items-ExtIEs maxBits-MACe-PDU-non-scheduled Max-Bits-MACe-PDU-non-scheduled, hARQ-Process-Allocation-NonSched-2ms HARQ-Process-Allocation-2ms-EDCH OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-Non-Scheduled-Transmission-Grant-Items-ExtIEs} } OPTIONAL, ... } E-DCH-Non-Scheduled-Transmission-Grant-Items-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { -- The following IE shall be present if the maximum number of bits to be signalled exceeds maxNrOfBits-MACe-PDU-non-scheduled { ID id-Ext-Max-Bits-MACe-PDU-non-scheduled CRITICALITY reject EXTENSION Ext-Max-Bits-MACe-PDU-non-scheduled PRESENCE optional}, ... } E-DCH-Non-serving-Relative-Grant-Down-Commands ::= INTEGER (0..100,...) E-DCHProvidedBitRateValue ::= INTEGER(0..16777215,...,16777216..256000000) -- Unit bit/s, Range 0..2^24-1..2^24..256,000,000, Step 1 bit Maximum-Target-ReceivedTotalWideBandPower ::= INTEGER (0..621) -- mapping as for RTWP measurement value, as specified in [22] Target-NonServing-EDCH-To-Total-EDCH-Power-Ratio ::= INTEGER (0..100) -- Unit %, Range 0..100%, Step 1% E-DCH-RL-Indication ::= ENUMERATED { e-DCH, non-e-DCH } E-DCH-Serving-Cell-Change-Info-Response ::= SEQUENCE { e-DCH-serving-cell-choice E-DCH-serving-cell-choice, iE-Extensions ProtocolExtensionContainer { { E-DCH-serving-cell-informationResponse-ExtIEs} } OPTIONAL, ... } E-DCH-serving-cell-informationResponse-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-serving-cell-choice ::= CHOICE { e-DCH-serving-cell-change-successful E-DCH-serving-cell-change-successful, e-DCH-serving-cell-change-unsuccessful E-DCH-serving-cell-change-unsuccessful, ... } E-DCH-serving-cell-change-successful ::= SEQUENCE { e-DCH-RL-InformationList-Rsp E-DCH-RL-InformationList-Rsp, iE-Extensions ProtocolExtensionContainer { { E-DCH-serving-cell-change-successful-ExtIEs} } OPTIONAL, ... } E-DCH-RL-InformationList-Rsp ::= SEQUENCE (SIZE (0..maxNrOfRLs)) OF E-DCH-RL-InformationList-Rsp-Item E-DCH-RL-InformationList-Rsp-Item ::= SEQUENCE { rl-ID RL-ID, e-DCH-FDD-DL-Control-Channel-Info E-DCH-FDD-DL-Control-Channel-Information, iE-Extensions ProtocolExtensionContainer { { E-DCH-RL-InformationList-Rsp-Item-ExtIEs} } OPTIONAL, ... } E-DCH-serving-cell-change-successful-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-RL-InformationList-Rsp-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-serving-cell-change-unsuccessful ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { { E-DCH-serving-cell-change-unsuccessful-ExtIEs} } OPTIONAL, ... } E-DCH-serving-cell-change-unsuccessful-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- The maximum repetitions should be limited to 1 so that this information is reported only once for a cell. EDCH-RACH-Report-Value ::= SEQUENCE (SIZE(1.. maxNrOfCommonEDCH)) OF SEQUENCE { granted-EDCH-RACH-resources Granted-EDCH-RACH-Resources-Value, denied-EDCH-RACH-resources Denied-EDCH-RACH-Resources-Value, iE-Extensions ProtocolExtensionContainer { { EDCH-RACH-Report-Value-ExtIEs } } OPTIONAL, ... } EDCH-RACH-Report-Value-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-TFCI-Table-Index ::= INTEGER (0..1,...,2..7) E-DCH-TTI-Length ::= CHOICE { two-ms DTX-Cycle-2ms-Items, ten-ms DTX-Cycle-10ms-Items, ... } E-DCH-TTI-Length-to-Modify ::= CHOICE { two-ms DTX-Cycle-2ms-to-Modify-Items, ten-ms DTX-Cycle-10ms-to-Modify-Items, ... } E-DPCCH-PO ::= INTEGER (0..maxNrOfEDPCCH-PO-QUANTSTEPs) E-DPDCH-PowerInterpolation ::= BOOLEAN E-Primary-Secondary-Grant-Selector ::= ENUMERATED { primary, secondary } E-DCH-MACdFlow-ID-LCR ::= INTEGER (0..maxNrOfEDCHMACdFlowsLCR-1) E-DCH-MACdFlows-to-DeleteLCR ::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlowsLCR)) OF E-DCH-MACdFlow-to-Delete-ItemLCR E-DCH-MACdFlow-to-Delete-ItemLCR ::= SEQUENCE { e-DCH-MACdFlow-ID-LCR E-DCH-MACdFlow-ID-LCR, iE-Extensions ProtocolExtensionContainer { { E-DCH-MACdFlow-to-Delete-ItemLCR-ExtIEs} } OPTIONAL, ... } E-DCH-MACdFlow-to-Delete-ItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Enhanced-UE-DRX-InformationLCR ::= SEQUENCE { t321 T321, hS-DSCH-DRX-Cycle-FACH HS-DSCH-DRX-Cycle-FACH, hS-DSCH-RX-Burst-FACH HS-DSCH-RX-Burst-FACH, iE-Extensions ProtocolExtensionContainer { { Enhanced-UE-DRX-InformationLCR-ExtIEs } } OPTIONAL, ... } Enhanced-UE-DRX-InformationLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-HICH-ID-LCR ::= INTEGER(0..255) E-HICH-Signature-Sequence ::= INTEGER (0..maxNrofSigSeqRGHI-1) End-Of-Audit-Sequence-Indicator ::= ENUMERATED { end-of-audit-sequence, not-end-of-audit-sequence } E-Serving-Grant-Value ::= INTEGER (0..38) E-RGCH-2-IndexStepThreshold ::= INTEGER (0..37) E-RGCH-3-IndexStepThreshold ::= INTEGER (0..37) E-RGCH-E-HICH-FDD-Code-Information ::= CHOICE { replace E-RGCH-E-HICH-FDD-Code-List, remove NULL, ... } E-RGCH-E-HICH-FDD-Code-List ::= SEQUENCE (SIZE (1..maxNrOfE-RGCHs-E-HICHs)) OF FDD-DL-ChannelisationCodeNumber E-RGCH-Release-Indicator ::= ENUMERATED {e-RGCHreleased} E-RGCH-Signature-Sequence ::= INTEGER (0..maxNrofSigSeqRGHI-1) E-RNTI ::= INTEGER (0..65535) E-TFCI ::= INTEGER (0..127) E-TFCI-BetaEC-Boost ::= INTEGER (0..127,...) E-TFCI-Boost-Information ::= SEQUENCE { e-TFCI-BetaEC-Boost E-TFCI-BetaEC-Boost, uL-Delta-T2TP UL-Delta-T2TP OPTIONAL, -- This IE shall be present if the E-TFCI BetaEC Boost IE value is not set to 127. iE-Extensions ProtocolExtensionContainer { { E-TFCI-Boost-Information-ExtIEs} } OPTIONAL, ... } E-TFCI-Boost-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-TFCS-Information ::= SEQUENCE { e-DCH-TFCI-Table-Index E-DCH-TFCI-Table-Index, e-DCH-Min-Set-E-TFCI E-TFCI OPTIONAL, reference-E-TFCI-Information Reference-E-TFCI-Information, iE-Extensions ProtocolExtensionContainer { {E-TFCS-Information-ExtIEs} } OPTIONAL, ... } E-TFCS-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-TFCI-Boost-Information CRITICALITY reject EXTENSION E-TFCI-Boost-Information PRESENCE optional}| { ID id-E-DPDCH-PowerInterpolation CRITICALITY reject EXTENSION E-DPDCH-PowerInterpolation PRESENCE optional}, ... } E-TTI ::= ENUMERATED { e-TTI-2ms, e-TTI-10ms } E-DCHProvidedBitRate ::= SEQUENCE (SIZE (1..maxNrOfPriorityClasses)) OF E-DCHProvidedBitRate-Item E-DCHProvidedBitRate-Item ::= SEQUENCE { schedulingPriorityIndicator SchedulingPriorityIndicator, e-DCHProvidedBitRateValue E-DCHProvidedBitRateValue, iE-Extensions ProtocolExtensionContainer { { E-DCHProvidedBitRate-Item-ExtIEs} } OPTIONAL, ... } E-DCHProvidedBitRate-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCHProvidedBitRateValueInformation-For-CellPortion ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCellLCR)) OF E-DCHProvidedBitRateValueInformation-For-CellPortion-Item E-DCHProvidedBitRateValueInformation-For-CellPortion-Item ::= SEQUENCE{ cellPortionLCRID CellPortionLCRID, e-DCHProvidedBitRateValue E-DCHProvidedBitRate, iE-Extensions ProtocolExtensionContainer { {E-DCHProvidedBitRateValueInformation-For-CellPortion-Item-ExtIEs} } OPTIONAL, ... } E-DCHProvidedBitRateValueInformation-For-CellPortion-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-AGCH-PowerOffset ::= INTEGER (0..255,...) -- PowerOffset = -32 + offset * 0.25 -- Unit dB, Range -32dB .. +31.75dB, Step +0.25dB E-RGCH-PowerOffset ::= INTEGER (0..255,...) -- PowerOffset = -32 + offset * 0.25 -- Unit dB, Range -32dB .. +31.75dB, Step +0.25dB E-HICH-PowerOffset ::= INTEGER (0..255,...) -- PowerOffset = -32 + offset * 0.25 -- Unit dB, Range -32dB .. +31.75dB, Step +0.25dB E-HICH-TimeOffset ::= INTEGER (4..44) E-HICH-TimeOffsetLCR ::= INTEGER (4..15) E-DCH-Information ::= SEQUENCE { e-PUCH-Information E-PUCH-Information, e-TFCS-Information-TDD E-TFCS-Information-TDD, e-DCH-MACdFlows-Information-TDD E-DCH-MACdFlows-Information-TDD, e-DCH-Non-Scheduled-Grant-Info E-DCH-Non-Scheduled-Grant-Info OPTIONAL, e-DCH-TDD-Information E-DCH-TDD-Information, iE-Extensions ProtocolExtensionContainer { { E-DCH-Information-ExtIEs} } OPTIONAL, ... } E-DCH-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-PUCH-Information ::= SEQUENCE { minCR CodeRate, maxCR CodeRate, harqInfo HARQ-Info-for-E-DCH, n-E-UCCH N-E-UCCH, iE-Extensions ProtocolExtensionContainer { { E-PUCH-Information-ExtIEs } } OPTIONAL, ... } E-PUCH-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-TFCS-Information-TDD ::= SEQUENCE { e-DCH-QPSK-RefBetaInfo E-DCH-QPSK-RefBetaInfo, e-DCH-sixteenQAM-RefBetaInfo E-DCH-sixteenQAM-RefBetaInfo, iE-Extensions ProtocolExtensionContainer { { E-TFCS-Information-TDD-ExtIEs } } OPTIONAL, ... } E-TFCS-Information-TDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-QPSK-RefBetaInfo ::= SEQUENCE (SIZE (1..maxNrOfRefBetas)) OF E-DCH-RefBeta-Item E-DCH-sixteenQAM-RefBetaInfo ::= SEQUENCE (SIZE (1..maxNrOfRefBetas)) OF E-DCH-RefBeta-Item E-DCH-RefBeta-Item ::= SEQUENCE { refCodeRate CodeRate-short, refBeta RefBeta } E-DCH-MACdFlows-Information-TDD ::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlows)) OF E-DCH-MACdFlow-InfoTDDItem E-DCH-MACdFlow-InfoTDDItem ::= SEQUENCE { e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, allocationRetentionPriority AllocationRetentionPriority, tnlQos TnlQos OPTIONAL, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, payloadCRC-PresenceIndicator PayloadCRC-PresenceIndicator, maximum-Number-of-Retransmissions-For-E-DCH Maximum-Number-of-Retransmissions-For-E-DCH, eDCH-HARQ-PO-TDD E-DCH-HARQ-PO-TDD, eDCH-MACdFlow-Multiplexing-List E-DCH-MACdFlow-Multiplexing-List OPTIONAL, eDCH-Grant-TypeTDD E-DCH-Grant-TypeTDD, eDCHLogicalChannelInformation E-DCH-LogicalChannelInformation, eDCH-MACdFlow-Retransmission-Timer E-DCH-MACdFlow-Retransmission-Timer OPTIONAL, -- Mandatory for LCR TDD,Not applicable for 3.84Mcps TDD and 7.68Mcps TDD iE-Extensions ProtocolExtensionContainer { { E-DCH-MACdFlow-InfoTDDItem-ExtIEs} } OPTIONAL, ... } E-DCH-MACdFlow-InfoTDDItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-MACdFlow-Retransmission-Timer ::= ENUMERATED { ms10, ms15, ms20, ms25, ms30, ms35, ms40, ms45, ms50, ms55, ms60, ms65, ms70, ms75, ms80, ms85, ms90, ms95, ms100, ms110, ms120, ms140, ms160, ms200, ms240, ms280, ms320, ms400, ms480, ms560,... } E-DCH-HARQ-PO-TDD ::= INTEGER (0..6) E-DCH-Grant-TypeTDD ::= ENUMERATED { scheduled, non-scheduled } E-DCH-Non-Scheduled-Grant-Info ::= SEQUENCE { timeslotResource E-DCH-TimeslotResource, powerResource E-DCH-PowerResource, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tddE-PUCH-Offset TddE-PUCH-Offset, tdd-ChannelisationCode TDD-ChannelisationCode, iE-Extensions ProtocolExtensionContainer { { E-DCH-Non-Scheduled-Grant-Info-ExtIEs } } OPTIONAL, ... } E-DCH-Non-Scheduled-Grant-Info-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-TimeslotResource ::= BIT STRING (SIZE (13)) E-DCH-TimeslotResourceLCR ::= BIT STRING (SIZE (5)) E-DCH-PowerResource ::= INTEGER(1..32) TddE-PUCH-Offset ::= INTEGER(0..255) E-DCH-TDD-Information ::= SEQUENCE { e-DCH-TDD-Maximum-Bitrate E-DCH-TDD-Maximum-Bitrate OPTIONAL, e-DCH-Processing-Overload-Level E-DCH-Processing-Overload-Level OPTIONAL, e-DCH-PowerOffset-for-SchedulingInfo E-DCH-PowerOffset-for-SchedulingInfo OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-TDD-Information-ExtIEs } } OPTIONAL, ... } E-DCH-TDD-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-TDD-Maximum-Bitrate ::= INTEGER (0..9201,...) E-DCH-Information-Response ::= SEQUENCE { e-DCH-TDD-MACdFlow-Specific-InformationResp E-DCH-TDD-MACdFlow-Specific-InformationResp OPTIONAL, e-AGCH-Specific-Information-ResponseTDD E-AGCH-Specific-InformationRespListTDD OPTIONAL, e-RNTI E-RNTI, scheduled-E-HICH-Specific-InformationResp Scheduled-E-HICH-Specific-Information-ResponseLCRTDD OPTIONAL, -- 1.28Mcps TDD only iE-Extensions ProtocolExtensionContainer { { E-DCH-Information-Response-ExtIEs } } OPTIONAL, ... } E-DCH-Information-Response-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Scheduled-E-HICH-Specific-Information-ResponseLCRTDD ::= SEQUENCE (SIZE (1.. maxNrOfEHICHCodes)) OF Scheduled-E-HICH-Specific-InformationItem-ResponseLCRTDD Scheduled-E-HICH-Specific-InformationItem-ResponseLCRTDD ::= SEQUENCE { eI EI, e-HICH-ID-TDD E-HICH-ID-TDD, iE-Extensions ProtocolExtensionContainer {{ Scheduled-E-HICH-Specific-InformationItem-ResponseLCRTDD-ExtIEs}} OPTIONAL, ... } Scheduled-E-HICH-Specific-InformationItem-ResponseLCRTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-E-HICH-ID-TDD CRITICALITY ignore EXTENSION Extended-E-HICH-ID-TDD PRESENCE optional}, -- Applicable to 1.28Mcps TDD only when the E-HICH identity has a value larger than 31. ... } EI ::= INTEGER (0..3) E-HICH-ID-TDD ::= INTEGER (0..31) E-HICH-Type ::= ENUMERATED {scheduled,non-scheduled} E-DCH-TDD-MACdFlow-Specific-InformationResp ::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlows)) OF E-DCH-TDD-MACdFlow-Specific-InformationResp-Item E-DCH-TDD-MACdFlow-Specific-InformationResp-Item ::= SEQUENCE { e-DCH-MacdFlow-Id E-DCH-MACdFlow-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-TDD-MACdFlow-Specific-InformationRespItem-ExtIEs } } OPTIONAL, ... } E-DCH-TDD-MACdFlow-Specific-InformationRespItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-AGCH-Specific-InformationRespListTDD ::= SEQUENCE (SIZE (1..maxNrOfEAGCHCodes)) OF E-AGCH-Specific-InformationResp-ItemTDD E-AGCH-Specific-InformationResp-ItemTDD ::= SEQUENCE { e-AGCH-Id E-AGCH-Id, iE-Extensions ProtocolExtensionContainer { { E-AGCH-Specific-InformationResp-ItemTDD-ExtIEs } } OPTIONAL, ... } E-AGCH-Specific-InformationResp-ItemTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-AGCH-Id ::= INTEGER (0..31,...,32..255) E-DCH-Information-Reconfig ::= SEQUENCE { e-PUCH-Information E-PUCH-Information OPTIONAL, e-TFCS-Information-TDD E-TFCS-Information-TDD OPTIONAL, e-DCH-MACdFlows-to-Add E-DCH-MACdFlows-Information-TDD OPTIONAL, e-DCH-MACdFlows-to-Delete E-DCH-MACdFlows-to-Delete OPTIONAL, e-DCH-Non-Scheduled-Grant-Info E-DCH-Non-Scheduled-Grant-Info OPTIONAL, e-DCH-TDD-Information E-DCH-TDD-Information OPTIONAL, e-DCH-TDD-Information-to-Modify E-DCH-TDD-Information-to-Modify OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-Information-Reconfig-ExtIEs} } OPTIONAL, ... } E-DCH-Information-Reconfig-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-TDD-Information-to-Modify ::= SEQUENCE { e-DCH-TDD-Information-to-Modify-List E-DCH-TDD-Information-to-Modify-List OPTIONAL, mACeReset-Indicator MACeReset-Indicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-TDD-Information-to-Modify-ExtIEs } } OPTIONAL, ... } E-DCH-TDD-Information-to-Modify-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-MACdPDUSizeFormat CRITICALITY reject EXTENSION E-DCH-MACdPDUSizeFormat PRESENCE optional}, ... } E-DCH-TDD-Information-to-Modify-List ::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlows)) OF E-DCH-MACdFlow-ModifyTDDItem E-DCH-MACdFlow-ModifyTDDItem ::= SEQUENCE { e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, allocationRetentionPriority AllocationRetentionPriority OPTIONAL, transportBearerRequestIndicator TransportBearerRequestIndicator, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, tnlQos TnlQos OPTIONAL, maximum-Number-of-Retransmissions-For-E-DCH Maximum-Number-of-Retransmissions-For-E-DCH OPTIONAL, eDCH-HARQ-PO-TDD E-DCH-HARQ-PO-TDD OPTIONAL, eDCH-MACdFlow-Multiplexing-List E-DCH-MACdFlow-Multiplexing-List OPTIONAL, eDCH-Grant-TypeTDD E-DCH-Grant-TypeTDD OPTIONAL, e-DCH-LogicalChannelToAdd E-DCH-LogicalChannelInformation OPTIONAL, e-DCH-LogicalChannelToModify E-DCH-LogicalChannelToModify OPTIONAL, e-DCH-LogicalChannelToDelete E-DCH-LogicalChannelToDelete OPTIONAL, eDCH-MACdFlow-Retransmission-Timer E-DCH-MACdFlow-Retransmission-Timer OPTIONAL, -- LCR TDD only iE-Extensions ProtocolExtensionContainer { {E-DCH-MACdFlow-ModifyTDDItem-ExtIEs } } OPTIONAL, ... } E-DCH-MACdFlow-ModifyTDDItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Maximum-Generated-ReceivedTotalWideBandPowerInOtherCells ::= INTEGER (0..621) -- mapping as for RTWP measurement value, as specified in [23] E-DCH-768-Information ::= SEQUENCE { e-PUCH-Information E-PUCH-Information, e-TFCS-Information-TDD E-TFCS-Information-TDD, e-DCH-MACdFlows-Information-TDD E-DCH-MACdFlows-Information-TDD, e-DCH-Non-Scheduled-Grant-Info768 E-DCH-Non-Scheduled-Grant-Info768 OPTIONAL, e-DCH-TDD-Information768 E-DCH-TDD-Information768, iE-Extensions ProtocolExtensionContainer { { E-DCH-768-Information-ExtIEs} } OPTIONAL, ... } E-DCH-768-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-Non-Scheduled-Grant-Info768 ::= SEQUENCE { timeslotResource E-DCH-TimeslotResource, powerResource E-DCH-PowerResource, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tddE-PUCH-Offset TddE-PUCH-Offset, tdd-ChannelisationCode768 TDD-ChannelisationCode768, iE-Extensions ProtocolExtensionContainer { { E-DCH-Non-Scheduled-Grant-Info768-ExtIEs } } OPTIONAL, ... } E-DCH-Non-Scheduled-Grant-Info768-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-TDD-Information768 ::= SEQUENCE { e-DCH-TDD-Maximum-Bitrate768 E-DCH-TDD-Maximum-Bitrate768 OPTIONAL, e-DCH-Processing-Overload-Level E-DCH-Processing-Overload-Level OPTIONAL, e-DCH-PowerOffset-for-SchedulingInfo E-DCH-PowerOffset-for-SchedulingInfo OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-TDD-Information768-ExtIEs } } OPTIONAL, ... } E-DCH-TDD-Information768-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-TDD-Maximum-Bitrate768 ::= INTEGER (0..17713,...) E-DCH-768-Information-Reconfig ::= SEQUENCE { e-PUCH-Information E-PUCH-Information OPTIONAL, e-TFCS-Information-TDD E-TFCS-Information-TDD OPTIONAL, e-DCH-MACdFlows-to-Add E-DCH-MACdFlows-Information-TDD OPTIONAL, e-DCH-MACdFlows-to-Delete E-DCH-MACdFlows-to-Delete OPTIONAL, e-DCH-Non-Scheduled-Grant-Info768 E-DCH-Non-Scheduled-Grant-Info768 OPTIONAL, e-DCH-TDD-Information768 E-DCH-TDD-Information768 OPTIONAL, e-DCH-TDD-Information-to-Modify E-DCH-TDD-Information-to-Modify OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-768-Information-Reconfig-ExtIEs} } OPTIONAL, ... } E-DCH-768-Information-Reconfig-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-LCR-Information ::= SEQUENCE { e-PUCH-LCR-Information E-PUCH-LCR-Information, e-TFCS-Information-TDD E-TFCS-Information-TDD, e-DCH-MACdFlows-Information-TDD E-DCH-MACdFlows-Information-TDD, e-DCH-Non-Scheduled-Grant-LCR-Info E-DCH-Non-Scheduled-Grant-LCR-Info OPTIONAL, e-DCH-LCRTDD-Information E-DCH-LCRTDD-Information, iE-Extensions ProtocolExtensionContainer { { E-DCH-LCR-Information-ExtIEs} } OPTIONAL, ... } E-DCH-LCR-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-PUCH-LCR-Information ::= SEQUENCE { minCR CodeRate, maxCR CodeRate, harqInfo HARQ-Info-for-E-DCH, pRXdes-base PRXdes-base, e-PUCH-TPC-StepSize TDD-TPC-UplinkStepSize-LCR, e-AGCH-TPC-StepSize TDD-TPC-DownlinkStepSize, iE-Extensions ProtocolExtensionContainer { { E-PUCH-LCR-Information-ExtIEs } } OPTIONAL, ... } E-PUCH-LCR-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-PUCH-PowerControlGAP CRITICALITY ignore EXTENSION ControlGAP PRESENCE optional }, ... } E-DCH-Non-Scheduled-Grant-LCR-Info ::= SEQUENCE { timeslotResourceLCR E-DCH-TimeslotResourceLCR, powerResource E-DCH-PowerResource, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, subframeNumber ENUMERATED {v0, v1}, tddE-PUCH-Offset TddE-PUCH-Offset, tdd-ChannelisationCode TDD-ChannelisationCode, n-E-UCCHLCR N-E-UCCHLCR, e-HICH-LCR-Information E-HICH-LCR-Information, iE-Extensions ProtocolExtensionContainer { { E-DCH-Non-Scheduled-Grant-LCR-Info-ExtIEs } } OPTIONAL, ... } E-DCH-Non-Scheduled-Grant-LCR-Info-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-HICH-LCR-Information ::= SEQUENCE { e-HICH-ID-TDD E-HICH-ID-TDD, signatureSequenceGroupIndex SignatureSequenceGroupIndex, iE-Extensions ProtocolExtensionContainer { { E-HICH-LCR-Information-ExtIEs} } OPTIONAL, ... } E-HICH-LCR-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-E-HICH-ID-TDD CRITICALITY ignore EXTENSION Extended-E-HICH-ID-TDD PRESENCE optional}, -- Applicable to 1.28Mcps TDD only when the E-HICH identity has a value larger than 31. ... } E-DCH-LCRTDD-Information ::= SEQUENCE { e-DCH-LCRTDD-PhysicalLayerCategory E-DCH-LCRTDD-PhysicalLayerCategory OPTIONAL, e-DCH-Processing-Overload-Level E-DCH-Processing-Overload-Level OPTIONAL, e-DCH-PowerOffset-for-SchedulingInfo E-DCH-PowerOffset-for-SchedulingInfo OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-LCRTDD-Information-ExtIEs } } OPTIONAL, ... } E-DCH-LCRTDD-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-E-DCH-LCRTDD-PhysicalLayerCategory CRITICALITY reject EXTENSION Extended-E-DCH-LCRTDD-PhysicalLayerCategory PRESENCE optional }| -- This IE shall be used if the E-DCH Physical Layer Category has a value larger than 5. { ID id-MaximumNumber-Of-Retransmission-for-Scheduling-Info-LCRTDD CRITICALITY ignore EXTENSION Maximum-Number-of-Retransmissions-For-E-DCH PRESENCE optional }| { ID id-E-DCH-RetransmissionTimer-for-SchedulingInfo-LCRTDD CRITICALITY ignore EXTENSION E-DCH-MACdFlow-Retransmission-Timer PRESENCE optional }| { ID id-E-AGCH-UE-Inactivity-Monitor-Threshold CRITICALITY ignore EXTENSION E-AGCH-UE-Inactivity-Monitor-Threshold PRESENCE optional }, ... } E-DCH-LCRTDD-PhysicalLayerCategory ::= INTEGER(1..5) E-DCH-LCR-Information-Reconfig ::= SEQUENCE { e-PUCH-LCR-Information E-PUCH-LCR-Information OPTIONAL, e-TFCS-Information-TDD E-TFCS-Information-TDD OPTIONAL, e-DCH-MACdFlows-to-Add E-DCH-MACdFlows-Information-TDD OPTIONAL, e-DCH-MACdFlows-to-Delete E-DCH-MACdFlows-to-Delete OPTIONAL, e-DCH-Non-Scheduled-Grant-LCR-Info E-DCH-Non-Scheduled-Grant-LCR-Info OPTIONAL, e-DCH-LCRTDD-Information E-DCH-LCRTDD-Information OPTIONAL, e-DCH-TDD-Information-to-Modify E-DCH-TDD-Information-to-Modify OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-LCR-Information-Reconfig-ExtIEs} } OPTIONAL, ... } E-DCH-LCR-Information-Reconfig-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Enabling-Delay ::= ENUMERATED {v0, v1, v2, v4, v8, v16, v32, v64, v128} -- Unit of radio frames DormantModeIndicator::= ENUMERATED { enterDormantMode, leaveDormantMode, ... } Enhanced-FACH-Capability ::= ENUMERATED { enhanced-FACH-capable, enhanced-FACH-non-capable } EnhancedHSServingCC-Abort ::= ENUMERATED {abortEnhancedHSServingCC,...} Enhanced-PCH-Capability ::= ENUMERATED { enhanced-PCH-capable, enhanced-PCH-non-capable } Enhanced-UE-DRX-Capability ::= ENUMERATED { enhanced-UE-DRX-capable, enhanced-UE-DRX-non-capable } Enhanced-UE-DRX-InformationFDD ::= SEQUENCE { t321 T321, hS-DSCH-DRX-Cycle-FACH HS-DSCH-DRX-Cycle-FACH, hS-DSCH-RX-Burst-FACH HS-DSCH-RX-Burst-FACH, dRX-Interruption-by-HS-DSCH DRX-Interruption-by-HS-DSCH, iE-Extensions ProtocolExtensionContainer { { Enhanced-UE-DRX-InformationFDD-ExtIEs } } OPTIONAL, ... } Enhanced-UE-DRX-InformationFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Extended-E-DCH-LCRTDD-PhysicalLayerCategory ::= INTEGER(6,...) Ext-Max-Bits-MACe-PDU-non-scheduled ::= INTEGER(19983..22978,...) Ext-Reference-E-TFCI-PO ::= INTEGER(30..31,...) ExtendedPropagationDelay ::= INTEGER(255..1023) Extended-RNC-ID ::= INTEGER (4096..65535) Extended-Round-Trip-Time-Value ::= INTEGER(32767..103041) -- See also mapping in [22] Extended-HS-SCCH-ID ::= INTEGER (32..255) Extended-HS-SICH-ID ::= INTEGER (32..255) Extended-E-HICH-ID-TDD ::= INTEGER (32..255) E-DCH-Semi-PersistentScheduling-Information-LCR ::= SEQUENCE { repetition-Period-List-LCR Repetition-Period-List-LCR, e-DCH-SPS-Indicator E-DCH-SPS-Indicator, sPS-E-DCH-releted-E-HICH-Information E-HICH-LCR-Information, iE-Extensions ProtocolExtensionContainer { { E-DCH-Semi-PersistentScheduling-Information-LCR-ExtIEs } } OPTIONAL, ... } E-DCH-Semi-PersistentScheduling-Information-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-SPS-Reservation-Indicator CRITICALITY ignore EXTENSION SPS-Reservation-Indicator PRESENCE optional }, ... } E-DCH-SPS-Indicator ::= BIT STRING (SIZE (16)) E-DCH-Semi-PersistentScheduling-Information-to-Modify-LCR ::= SEQUENCE { repetition-Period-List-LCR Repetition-Period-List-LCR OPTIONAL, e-DCH-SPS-Indicator E-DCH-SPS-Indicator OPTIONAL, sPS-E-DCH-releted-E-HICH-Information E-HICH-LCR-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DCH-Semi-PersistentScheduling-Information-to-Modify-LCR-ExtIEs } } OPTIONAL, ... } E-DCH-Semi-PersistentScheduling-Information-to-Modify-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-SPS-Reservation-Indicator CRITICALITY ignore EXTENSION SPS-Reservation-Indicator PRESENCE optional }, ... } E-DCH-Semi-PersistentScheduling-Information-ResponseLCR ::= SEQUENCE { timeslot-Resource-Related-Information E-DCH-TimeslotResourceLCR, powerResource E-DCH-PowerResource, repetition-Period-List-LCR Repetition-Period-List-LCR, -- the IE shall be ignored repetitionLength RepetitionLength, -- the IE shall be ignored subframeNumber ENUMERATED {v0, v1}, tddE-PUCH-Offset TddE-PUCH-Offset, tdd-ChannelisationCode TDD-ChannelisationCode, n-E-UCCHLCR N-E-UCCHLCR, iE-Extensions ProtocolExtensionContainer { { E-DCH-Semi-PersistentScheduling-Information-ResponseLCR-ExtIEs } } OPTIONAL, ... } E-DCH-Semi-PersistentScheduling-Information-ResponseLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-RepetitionPeriodIndex CRITICALITY reject EXTENSION RepetitionPeriodIndex PRESENCE optional }, -- mandaroty for 1.28Mcps TDD. ... } -- ========================================== -- F -- ========================================== FACH-Measurement-Occasion-Cycle-Length-Coefficient ::= INTEGER(1..12) Fast-Reconfiguration-Mode ::= ENUMERATED {fast,...} Fast-Reconfiguration-Permission ::= ENUMERATED {allowed,...} FDD-DL-ChannelisationCodeNumber ::= INTEGER(0.. 511) -- According to the mapping in [9]. The maximum value is equal to the DL spreading factor -1-- FDD-DL-CodeInformation ::= SEQUENCE (SIZE (1..maxNrOfCodes)) OF FDD-DL-CodeInformationItem FDD-DL-CodeInformationItem ::= SEQUENCE { dl-ScramblingCode DL-ScramblingCode, fdd-DL-ChannelisationCodeNumber FDD-DL-ChannelisationCodeNumber, transmissionGapPatternSequenceCodeInformation TransmissionGapPatternSequenceCodeInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { FDD-DL-CodeInformationItem-ExtIEs} } OPTIONAL, ... } FDD-DL-CodeInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } FDD-S-CCPCH-FrameOffset ::= ENUMERATED { v1, v2, v4, ... } FDD-S-CCPCH-Offset ::= INTEGER (0..149) -- 0: 0 chip, 1: 256 chip, 2: 512 chip, .. ,149: 38144 chip [7] -- FDD-TPC-DownlinkStepSize ::= ENUMERATED { step-size0-5, step-size1, step-size1-5, step-size2, ... } F-DPCH-Capability ::= ENUMERATED { f-DPCH-capable, f-DPCH-non-capable } F-DPCH-SlotFormat ::= INTEGER (0..9) F-DPCH-SlotFormatCapability ::= ENUMERATED { f-DPCH-slot-format-capable, f-DPCH-slot-format-non-capable } FirstRLS-Indicator ::= ENUMERATED { first-RLS, not-first-RLS, ... } FNReportingIndicator ::= ENUMERATED { fN-reporting-required, fN-reporting-not-required } FrameHandlingPriority ::= INTEGER (0..15) -- 0=lowest priority, 15=highest priority -- FrameAdjustmentValue ::= INTEGER(0..4095) FrameOffset ::= INTEGER (0..255) FPACH-Power ::= INTEGER (-150..400,...) -- FPACH-power = power * 10 -- If power <= -15 FPACH shall be set to -150 -- If power >= 40 FPACH shall be set to 400 -- Unit dBm, Range -15dBm .. +40 dBm, Step +0.1dB -- ========================================== -- G -- ========================================== GANSS-AddClockModels ::= CHOICE { navClockModel GANSS-NAVclockModel, cnavClockModel GANSS-CNAVclockModel, glonassClockModel GANSS-GLONASSclockModel, sbasClockModel GANSS-SBASclockModel, ... } GANSS-AddIonoModelReq ::= BIT STRING (SIZE(2)) GANSS-AddNavigationModelsReq ::= BOOLEAN GANSS-AddOrbitModels ::= CHOICE { navKeplerianSet GANSS-NavModel-NAVKeplerianSet, cnavKeplerianSet GANSS-NavModel-CNAVKeplerianSet, glonassECEF GANSS-NavModel-GLONASSecef, sbasECEF GANSS-NavModel-SBASecef, ... } GANSS-AddUTCModelsReq ::= BOOLEAN GANSS-Additional-Ionospheric-Model ::= SEQUENCE { dataID BIT STRING (SIZE(2)), alpha-beta-parameters GPS-Ionospheric-Model, ie-Extensions ProtocolExtensionContainer { { GANSS-Additional-Ionospheric-Model-ExtIEs } } OPTIONAL, ... } GANSS-Additional-Ionospheric-Model-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Additional-Navigation-Models ::= SEQUENCE { ganss-Transmission-Time GANSS-Transmission-Time, non-broadcastIndication ENUMERATED { true } OPTIONAL, ganssSatInfoNavList Ganss-Sat-Info-AddNavList, ie-Extensions ProtocolExtensionContainer { { GANSS-Additional-Navigation-Models-ExtIEs } } OPTIONAL, ... } GANSS-Additional-Navigation-Models-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Additional-Time-Models ::= SEQUENCE (SIZE (1..maxGANSS-1)) OF GANSS-Time-Model GANSS-Additional-UTC-Models ::= CHOICE { utcModel1 GANSS-UTCmodelSet1, utcModel2 GANSS-UTCmodelSet2, utcModel3 GANSS-UTCmodelSet3, ... } GANSS-Almanac ::= SEQUENCE{ ganss-wk-number INTEGER(0..255), gANSS-AlmanacModel GANSS-AlmanacModel, ie-Extensions ProtocolExtensionContainer { { GANSS-Almanac-ExtIEs } } OPTIONAL, ... } GANSS-Almanac-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-AlmanacModel ::= CHOICE { gANSS-keplerianParameters GANSS-KeplerianParametersAlm, ..., extension-GANSS-AlmanacModel Extension-GANSS-AlmanacModel } Extension-GANSS-AlmanacModel ::= ProtocolIE-Single-Container {{ Extension-GANSS-AlmanacModel-IE }} Extension-GANSS-AlmanacModel-IE NBAP-PROTOCOL-IES ::= { { ID id-GANSS-alm-keplerianNAVAlmanac CRITICALITY ignore TYPE GANSS-ALM-NAVKeplerianSet PRESENCE mandatory}| { ID id-GANSS-alm-keplerianReducedAlmanac CRITICALITY ignore TYPE GANSS-ALM-ReducedKeplerianSet PRESENCE mandatory}| { ID id-GANSS-alm-keplerianMidiAlmanac CRITICALITY ignore TYPE GANSS-ALM-MidiAlmanacSet PRESENCE mandatory}| { ID id-GANSS-alm-keplerianGLONASS CRITICALITY ignore TYPE GANSS-ALM-GlonassAlmanacSet PRESENCE mandatory}| { ID id-GANSS-alm-ecefSBASAlmanac CRITICALITY ignore TYPE GANSS-ALM-ECEFsbasAlmanacSet PRESENCE mandatory} } GANSS-ALM-ECEFsbasAlmanacSet ::= SEQUENCE { sat-info-SBASecefList GANSS-SAT-Info-Almanac-SBASecefList, ie-Extensions ProtocolExtensionContainer { { GANSS-ALM-ECEFsbasAlmanacSet-ExtIEs } } OPTIONAL, ... } GANSS-ALM-ECEFsbasAlmanacSet-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-ALM-GlonassAlmanacSet ::= SEQUENCE { sat-info-GLOkpList GANSS-SAT-Info-Almanac-GLOkpList, ie-Extensions ProtocolExtensionContainer { { GANSS-ALM-GlonassAlmanacSet-ExtIEs } } OPTIONAL, ... } GANSS-ALM-GlonassAlmanacSet-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-ALM-MidiAlmanacSet ::= SEQUENCE { t-oa INTEGER (0..255), sat-info-MIDIkpList GANSS-SAT-Info-Almanac-MIDIkpList, ie-Extensions ProtocolExtensionContainer { { GANSS-ALM-MidiAlmanacSet-ExtIEs } } OPTIONAL, ... } GANSS-ALM-MidiAlmanacSet-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-ALM-NAVKeplerianSet ::= SEQUENCE { t-oa INTEGER (0..255), sat-info-NAVkpList GANSS-SAT-Info-Almanac-NAVkpList, ie-Extensions ProtocolExtensionContainer { { GANSS-ALM-NAVKeplerianSet-ExtIEs } } OPTIONAL, ... } GANSS-ALM-NAVKeplerianSet-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-ALM-ReducedKeplerianSet ::= SEQUENCE { t-oa INTEGER (0..255), sat-info-REDkpList GANSS-SAT-Info-Almanac-REDkpList, ie-Extensions ProtocolExtensionContainer { { GANSS-ALM-ReducedKeplerianSet-ExtIEs } } OPTIONAL, ... } GANSS-ALM-ReducedKeplerianSet-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Auxiliary-Information ::= CHOICE { ganssID1 GANSS-AuxInfoGANSS-ID1, -- This choice may only be present if GANSS ID indicates Modernized GPS ganssID3 GANSS-AuxInfoGANSS-ID3, -- This choice may only be present if GANSS ID indicates GLONASS ... } GANSS-AuxInfoGANSS-ID1 ::= SEQUENCE (SIZE(1.. maxGANSSSat)) OF GANSS-AuxInfoGANSS-ID1-element GANSS-AuxInfoGANSS-ID1-element ::= SEQUENCE { svID INTEGER(0..63), signalsAvailable BIT STRING (SIZE(8)), ie-Extensions ProtocolExtensionContainer { { GANSS-AuxInfoGANSS-ID1-element-ExtIEs } } OPTIONAL, ... } GANSS-AuxInfoGANSS-ID1-element-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-AuxInfoGANSS-ID3 ::= SEQUENCE (SIZE(1.. maxGANSSSat)) OF GANSS-AuxInfoGANSS-ID3-element GANSS-AuxInfoGANSS-ID3-element ::= SEQUENCE { svID INTEGER(0..63), signalsAvailable BIT STRING (SIZE(8)), channelNumber INTEGER (-7..13), ie-Extensions ProtocolExtensionContainer { { GANSS-AuxInfoGANSS-ID3-element-ExtIEs } } OPTIONAL, ... } GANSS-AuxInfoGANSS-ID3-element-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-AuxInfoReq ::= BOOLEAN GANSS-Clock-Model ::= SEQUENCE (SIZE (1..maxGANSSClockMod)) OF GANSS-SatelliteClockModelItem GANSS-CNAVclockModel ::= SEQUENCE { cnavToc BIT STRING (SIZE (11)), cnavTop BIT STRING (SIZE (11)), cnavURA0 BIT STRING (SIZE (5)), cnavURA1 BIT STRING (SIZE (3)), cnavURA2 BIT STRING (SIZE (3)), cnavAf2 BIT STRING (SIZE (10)), cnavAf1 BIT STRING (SIZE (20)), cnavAf0 BIT STRING (SIZE (26)), cnavTgd BIT STRING (SIZE (13)), cnavISCl1cp BIT STRING (SIZE (13)) OPTIONAL, cnavISCl1cd BIT STRING (SIZE (13)) OPTIONAL, cnavISCl1ca BIT STRING (SIZE (13)) OPTIONAL, cnavISCl2c BIT STRING (SIZE (13)) OPTIONAL, cnavISCl5i5 BIT STRING (SIZE (13)) OPTIONAL, cnavISCl5q5 BIT STRING (SIZE (13)) OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-CNAVclockModel-ExtIEs } } OPTIONAL, ... } GANSS-CNAVclockModel-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Common-Data ::= SEQUENCE { ganss-Ionospheric-Model GANSS-Ionospheric-Model OPTIONAL, ganss-Rx-Pos GANSS-RX-Pos OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-Common-Data-ExtIEs } } OPTIONAL, ... } GANSS-Common-Data-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-GANSS-Additional-Ionospheric-Model CRITICALITY ignore EXTENSION GANSS-Additional-Ionospheric-Model PRESENCE optional }| { ID id-GANSS-Earth-Orientation-Parameters CRITICALITY ignore EXTENSION GANSS-Earth-Orientation-Parameters PRESENCE optional }, ... } GANSS-CommonDataInfoReq ::= SEQUENCE { ionospheric-Model BOOLEAN OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-CommonDataInfoReq-ExtIEs } } OPTIONAL, ... } GANSS-CommonDataInfoReq-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-GANSS-AddIonoModelReq CRITICALITY ignore EXTENSION GANSS-AddIonoModelReq PRESENCE optional} | {ID id-GANSS-EarthOrientParaReq CRITICALITY ignore EXTENSION GANSS-EarthOrientParaReq PRESENCE optional} , ... } GANSS-Data-Bit-Assistance ::= SEQUENCE { ganssTod INTEGER (0..59,...), dataBitAssistancelist GANSS-DataBitAssistanceList, ie-Extensions ProtocolExtensionContainer { { GANSS-Data-Bit-Assistance-ExtIEs } } OPTIONAL, ... } GANSS-Data-Bit-Assistance-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-DataBitAssistanceList ::= SEQUENCE (SIZE (1..maxGANSSSat)) OF GANSS-DataBitAssistanceItem GANSS-DataBitAssistanceItem ::= SEQUENCE { satId INTEGER(0..63), dataBitAssistanceSgnList GANSS-DataBitAssistanceSgnList, ie-Extensions ProtocolExtensionContainer { { GANSS-DataBitAssistanceItem-ExtIEs } } OPTIONAL, ... } GANSS-DataBitAssistanceItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-DataBitAssistanceSgnList ::= SEQUENCE (SIZE (1..maxSgnType)) OF GANSS-DataBitAssistanceSgnItem GANSS-DataBitAssistanceSgnItem ::= SEQUENCE { ganss-SignalId GANSS-Signal-ID, ganssDataBits BIT STRING (SIZE (1..1024)), ie-Extensions ProtocolExtensionContainer { { GANSS-DataBitAssistanceSgnItem-ExtIEs } } OPTIONAL, ... } GANSS-DataBitAssistanceSgnItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Data-Bit-Assistance-ReqItem ::= SEQUENCE { ganssTod INTEGER (0..86399), ganss-Data-Bit-Assistance-ReqList GANSS-Data-Bit-Assistance-ReqList, iE-Extensions ProtocolExtensionContainer { { GANSS-Data-Bit-Assistance-ReqItem-ExtIEs } } OPTIONAL, ... } GANSS-Data-Bit-Assistance-ReqItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Data-Bit-Assistance-ReqList ::= SEQUENCE { dGANSS-Signal-ID BIT STRING (SIZE (8)), ganss-DataBitInterval INTEGER(0..15), ganss-SatelliteInfo SEQUENCE (SIZE (1..maxGANSSSat)) OF INTEGER(0..63) OPTIONAL, iE-Extensions ProtocolExtensionContainer { { GANSS-Data-Bit-Assistance-ReqList-ExtIEs } } OPTIONAL, ... } GANSS-Data-Bit-Assistance-ReqList-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-DeltaUT1 ::= SEQUENCE { b1 BIT STRING (SIZE(11)), b2 BIT STRING (SIZE(10)), ie-Extensions ProtocolExtensionContainer { { GANSS-DeltaUT1-ExtIEs } } OPTIONAL, ... } GANSS-DeltaUT1-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Earth-Orientation-Parameters ::= SEQUENCE { teop BIT STRING (SIZE (16)), pmX BIT STRING (SIZE (21)), pmXdot BIT STRING (SIZE (15)), pmY BIT STRING (SIZE (21)), pmYdot BIT STRING (SIZE (15)), deltaUT1 BIT STRING (SIZE (31)), deltaUT1dot BIT STRING (SIZE (19)), ie-Extensions ProtocolExtensionContainer { { GANSS-Earth-Orientation-Parameters-ExtIEs } } OPTIONAL, ... } GANSS-Earth-Orientation-Parameters-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-EarthOrientParaReq ::= BOOLEAN GANSS-GenericDataInfoReqList ::= SEQUENCE (SIZE(1..maxNoGANSS)) OF GANSS-GenericDataInfoReqItem GANSS-GenericDataInfoReqItem ::= SEQUENCE { ganss-Id GANSS-ID OPTIONAL, ganss-Navigation-Model-And-Time-Recovery BOOLEAN OPTIONAL, ganss-Time-Model-GNSS-GNSS BIT STRING (SIZE (9)) OPTIONAL, ganss-UTC-Model BOOLEAN OPTIONAL, ganss-Almanac BOOLEAN OPTIONAL, ganss-Real-Time-Integrity BOOLEAN OPTIONAL, ganss-Data-Bit-Assistance-Req GANSS-Data-Bit-Assistance-ReqItem OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-GenericDataInfoReqItem-ExtIEs } } OPTIONAL, ... } GANSS-GenericDataInfoReqItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-GANSS-AddNavigationModelsReq CRITICALITY ignore EXTENSION GANSS-AddNavigationModelsReq PRESENCE optional} | {ID id-GANSS-AddUTCModelsReq CRITICALITY ignore EXTENSION GANSS-AddUTCModelsReq PRESENCE optional} | {ID id-GANSS-AuxInfoReq CRITICALITY ignore EXTENSION GANSS-AuxInfoReq PRESENCE optional} | -- The following IE shall be present if 'GANSS-ID' in 'GANSS-GenericDataInfoReqItem' is '0' (SBAS) {ID id-GANSS-SBAS-ID CRITICALITY ignore EXTENSION GANSS-SBAS-ID PRESENCE optional} , ... } GANSS-Generic-Data ::= SEQUENCE (SIZE(1..maxNoGANSS)) OF GANSS-Generic-DataItem GANSS-Generic-DataItem ::= SEQUENCE { ganss-Id GANSS-ID OPTIONAL, dganss-Correction DGANSSCorrections OPTIONAL, ganss-Navigation-Model-And-Time-Recovery GANSS-Navigation-Model-And-Time-Recovery OPTIONAL, ganss-Time-Model GANSS-Time-Model OPTIONAL, ganss-UTC-TIME GANSS-UTC-Model OPTIONAL, ganss-Almanac GANSS-Almanac OPTIONAL, ganss-Real-Time-Integrity GANSS-Real-Time-Integrity OPTIONAL, ganss-Data-Bit-Assistance GANSS-Data-Bit-Assistance OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-Generic-DataItem-ExtIEs } } OPTIONAL, ... } GANSS-Generic-DataItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-GANSS-Additional-Time-Models CRITICALITY ignore EXTENSION GANSS-Additional-Time-Models PRESENCE optional }| { ID id-GANSS-Additional-Navigation-Models CRITICALITY ignore EXTENSION GANSS-Additional-Navigation-Models PRESENCE optional }| { ID id-GANSS-Additional-UTC-Models CRITICALITY ignore EXTENSION GANSS-Additional-UTC-Models PRESENCE optional }| { ID id-GANSS-Auxiliary-Information CRITICALITY ignore EXTENSION GANSS-Auxiliary-Information PRESENCE optional }| -- The following element shall be present if 'GANSS-ID' in 'GANSS-Generic-DataItem' is '0' ('SBAS') { ID id-GANSS-SBAS-ID CRITICALITY ignore EXTENSION GANSS-SBAS-ID PRESENCE optional }, ... } GANSS-GLONASSclockModel ::= SEQUENCE { gloTau BIT STRING (SIZE (22)), gloGamma BIT STRING (SIZE (11)), gloDeltaTau BIT STRING (SIZE (5)) OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-GLONASSclockModel-ExtIEs } } OPTIONAL, ... } GANSS-GLONASSclockModel-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-ID ::= INTEGER(0..7,...) GANSS-Information ::= SEQUENCE { gANSS-CommonDataInfoReq GANSS-CommonDataInfoReq OPTIONAL, gANSS-GenericDataInfoReqList GANSS-GenericDataInfoReqList OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-Information-ExtIEs } } OPTIONAL, ... } GANSS-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Ionospheric-Model ::= SEQUENCE { alpha-zero-ionos BIT STRING (SIZE (12)), alpha-one-ionos BIT STRING (SIZE (12)), alpha-two-ionos BIT STRING (SIZE (12)), gANSS-IonosphereRegionalStormFlags GANSS-IonosphereRegionalStormFlags OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-Ionospheric-Model-ExtIEs } } OPTIONAL, ... } GANSS-Ionospheric-Model-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-IonosphereRegionalStormFlags ::= SEQUENCE { storm-flag-one BOOLEAN, storm-flag-two BOOLEAN, storm-flag-three BOOLEAN, storm-flag-four BOOLEAN, storm-flag-five BOOLEAN, ie-Extensions ProtocolExtensionContainer { { GANSS-IonosphereRegionalStormFlags-ExtIEs } } OPTIONAL, ... } GANSS-IonosphereRegionalStormFlags-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-KeplerianParametersAlm ::= SEQUENCE { t-oa INTEGER(0..255), iod-a INTEGER(0..3), gANSS-SatelliteInformationKP GANSS-SatelliteInformationKP, ie-Extensions ProtocolExtensionContainer { { GANSS-KeplerianParametersAlm-ExtIEs } } OPTIONAL, ... } GANSS-KeplerianParametersAlm-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-KeplerianParametersOrb ::= SEQUENCE { toe-nav BIT STRING (SIZE (14)), ganss-omega-nav BIT STRING (SIZE (32)), delta-n-nav BIT STRING (SIZE (16)), m-zero-nav BIT STRING (SIZE (32)), omegadot-nav BIT STRING (SIZE (24)), ganss-e-nav BIT STRING (SIZE (32)), idot-nav BIT STRING (SIZE (14)), a-sqrt-nav BIT STRING (SIZE (32)), i-zero-nav BIT STRING (SIZE (32)), omega-zero-nav BIT STRING (SIZE (32)), c-rs-nav BIT STRING (SIZE (16)), c-is-nav BIT STRING (SIZE (16)), c-us-nav BIT STRING (SIZE (16)), c-rc-nav BIT STRING (SIZE (16)), c-ic-nav BIT STRING (SIZE (16)), c-uc-nav BIT STRING (SIZE (16)), ie-Extensions ProtocolExtensionContainer { { GANSS-KeplerianParametersOrb-ExtIEs } } OPTIONAL, ... } GANSS-KeplerianParametersOrb-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-NAVclockModel ::= SEQUENCE { navToc BIT STRING (SIZE (16)), navaf2 BIT STRING (SIZE (8)), navaf1 BIT STRING (SIZE (16)), navaf0 BIT STRING (SIZE (22)), navTgd BIT STRING (SIZE (8)), ie-Extensions ProtocolExtensionContainer { { GANSS-NAVclockModel-ExtIEs } } OPTIONAL, ... } GANSS-NAVclockModel-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Navigation-Model-And-Time-Recovery ::= SEQUENCE { ganss-Transmission-Time GANSS-Transmission-Time, non-broadcastIndication ENUMERATED{true} OPTIONAL, ganssSatInfoNav GANSS-Sat-Info-Nav, ie-Extensions ProtocolExtensionContainer { { GANSS-Navigation-Model-And-Time-Recovery-ExtIEs } } OPTIONAL, ... } GANSS-Navigation-Model-And-Time-Recovery-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-NavModel-CNAVKeplerianSet ::= SEQUENCE { cnavTop BIT STRING (SIZE (11)), cnavURAindex BIT STRING (SIZE (5)), cnavDeltaA BIT STRING (SIZE (26)), cnavAdot BIT STRING (SIZE (25)), cnavDeltaNo BIT STRING (SIZE (17)), cnavDeltaNoDot BIT STRING (SIZE (23)), cnavMo BIT STRING (SIZE (33)), cnavE BIT STRING (SIZE (33)), cnavOmega BIT STRING (SIZE (33)), cnavOMEGA0 BIT STRING (SIZE (33)), cnavDeltaOmegaDot BIT STRING (SIZE (17)), cnavIo BIT STRING (SIZE (33)), cnavIoDot BIT STRING (SIZE (15)), cnavCis BIT STRING (SIZE (16)), cnavCic BIT STRING (SIZE (16)), cnavCrs BIT STRING (SIZE (24)), cnavCrc BIT STRING (SIZE (24)), cnavCus BIT STRING (SIZE (21)), cnavCuc BIT STRING (SIZE (21)), ie-Extensions ProtocolExtensionContainer { { GANSS-NavModel-CNAVKeplerianSet-ExtIEs } } OPTIONAL, ... } GANSS-NavModel-CNAVKeplerianSet-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-NavModel-GLONASSecef ::= SEQUENCE { gloEn BIT STRING (SIZE (5)), gloP1 BIT STRING (SIZE(2)), gloP2 BIT STRING (SIZE (1)), gloM BIT STRING (SIZE (2)) OPTIONAL, gloX BIT STRING (SIZE (27)), gloXdot BIT STRING (SIZE (24)), gloXdotdot BIT STRING (SIZE (5)), gloY BIT STRING (SIZE (27)), gloYdot BIT STRING (SIZE (24)), gloYdotdot BIT STRING (SIZE (5)), gloZ BIT STRING (SIZE (27)), gloZdot BIT STRING (SIZE (24)), gloZdotdot BIT STRING (SIZE (5)), ie-Extensions ProtocolExtensionContainer { { GANSS-NavModel-GLONASSecef-ExtIEs } } OPTIONAL, ... } GANSS-NavModel-GLONASSecef-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-NavModel-NAVKeplerianSet ::= SEQUENCE { navURA BIT STRING (SIZE (4)), navFitFlag BIT STRING (SIZE (1)), navToe BIT STRING (SIZE (16)), navOmega BIT STRING (SIZE (32)), navDeltaN BIT STRING (SIZE (16)), navM0 BIT STRING (SIZE (32)), navOmegaADot BIT STRING (SIZE (24)), navE BIT STRING (SIZE (32)), navIDot BIT STRING (SIZE (14)), navAPowerHalf BIT STRING (SIZE (32)), navI0 BIT STRING (SIZE (32)), navOmegaA0 BIT STRING (SIZE (32)), navCrs BIT STRING (SIZE (16)), navCis BIT STRING (SIZE (16)), navCus BIT STRING (SIZE (16)), navCrc BIT STRING (SIZE (16)), navCic BIT STRING (SIZE (16)), navCuc BIT STRING (SIZE (16)), ie-Extensions ProtocolExtensionContainer { { GANSS-NavModel-NAVKeplerianSet-ExtIEs } } OPTIONAL, ... } GANSS-NavModel-NAVKeplerianSet-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-NavModel-SBASecef ::= SEQUENCE { -- The following IE shall be present if 'GANSS-SBASclockModel' in 'GANSS-AddClockModels' is not included in 'Ganss-Sat-Info-AddNavList' sbasTo BIT STRING (SIZE (13)) OPTIONAL, sbasAccuracy BIT STRING (SIZE (4)), sbasXg BIT STRING (SIZE (30)), sbasYg BIT STRING (SIZE (30)), sbasZg BIT STRING (SIZE (25)), sbasXgDot BIT STRING (SIZE (17)), sbasYgDot BIT STRING (SIZE (17)), sbasZgDot BIT STRING (SIZE (18)), sbasXgDotDot BIT STRING (SIZE (10)), sbagYgDotDot BIT STRING (SIZE (10)), sbasZgDotDot BIT STRING (SIZE (10)), ie-Extensions ProtocolExtensionContainer { { GANSS-NavModel-SBASecef-ExtIEs } } OPTIONAL, ... } GANSS-NavModel-SBASecef-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Orbit-Model ::= CHOICE { gANSS-keplerianParameters GANSS-KeplerianParametersOrb, ... } GANSS-Real-Time-Integrity ::= SEQUENCE (SIZE (1..maxGANSSSat)) OF GANSS-RealTimeInformationItem GANSS-RealTimeInformationItem ::= SEQUENCE { bad-ganss-satId INTEGER(0..63), bad-ganss-signalId BIT STRING(SIZE(8)) OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-RealTimeInformationItem-ExtIEs } } OPTIONAL, ... } GANSS-RealTimeInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-RX-Pos ::= SEQUENCE { latitudeSign ENUMERATED{north,south}, degreesOfLatitude INTEGER(0..2147483647), degreesOfLongitude INTEGER(-2147483648..2147483647), directionOfAltitude ENUMERATED{height,depth}, altitude INTEGER(0..32767), ie-Extensions ProtocolExtensionContainer { { GANSS-RX-Pos-ExtIEs } } OPTIONAL, ... } GANSS-RX-Pos-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-SatelliteClockModelItem ::= SEQUENCE { t-oc BIT STRING (SIZE (14)), a-i2 BIT STRING (SIZE (12)), a-i1 BIT STRING (SIZE (18)), a-i0 BIT STRING (SIZE (28)), t-gd BIT STRING (SIZE (10)) OPTIONAL, model-id INTEGER(0..1,...) OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-SatelliteClockModelItem-ExtIEs } } OPTIONAL, ... } GANSS-SatelliteClockModelItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-SatelliteInformationKP ::= SEQUENCE (SIZE (1..maxGANSSSatAlmanac)) OF GANSS-SatelliteInformationKPItem GANSS-SatelliteInformationKPItem ::= SEQUENCE { satId INTEGER(0..63), ganss-e-alm BIT STRING (SIZE (11)), ganss-delta-I-alm BIT STRING (SIZE (11)), ganss-omegadot-alm BIT STRING (SIZE (11)), ganss-svhealth-alm BIT STRING (SIZE (4)), ganss-delta-a-sqrt-alm BIT STRING (SIZE (17)), ganss-omegazero-alm BIT STRING (SIZE (16)), ganss-m-zero-alm BIT STRING (SIZE (16)), ganss-omega-alm BIT STRING (SIZE (16)), ganss-af-zero-alm BIT STRING (SIZE (14)), ganss-af-one-alm BIT STRING (SIZE (11)), ie-Extensions ProtocolExtensionContainer { { GANSS-SatelliteInformationKPItem-ExtIEs } } OPTIONAL, ... } GANSS-SatelliteInformationKPItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Ganss-Sat-Info-AddNavList ::= SEQUENCE (SIZE (1..maxGANSSSat)) OF SEQUENCE { satId INTEGER (0..63), svHealth BIT STRING (SIZE (6)), iod BIT STRING (SIZE (11)), ganssAddClockModels GANSS-AddClockModels, ganssAddOrbitModels GANSS-AddOrbitModels, ie-Extensions ProtocolExtensionContainer { { Ganss-Sat-Info-AddNavList-ExtIEs } } OPTIONAL, ... } Ganss-Sat-Info-AddNavList-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-SAT-Info-Almanac-GLOkpList ::= SEQUENCE (SIZE (1.. maxGANSSSatAlmanac)) OF GANSS-SAT-Info-Almanac-GLOkp GANSS-SAT-Info-Almanac-GLOkp ::= SEQUENCE { gloAlmNA BIT STRING (SIZE(11)), gloAlmnA BIT STRING (SIZE(5)), gloAlmHA BIT STRING (SIZE(5)), gloAlmLambdaA BIT STRING (SIZE(21)), gloAlmTlambdaA BIT STRING (SIZE(21)), gloAlmDeltaIA BIT STRING (SIZE(18)), gloAkmDeltaTA BIT STRING (SIZE(22)), gloAlmDeltaTdotA BIT STRING (SIZE(7)), gloAlmEpsilonA BIT STRING (SIZE(15)), gloAlmOmegaA BIT STRING (SIZE(16)), gloAlmTauA BIT STRING (SIZE(10)), gloAlmCA BIT STRING (SIZE(1)), gloAlmMA BIT STRING (SIZE(2)) OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-SAT-Info-Almanac-GLOkp-ExtIEs } } OPTIONAL, ... } GANSS-SAT-Info-Almanac-GLOkp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-SAT-Info-Almanac-MIDIkpList ::= SEQUENCE (SIZE (1.. maxGANSSSatAlmanac)) OF GANSS-SAT-Info-Almanac-MIDIkp GANSS-SAT-Info-Almanac-MIDIkp ::= SEQUENCE { svID INTEGER(0..63), midiAlmE BIT STRING (SIZE (11)), midiAlmDeltaI BIT STRING (SIZE (11)), midiAlmOmegaDot BIT STRING (SIZE (11)), midiAlmSqrtA BIT STRING (SIZE (17)), midiAlmOmega0 BIT STRING (SIZE (16)), midiAlmOmega BIT STRING (SIZE (16)), midiAlmMo BIT STRING (SIZE (16)), midiAlmaf0 BIT STRING (SIZE (11)), midiAlmaf1 BIT STRING (SIZE (10)), midiAlmL1Health BIT STRING (SIZE (1)), midiAlmL2Health BIT STRING (SIZE (1)), midiAlmL5Health BIT STRING (SIZE (1)), ie-Extensions ProtocolExtensionContainer { { GANSS-SAT-Info-Almanac-MIDIkp-ExtIEs } } OPTIONAL, ... } GANSS-SAT-Info-Almanac-MIDIkp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-SAT-Info-Almanac-NAVkpList ::= SEQUENCE (SIZE (1.. maxGANSSSatAlmanac)) OF GANSS-SAT-Info-Almanac-NAVkp GANSS-SAT-Info-Almanac-NAVkp ::= SEQUENCE { svID INTEGER(0..63), navAlmE BIT STRING (SIZE (16)), navAlmDeltaI BIT STRING (SIZE (16)), navAlmOMEGADOT BIT STRING (SIZE (16)), navAlmSVHealth BIT STRING (SIZE (8)), navAlmSqrtA BIT STRING (SIZE (24)), navAlmOMEGAo BIT STRING (SIZE (24)), navAlmOmega BIT STRING (SIZE (24)), navAlmMo BIT STRING (SIZE (24)), navAlmaf0 BIT STRING (SIZE (11)), navAlmaf1 BIT STRING (SIZE (11)), ie-Extensions ProtocolExtensionContainer { { GANSS-SAT-Info-Almanac-NAVkp-ExtIEs } } OPTIONAL, ... } GANSS-SAT-Info-Almanac-NAVkp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-SAT-Info-Almanac-REDkpList ::= SEQUENCE (SIZE (1.. maxGANSSSatAlmanac)) OF GANSS-SAT-Info-Almanac-REDkp GANSS-SAT-Info-Almanac-REDkp ::= SEQUENCE { svID INTEGER(0..63), redAlmDeltaA BIT STRING (SIZE (8)), redAlmOmega0 BIT STRING (SIZE (7)), redAlmPhi0 BIT STRING (SIZE (7)), redAlmL1Health BIT STRING (SIZE (1)), redAlmL2Health BIT STRING (SIZE (1)), redAlmL5Health BIT STRING (SIZE (1)), ie-Extensions ProtocolExtensionContainer { { GANSS-SAT-Info-Almanac-REDkp-ExtIEs } } OPTIONAL, ... } GANSS-SAT-Info-Almanac-REDkp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-SAT-Info-Almanac-SBASecefList ::= SEQUENCE (SIZE (1.. maxGANSSSatAlmanac)) OF GANSS-SAT-Info-Almanac-SBASecef GANSS-SAT-Info-Almanac-SBASecef ::= SEQUENCE { sbasAlmDataID BIT STRING (SIZE(2)), svID INTEGER(0..63), sbasAlmHealth BIT STRING (SIZE(8)), sbasAlmXg BIT STRING (SIZE(15)), sbasAlmYg BIT STRING (SIZE(15)), sbasAlmZg BIT STRING (SIZE(9)), sbasAlmXgdot BIT STRING (SIZE(3)), sbasAlmYgDot BIT STRING (SIZE(3)), sbasAlmZgDot BIT STRING (SIZE(4)), sbasAlmTo BIT STRING (SIZE(11)), ie-Extensions ProtocolExtensionContainer { { GANSS-SAT-Info-Almanac-SBASecef-ExtIEs } } OPTIONAL, ... } GANSS-SAT-Info-Almanac-SBASecef-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Sat-Info-Nav ::= SEQUENCE (SIZE(1..maxGANSSSat)) OF SEQUENCE { satId INTEGER(0..63), svHealth BIT STRING (SIZE(5)), iod BIT STRING (SIZE(10)), ganssClockModel GANSS-Clock-Model, ganssOrbitModel GANSS-Orbit-Model, ie-Extensions ProtocolExtensionContainer { { GANSS-Sat-Info-Nav-ExtIEs } } OPTIONAL, ... } GANSS-Sat-Info-Nav-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-SBAS-ID ::= ENUMERATED { waas, egnos, msas, gagan, ... } GANSS-SBASclockModel ::= SEQUENCE { sbasTo BIT STRING (SIZE (13)), sbasAgfo BIT STRING (SIZE (12)), sbasAgf1 BIT STRING (SIZE (8)), ie-Extensions ProtocolExtensionContainer { { GANSS-SBASclockModel-ExtIEs } } OPTIONAL, ... } GANSS-SBASclockModel-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Signal-ID ::= INTEGER(0..7,...) GANSS-StatusHealth ::= ENUMERATED { udre-scale-1dot0, udre-scale-0dot75, udre-scale-0dot5, udre-scale-0dot3, udre-scale-0dot2, udre-scale-0dot1, no-data, invalid-data } GANSS-Time-ID ::= INTEGER(0..7,...) GANSS-Time-Model ::= SEQUENCE { ganss-time-model-Ref-Time INTEGER(0..37799), ganss-t-a0 INTEGER(-2147483648.. 2147483647), ganss-t-a1 INTEGER(-8388608.. 8388607) OPTIONAL, ganss-t-a2 INTEGER(-64..63) OPTIONAL, gnss-to-id ENUMERATED{gps,...,galileo,qzss,glonass}, ganss-wk-number INTEGER(0..8191) OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-Time-Model-ExtIEs } } OPTIONAL, ... } GANSS-Time-Model-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-Transmission-Time ::= SEQUENCE { ganssDay INTEGER(0..8191) OPTIONAL, ganssTod INTEGER(0..86399), ie-Extensions ProtocolExtensionContainer { { GANSS-Transmission-Time-ExtIEs } } OPTIONAL, ... } GANSS-Transmission-Time-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-UTC-Model ::= SEQUENCE { a-one-utc BIT STRING (SIZE (24)), a-zero-utc BIT STRING (SIZE (32)), t-ot-utc BIT STRING (SIZE (8)), w-n-t-utc BIT STRING (SIZE (8)), delta-t-ls-utc BIT STRING (SIZE (8)), w-n-lsf-utc BIT STRING (SIZE (8)), dn-utc BIT STRING (SIZE (8)), delta-t-lsf-utc BIT STRING (SIZE (8)), ie-Extensions ProtocolExtensionContainer { { GANSS-UTC-Model-ExtIEs } } OPTIONAL, ... } GANSS-UTC-Model-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-UTCmodelSet1 ::= SEQUENCE { utcA0 BIT STRING (SIZE(16)), utcA1 BIT STRING (SIZE(13)), utcA2 BIT STRING (SIZE(7)), utcDeltaTls BIT STRING (SIZE(8)), utcTot BIT STRING (SIZE(16)), utcWNot BIT STRING (SIZE(13)), utcWNlsf BIT STRING (SIZE(8)), utcDN BIT STRING (SIZE(4)), utcDeltaTlsf BIT STRING (SIZE(8)), ie-Extensions ProtocolExtensionContainer { { GANSS-UTCmodelSet1-ExtIEs } } OPTIONAL, ... } GANSS-UTCmodelSet1-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-UTCmodelSet2 ::= SEQUENCE { nA BIT STRING (SIZE(11)), tauC BIT STRING (SIZE(32)), deltaUT1 GANSS-DeltaUT1 OPTIONAL, kp BIT STRING (SIZE(2)) OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GANSS-UTCmodelSet2-ExtIEs } } OPTIONAL, ... } GANSS-UTCmodelSet2-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GANSS-UTCmodelSet3 ::= SEQUENCE { utcA1wnt BIT STRING (SIZE(24)), utcA0wnt BIT STRING (SIZE(32)), utcTot BIT STRING (SIZE(8)), utcWNt BIT STRING (SIZE(8)), utcDeltaTls BIT STRING (SIZE(8)), utcWNlsf BIT STRING (SIZE(8)), utcDN BIT STRING (SIZE(8)), utcDeltaTlsf BIT STRING (SIZE(8)), utcStandardID BIT STRING (SIZE(3)), ie-Extensions ProtocolExtensionContainer { { GANSS-UTCmodelSet3-ExtIEs } } OPTIONAL, ... } GANSS-UTCmodelSet3-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GapLength ::= INTEGER (1..14) -- Unit slot GapDuration ::= INTEGER (1..144,...) -- Unit frame GenericTrafficCategory ::= BIT STRING (SIZE (8)) GPS-Almanac ::= SEQUENCE { wna-alm BIT STRING (SIZE (8)), sat-info-almanac SAT-Info-Almanac, sVGlobalHealth-alm BIT STRING (SIZE (364)) OPTIONAL, ie-Extensions ProtocolExtensionContainer { { GPS-Almanac-ExtIEs} } OPTIONAL, ... } GPS-Almanac-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-SAT-Info-Almanac-ExtItem CRITICALITY ignore EXTENSION SAT-Info-Almanac-ExtList PRESENCE optional}, ... } GPS-Ionospheric-Model ::= SEQUENCE { alpha-zero-ionos BIT STRING (SIZE (8)), alpha-one-ionos BIT STRING (SIZE (8)), alpha-two-ionos BIT STRING (SIZE (8)), alpha-three-ionos BIT STRING (SIZE (8)), beta-zero-ionos BIT STRING (SIZE (8)), beta-one-ionos BIT STRING (SIZE (8)), beta-two-ionos BIT STRING (SIZE (8)), beta-three-ionos BIT STRING (SIZE (8)), ie-Extensions ProtocolExtensionContainer { { GPS-Ionospheric-Model-ExtIEs} } OPTIONAL, ... } GPS-Ionospheric-Model-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GPS-Information ::= SEQUENCE (SIZE (0..maxNoGPSItems)) OF GPS-Information-Item -- This IE shall be present if the Information Type Item IE indicates 'GPS Information' GPS-Information-Item ::= ENUMERATED { gps-navigation-model-and-time-recovery, gps-ionospheric-model, gps-utc-model, gps-almanac, gps-rt-integrity, ... } GPS-RealTime-Integrity ::= CHOICE { bad-satellites GPSBadSat-Info-RealTime-Integrity, no-bad-satellites NULL } GPSBadSat-Info-RealTime-Integrity ::= SEQUENCE { sat-info SATInfo-RealTime-Integrity, ie-Extensions ProtocolExtensionContainer { { GPSBadSat-Info-RealTime-Integrity-ExtIEs} } OPTIONAL, ... } GPSBadSat-Info-RealTime-Integrity-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GPS-NavigationModel-and-TimeRecovery ::= SEQUENCE (SIZE (1..maxNoSat)) OF GPS-NavandRecovery-Item GPS-NavandRecovery-Item ::= SEQUENCE { tx-tow-nav INTEGER (0..1048575), sat-id-nav SAT-ID, tlm-message-nav BIT STRING (SIZE (14)), tlm-revd-c-nav BIT STRING (SIZE (2)), ho-word-nav BIT STRING (SIZE (22)), w-n-nav BIT STRING (SIZE (10)), ca-or-p-on-l2-nav BIT STRING (SIZE (2)), user-range-accuracy-index-nav BIT STRING (SIZE (4)), sv-health-nav BIT STRING (SIZE (6)), iodc-nav BIT STRING (SIZE (10)), l2-p-dataflag-nav BIT STRING (SIZE (1)), sf1-reserved-nav BIT STRING (SIZE (87)), t-gd-nav BIT STRING (SIZE (8)), t-oc-nav BIT STRING (SIZE (16)), a-f-2-nav BIT STRING (SIZE (8)), a-f-1-nav BIT STRING (SIZE (16)), a-f-zero-nav BIT STRING (SIZE (22)), c-rs-nav BIT STRING (SIZE (16)), delta-n-nav BIT STRING (SIZE (16)), m-zero-nav BIT STRING (SIZE (32)), c-uc-nav BIT STRING (SIZE (16)), gps-e-nav BIT STRING (SIZE (32)), c-us-nav BIT STRING (SIZE (16)), a-sqrt-nav BIT STRING (SIZE (32)), t-oe-nav BIT STRING (SIZE (16)), fit-interval-flag-nav BIT STRING (SIZE (1)), aodo-nav BIT STRING (SIZE (5)), c-ic-nav BIT STRING (SIZE (16)), omega-zero-nav BIT STRING (SIZE (32)), c-is-nav BIT STRING (SIZE (16)), i-zero-nav BIT STRING (SIZE (32)), c-rc-nav BIT STRING (SIZE (16)), gps-omega-nav BIT STRING (SIZE (32)), omegadot-nav BIT STRING (SIZE (24)), idot-nav BIT STRING (SIZE (14)), spare-zero-fill BIT STRING (SIZE (20)), ie-Extensions ProtocolExtensionContainer { { GPS-NavandRecovery-Item-ExtIEs} } OPTIONAL, ... } GPS-NavandRecovery-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GPS-RX-POS ::= SEQUENCE { latitudeSign ENUMERATED {north, south}, latitude INTEGER (0..8388607), longitude INTEGER (-8388608..8388607), directionOfAltitude ENUMERATED {height, depth}, altitude INTEGER (0..32767), iE-Extensions ProtocolExtensionContainer { { GPS-RX-POS-ExtIEs} } OPTIONAL, ... } GPS-RX-POS-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } GPS-Status-Health ::= ENUMERATED { udre-scale-1dot0, udre-scale-0dot75, udre-scale-0dot5, udre-scale-0dot3, udre-scale-0dot1, no-data, invalid-data } GPSTOW ::= INTEGER (0..604799) GPS-UTC-Model ::= SEQUENCE { a-one-utc BIT STRING (SIZE (24)), a-zero-utc BIT STRING (SIZE (32)), t-ot-utc BIT STRING (SIZE (8)), delta-t-ls-utc BIT STRING (SIZE (8)), w-n-t-utc BIT STRING (SIZE (8)), w-n-lsf-utc BIT STRING (SIZE (8)), dn-utc BIT STRING (SIZE (8)), delta-t-lsf-utc BIT STRING (SIZE (8)), ie-Extensions ProtocolExtensionContainer { { GPS-UTC-Model-ExtIEs} } OPTIONAL, ... } GPS-UTC-Model-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ========================================== -- H -- ========================================== HARQ-Info-for-E-DCH ::= ENUMERATED { rv0, rvtable } HARQ-MemoryPartitioning ::= CHOICE { implicit HARQ-MemoryPartitioning-Implicit, explicit HARQ-MemoryPartitioning-Explicit, ... } HARQ-MemoryPartitioning-Implicit ::= SEQUENCE { number-of-Processes INTEGER (1..8,...,12|14|16), iE-Extensions ProtocolExtensionContainer { { HARQ-MemoryPartitioning-Implicit-ExtIEs } } OPTIONAL, ... } HARQ-MemoryPartitioning-Implicit-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HARQ-MemoryPartitioning-Explicit ::= SEQUENCE { hARQ-MemoryPartitioningList HARQ-MemoryPartitioningList, iE-Extensions ProtocolExtensionContainer { { HARQ-MemoryPartitioning-Explicit-ExtIEs } } OPTIONAL, ... } HARQ-MemoryPartitioning-Explicit-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { -- The following IE may only be used in FDD, in MIMO dual stream transmission mode {ID id-HARQ-MemoryPartitioningInfoExtForMIMO CRITICALITY ignore EXTENSION HARQ-MemoryPartitioningInfoExtForMIMO PRESENCE optional}, ... } HARQ-MemoryPartitioningList ::= SEQUENCE (SIZE (1..maxNrOfHARQProcesses)) OF HARQ-MemoryPartitioningItem HARQ-MemoryPartitioningInfoExtForMIMO ::= SEQUENCE (SIZE (4|6|8)) OF HARQ-MemoryPartitioningItem HARQ-MemoryPartitioningItem ::= SEQUENCE { process-Memory-Size ENUMERATED { hms800, hms1600, hms2400, hms3200, hms4000, hms4800, hms5600, hms6400, hms7200, hms8000, hms8800, hms9600, hms10400, hms11200, hms12000, hms12800, hms13600, hms14400, hms15200, hms16000, hms17600, hms19200, hms20800, hms22400, hms24000, hms25600, hms27200, hms28800, hms30400, hms32000, hms36000, hms40000, hms44000, hms48000, hms52000, hms56000, hms60000, hms64000, hms68000, hms72000, hms76000, hms80000, hms88000, hms96000, hms104000, hms112000, hms120000, hms128000, hms136000, hms144000, hms152000, hms160000, hms176000, hms192000, hms208000, hms224000, hms240000, hms256000, hms272000, hms288000, hms304000,...}, iE-Extensions ProtocolExtensionContainer { { HARQ-MemoryPartitioningItem-ExtIEs } } OPTIONAL, ... } HARQ-MemoryPartitioningItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HARQ-Preamble-Mode ::= ENUMERATED { mode0, mode1 } HARQ-Process-Allocation-2ms-EDCH ::= BIT STRING ( SIZE(maxNrOfEDCHHARQProcesses2msEDCH) ) HARQ-Preamble-Mode-Activation-Indicator ::=ENUMERATED { harqPreambleModeActivated } HSDPA-Capability ::= ENUMERATED {hsdpa-capable, hsdpa-non-capable} HS-DSCHProvidedBitRate ::= SEQUENCE (SIZE (1..maxNrOfPriorityClasses)) OF HS-DSCHProvidedBitRate-Item HS-DSCHProvidedBitRate-Item ::= SEQUENCE { schedulingPriorityIndicator SchedulingPriorityIndicator, hS-DSCHProvidedBitRateValue HS-DSCHProvidedBitRateValue, iE-Extensions ProtocolExtensionContainer { { HS-DSCHProvidedBitRate-Item-ExtIEs} } OPTIONAL, ... } HS-DSCHProvidedBitRate-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCHProvidedBitRateValue ::= INTEGER(0..16777215,...,16777216..256000000) -- except for 7.68Mcps TDD Unit bit/s, Range 0..2^24-1..2^24..256,000,000, Step 1 bit -- 7.68Mcps TDD Unit 2bit/s, Range 0..2^24-1..2^24..256,000,000, Step 1 HS-DSCHProvidedBitRateValueInformation-For-CellPortion ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCell)) OF HS-DSCHProvidedBitRateValueInformation-For-CellPortion-Item HS-DSCHProvidedBitRateValueInformation-For-CellPortion-Item ::= SEQUENCE{ cellPortionID CellPortionID, hS-DSCHProvidedBitRateValue HS-DSCHProvidedBitRate, iE-Extensions ProtocolExtensionContainer { {HS-DSCHProvidedBitRateValueInformation-For-CellPortion-Item-ExtIEs} } OPTIONAL, ... } HS-DSCHProvidedBitRateValueInformation-For-CellPortion-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCHProvidedBitRateValueInformation-For-CellPortionLCR ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCellLCR)) OF HS-DSCHProvidedBitRateValueInformation-For-CellPortionLCR-Item HS-DSCHProvidedBitRateValueInformation-For-CellPortionLCR-Item ::= SEQUENCE{ cellPortionLCRID CellPortionLCRID, hS-DSCHProvidedBitRateValue HS-DSCHProvidedBitRate, iE-Extensions ProtocolExtensionContainer { {HS-DSCHProvidedBitRateValueInformation-For-CellPortionLCR-Item-ExtIEs} } OPTIONAL, ... } HS-DSCHProvidedBitRateValueInformation-For-CellPortionLCR-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCHRequiredPower ::= SEQUENCE (SIZE (1..maxNrOfPriorityClasses)) OF HS-DSCHRequiredPower-Item HS-DSCHRequiredPower-Item ::= SEQUENCE { schedulingPriorityIndicator SchedulingPriorityIndicator, hS-DSCHRequiredPowerValue HS-DSCHRequiredPowerValue, hS-DSCHRequiredPowerPerUEInformation HS-DSCHRequiredPowerPerUEInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-DSCHRequiredPower-Item-ExtIEs} } OPTIONAL, ... } HS-DSCHRequiredPower-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCHRequiredPowerValue ::= INTEGER(0..1000) -- Unit %, Range 0 ..1000, Step 0.1% HS-DSCHRequiredPowerPerUEInformation ::= SEQUENCE (SIZE (1.. maxNrOfContextsOnUeList)) OF HS-DSCHRequiredPowerPerUEInformation-Item HS-DSCHRequiredPowerPerUEInformation-Item ::= SEQUENCE { cRNC-CommunicationContextID CRNC-CommunicationContextID, hS-DSCHRequiredPowerPerUEWeight HS-DSCHRequiredPowerPerUEWeight OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-DSCHRequiredPowerPerUEInformation-Item-ExtIEs} } OPTIONAL, ... } HS-DSCHRequiredPowerPerUEInformation-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCHRequiredPowerPerUEWeight ::= INTEGER(0..100) -- Unit %, Range 0 ..100, Step 1% HS-DSCHRequiredPowerValueInformation-For-CellPortion ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCell)) OF HS-DSCHRequiredPowerValueInformation-For-CellPortion-Item HS-DSCHRequiredPowerValueInformation-For-CellPortion-Item ::= SEQUENCE{ cellPortionID CellPortionID, hS-DSCHRequiredPowerValue HS-DSCHRequiredPower, iE-Extensions ProtocolExtensionContainer { { HS-DSCHRequiredPowerValueInformation-For-CellPortion-Item-ExtIEs} } OPTIONAL, ... } HS-DSCHRequiredPowerValueInformation-For-CellPortion-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCHRequiredPowerValueInformation-For-CellPortionLCR ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCellLCR)) OF HS-DSCHRequiredPowerValueInformation-For-CellPortionLCR-Item HS-DSCHRequiredPowerValueInformation-For-CellPortionLCR-Item ::= SEQUENCE{ cellPortionLCRID CellPortionLCRID, hS-DSCHRequiredPowerValue HS-DSCHRequiredPower, iE-Extensions ProtocolExtensionContainer { { HS-DSCHRequiredPowerValueInformation-For-CellPortionLCR-Item-ExtIEs} } OPTIONAL, ... } HS-DSCHRequiredPowerValueInformation-For-CellPortionLCR-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDPA-Associated-PICH-Information ::= CHOICE { hsdpa-PICH-Shared-with-PCH HSDPA-PICH-Shared-with-PCH, hsdpa-PICH-notShared-with-PCH HSDPA-PICH-notShared-with-PCH, ... } HSDPA-PICH-Shared-with-PCH ::= SEQUENCE { hsdpa-PICH-SharedPCH-ID CommonPhysicalChannelID, ... } HSDPA-PICH-notShared-with-PCH ::= SEQUENCE { hSDPA-PICH-notShared-ID CommonPhysicalChannelID, fdd-DL-Channelisation-CodeNumber FDD-DL-ChannelisationCodeNumber, pich-Power PICH-Power, pich-Mode PICH-Mode, sttd-Indicator STTD-Indicator, ... } HSDSCH-Common-System-InformationFDD ::= SEQUENCE { hsdsch-Common-Information HSDSCH-Common-Information OPTIONAL, commonMACFlow-Specific-Information CommonMACFlow-Specific-InfoList OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-Common-System-InformationFDD-ExtIEs } } OPTIONAL, ... } HSDSCH-Common-System-InformationFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-Common-System-Information-ResponseFDD ::= SEQUENCE { hsSCCH-Specific-Information-ResponseFDD HSSCCH-Specific-InformationRespListFDD OPTIONAL, hARQ-MemoryPartitioning HARQ-MemoryPartitioning OPTIONAL, commonMACFlow-Specific-Info-Response CommonMACFlow-Specific-InfoList-Response OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-Common-System-Information-ResponseFDD-ExtIEs } } OPTIONAL, ... } HSDSCH-Common-System-Information-ResponseFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-Common-Information ::= SEQUENCE { cCCH-PriorityQueue-Id PriorityQueue-Id, sRB1-PriorityQueue-Id PriorityQueue-Id, associatedCommon-MACFlow Common-MACFlow-ID, fACH-Measurement-Occasion-Cycle-Length-Coefficient FACH-Measurement-Occasion-Cycle-Length-Coefficient OPTIONAL, rACH-Measurement-Result RACH-Measurement-Result, bCCH-Specific-HSDSCH-RNTI-Information BCCH-Specific-HSDSCH-RNTI-Information, iE-Extensions ProtocolExtensionContainer { { HSDSCH-Common-Information-ExtIEs} } OPTIONAL, ... } HSDSCH-Common-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-FDD-Information ::= SEQUENCE { hSDSCH-MACdFlows-Information HSDSCH-MACdFlows-Information, ueCapability-Info UE-Capability-Information, mAChs-Reordering-Buffer-Size-for-RLC-UM MAChsReorderingBufferSize-for-RLC-UM, cqiFeedback-CycleK CQI-Feedback-Cycle, cqiRepetitionFactor CQI-RepetitionFactor OPTIONAL, -- This IE shall be present if the CQI Feedback Cycle k is greater than 0 ackNackRepetitionFactor AckNack-RepetitionFactor, cqiPowerOffset CQI-Power-Offset, ackPowerOffset Ack-Power-Offset, nackPowerOffset Nack-Power-Offset, hsscch-PowerOffset HSSCCH-PowerOffset OPTIONAL, measurement-Power-Offset Measurement-Power-Offset OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-FDD-Information-ExtIEs} } OPTIONAL, ... } HSDSCH-FDD-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-HARQ-Preamble-Mode CRITICALITY ignore EXTENSION HARQ-Preamble-Mode PRESENCE optional}| { ID id-MIMO-ActivationIndicator CRITICALITY reject EXTENSION MIMO-ActivationIndicator PRESENCE optional}| { ID id-HSDSCH-MACdPDUSizeFormat CRITICALITY reject EXTENSION HSDSCH-MACdPDUSizeFormat PRESENCE optional}| { ID id-SixtyfourQAM-UsageAllowedIndicator CRITICALITY ignore EXTENSION SixtyfourQAM-UsageAllowedIndicator PRESENCE optional}| { ID id-UE-with-enhanced-HS-SCCH-support-indicator CRITICALITY ignore EXTENSION NULL PRESENCE optional}| { ID id-EnhancedHSServingCC-Abort CRITICALITY reject EXTENSION EnhancedHSServingCC-Abort PRESENCE optional}| { ID id-UE-SupportIndicatorExtension CRITICALITY ignore EXTENSION UE-SupportIndicatorExtension PRESENCE optional}| { ID id-Single-Stream-MIMO-ActivationIndicator CRITICALITY reject EXTENSION Single-Stream-MIMO-ActivationIndicator PRESENCE optional}, ... } HSDSCH-TDD-Information ::= SEQUENCE { hSDSCH-MACdFlows-Information HSDSCH-MACdFlows-Information, ueCapability-Info UE-Capability-Information, mAChs-Reordering-Buffer-Size-for-RLC-UM MAChsReorderingBufferSize-for-RLC-UM, tDD-AckNack-Power-Offset TDD-AckNack-Power-Offset, iE-Extensions ProtocolExtensionContainer { { HSDSCH-TDD-Information-ExtIEs} } OPTIONAL, ... } HSDSCH-TDD-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-HSSICH-SIRTarget CRITICALITY ignore EXTENSION UL-SIR PRESENCE optional}| -- Applicable to 1.28Mcps TDD only { ID id-HSSICH-TPC-StepSize CRITICALITY ignore EXTENSION TDD-TPC-UplinkStepSize-LCR PRESENCE optional}| -- Applicable to 1.28Mcps TDD only { ID id-HSDSCH-MACdPDUSizeFormat CRITICALITY reject EXTENSION HSDSCH-MACdPDUSizeFormat PRESENCE optional}| { ID id-tSN-Length CRITICALITY reject EXTENSION TSN-Length PRESENCE optional }| -- Applicable for 1.28Mcps TDD when using multiple frequencies { ID id-MIMO-ActivationIndicator CRITICALITY reject EXTENSION MIMO-ActivationIndicator PRESENCE optional}, ... } HSDSCH-Information-to-Modify ::= SEQUENCE { hsDSCH-MACdFlow-Specific-Info-to-Modify HSDSCH-MACdFlow-Specific-InfoList-to-Modify OPTIONAL, priorityQueueInfotoModify PriorityQueue-InfoList-to-Modify OPTIONAL, mAChs-Reordering-Buffer-Size-for-RLC-UM MAChsReorderingBufferSize-for-RLC-UM OPTIONAL, cqiFeedback-CycleK CQI-Feedback-Cycle OPTIONAL, -- For FDD only cqiRepetitionFactor CQI-RepetitionFactor OPTIONAL, -- For FDD only ackNackRepetitionFactor AckNack-RepetitionFactor OPTIONAL, -- For FDD only cqiPowerOffset CQI-Power-Offset OPTIONAL, -- For FDD only ackPowerOffset Ack-Power-Offset OPTIONAL, -- For FDD only nackPowerOffset Nack-Power-Offset OPTIONAL, -- For FDD only hsscch-PowerOffset HSSCCH-PowerOffset OPTIONAL, -- For FDD only measurement-Power-Offset Measurement-Power-Offset OPTIONAL, -- For FDD only hSSCCHCodeChangeGrant HSSCCH-Code-Change-Grant OPTIONAL, tDDAckNackPowerOffset TDD-AckNack-Power-Offset OPTIONAL, -- For TDD only iE-Extensions ProtocolExtensionContainer { { HSDSCH-Information-to-Modify-ExtIEs} } OPTIONAL, ... } HSDSCH-Information-to-Modify-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-HARQ-Preamble-Mode CRITICALITY ignore EXTENSION HARQ-Preamble-Mode PRESENCE optional}| { ID id-HSSICH-SIRTarget CRITICALITY ignore EXTENSION UL-SIR PRESENCE optional}| -- Applicable to 1.28Mcps TDD only { ID id-ueCapability-Info CRITICALITY ignore EXTENSION UE-Capability-Information PRESENCE optional}| { ID id-HSSICH-TPC-StepSize CRITICALITY ignore EXTENSION TDD-TPC-UplinkStepSize-LCR PRESENCE optional}| -- Applicable to 1.28Mcps TDD only { ID id-HS-PDSCH-Code-Change-Grant CRITICALITY ignore EXTENSION HS-PDSCH-Code-Change-Grant PRESENCE optional}| -- Applicable to FDD only { ID id-MIMO-Mode-Indicator CRITICALITY reject EXTENSION MIMO-Mode-Indicator PRESENCE optional }| { ID id-HSDSCH-MACdPDUSizeFormat CRITICALITY reject EXTENSION HSDSCH-MACdPDUSizeFormat PRESENCE optional}| { ID id-SixtyfourQAM-UsageAllowedIndicator CRITICALITY ignore EXTENSION SixtyfourQAM-UsageAllowedIndicator PRESENCE optional}| { ID id-EnhancedHSServingCC-Abort CRITICALITY reject EXTENSION EnhancedHSServingCC-Abort PRESENCE optional}| { ID id-UE-SupportIndicatorExtension CRITICALITY ignore EXTENSION UE-SupportIndicatorExtension PRESENCE optional}| { ID id-Single-Stream-MIMO-Mode-Indicator CRITICALITY reject EXTENSION Single-Stream-MIMO-Mode-Indicator PRESENCE optional }, -- Applicable to FDD only ... } HSDSCH-MACdFlow-Specific-InfoList-to-Modify ::= SEQUENCE (SIZE (1..maxNrOfMACdFlows)) OF HSDSCH-MACdFlow-Specific-InfoItem-to-Modify HSDSCH-MACdFlow-Specific-InfoItem-to-Modify ::= SEQUENCE { hsDSCH-MACdFlow-ID HSDSCH-MACdFlow-ID, allocationRetentionPriority AllocationRetentionPriority OPTIONAL, transportBearerRequestIndicator TransportBearerRequestIndicator, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-MACdFlow-Specific-InfoItem-to-Modify-ExtIEs} } OPTIONAL, ... } HSDSCH-MACdFlow-Specific-InfoItem-to-Modify-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional}, ... } HSDSCH-MACdPDUSizeFormat ::= ENUMERATED { indexedMACdPDU-Size, flexibleMACdPDU-Size } HSDSCH-MACdPDU-SizeCapability ::= ENUMERATED { indexedSizeCapable, flexibleSizeCapable } HSDSCH-Information-to-Modify-Unsynchronised ::= SEQUENCE { hsDSCH-MACdFlow-Specific-Info-to-Modify HSDSCH-MACdFlow-Specific-InfoList-to-Modify OPTIONAL, priorityQueueInfotoModifyUnsynchronised PriorityQueue-InfoList-to-Modify-Unsynchronised OPTIONAL, cqiPowerOffset CQI-Power-Offset OPTIONAL, -- For FDD only ackPowerOffset Ack-Power-Offset OPTIONAL, -- For FDD only nackPowerOffset Nack-Power-Offset OPTIONAL, -- For FDD only hsscch-PowerOffset HSSCCH-PowerOffset OPTIONAL, -- For FDD only tDDAckNackPowerOffset TDD-AckNack-Power-Offset OPTIONAL, -- For TDD only iE-Extensions ProtocolExtensionContainer { { HSDSCH-Information-to-Modify-Unsynchronised-ExtIEs} } OPTIONAL, ... } HSDSCH-Information-to-Modify-Unsynchronised-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-HARQ-Preamble-Mode CRITICALITY ignore EXTENSION HARQ-Preamble-Mode PRESENCE optional}| { ID id-HSSICH-SIRTarget CRITICALITY ignore EXTENSION UL-SIR PRESENCE optional}| -- Applicable to 1.28Mcps TDD only { ID id-ueCapability-Info CRITICALITY ignore EXTENSION UE-Capability-Information PRESENCE optional}| { ID id-HSSICH-TPC-StepSize CRITICALITY ignore EXTENSION TDD-TPC-UplinkStepSize-LCR PRESENCE optional}| -- Applicable to 1.28Mcps TDD only { ID id-MIMO-Mode-Indicator CRITICALITY reject EXTENSION MIMO-Mode-Indicator PRESENCE optional }| { ID id-SixtyfourQAM-UsageAllowedIndicator CRITICALITY ignore EXTENSION SixtyfourQAM-UsageAllowedIndicator PRESENCE optional}| { ID id-EnhancedHSServingCC-Abort CRITICALITY reject EXTENSION EnhancedHSServingCC-Abort PRESENCE optional}| { ID id-UE-SupportIndicatorExtension CRITICALITY ignore EXTENSION UE-SupportIndicatorExtension PRESENCE optional}| { ID id-Single-Stream-MIMO-Mode-Indicator CRITICALITY reject EXTENSION Single-Stream-MIMO-Mode-Indicator PRESENCE optional }, -- Applicable to FDD only ... } HSDSCH-FDD-Information-Response ::= SEQUENCE { hsDSCH-MACdFlow-Specific-InformationResp HSDSCH-MACdFlow-Specific-InformationResp OPTIONAL, hsSCCH-Specific-Information-ResponseFDD HSSCCH-Specific-InformationRespListFDD OPTIONAL, hARQ-MemoryPartitioning HARQ-MemoryPartitioning OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-FDD-Information-Response-ExtIEs } } OPTIONAL, ... } HSDSCH-FDD-Information-Response-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-HARQ-Preamble-Mode-Activation-Indicator CRITICALITY ignore EXTENSION HARQ-Preamble-Mode-Activation-Indicator PRESENCE optional}| { ID id-MIMO-N-M-Ratio CRITICALITY ignore EXTENSION MIMO-N-M-Ratio PRESENCE optional}| { ID id-SixtyfourQAM-DL-UsageIndicator CRITICALITY ignore EXTENSION SixtyfourQAM-DL-UsageIndicator PRESENCE optional }| { ID id-HSDSCH-TBSizeTableIndicator CRITICALITY ignore EXTENSION HSDSCH-TBSizeTableIndicator PRESENCE optional }, ... } HS-DSCH-FDD-Secondary-Serving-Information ::= SEQUENCE { hsscch-PowerOffset HSSCCH-PowerOffset OPTIONAL, measurement-Power-Offset Measurement-Power-Offset, sixtyfourQAM-UsageAllowedIndicator SixtyfourQAM-UsageAllowedIndicator OPTIONAL, hSDSCH-RNTI HSDSCH-RNTI, iE-Extensions ProtocolExtensionContainer { { HS-DSCH-FDD-Secondary-Serving-Information-ExtIEs } } OPTIONAL, ... } HS-DSCH-FDD-Secondary-Serving-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-MIMO-ActivationIndicator CRITICALITY reject EXTENSION MIMO-ActivationIndicator PRESENCE optional}| {ID id-Single-Stream-MIMO-ActivationIndicator CRITICALITY reject EXTENSION Single-Stream-MIMO-ActivationIndicator PRESENCE optional}| {ID id-DiversityMode CRITICALITY reject EXTENSION DiversityMode PRESENCE optional}| {ID id-TransmitDiversityIndicator CRITICALITY reject EXTENSION TransmitDiversityIndicator PRESENCE optional}, ... } HS-DSCH-FDD-Secondary-Serving-Information-Response ::= SEQUENCE { hsSCCH-Specific-Information-ResponseFDD HSSCCH-Specific-InformationRespListFDD OPTIONAL, sixtyfourQAM-DL-UsageIndicator SixtyfourQAM-DL-UsageIndicator OPTIONAL, hSDSCH-TBSizeTableIndicator HSDSCH-TBSizeTableIndicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-DSCH-FDD-Secondary-Serving-Information-Respons-ExtIEs } } OPTIONAL, ... } HS-DSCH-FDD-Secondary-Serving-Information-Respons-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-MIMO-N-M-Ratio CRITICALITY ignore EXTENSION MIMO-N-M-Ratio PRESENCE optional}, ... } HS-DSCH-Secondary-Serving-Information-To-Modify ::= SEQUENCE { hsscch-PowerOffset HSSCCH-PowerOffset OPTIONAL, measurement-Power-Offset Measurement-Power-Offset OPTIONAL, hSSCCH-CodeChangeGrant HSSCCH-Code-Change-Grant OPTIONAL, sixtyfourQAM-UsageAllowedIndicator SixtyfourQAM-UsageAllowedIndicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-DSCH-Secondary-Serving-Information-To-Modify-ExtIEs } } OPTIONAL, ... } HS-DSCH-Secondary-Serving-Information-To-Modify-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-MIMO-Mode-Indicator CRITICALITY reject EXTENSION MIMO-Mode-Indicator PRESENCE optional }| {ID id-Single-Stream-MIMO-Mode-Indicator CRITICALITY reject EXTENSION Single-Stream-MIMO-Mode-Indicator PRESENCE optional }| {ID id-DiversityMode CRITICALITY reject EXTENSION DiversityMode PRESENCE optional}| {ID id-TransmitDiversityIndicator CRITICALITY reject EXTENSION TransmitDiversityIndicator PRESENCE optional}| -- This IE shall be present if Diversity Mode IE is present and is not set to "none" {ID id-NonCellSpecificTxDiversity CRITICALITY reject EXTENSION NonCellSpecificTxDiversity PRESENCE optional}, ... } HS-DSCH-FDD-Secondary-Serving-Information-To-Modify-Unsynchronised ::= SEQUENCE { hsscch-PowerOffset HSSCCH-PowerOffset OPTIONAL, sixtyfourQAM-UsageAllowedIndicator SixtyfourQAM-UsageAllowedIndicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-DSCH-FDD-Secondary-Serving-Information-To-Modify-Unsynchronised-ExtIEs } } OPTIONAL, ... } HS-DSCH-FDD-Secondary-Serving-Information-To-Modify-Unsynchronised-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-MIMO-Mode-Indicator CRITICALITY reject EXTENSION MIMO-Mode-Indicator PRESENCE optional }| {ID id-Single-Stream-MIMO-Mode-Indicator CRITICALITY reject EXTENSION Single-Stream-MIMO-Mode-Indicator PRESENCE optional }, ... } HS-DSCH-FDD-Secondary-Serving-Update-Information ::= SEQUENCE { hsSCCHCodeChangeIndicator HSSCCH-CodeChangeIndicator OPTIONAL, hS-PDSCH-Code-Change-Indicator HS-PDSCH-Code-Change-Indicator OPTIONAL, -- This IE shall never be included. If received it shall be ignored. iE-Extensions ProtocolExtensionContainer { { HS-DSCH-FDD-Secondary-Serving-Update-Information-ExtIEs } } OPTIONAL, ... } HS-DSCH-FDD-Secondary-Serving-Update-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCH-Secondary-Serving-Cell-Change-Information-Response ::= SEQUENCE { hS-DSCH-Secondary-Serving-cell-choice HS-DSCH-Secondary-Serving-cell-change-choice, iE-Extensions ProtocolExtensionContainer { { HS-DSCH-Secondary-Serving-Cell-Change-Information-Response-ExtIEs } } OPTIONAL, ... } HS-DSCH-Secondary-Serving-Cell-Change-Information-Response-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCH-Secondary-Serving-cell-change-choice ::= CHOICE { hS-Secondary-Serving-cell-change-successful HS-Secondary-Serving-cell-change-successful, hS-Secondary-Serving-cell-change-unsuccessful HS-Secondary-Serving-cell-change-unsuccessful, ... } HS-Secondary-Serving-cell-change-successful ::= SEQUENCE { hS-DSCH-FDD-Secondary-Serving-Information-Response HS-DSCH-FDD-Secondary-Serving-Information-Response, iE-Extensions ProtocolExtensionContainer { { HS-Secondary-Serving-cell-change-successful-ExtIEs} } OPTIONAL, ... } HS-Secondary-Serving-cell-change-successful-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-Secondary-Serving-cell-change-unsuccessful ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { { HS-Secondary-Serving-cell-change-unsuccessful-ExtIEs} } OPTIONAL, ... } HS-Secondary-Serving-cell-change-unsuccessful-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCH-Secondary-Serving-Remove ::= NULL HSDSCH-Paging-System-InformationFDD ::= SEQUENCE { paging-MACFlow-Specific-Information Paging-MACFlow-Specific-Information, hSSCCH-Power DL-Power, hSPDSCH-Power DL-Power, number-of-PCCH-transmission Number-of-PCCH-transmission, transport-Block-Size-List Transport-Block-Size-List, iE-Extensions ProtocolExtensionContainer { { HSDSCH-Paging-System-InformationFDD-ExtIEs } } OPTIONAL, ... } HSDSCH-Paging-System-InformationFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-Paging-System-Information-ResponseFDD ::= SEQUENCE (SIZE (1..maxNrOfPagingMACFlow)) OF HSDSCH-Paging-System-Information-ResponseList HSDSCH-Paging-System-Information-ResponseList ::= SEQUENCE { pagingMACFlow-ID Paging-MACFlow-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, hSPDSCH-Code-Index HSPDSCH-Code-Index, iE-Extensions ProtocolExtensionContainer { { HSDSCH-Paging-System-Information-ResponseList-ExtIEs } } OPTIONAL, ... } HSDSCH-Paging-System-Information-ResponseList-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-TDD-Information-Response ::= SEQUENCE { hsDSCH-MACdFlow-Specific-InformationResp HSDSCH-MACdFlow-Specific-InformationResp OPTIONAL, hsSCCH-Specific-Information-ResponseTDD HSSCCH-Specific-InformationRespListTDD OPTIONAL, -- Not Applicable to 1.28Mcps TDD or 7.68Mcps TDD hsSCCH-Specific-Information-ResponseTDDLCR HSSCCH-Specific-InformationRespListTDDLCR OPTIONAL, -- Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD,This HSSCCH Specific Information is for the first Frequency repetition, HSSCCH Specific Information for Frequency repetitions 2 and on, should be defined in MultipleFreq-HSPDSCH-InformationList-ResponseTDDLCR hARQ-MemoryPartitioning HARQ-MemoryPartitioning OPTIONAL, -- This HARQ Memory Partitioning Information is for the first Frequency repetition, HARQ Memory Partitioning Information for Frequency repetitions 2 and on, should be defined in MultipleFreq-HSPDSCH-InformationList-ResponseTDDLCR iE-Extensions ProtocolExtensionContainer { { HSDSCH-TDD-Information-Response-ExtIEs } } OPTIONAL, ... } HSDSCH-TDD-Information-Response-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-hsSCCH-Specific-Information-ResponseTDD768 CRITICALITY ignore EXTENSION HSSCCH-Specific-InformationRespListTDD768 PRESENCE optional}| { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional}| -- Applicable to 1.28Mcps TDD when using multiple frequencies ,This is the UARFCN for the first Frequency repetition { ID id-multipleFreq-HSPDSCH-InformationList-ResponseTDDLCR CRITICALITY ignore EXTENSION MultipleFreq-HSPDSCH-InformationList-ResponseTDDLCR PRESENCE optional }| -- Applicable to 1.28Mcps TDD when using multiple frequencies ,This MultipleFreq-HSPDSCH-InformationList-ResponseTDDLCR is the HS-SCCH and HARQ Memory Partitioning information for the 2nd and beyond HS-PDSCH frequencies. { ID id-multicarrier-number CRITICALITY ignore EXTENSION Multicarrier-Number PRESENCE optional }| -- Applicable for 1.28Mcps TDD when using multiple frequencies {ID id-MIMO-SFMode-For-HSPDSCHDualStream CRITICALITY reject EXTENSION MIMO-SFMode-For-HSPDSCHDualStream PRESENCE optional}| {ID id-MIMO-ReferenceSignal-InformationListLCR CRITICALITY reject EXTENSION MIMO-ReferenceSignal-InformationListLCR PRESENCE optional}, ... } HSDSCH-MACdFlow-Specific-InformationResp ::= SEQUENCE (SIZE (1..maxNrOfMACdFlows)) OF HSDSCH-MACdFlow-Specific-InformationResp-Item HSDSCH-MACdFlow-Specific-InformationResp-Item ::= SEQUENCE { hsDSCHMacdFlow-Id HSDSCH-MACdFlow-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, hSDSCH-Initial-Capacity-Allocation HSDSCH-Initial-Capacity-Allocation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-MACdFlow-Specific-InformationRespItem-ExtIEs } } OPTIONAL, ... } HSDSCH-MACdFlow-Specific-InformationRespItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-MACdFlows-Information ::= SEQUENCE { hSDSCH-MACdFlow-Specific-Info HSDSCH-MACdFlow-Specific-InfoList, priorityQueue-Info PriorityQueue-InfoList, iE-Extensions ProtocolExtensionContainer { { HSDSCH-MACdFlows-Information-ExtIEs } } OPTIONAL, ... } HSDSCH-MACdFlows-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-MACdFlow-Specific-InfoList ::= SEQUENCE (SIZE (1..maxNrOfMACdFlows)) OF HSDSCH-MACdFlow-Specific-InfoItem HSDSCH-MACdFlow-Specific-InfoItem ::= SEQUENCE { hsDSCH-MACdFlow-ID HSDSCH-MACdFlow-ID, allocationRetentionPriority AllocationRetentionPriority, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-MACdFlow-Specific-InfoItem-ExtIEs} } OPTIONAL, ... } HSDSCH-MACdFlow-Specific-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } HSDSCH-MACdFlows-to-Delete ::= SEQUENCE (SIZE (1..maxNrOfMACdFlows)) OF HSDSCH-MACdFlows-to-Delete-Item HSDSCH-MACdFlows-to-Delete-Item ::= SEQUENCE { hsDSCH-MACdFlow-ID HSDSCH-MACdFlow-ID, iE-Extensions ProtocolExtensionContainer { { HSDSCH-MACdFlows-to-Delete-Item-ExtIEs} } OPTIONAL, ... } HSDSCH-MACdFlows-to-Delete-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-TBSizeTableIndicator ::= ENUMERATED { octet-aligned } HSSCCH-PowerOffset ::= INTEGER (0..255) -- PowerOffset = -32 + offset * 0.25 -- Unit dB, Range -32dB .. +31.75dB, Step +0.25dB HSDSCH-Initial-Capacity-Allocation::= SEQUENCE (SIZE (1..maxNrOfPriorityQueues)) OF HSDSCH-Initial-Capacity-AllocationItem HSDSCH-Initial-Capacity-AllocationItem ::= SEQUENCE { schedulingPriorityIndicator SchedulingPriorityIndicator, maximum-MACdPDU-Size MACdPDU-Size, hSDSCH-InitialWindowSize HSDSCH-InitialWindowSize, iE-Extensions ProtocolExtensionContainer { { HSDSCH-Initial-Capacity-AllocationItem-ExtIEs } } OPTIONAL, ... } HSDSCH-Initial-Capacity-AllocationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MaximumMACdPDU-SizeExtended CRITICALITY ignore EXTENSION MAC-PDU-SizeExtended PRESENCE optional}, ... } HSDSCH-InitialWindowSize ::= INTEGER (1..255) -- Number of MAC-d PDUs. HSDSCH-PreconfigurationInfo ::= SEQUENCE { setsOfHS-SCCH-Codes SetsOfHS-SCCH-Codes, hARQ-MemoryPartitioning HARQ-MemoryPartitioning, e-DCH-FDD-DL-Control-Channel-Information E-DCH-FDD-DL-Control-Channel-Information OPTIONAL, hARQ-Preamble-Mode-Activation-Indicator HARQ-Preamble-Mode-Activation-Indicator OPTIONAL, mIMO-N-M-Ratio MIMO-N-M-Ratio OPTIONAL, continuousPacketConnectivityHS-SCCH-less-Information-Response ContinuousPacketConnectivityHS-SCCH-less-Information-Response OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-PreconfigurationInfo-ExtIEs} } OPTIONAL, ... } HSDSCH-PreconfigurationInfo-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Additional-EDCH-Preconfiguration-Information CRITICALITY ignore EXTENSION Additional-EDCH-Preconfiguration-Information PRESENCE optional }, ... } Additional-EDCH-Preconfiguration-Information ::= SEQUENCE (SIZE (1..maxNrOfEDCH-1)) OF Additional-EDCH-Preconfiguration-Information-ItemIEs Additional-EDCH-Preconfiguration-Information-ItemIEs ::= SEQUENCE { e-DCH-FDD-DL-Control-Channel-Information E-DCH-FDD-DL-Control-Channel-Information, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-Preconfiguration-Information-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-EDCH-Preconfiguration-Information-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-PreconfigurationSetup ::= SEQUENCE { mAChsResetScheme MAChsResetScheme, hSDSCH-Physical-Layer-Category INTEGER (1..64,...), mAChs-Reordering-Buffer-Size-for-RLC-UM MAChsReorderingBufferSize-for-RLC-UM, secondaryServingCells SecondaryServingCells OPTIONAL, numPrimaryHS-SCCH-Codes NumHS-SCCH-Codes OPTIONAL, hARQ-Preamble-Mode HARQ-Preamble-Mode OPTIONAL, mIMO-ActivationIndicator MIMO-ActivationIndicator OPTIONAL, hSDSCH-MACdPDUSizeFormat HSDSCH-MACdPDUSizeFormat OPTIONAL, sixtyfourQAM-UsageAllowedIndicator SixtyfourQAM-UsageAllowedIndicator OPTIONAL, uE-with-enhanced-HS-SCCH-support-indicator NULL OPTIONAL, continuousPacketConnectivityHS-SCCH-less-Information ContinuousPacketConnectivityHS-SCCH-less-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCHPreconfigurationSetup-ExtIEs } } OPTIONAL, ... } HSDSCHPreconfigurationSetup-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-UE-SupportIndicatorExtension CRITICALITY ignore EXTENSION UE-SupportIndicatorExtension PRESENCE optional}, ... } HS-SCCH-PreconfiguredCodes ::= SEQUENCE (SIZE (1..maxNrOfHSSCCHCodes)) OF HS-SCCH-PreconfiguredCodesItem HS-SCCH-PreconfiguredCodesItem ::= SEQUENCE { hS-SCCH-CodeNumber HS-SCCH-CodeNumber, iE-Extensions ProtocolExtensionContainer { { HS-SCCH-PreconfiguredCodesItem-ExtIEs} } OPTIONAL, ... } HS-SCCH-PreconfiguredCodesItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SCCH-CodeNumber ::= INTEGER (0..127) HSSCCH-Specific-InformationRespListFDD ::= SEQUENCE (SIZE (1..maxNrOfHSSCCHCodes)) OF HSSCCH-Codes HSSCCH-Codes ::= SEQUENCE { codeNumber INTEGER (0..127), iE-Extensions ProtocolExtensionContainer { { HSSCCH-Specific-InformationRespItemFDD-ExtIEs } } OPTIONAL, ... } HSSCCH-Specific-InformationRespItemFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSSCCH-Specific-InformationRespListTDD ::= SEQUENCE (SIZE (1..maxNrOfHSSCCHCodes)) OF HSSCCH-Specific-InformationRespItemTDD HSSCCH-Specific-InformationRespItemTDD ::= SEQUENCE { timeslot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType, tDD-ChannelisationCode TDD-ChannelisationCode, hSSICH-Info HSSICH-Info, iE-Extensions ProtocolExtensionContainer { { HSSCCH-Specific-InformationRespItemTDD-ExtIEs } } OPTIONAL, ... } HSSCCH-Specific-InformationRespItemTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSSCCH-Specific-InformationRespListTDDLCR ::= SEQUENCE (SIZE (1..maxNrOfHSSCCHCodes)) OF HSSCCH-Specific-InformationRespItemTDDLCR HSSCCH-Specific-InformationRespItemTDDLCR ::= SEQUENCE { timeslotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, first-TDD-ChannelisationCode TDD-ChannelisationCode, second-TDD-ChannelisationCode TDD-ChannelisationCode, hSSICH-InfoLCR HSSICH-InfoLCR, iE-Extensions ProtocolExtensionContainer { { HSSCCH-Specific-InformationRespItemTDDLCR-ExtIEs } } OPTIONAL, ... } HSSCCH-Specific-InformationRespItemTDDLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-UARFCNforNt CRITICALITY reject EXTENSION UARFCN PRESENCE optional}, -- Applicable for 1.28Mcps TDD when using multiple frequencies. this IE indicates the frequency which is actually used by the HS-SCCH ... } HSSCCH-Specific-InformationRespListTDD768 ::= SEQUENCE (SIZE (1..maxNrOfHSSCCHCodes)) OF HSSCCH-Specific-InformationRespItemTDD768 HSSCCH-Specific-InformationRespItemTDD768 ::= SEQUENCE { timeslot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tDD-ChannelisationCode768 TDD-ChannelisationCode768, hSSICH-Info768 HSSICH-Info768, iE-Extensions ProtocolExtensionContainer { { HSSCCH-Specific-InformationRespItemTDD768-ExtIEs } } OPTIONAL, ... } HSSCCH-Specific-InformationRespItemTDD768-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSSICH-Info ::= SEQUENCE { hsSICH-ID HS-SICH-ID, timeslot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType, tDD-ChannelisationCode TDD-ChannelisationCode, iE-Extensions ProtocolExtensionContainer { { HSSICH-Info-ExtIEs } } OPTIONAL, ... } HSSICH-Info-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSSICH-InfoLCR ::= SEQUENCE { hsSICH-ID HS-SICH-ID, timeslotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, tDD-ChannelisationCode TDD-ChannelisationCode, iE-Extensions ProtocolExtensionContainer { { HSSICH-Info-LCR-ExtIEs } } OPTIONAL, ... } HSSICH-Info-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-HS-SICH-ID CRITICALITY ignore EXTENSION Extended-HS-SICH-ID PRESENCE optional}, -- used if the HS-SICH identity has a value larger than 31 ... } HSSICH-Info768 ::= SEQUENCE { hsSICH-ID HS-SICH-ID, timeslot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tDD-ChannelisationCode768 TDD-ChannelisationCode768, iE-Extensions ProtocolExtensionContainer { { HSSICH-Info-768-ExtIEs } } OPTIONAL, ... } HSSICH-Info-768-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SICH-Reception-Quality-Value ::= SEQUENCE { failed-HS-SICH HS-SICH-failed, missed-HS-SICH HS-SICH-missed, total-HS-SICH HS-SICH-total, iE-Extensions ProtocolExtensionContainer { { HS-SICH-Reception-Quality-Value-ExtIEs} } OPTIONAL, ... } HS-SICH-Reception-Quality-Value-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Additional-failed-HS-SICH CRITICALITY reject EXTENSION HS-SICH-failed PRESENCE optional }| -- Mandatory for 1.28Mcps TDD only, used when there are more than 20 failed HS-SICH {ID id-Additional-missed-HS-SICH CRITICALITY reject EXTENSION HS-SICH-missed PRESENCE optional}| -- Mandatory for 1.28Mcps TDD only, used when there are more than 20 missed HS-SICH {ID id-Additional-total-HS-SICH CRITICALITY reject EXTENSION HS-SICH-total PRESENCE optional}, -- Mandatory for 1.28Mcps TDD only, used when there are more than 20 total HS-SICH ... } HS-SICH-failed ::= INTEGER (0..20) HS-SICH-missed ::= INTEGER (0..20) HS-SICH-total ::= INTEGER (0..20) HS-SICH-Reception-Quality-Measurement-Value ::= INTEGER (0..20) -- According to mapping in [23] HSDSCH-MACdFlow-ID ::= INTEGER (0..maxNrOfMACdFlows-1) HSDSCH-RNTI ::= INTEGER (0..65535) HS-PDSCH-FDD-Code-Information ::= SEQUENCE { number-of-HS-PDSCH-codes INTEGER (0..maxHS-PDSCHCodeNrComp-1), hS-PDSCH-Start-code-number HS-PDSCH-Start-code-number OPTIONAL, -- Only included when number of HS-DSCH codes > 0 iE-Extensions ProtocolExtensionContainer { { HS-PDSCH-FDD-Code-Information-ExtIEs} } OPTIONAL, ... } HS-PDSCH-FDD-Code-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-PDSCH-Start-code-number ::= INTEGER (1..maxHS-PDSCHCodeNrComp-1) HS-SCCH-ID ::= INTEGER (0..31) HS-SICH-ID ::= INTEGER (0..31) HS-SCCH-FDD-Code-Information::= CHOICE { replace HS-SCCH-FDD-Code-List, remove NULL, ... } HS-SCCH-FDD-Code-List ::= SEQUENCE (SIZE (1..maxNrOfHSSCCHs)) OF HS-SCCH-FDD-Code-Information-Item HS-SCCH-FDD-Code-Information-Item ::= INTEGER (0..maxHS-SCCHCodeNrComp-1) HSSCCH-CodeChangeIndicator ::= ENUMERATED { hsSCCHCodeChangeNeeded } HSSCCH-Code-Change-Grant ::= ENUMERATED { changeGranted } HS-PDSCH-Code-Change-Indicator ::= ENUMERATED { hsPDSCHCodeChangeNeeded } HS-PDSCH-Code-Change-Grant ::= ENUMERATED { changeGranted } HSDSCH-Configured-Indicator::= ENUMERATED { configured-HS-DSCH, no-configured-HS-DSCH } HS-DSCH-Serving-Cell-Change-Info ::= SEQUENCE { hspdsch-RL-ID RL-ID, hSDSCH-FDD-Information HSDSCH-FDD-Information OPTIONAL, hsdsch-RNTI HSDSCH-RNTI, iE-Extensions ProtocolExtensionContainer { { HS-DSCH-Serving-Cell-Change-Info-ExtIEs} } OPTIONAL, ... } HS-DSCH-Serving-Cell-Change-Info-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-ContinuousPacketConnectivityHS-SCCH-less-Information CRITICALITY reject EXTENSION ContinuousPacketConnectivityHS-SCCH-less-Information PRESENCE optional }, ... } HS-DSCH-Serving-Cell-Change-Info-Response::= SEQUENCE { hS-DSCH-serving-cell-choice HS-DSCH-serving-cell-choice, iE-Extensions ProtocolExtensionContainer { { HS-DSCH-serving-cell-informationResponse-ExtIEs} } OPTIONAL, ... } HS-DSCH-serving-cell-informationResponse-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCH-serving-cell-choice ::= CHOICE { hS-serving-cell-change-successful HS-serving-cell-change-successful, hS-serving-cell-change-unsuccessful HS-serving-cell-change-unsuccessful, ... } HS-serving-cell-change-successful ::= SEQUENCE { hSDSCH-FDD-Information-Response HSDSCH-FDD-Information-Response, iE-Extensions ProtocolExtensionContainer { { HS-serving-cell-change-successful-ExtIEs} } OPTIONAL, ... } HS-serving-cell-change-successful-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-ContinuousPacketConnectivityHS-SCCH-less-Information-Response CRITICALITY ignore EXTENSION ContinuousPacketConnectivityHS-SCCH-less-Information-Response PRESENCE optional }, ... } HS-serving-cell-change-unsuccessful ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { { HS-serving-cell-change-unsuccessful-ExtIEs} } OPTIONAL, ... } HS-serving-cell-change-unsuccessful-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCH-DRX-Cycle-FACH ::= ENUMERATED {v4,v8,v16,v32,...} HS-DSCH-RX-Burst-FACH::= ENUMERATED {v1,v2,v4,v8,v16,...} HSDSCH-FDD-Update-Information ::= SEQUENCE { hsSCCHCodeChangeIndicator HSSCCH-CodeChangeIndicator OPTIONAL, cqiFeedback-CycleK CQI-Feedback-Cycle OPTIONAL, cqiRepetitionFactor CQI-RepetitionFactor OPTIONAL, ackNackRepetitionFactor AckNack-RepetitionFactor OPTIONAL, cqiPowerOffset CQI-Power-Offset OPTIONAL, ackPowerOffset Ack-Power-Offset OPTIONAL, nackPowerOffset Nack-Power-Offset OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-FDD-Update-Information-ExtIEs } } OPTIONAL, ... } HSDSCH-FDD-Update-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-HS-PDSCH-Code-Change-Indicator CRITICALITY ignore EXTENSION HS-PDSCH-Code-Change-Indicator PRESENCE optional }, ... } HSDSCH-TDD-Update-Information ::= SEQUENCE { hsSCCHCodeChangeIndicator HSSCCH-CodeChangeIndicator OPTIONAL, tDDAckNackPowerOffset TDD-AckNack-Power-Offset OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-TDD-Update-Information-ExtIEs } } OPTIONAL, ... } HSDSCH-TDD-Update-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSPDSCH-Code-Index ::= INTEGER (1..maxHS-PDSCHCodeNrComp-1) -- index of first HS-PDSCH code HSPDSCH-First-Code-Index ::= INTEGER (1..maxHS-PDSCHCodeNrComp-1) -- index of first HS-PDSCH code HSPDSCH-Second-Code-Index ::= INTEGER (1..maxHS-PDSCHCodeNrComp-1) -- index of second HS-PDSCH code HSPDSCH-Second-Code-Support ::= BOOLEAN -- true: applied, false: not applied HSDPA-Associated-PICH-InformationLCR ::= CHOICE { hsdpa-PICH-Shared-with-PCH HSDPA-PICH-Shared-with-PCH, hsdpa-PICH-notShared-with-PCHLCR HSDPA-PICH-notShared-with-PCHLCR, ... } HSDPA-PICH-notShared-with-PCHLCR ::= SEQUENCE { hSDPA-PICH-notShared-ID CommonPhysicalChannelID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, pagingIndicatorLength PagingIndicatorLength, pICH-Power PICH-Power, second-TDD-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, sttd-Indicator STTD-Indicator, iE-Extensions ProtocolExtensionContainer { { HSDPA-PICH-notShared-with-PCHLCR-ExtIEs } } OPTIONAL, ... } HSDPA-PICH-notShared-with-PCHLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-Common-System-InformationLCR ::= SEQUENCE { hsdsch-Common-InformationLCR HSDSCH-Common-InformationLCR OPTIONAL, commonMACFlow-Specific-InformationLCR CommonMACFlow-Specific-InfoListLCR OPTIONAL, common-H-RNTI-InformationLCR Common-H-RNTI-InformationLCR OPTIONAL, sync-InformationLCR Sync-InformationLCR OPTIONAL, tDD-AckNack-Power-Offset TDD-AckNack-Power-Offset OPTIONAL, hSSICH-SIRTarget UL-SIR OPTIONAL, hSSICH-TPC-StepSize TDD-TPC-UplinkStepSize-LCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-Common-System-InformationLCR-ExtIEs } } OPTIONAL, ... } HSDSCH-Common-System-InformationLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-Common-System-Information-ResponseLCR ::= SEQUENCE { hsSCCH-Specific-Information-ResponseLCR HSSCCH-Specific-InformationRespListLCR OPTIONAL, hARQ-MemoryPartitioning HARQ-MemoryPartitioning OPTIONAL, -- This HARQ Memory Partitioning Information is for the first Frequency repetition, HARQ Memory Partitioning Information for Frequency repetitions 2 and on, should be defined in MultipleFreq-HARQ-MemoryPartitioning-InformationList. commonMACFlow-Specific-Info-ResponseLCR CommonMACFlow-Specific-InfoList-ResponseLCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-Common-System-Information-ResponseLCR-ExtIEs } } OPTIONAL, ... } HSDSCH-Common-System-Information-ResponseLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional}| -- Applicable to 1.28Mcps TDD when using multiple frequencies. This is the UARFCN for the first Frequency repetition { ID id-MultipleFreq-HARQ-MemoryPartitioning-InformationList CRITICALITY ignore EXTENSION MultipleFreq-HARQ-MemoryPartitioning-InformationList PRESENCE optional }, -- Applicable to 1.28Mcps TDD when using multiple frequencies.This HARQ MemoryPartitioning Information is for the 2nd and beyond frequencies. ... } HSDSCH-Common-InformationLCR ::= SEQUENCE { cCCH-PriorityQueue-Id PriorityQueue-Id, sRB1-PriorityQueue-Id PriorityQueue-Id, associatedCommon-MACFlowLCR Common-MACFlow-ID-LCR, fACH-Measurement-Occasion-Cycle-Length-Coefficient FACH-Measurement-Occasion-Cycle-Length-Coefficient OPTIONAL, bCCH-Specific-HSDSCH-RNTI-InformationLCR BCCH-Specific-HSDSCH-RNTI-InformationLCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-Common-InformationLCR-ExtIEs} } OPTIONAL, ... } HSDSCH-Common-InformationLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-Paging-System-InformationLCR ::= SEQUENCE { paging-MACFlow-Specific-InformationLCR Paging-MACFlow-Specific-InformationLCR, hSSCCH-Power DL-Power OPTIONAL, hSPDSCH-Power DL-Power OPTIONAL, reception-Window-Size INTEGER(1..16) OPTIONAL, n-PCH INTEGER(1..8) OPTIONAL, paging-Subchannel-Size INTEGER(1..3) OPTIONAL, transport-Block-Size-List Transport-Block-Size-List OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDSCH-Paging-System-InformationLCR-ExtIEs } } OPTIONAL, ... } HSDSCH-Paging-System-InformationLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-Paging-System-Information-ResponseLCR ::= SEQUENCE (SIZE (1..maxNrOfPagingMACFlow)) OF HSDSCH-Paging-System-Information-ResponseListLCR HSDSCH-Paging-System-Information-ResponseListLCR ::= SEQUENCE { pagingMACFlow-ID Paging-MACFlow-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, dL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst DL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { HSDSCH-Paging-System-Information-ResponseListLCR-ExtIEs } } OPTIONAL, ... } HSDSCH-Paging-System-Information-ResponseListLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SCCH-ID-LCR ::= INTEGER (0..255) HSSCCH-Specific-InformationRespListLCR ::= SEQUENCE (SIZE (1..maxNrOfHSSCCHsLCR)) OF HSSCCH-Specific-InformationRespItemLCR HSSCCH-Specific-InformationRespItemLCR ::= SEQUENCE { hS-SCCH-ID-LCR HS-SCCH-ID-LCR, iE-Extensions ProtocolExtensionContainer { { HSSCCH-Specific-InformationRespItemLCR-ExtIEs } } OPTIONAL, ... } HSSCCH-Specific-InformationRespItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-DSCH-Semi-PersistentScheduling-Information-LCR ::= SEQUENCE { transport-Block-Size-List Transport-Block-Size-List-LCR, repetition-Period-List-LCR Repetition-Period-List-LCR, hS-DSCH-SPS-Reservation-Indicator SPS-Reservation-Indicator OPTIONAL, hS-DSCH-SPS-Operation-Indicator HS-DSCH-SPS-Operation-Indicator, iE-Extensions ProtocolExtensionContainer { { HS-DSCH-Semi-PersistentScheduling-Information-LCR-ExtIEs } } OPTIONAL, ... } HS-DSCH-Semi-PersistentScheduling-Information-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Transport-Block-Size-List-LCR ::= SEQUENCE (SIZE (1..maxNoOfTBSs-Mapping-HS-DSCH-SPS)) OF Transport-Block-Size-Item-LCR Transport-Block-Size-Item-LCR ::= SEQUENCE { transport-Block-Size-maping-Index-LCR Transport-Block-Size-maping-Index-LCR, transport-Block-Size-Index-LCR Transport-Block-Size-Index-LCR, iE-Extensions ProtocolExtensionContainer { { Transport-Block-Size-Item-LCR-ExtIEs } } OPTIONAL, ... } Transport-Block-Size-Item-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Transport-Block-Size-maping-Index-LCR ::= INTEGER (0..maxNoOfTBSs-Mapping-HS-DSCH-SPS-1) Transport-Block-Size-Index-LCR ::= INTEGER (1..maxNoOfHS-DSCH-TBSsLCR) Repetition-Period-List-LCR ::= SEQUENCE (SIZE (1..maxNoOfRepetition-Period-LCR)) OF Repetition-Period-Item-LCR Repetition-Period-Item-LCR ::= SEQUENCE { repetitionPeriodIndex RepetitionPeriodIndex, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Repetition-Period-Item-LCR-ExtIEs } } OPTIONAL, ... } Repetition-Period-Item-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RepetitionPeriodIndex ::= INTEGER (0..maxNoOfRepetitionPeriod-SPS-LCR-1) SPS-Reservation-Indicator ::= ENUMERATED { reserve } HS-DSCH-SPS-Operation-Indicator ::= CHOICE { logicalChannellevel LogicalChannellevel, priorityQueuelevel PriorityQueuelevel, ... } LogicalChannellevel ::= BIT STRING (SIZE (16)) PriorityQueuelevel ::= BIT STRING (SIZE (8)) HS-DSCH-Semi-PersistentScheduling-Information-to-Modify-LCR ::= SEQUENCE { transport-Block-Size-List Transport-Block-Size-List-LCR OPTIONAL, repetition-Period-List-LCR Repetition-Period-List-LCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-DSCH-Semi-PersistentScheduling-Information-to-Modify-LCR-ExtIEs } } OPTIONAL, ... } HS-DSCH-Semi-PersistentScheduling-Information-to-Modify-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-HS-DSCH-SPS-Reservation-Indicator CRITICALITY ignore EXTENSION SPS-Reservation-Indicator PRESENCE optional }| { ID id-HS-DSCH-SPS-Operation-Indicator CRITICALITY reject EXTENSION HS-DSCH-SPS-Operation-Indicator PRESENCE optional }, ... } HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR ::= SEQUENCE { hS-SICH-InformationList-for-HS-DSCH-SPS HS-SICH-InformationList-for-HS-DSCH-SPS, initial-HS-PDSCH-SPS-Resource Initial-HS-PDSCH-SPS-Resource OPTIONAL, buffer-Size-for-HS-DSCH-SPS Process-Memory-Size OPTIONAL, number-of-Processes-for-HS-DSCH-SPS Number-of-Processes-for-HS-DSCH-SPS OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR-ExtIEs } } OPTIONAL, ... } HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SICH-InformationList-for-HS-DSCH-SPS ::= SEQUENCE (SIZE (1..maxNoOf-HS-SICH-SPS)) OF HS-SICH-InformationItem-for-HS-DSCH-SPS HS-SICH-InformationItem-for-HS-DSCH-SPS ::= SEQUENCE { hS-SICH-Mapping-Index HS-SICH-Mapping-Index OPTIONAL, -- the IE is madatory for 1.28Mcps TDD. hS-SICH-Type HS-SICH-Type, iE-Extensions ProtocolExtensionContainer { { HS-SICH-InformationItem-for-HS-DSCH-SPS-ExtIEs } } OPTIONAL, ... } HS-SICH-InformationItem-for-HS-DSCH-SPS-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SICH-Mapping-Index ::= INTEGER (0..maxNoOf-HS-SICH-SPS-1) HS-SICH-Type ::= CHOICE { hS-SCCH-Associated-HS-SICH HS-SCCH-Associated-HS-SICH, non-HS-SCCH-Associated-HS-SICH Non-HS-SCCH-Associated-HS-SICH, ... } HS-SCCH-Associated-HS-SICH ::= SEQUENCE { hsSICH-ID HS-SICH-ID, extended-HS-SICH-ID Extended-HS-SICH-ID OPTIONAL, ... } Non-HS-SCCH-Associated-HS-SICH::= SEQUENCE { non-HS-SCCH-Aassociated-HS-SICH-ID Non-HS-SCCH-Aassociated-HS-SICH-ID, ... } Non-HS-SCCH-Aassociated-HS-SICH-ID ::= INTEGER (0..255) Initial-HS-PDSCH-SPS-Resource::= SEQUENCE { repetitionPeriodIndex RepetitionPeriodIndex, repetitionLength RepetitionLength OPTIONAL, -- the IE is not used. hS-PDSCH-Offset TDD-PhysicalChannelOffset, timeslot-Resource-Related-Information HS-DSCH-TimeslotResourceLCR, startCode TDD-ChannelisationCode, endCode TDD-ChannelisationCode, transport-Block-Size-Index Transport-Block-Size-Index-LCR, modulationType ModulationSPS-LCR, hS-SICH-Mapping-Index HS-SICH-Mapping-Index, iE-Extensions ProtocolExtensionContainer { { Initial-HS-PDSCH-SPS-Resource-ExtIEs } } OPTIONAL, ... } Initial-HS-PDSCH-SPS-Resource-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MidambleShiftLCR CRITICALITY reject EXTENSION MidambleShiftLCR PRESENCE optional }, -- mandaroty for 1.28Mcps TDD. ... } HS-DSCH-TimeslotResourceLCR ::= BIT STRING (SIZE (5)) ModulationSPS-LCR ::= ENUMERATED { qPSK, sixteenQAM, ... } Number-of-Processes-for-HS-DSCH-SPS ::= INTEGER (1..16) Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst::= SEQUENCE { non-HS-SCCH-Associated-HS-SICH-InformationList Non-HS-SCCH-Associated-HS-SICH-InformationList, iE-Extensions ProtocolExtensionContainer { { Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs } } OPTIONAL, ... } Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext CRITICALITY reject EXTENSION Non-HS-SCCH-Associated-HS-SICH-InformationList-Ext PRESENCE optional }, ... } Non-HS-SCCH-Associated-HS-SICH-InformationList ::= SEQUENCE (SIZE (0..maxNoOfNon-HS-SCCH-Assosiated-HS-SICH)) OF Non-HS-SCCH-Associated-HS-SICH-InformationItem Non-HS-SCCH-Associated-HS-SICH-InformationList-Ext ::= SEQUENCE (SIZE (0..maxNoOfNon-HS-SCCH-Assosiated-HS-SICH-Ext)) OF Non-HS-SCCH-Associated-HS-SICH-InformationItem Non-HS-SCCH-Associated-HS-SICH-InformationItem ::= SEQUENCE { non-HS-SCCH-Aassociated-HS-SICH-ID Non-HS-SCCH-Aassociated-HS-SICH-ID, timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, tdd-ChannelisationCode TDD-ChannelisationCode, uARFCN UARFCN OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Non-HS-SCCH-Associated-HS-SICH-InformationItem-ExtIEs } } OPTIONAL, ... } Non-HS-SCCH-Associated-HS-SICH-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst::= SEQUENCE { modify-non-HS-SCCH-Associated-HS-SICH-InformationList Modify-Non-HS-SCCH-Associated-HS-SICH-InformationList, iE-Extensions ProtocolExtensionContainer { { Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs } } OPTIONAL, ... } Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext CRITICALITY reject EXTENSION Modify-Non-HS-SCCH-Associated-HS-SICH-InformationList-Ext PRESENCE optional }, ... } Modify-Non-HS-SCCH-Associated-HS-SICH-InformationList ::= SEQUENCE (SIZE (0..maxNoOfNon-HS-SCCH-Assosiated-HS-SICH)) OF Modify-Non-HS-SCCH-Associated-HS-SICH-InformationItem Modify-Non-HS-SCCH-Associated-HS-SICH-InformationList-Ext ::= SEQUENCE (SIZE (0.. maxNoOfNon-HS-SCCH-Assosiated-HS-SICH-Ext)) OF Modify-Non-HS-SCCH-Associated-HS-SICH-InformationItem Modify-Non-HS-SCCH-Associated-HS-SICH-InformationItem ::= SEQUENCE { non-HS-SCCH-Aassociated-HS-SICH-ID Non-HS-SCCH-Aassociated-HS-SICH-ID, timeSlotLCR TimeSlotLCR OPTIONAL, midambleShiftLCR MidambleShiftLCR OPTIONAL, tdd-ChannelisationCode TDD-ChannelisationCode OPTIONAL, uARFCN UARFCN OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Modify-Non-HS-SCCH-Associated-HS-SICH-InformationItem-ExtIEs } } OPTIONAL, ... } Modify-Non-HS-SCCH-Associated-HS-SICH-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (0..maxNoOfNon-HS-SCCH-Assosiated-HS-SICH)) OF Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqstItem Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext ::= SEQUENCE (SIZE (0..maxNoOfNon-HS-SCCH-Assosiated-HS-SICH-Ext)) OF Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqstItem Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqstItem ::= SEQUENCE { non-HS-SCCH-Aassociated-HS-SICH-ID Non-HS-SCCH-Aassociated-HS-SICH-ID, ... } MIMO-ReferenceSignal-InformationListLCR ::= SEQUENCE (SIZE (1..maxNrOfHSSCCHCodes)) OF HSSICH-ReferenceSignal-InformationLCR HSSICH-ReferenceSignal-InformationLCR ::= SEQUENCE { midambleConfigurationLCR MidambleConfigurationLCR, midambleShift INTEGER (0..15), timeSlotLCR TimeSlotLCR, iE-Extensions ProtocolExtensionContainer { { HSSICH-ReferenceSignal-InformationLCR-ExtIEs } } OPTIONAL, ... } HSSICH-ReferenceSignal-InformationLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSSICH-ReferenceSignal-InformationModifyLCR ::= SEQUENCE { hSSICH-ReferenceSignal-InformationLCR HSSICH-ReferenceSignal-InformationLCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSSICH-ReferenceSignal-InformationModifyLCR-ExtIEs } } OPTIONAL, ... } HSSICH-ReferenceSignal-InformationModifyLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ========================================== -- I -- ========================================== IB-OC-ID ::= INTEGER (1..16) IB-SG-DATA ::= BIT STRING -- Contains SIB data fixed" or "SIB data variable" in segment as encoded in ref.[18]. IB-SG-POS ::= INTEGER (0..4094) -- Only even positions allowed IB-SG-REP ::= ENUMERATED {rep4, rep8, rep16, rep32, rep64, rep128, rep256, rep512, rep1024, rep2048, rep4096} IB-Type ::= ENUMERATED { mIB, sB1, sB2, sIB1, sIB2, sIB3, sIB4, sIB5, sIB6, sIB7, not-Used-sIB8, not-Used-sIB9, not-Used-sIB10, sIB11, sIB12, sIB13, sIB13dot1, sIB13dot2, sIB13dot3, sIB13dot4, sIB14, sIB15, sIB15dot1, sIB15dot2, sIB15dot3, sIB16, ..., sIB17, sIB15dot4, sIB18, sIB15dot5, sIB5bis, sIB11bis, sIB15bis, sIB15dot1bis, sIB15dot2bis, sIB15dot3bis, sIB15dot6, sIB15dot7, sIB15dot8, sIB15dot2ter, sIB19 } IMB-Parameters ::= SEQUENCE { sub-Frame-Number Sub-Frame-Number, fdd-dl-ChannelisationCodeNumber FDD-DL-ChannelisationCodeNumber OPTIONAL, ie-Extensions ProtocolExtensionContainer { { IMB-Parameters-ExtIEs} } OPTIONAL, ... } IMB-Parameters-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Inactivity-Threshold-for-UE-DRX-Cycle ::= ENUMERATED {v0, v1, v2, v4, v8, v16, v32, v64, v128, v256, v512} -- Unit subframe Inactivity-Threshold-for-UE-DTX-Cycle2 ::= ENUMERATED {v1, v4, v8, v16, v32, v64, v128, v256} -- Unit E-DCH TTI Inactivity-Threshold-for-UE-Grant-Monitoring ::= ENUMERATED {v0, v1, v2, v4, v8, v16, v32, v64, v128, v256} -- Unit E-DCH TTI InformationReportCharacteristics ::= CHOICE { onDemand NULL, periodic InformationReportCharacteristicsType-ReportPeriodicity, onModification InformationReportCharacteristicsType-OnModification, ... } InformationReportCharacteristicsType-ReportPeriodicity ::= CHOICE { min ReportPeriodicity-Scaledmin, hours ReportPeriodicity-Scaledhour, ... } InformationReportCharacteristicsType-OnModification ::= SEQUENCE { information-thresholds InformationThresholds OPTIONAL, ie-Extensions ProtocolExtensionContainer { { InformationReportCharacteristicsType-OnModification-ExtIEs} } OPTIONAL, ... } InformationReportCharacteristicsType-OnModification-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } InformationThresholds ::= CHOICE { dgps DGPSThresholds, ..., dGANSSThreshold DGANSSThreshold } InformationExchangeID ::= INTEGER (0..1048575) InformationType ::= SEQUENCE { information-Type-Item Information-Type-Item, gPSInformation GPS-Information OPTIONAL, -- The IE shall be present if the Information Type Item IE indicates "GPS Information". iE-Extensions ProtocolExtensionContainer { { Information-Type-ExtIEs} } OPTIONAL, ... } Information-Type-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { -- The following IE shall be present if the Information Type Item IE indicates 'GANSS Information' { ID id-GANSS-Information CRITICALITY ignore EXTENSION GANSS-Information PRESENCE conditional }| -- The following IE shall be present if the Information Type Item IE indicates 'DGANSS Corrections' { ID id-DGANSS-Corrections-Req CRITICALITY ignore EXTENSION DGANSS-Corrections-Req PRESENCE conditional }, ... } Information-Type-Item ::= ENUMERATED { gpsinformation, dgpscorrections, gpsrxpos, ..., gANSSInformation, dGANSSCorrections, gANSS-RX-Pos } Initial-DL-DPCH-TimingAdjustment-Allowed ::= ENUMERATED { initial-DL-DPCH-TimingAdjustment-Allowed } InnerLoopDLPCStatus ::= ENUMERATED { active, inactive } IPDL-Indicator ::= ENUMERATED { active, inactive } IPDL-FDD-Parameters ::= SEQUENCE { iP-SpacingFDD ENUMERATED{sp5,sp7,sp10,sp15,sp20,sp30,sp40,sp50,...}, iP-Length ENUMERATED{len5, len10}, seed INTEGER(0..63), burstModeParams BurstModeParams OPTIONAL, iP-Offset INTEGER(0..9), iE-Extensions ProtocolExtensionContainer { { IPDLFDDParameter-ExtIEs} } OPTIONAL, ... } IPDLFDDParameter-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } IPDL-TDD-Parameters ::= SEQUENCE { iP-SpacingTDD ENUMERATED{sp30,sp40,sp50,sp70,sp100,...}, iP-Start INTEGER(0..4095), iP-Slot INTEGER(0..14), iP-PCCPCH ENUMERATED{switchOff-1-Frame,switchOff-2-Frames}, burstModeParams BurstModeParams OPTIONAL, iE-Extensions ProtocolExtensionContainer { { IPDLTDDParameter-ExtIEs} } OPTIONAL, ... } IPDL-TDD-Parameters-LCR ::= SEQUENCE { iP-SpacingTDD ENUMERATED{sp30,sp40,sp50,sp70,sp100,...}, iP-Start INTEGER(0..4095), iP-Sub ENUMERATED{first,second,both}, burstModeParams BurstModeParams OPTIONAL, iE-Extensions ProtocolExtensionContainer { { IPDLTDDParameterLCR-ExtIEs} } OPTIONAL, ... } IPMulticastIndication ::= SEQUENCE { transportLayerAddress TransportLayerAddress, bindingID BindingID, cFNOffset INTEGER(0..255), iE-Extensions ProtocolExtensionContainer { { IPMulticastIndication-ExtIEs} } OPTIONAL, ... } IPMulticastIndication-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } IPMulticastDataBearerIndication ::= BOOLEAN -- true: IP Multicast used, false: IP Multicast not used BurstModeParams ::= SEQUENCE { burstStart INTEGER(0..15), burstLength INTEGER(10..25), burstFreq INTEGER(1..16), ... } IPDLTDDParameter-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } IPDLTDDParameterLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } IdleIntervalInformation ::= SEQUENCE { idleIntervalInfo-k INTEGER{none(0),two(2),three(3)} (0..3), idleIntervalInfo-offset INTEGER(0..7), ... } -- ========================================== -- J -- ========================================== -- ========================================== -- K -- ========================================== -- ========================================== -- L -- ========================================== LimitedPowerIncrease ::= ENUMERATED { used, not-used } Local-Cell-ID ::= INTEGER (0..268435455) LTGI-Presence ::= BOOLEAN -- True = the Long Term Grant Indicator shall be used within E-DCH grants LCRTDD-Uplink-Physical-Channel-Capability ::= SEQUENCE { maxTimeslotsPerSubFrame INTEGER(1..6), maxPhysChPerTimeslot ENUMERATED {one,two,...,three,four}, iE-Extensions ProtocolExtensionContainer { { LCRTDD-Uplink-Physical-Channel-Capability-ExtIEs} } OPTIONAL, ... } LCRTDD-Uplink-Physical-Channel-Capability-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ========================================== -- M -- ========================================== MAC-DTX-Cycle-2ms ::= ENUMERATED {v1, v4, v5, v8, v10, v16, v20} MAC-DTX-Cycle-10ms ::= ENUMERATED {v5, v10, v20} MAC-ehs-Reset-Timer ::= ENUMERATED {v1, v2, v3, v4,...} MACdPDU-Size ::= INTEGER (1..5000,...) -- In case of E-DCH value 8 and values not multiple of 8 shall not be used MAC-PDU-SizeExtended ::= INTEGER (1..1504,...,1505) -- In case of E-DCH value 1 shall not be used MAC-Inactivity-Threshold ::= ENUMERATED {v1, v2, v4, v8, v16, v32, v64, v128, v256, v512, infinity} -- Unit subframe MACdPDU-Size-Indexlist ::= SEQUENCE (SIZE (1..maxNrOfMACdPDUIndexes)) OF MACdPDU-Size-IndexItem MACdPDU-Size-IndexItem ::= SEQUENCE { sID SID, macdPDU-Size MACdPDU-Size, iE-Extensions ProtocolExtensionContainer { { MACdPDU-Size-IndexItem-ExtIEs} } OPTIONAL, ... } MACdPDU-Size-IndexItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MACdPDU-Size-Indexlist-to-Modify ::= SEQUENCE (SIZE (1..maxNrOfMACdPDUIndexes)) OF MACdPDU-Size-IndexItem-to-Modify MACdPDU-Size-IndexItem-to-Modify ::= SEQUENCE { sID SID, macdPDU-Size MACdPDU-Size, iE-Extensions ProtocolExtensionContainer { { MACdPDU-Size-IndexItem-to-Modify-ExtIEs} } OPTIONAL, ... } MACdPDU-Size-IndexItem-to-Modify-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MACesGuaranteedBitRate ::= INTEGER (0..16777215,...,16777216..256000000) MACes-Maximum-Bitrate-LCR ::= INTEGER (0..256000000,...) MACeReset-Indicator ::= ENUMERATED {mACeReset} MAChsGuaranteedBitRate ::= INTEGER (0..16777215,...,16777216..256000000) MAChsReorderingBufferSize-for-RLC-UM ::= INTEGER (0..300,...) -- Unit kBytes MAC-hsWindowSize ::= ENUMERATED {v4, v6, v8, v12, v16, v24, v32,..., v64, v128} -- For 1.28Mcps TDD when TSN length is configured to 9bits, ENUMERATED (32, 64, 96, 128, 160, 192, 256,...) MAChsResetScheme ::= ENUMERATED { always, interNodeB-change } MaximumDL-PowerCapability ::= INTEGER(0..500) -- Unit dBm, Range 0dBm .. 50dBm, Step +0.1dB Max-Bits-MACe-PDU-non-scheduled ::= INTEGER(1..maxNrOfBits-MACe-PDU-non-scheduled) Max-EDCH-Resource-Allocation-for-CCCH ::= ENUMERATED {v8, v12, v16, v24, v32, v40, v80, v120,...} Max-Period-for-Collistion-Resolution ::= INTEGER(8..24,...) Max-TB-Sizes ::= SEQUENCE { maximum-TB-Size-cell-edge-users INTEGER (0..5000,...), maximum-TB-Size-other-users INTEGER (0..5000,...), iE-Extensions ProtocolExtensionContainer { {Max-TB-Sizes-ExtIEs} } OPTIONAL, ... } Max-TB-Sizes-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Maximum-Number-of-Retransmissions-For-E-DCH ::= INTEGER (0..15) Maximum-Target-ReceivedTotalWideBandPower-LCR ::= INTEGER (0..621) -- mapping as for RTWP measurement value, as specified in [23] MaximumTransmissionPower ::= INTEGER(0..500) -- Unit dBm, Range 0dBm .. 50dBm, Step +0.1dB MaxNrOfUL-DPDCHs ::= INTEGER (1..6) MaxPRACH-MidambleShifts ::= ENUMERATED { shift4, shift8, ..., shift16 } Max-Set-E-DPDCHs ::= ENUMERATED { vN256, vN128, vN64, vN32, vN16, vN8, vN4, v2xN4, v2xN2, v2xN2plus2xN4, ..., v2xM2plus2xM4 } -- Values related to [8] Max-UE-DTX-Cycle ::= ENUMERATED { v5, v10, v20, v40, v64, v80, v128, v160, ... } MBMS-Capability ::= ENUMERATED{ mbms-capable, mbms-non-capable } MeasurementFilterCoefficient ::= ENUMERATED {k0, k1, k2, k3, k4, k5, k6, k7, k8, k9, k11, k13, k15, k17, k19,...} -- Measurement Filter Coefficient to be used for measurement MeasurementID ::= INTEGER (0..1048575) Measurement-Power-Offset ::= INTEGER(-12 .. 26) -- Actual value = IE value * 0.5 MeasurementRecoveryBehavior ::= NULL MeasurementRecoveryReportingIndicator ::= NULL MeasurementRecoverySupportIndicator ::= NULL MessageStructure ::= SEQUENCE (SIZE (1..maxNrOfLevels)) OF SEQUENCE { iE-ID ProtocolIE-ID, repetitionNumber RepetitionNumber1 OPTIONAL, iE-Extensions ProtocolExtensionContainer { {MessageStructure-ExtIEs} } OPTIONAL, ... } MessageStructure-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MICH-CFN ::= INTEGER (0..4095) MICH-Mode ::= ENUMERATED { v18, v36, v72, v144, ..., v16, v32, v64, v128 } MidambleConfigurationLCR ::= ENUMERATED {v2, v4, v6, v8, v10, v12, v14, v16, ...} MidambleConfigurationBurstType1And3 ::= ENUMERATED {v4, v8, v16} MidambleConfigurationBurstType2 ::= ENUMERATED {v3, v6} MidambleShiftAndBurstType ::= CHOICE { type1 SEQUENCE { midambleConfigurationBurstType1And3 MidambleConfigurationBurstType1And3, midambleAllocationMode CHOICE { defaultMidamble NULL, commonMidamble NULL, ueSpecificMidamble MidambleShiftLong, ... }, ... }, type2 SEQUENCE { midambleConfigurationBurstType2 MidambleConfigurationBurstType2, midambleAllocationMode CHOICE { defaultMidamble NULL, commonMidamble NULL, ueSpecificMidamble MidambleShiftShort, ... }, ... }, type3 SEQUENCE { midambleConfigurationBurstType1And3 MidambleConfigurationBurstType1And3, midambleAllocationMode CHOICE { defaultMidamble NULL, ueSpecificMidamble MidambleShiftLong, ... }, ... }, ... } MidambleShiftLong ::= INTEGER (0..15) MidambleShiftShort ::= INTEGER (0..5) MidambleShiftLCR ::= SEQUENCE { midambleAllocationMode MidambleAllocationMode, midambleShift MidambleShiftLong OPTIONAL, -- The IE shall be present if the Midamble Allocation Mode IE is set to "UE specific midamble". midambleConfigurationLCR MidambleConfigurationLCR, iE-Extensions ProtocolExtensionContainer { {MidambleShiftLCR-ExtIEs} } OPTIONAL, ... } MidambleAllocationMode ::= ENUMERATED { defaultMidamble, commonMidamble, uESpecificMidamble, ... } MidambleShiftLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MidambleShiftAndBurstType768 ::= CHOICE { type1 SEQUENCE { midambleConfigurationBurstType1And3 MidambleConfigurationBurstType1And3, midambleAllocationMode CHOICE { defaultMidamble NULL, commonMidamble NULL, ueSpecificMidamble MidambleShiftLong, ... }, ... }, type2 SEQUENCE { midambleConfigurationBurstType2-768 MidambleConfigurationBurstType2-768, midambleAllocationMode CHOICE { defaultMidamble NULL, commonMidamble NULL, ueSpecificMidamble MidambleShiftShort768, ... }, ... }, type3 SEQUENCE { midambleConfigurationBurstType1And3 MidambleConfigurationBurstType1And3, midambleAllocationMode CHOICE { defaultMidamble NULL, ueSpecificMidamble MidambleShiftLong, ... }, ... }, ... } MidambleConfigurationBurstType2-768 ::= ENUMERATED {v4, v8} MidambleShiftShort768 ::= INTEGER (0..7) MIMO-ActivationIndicator ::= NULL MIMO-Capability ::= ENUMERATED { mimo-capable, mimo-non-capable } MIMO-Mode-Indicator ::= ENUMERATED { activate, deactivate } MIMO-N-M-Ratio ::= ENUMERATED {v1-2, v2-3, v3-4, v4-5, v5-6, v6-7, v7-8, v8-9, v9-10, v1-1,...} MIMO-PilotConfiguration ::= CHOICE { primary-and-secondary-CPICH CommonPhysicalChannelID, normal-and-diversity-primary-CPICH NULL, ... } MIMO-PilotConfigurationExtension ::= CHOICE { primary-and-secondary-CPICH PrimaryAndSecondaryCPICHContainer, normal-and-diversity-primary-CPICH NormalAndDiversityPrimaryCPICHContainer, ... } MIMO-PowerOffsetForS-CPICHCapability ::= ENUMERATED { s-CPICH-Power-Offset-Capable, s-CPICH-Power-Offset-Not-Capable } MinimumDL-PowerCapability ::= INTEGER(0..800) -- Unit dBm, Range -30dBm .. 50dBm, Step +0.1dB MinimumReducedE-DPDCH-GainFactor ::= ENUMERATED {m8-15, m11-15, m15-15, m21-15, m30-15, m42-15, m60-15, m84-15,...} MinSpreadingFactor ::= ENUMERATED { v4, v8, v16, v32, v64, v128, v256, v512 } -- TDD Mapping scheme for the minimum spreading factor 1 and 2: "256" means 1, "512" means 2 Modification-Period ::= ENUMERATED { v1280, v2560, v5120, v10240,...} ModifyPriorityQueue ::= CHOICE { addPriorityQueue PriorityQueue-InfoItem-to-Add, modifyPriorityQueue PriorityQueue-InfoItem-to-Modify, deletePriorityQueue PriorityQueue-Id, ... } Modulation ::= ENUMERATED { qPSK, eightPSK, -- 8PSK denotes 16QAM for S-CCPCH ... } MinUL-ChannelisationCodeLength ::= ENUMERATED { v4, v8, v16, v32, v64, v128, v256, ... } MultiplexingPosition ::= ENUMERATED { fixed, flexible } MAChs-ResetIndicator ::= ENUMERATED{ mAChs-NotReset } ModulationMBSFN ::= ENUMERATED { qPSK, sixteenQAM, ... } MBSFN-CPICH-secondary-CCPCH-power-offset ::= INTEGER(-11..4,...) -- Unit dB, Step 1 dB, Range -11..4 dB. ModulationPO-MBSFN ::= CHOICE { qPSK NULL, sixteenQAM MBSFN-CPICH-secondary-CCPCH-power-offset, ... } MBSFN-Only-Mode-Indicator ::= ENUMERATED { mBSFN-Only-Mode } MBSFN-Only-Mode-Capability ::= ENUMERATED { mBSFN-Only-Mode-capable, mBSFN-Only-Mode-non-capable } Multicarrier-Number ::= INTEGER (1..maxHSDPAFrequency) MultipleFreq-HARQ-MemoryPartitioning-InformationList ::= SEQUENCE (SIZE (1..maxFrequencyinCell-1)) OF MultipleFreq-HARQ-MemoryPartitioning-InformationItem --Includes the 2nd through the max number of frequencies information repetitions. MultipleFreq-HARQ-MemoryPartitioning-InformationItem ::= SEQUENCE { hARQ-MemoryPartitioning HARQ-MemoryPartitioning, uARFCN UARFCN, iE-Extensions ProtocolExtensionContainer { { MultipleFreq-HARQ-MemoryPartitioning-InformationItem-ExtIEs} } OPTIONAL, ... } MultipleFreq-HARQ-MemoryPartitioning-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MultipleFreq-HSPDSCH-InformationList-ResponseTDDLCR ::= SEQUENCE (SIZE (1.. maxHSDPAFrequency-1)) OF MultipleFreq-HSPDSCH-InformationItem-ResponseTDDLCR --Includes the 2nd through the max number of frequency repetitions. MultipleFreq-HSPDSCH-InformationItem-ResponseTDDLCR ::= SEQUENCE{ hsSCCH-Specific-Information-ResponseTDDLCR HSSCCH-Specific-InformationRespListTDDLCR OPTIONAL, hARQ-MemoryPartitioning HARQ-MemoryPartitioning OPTIONAL, uARFCN UARFCN, -- This is the UARFCN for the second and beyond Frequency repetition. iE-Extensions ProtocolExtensionContainer { { MultipleFreq-HSPDSCH-InformationItem-ResponseTDDLCR-ExtIEs } } OPTIONAL, ... } MultipleFreq-HSPDSCH-InformationItem-ResponseTDDLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Multi-Cell-Capability ::= ENUMERATED { multi-Cell-Capable, multi-Cell-non-Capable } Multi-Cell-Capability-Info::= SEQUENCE { multi-Cell-Capability Multi-Cell-Capability, possible-Secondary-Serving-Cell-List Possible-Secondary-Serving-Cell-List OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Multi-Cell-Capability-Info-ExtIEs } } OPTIONAL, ... } Multi-Cell-Capability-Info-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Multicell-EDCH-Information ::= ProtocolIE-Single-Container { {Multicell-EDCH-InformationItem} } Multicell-EDCH-InformationItem NBAP-PROTOCOL-IES ::= { { ID id-Multicell-EDCH-InformationItemIEs CRITICALITY ignore TYPE Multicell-EDCH-InformationItemIEs PRESENCE mandatory } } Multicell-EDCH-InformationItemIEs ::= SEQUENCE { dL-PowerBalancing-Information DL-PowerBalancing-Information OPTIONAL, minimumReducedE-DPDCH-GainFactor MinimumReducedE-DPDCH-GainFactor OPTIONAL, secondary-UL-Frequency-Activation-State Secondary-UL-Frequency-Activation-State OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Multicell-EDCH-InformationItemIEs-ExtIEs } } OPTIONAL, ... } Multicell-EDCH-InformationItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Multicell-EDCH-RL-Specific-Information ::= ProtocolIE-Single-Container { { Multicell-EDCH-RL-Specific-InformationItem} } Multicell-EDCH-RL-Specific-InformationItem NBAP-PROTOCOL-IES ::= { { ID id-Multicell-EDCH-RL-Specific-InformationItemIEs CRITICALITY ignore TYPE Multicell-EDCH-RL-Specific-InformationItemIEs PRESENCE mandatory } } Multicell-EDCH-RL-Specific-InformationItemIEs::= SEQUENCE { extendedPropagationDelay ExtendedPropagationDelay OPTIONAL, primary-CPICH-Usage-for-Channel-Estimation Primary-CPICH-Usage-for-Channel-Estimation OPTIONAL, secondary-CPICH-Information CommonPhysicalChannelID OPTIONAL, secondary-CPICH-Information-Change Secondary-CPICH-Information-Change OPTIONAL, e-AGCH-PowerOffset E-AGCH-PowerOffset OPTIONAL, e-RGCH-PowerOffset E-RGCH-PowerOffset OPTIONAL, e-HICH-PowerOffset E-HICH-PowerOffset OPTIONAL, dLReferencePower DL-Power OPTIONAL, e-DCH-DL-Control-Channel-Grant NULL OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Multicell-EDCH-RL-Specific-InformationItemIEs-ExtIEs } } OPTIONAL, ... } Multicell-EDCH-RL-Specific-InformationItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MIMO-SFMode-For-HSPDSCHDualStream ::= ENUMERATED { sF1, sF1SF16 } -- ========================================== -- N -- ========================================== Nack-Power-Offset ::= INTEGER (0..8,...) -- According to mapping in ref. [9] subclause 4.2.1 NCyclesPerSFNperiod ::= ENUMERATED { v1, v2, v4, v8, ..., v16, v32, v64 } NRepetitionsPerCyclePeriod ::= INTEGER (2..10) N-INSYNC-IND ::= INTEGER (1..256) N-OUTSYNC-IND ::= INTEGER (1..256) N-PROTECT ::= INTEGER(0..7) NeighbouringCellMeasurementInformation ::= SEQUENCE (SIZE (1..maxNrOfMeasNCell)) OF CHOICE { neighbouringFDDCellMeasurementInformation NeighbouringFDDCellMeasurementInformation, -- FDD only neighbouringTDDCellMeasurementInformation NeighbouringTDDCellMeasurementInformation, -- Applicable to 3.84Mcps TDD only ..., extension-neighbouringCellMeasurementInformation Extension-neighbouringCellMeasurementInformation } Extension-neighbouringCellMeasurementInformation ::= ProtocolIE-Single-Container {{ Extension-neighbouringCellMeasurementInformationIE }} Extension-neighbouringCellMeasurementInformationIE NBAP-PROTOCOL-IES ::= { { ID id-neighbouringTDDCellMeasurementInformationLCR CRITICALITY reject TYPE NeighbouringTDDCellMeasurementInformationLCR PRESENCE mandatory }| -- Applicable to 1.28Mcps TDD only { ID id-neighbouringTDDCellMeasurementInformation768 CRITICALITY reject TYPE NeighbouringTDDCellMeasurementInformation768 PRESENCE mandatory }, -- Applicable to 7.68Mcps TDD only ... } NeighbouringFDDCellMeasurementInformation ::= SEQUENCE { uC-Id UC-Id, uARFCN UARFCN, primaryScramblingCode PrimaryScramblingCode, iE-Extensions ProtocolExtensionContainer { { NeighbouringFDDCellMeasurementInformationItem-ExtIEs} } OPTIONAL, ... } NeighbouringFDDCellMeasurementInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } NeighbouringTDDCellMeasurementInformation ::= SEQUENCE { uC-Id UC-Id, uARFCN UARFCN, cellParameterID CellParameterID, timeSlot TimeSlot OPTIONAL, midambleShiftAndBurstType MidambleShiftAndBurstType OPTIONAL, iE-Extensions ProtocolExtensionContainer { { NeighbouringTDDCellMeasurementInformationItem-ExtIEs} } OPTIONAL, ... } NeighbouringTDDCellMeasurementInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } NeighbouringTDDCellMeasurementInformationLCR ::= SEQUENCE { uC-Id UC-Id, uARFCN UARFCN, cellParameterID CellParameterID, timeSlotLCR TimeSlotLCR OPTIONAL, midambleShiftLCR MidambleShiftLCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { NeighbouringTDDCellMeasurementInformationLCRItem-ExtIEs} } OPTIONAL, ... } NeighbouringTDDCellMeasurementInformationLCRItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } NeighbouringTDDCellMeasurementInformation768 ::= SEQUENCE { uC-Id UC-Id, uARFCN UARFCN, cellParameterID CellParameterID, timeSlot TimeSlot OPTIONAL, midambleShiftAndBurstType768 MidambleShiftAndBurstType768 OPTIONAL, iE-Extensions ProtocolExtensionContainer { { NeighbouringTDDCellMeasurementInformation768Item-ExtIEs} } OPTIONAL, ... } NeighbouringTDDCellMeasurementInformation768Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } NonCellSpecificTxDiversity ::= ENUMERATED { txDiversity, ... } NI-Information ::= SEQUENCE (SIZE (1..maxNrOfNIs)) OF Notification-Indicator Notification-Indicator ::= INTEGER (0..65535) NodeB-CommunicationContextID ::= INTEGER (0..1048575) NormalAndDiversityPrimaryCPICHContainer ::= SEQUENCE { iE-Extensions ProtocolExtensionContainer { { NormalAndDiversityPrimaryCPICHContainer-ExtIEs} } OPTIONAL, ... } NormalAndDiversityPrimaryCPICHContainer-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } NotificationIndicatorLength ::= ENUMERATED { v2, v4, v8, ... } NumberOfReportedCellPortions ::= INTEGER (1..maxNrOfCellPortionsPerCell,...) NumberOfReportedCellPortionsLCR ::= INTEGER (1..maxNrOfCellPortionsPerCellLCR,...) Number-of-PCCH-transmission ::= INTEGER (1..5) NSubCyclesPerCyclePeriod ::= INTEGER (1..16,...) N-E-UCCH ::= INTEGER (1..12) N-E-UCCHLCR ::= INTEGER (1..8) Number-Of-Supported-Carriers ::= ENUMERATED { one-one-carrier, one-three-carrier, three-three-carrier, one-six-carrier, three-six-carrier, six-six-carrier, ... } NumHS-SCCH-Codes ::= INTEGER (1..maxNrOfHSSCCHCodes) NoOfTargetCellHS-SCCH-Order::= INTEGER (1..30) -- ========================================== -- O -- ========================================== Out-of-Sychronization-Window ::= ENUMERATED { ms40, ms80, ms160, ms320, ms640, ... } -- ========================================== -- P -- ========================================== PagingIndicatorLength ::= ENUMERATED { v2, v4, v8, ... } Paging-MACFlow-ID ::= INTEGER (0..maxNrOfPagingMACFlow-1) PayloadCRC-PresenceIndicator ::= ENUMERATED { cRC-Included, cRC-NotIncluded, ... } PCCPCH-Power ::= INTEGER (-150..400,...) -- PCCPCH-power = power * 10 -- If power <= -15 PCCPCH shall be set to -150 -- If power >= 40 PCCPCH shall be set to 400 -- Unit dBm, Range -15dBm .. +40 dBm, Step +0.1dB PDSCH-ID ::= INTEGER (0..255) PDSCH-ID768 ::= INTEGER (0..511) PDSCHSet-ID ::= INTEGER (0..255) PICH-Mode ::= ENUMERATED { v18, v36, v72, v144, ... } PICH-Power ::= INTEGER (-10..5) -- Unit dB, Range -10dB .. +5dB, Step +1dB Paging-MACFlows-to-DeleteFDD ::= SEQUENCE (SIZE (1.. maxNrOfPagingMACFlow)) OF Paging-MACFlows-to-DeleteFDD-Item Paging-MACFlows-to-DeleteFDD-Item ::= SEQUENCE { paging-MACFlow-ID Paging-MACFlow-ID, iE-Extensions ProtocolExtensionContainer { { Paging-MACFlows-to-DeleteFDD-Item-ExtIEs} } OPTIONAL, ... } Paging-MACFlows-to-DeleteFDD-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Paging-MACFlow-Specific-Information ::= SEQUENCE (SIZE (1.. maxNrOfPagingMACFlow)) OF Paging-MAC-Flow-Specific-Information-Item Paging-MAC-Flow-Specific-Information-Item ::= SEQUENCE { paging-MACFlow-Id Paging-MACFlow-ID, hSDPA-associated-PICH-Info HSDPA-Associated-PICH-Information, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, tnl-qos TnlQos OPTIONAL, toAWS ToAWS, toAWE ToAWE, paging-MACFlow-PriorityQueue-Information Paging-MACFlow-PriorityQueue-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Paging-MAC-Flow-Specific-Information-Item-ExtIEs } } OPTIONAL, ... } Paging-MAC-Flow-Specific-Information-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TransportBearerRequestIndicator CRITICALITY ignore EXTENSION TransportBearerRequestIndicator PRESENCE optional}, -- This IE should not be contained if the MAC flow is setup in procedure, and it should be contained if the MAC flow is modified in procedure. ... } Paging-MACFlow-PriorityQueue-Information ::= SEQUENCE (SIZE (1..maxNrOfpagingMACQueues)) OF Paging-MACFlow-PriorityQueue-Item Paging-MACFlow-PriorityQueue-Item ::= SEQUENCE { priority-Queue-Information-for-Enhanced-PCH Priority-Queue-Information-for-Enhanced-FACH-PCH, iE-Extensions ProtocolExtensionContainer { { Paging-MACFlow-PriorityQueue-Item-ExtIEs } } OPTIONAL, ... } Paging-MACFlow-PriorityQueue-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Pattern-Sequence-Identifier ::= INTEGER (1.. maxNrOfDCHMeasurementOccasionPatternSequence) PhysicalChannelID-for-CommonERNTI-RequestedIndicator ::= ENUMERATED { requested } PLCCHsequenceNumber ::= INTEGER (0..14) PLCCHinformation ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, sequenceNumber PLCCHsequenceNumber, iE-Extensions ProtocolExtensionContainer { { PLCCHinformation-ExtIEs} } OPTIONAL, ... } PLCCHinformation-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Possible-Secondary-Serving-Cell-List ::= SEQUENCE (SIZE (1..maxNrOfHSDSCH-1)) OF Possible-Secondary-Serving-Cell Possible-Secondary-Serving-Cell ::= SEQUENCE { local-Cell-ID Local-Cell-ID, iE-Extensions ProtocolExtensionContainer { { Possible-Secondary-Serving-Cell-ExtIEs } } OPTIONAL, ... } Possible-Secondary-Serving-Cell-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PowerAdjustmentType ::= ENUMERATED { none, common, individual } PowerOffset ::= INTEGER (0..24) -- PowerOffset = offset * 0.25 -- Unit dB, Range 0dB .. +6dB, Step +0.25dB PowerOffsetForSecondaryCPICHforMIMO ::= INTEGER (-6..0) -- Unit dB, Range -6dB .. 0dB, Step +1dB PowerRaiseLimit ::= INTEGER (0..10) PRACH-Midamble ::= ENUMERATED { inverted, direct, ... } PRC ::= INTEGER (-2047..2047) --pseudo range correction; scaling factor 0.32 meters PRCDeviation ::= ENUMERATED { one, two, five, ten, ... } PrecodingWeightSetRestriction ::= ENUMERATED { preferred, not-preferred } PreambleSignatures ::= BIT STRING { signature15(0), signature14(1), signature13(2), signature12(3), signature11(4), signature10(5), signature9(6), signature8(7), signature7(8), signature6(9), signature5(10), signature4(11), signature3(12), signature2(13), signature1(14), signature0(15) } (SIZE (16)) PreambleThreshold ::= INTEGER (0..72) -- 0= -36.0dB, 1= -35.5dB, ... , 72= 0.0dB PredictedSFNSFNDeviationLimit ::=INTEGER (1..256) -- Unit chip, Step 1/16 chip, Range 1/16..16 chip PredictedTUTRANGPSDeviationLimit ::= INTEGER (1..256) -- Unit chip, Step 1/16 chip, Range 1/16..16 chip Pre-emptionCapability ::= ENUMERATED { shall-not-trigger-pre-emption, may-trigger-pre-emption } Pre-emptionVulnerability ::= ENUMERATED { not-pre-emptable, pre-emptable } PrimaryAndSecondaryCPICHContainer ::= SEQUENCE { power-Offset-For-Secondary-CPICH-for-MIMO PowerOffsetForSecondaryCPICHforMIMO, iE-Extensions ProtocolExtensionContainer { { PrimaryAndSecondaryCPICHContainer-ExtIEs} } OPTIONAL, ... } PrimaryAndSecondaryCPICHContainer-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PrimaryCPICH-Power ::= INTEGER(-100..500) -- step 0.1 (Range -10.0..50.0) Unit is dBm Primary-CPICH-Usage-for-Channel-Estimation ::= ENUMERATED { primary-CPICH-may-be-used, primary-CPICH-shall-not-be-used } PrimaryScramblingCode ::= INTEGER (0..511) PriorityLevel ::= INTEGER (0..15) -- 0 = spare, 1 = highest priority, ...14 = lowest priority and 15 = no priority Priority-Queue-Information-for-Enhanced-FACH-PCH ::= SEQUENCE { priorityQueue-Id PriorityQueue-Id, schedulingPriorityIndicator SchedulingPriorityIndicator, t1 T1, mAC-ehs-Reset-Timer MAC-ehs-Reset-Timer, -- shall be ignored in case of Enhanced PCH discardTimer DiscardTimer OPTIONAL, mAC-hsWindowSize MAC-hsWindowSize, maximum-MACcPDU-Size MAC-PDU-SizeExtended, iE-Extensions ProtocolExtensionContainer { { Priority-Queue-Information-for-Enhanced-FACH-PCH-ExtIEs } } OPTIONAL, ... } Priority-Queue-Information-for-Enhanced-FACH-PCH-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PriorityQueue-Id ::= INTEGER (0..maxNrOfPriorityQueues-1) PriorityQueue-InfoList ::= SEQUENCE (SIZE (1..maxNrOfPriorityQueues)) OF PriorityQueue-InfoItem PriorityQueue-InfoItem ::= SEQUENCE { priorityQueueId PriorityQueue-Id, associatedHSDSCH-MACdFlow HSDSCH-MACdFlow-ID, schedulingPriorityIndicator SchedulingPriorityIndicator, t1 T1, discardTimer DiscardTimer OPTIONAL, mAC-hsWindowSize MAC-hsWindowSize, mAChsGuaranteedBitRate MAChsGuaranteedBitRate OPTIONAL, macdPDU-Size-Index MACdPDU-Size-Indexlist, rLC-Mode RLC-Mode, iE-Extensions ProtocolExtensionContainer { { PriorityQueue-InfoItem-ExtIEs} } OPTIONAL, ... } PriorityQueue-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MaximumMACdPDU-SizeExtended CRITICALITY reject EXTENSION MAC-PDU-SizeExtended PRESENCE optional}| { ID id-DL-RLC-PDU-Size-Format CRITICALITY ignore EXTENSION DL-RLC-PDU-Size-Format PRESENCE optional}| { ID id-UE-AggregateMaximumBitRate-Enforcement-Indicator CRITICALITY ignore EXTENSION UE-AggregateMaximumBitRate-Enforcement-Indicator PRESENCE optional}, ... } PriorityQueue-InfoList-to-Modify ::= SEQUENCE (SIZE (1..maxNrOfPriorityQueues)) OF ModifyPriorityQueue PriorityQueue-InfoItem-to-Add ::= SEQUENCE { priorityQueueId PriorityQueue-Id, associatedHSDSCH-MACdFlow HSDSCH-MACdFlow-ID, schedulingPriorityIndicator SchedulingPriorityIndicator, t1 T1, discardTimer DiscardTimer OPTIONAL, mAC-hsWindowSize MAC-hsWindowSize, mAChsGuaranteedBitRate MAChsGuaranteedBitRate OPTIONAL, macdPDU-Size-Index MACdPDU-Size-Indexlist, rLC-Mode RLC-Mode, iE-Extensions ProtocolExtensionContainer { { PriorityQueue-InfoItem-to-Add-ExtIEs} } OPTIONAL, ... } PriorityQueue-InfoItem-to-Add-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MaximumMACdPDU-SizeExtended CRITICALITY reject EXTENSION MAC-PDU-SizeExtended PRESENCE optional} | { ID id-DL-RLC-PDU-Size-Format CRITICALITY ignore EXTENSION DL-RLC-PDU-Size-Format PRESENCE optional}, ... } PriorityQueue-InfoItem-to-Modify ::= SEQUENCE { priorityQueueId PriorityQueue-Id, schedulingPriorityIndicator SchedulingPriorityIndicator OPTIONAL, t1 T1 OPTIONAL, discardTimer DiscardTimer OPTIONAL, mAC-hsWindowSize MAC-hsWindowSize OPTIONAL, mAChsGuaranteedBitRate MAChsGuaranteedBitRate OPTIONAL, macdPDU-Size-Index-to-Modify MACdPDU-Size-Indexlist-to-Modify OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PriorityQueue-InfoItem-to-Modify-ExtIEs} } OPTIONAL, ... } PriorityQueue-InfoItem-to-Modify-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MaximumMACdPDU-SizeExtended CRITICALITY reject EXTENSION MAC-PDU-SizeExtended PRESENCE optional}| { ID id-DL-RLC-PDU-Size-Format CRITICALITY ignore EXTENSION DL-RLC-PDU-Size-Format PRESENCE optional}, ... } PriorityQueue-InfoList-to-Modify-Unsynchronised ::= SEQUENCE (SIZE (1..maxNrOfPriorityQueues)) OF PriorityQueue-InfoItem-to-Modify-Unsynchronised PriorityQueue-InfoItem-to-Modify-Unsynchronised ::= SEQUENCE { priorityQueueId PriorityQueue-Id, schedulingPriorityIndicator SchedulingPriorityIndicator OPTIONAL, discardTimer DiscardTimer OPTIONAL, mAChsGuaranteedBitRate MAChsGuaranteedBitRate OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PriorityQueue-InfoItem-to-Modify-Unsynchronised-ExtIEs} } OPTIONAL, ... } PriorityQueue-InfoItem-to-Modify-Unsynchronised-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PrimaryCCPCH-RSCP ::= INTEGER (0..91) -- Mapping of non-negative values according to [23] PrimaryCCPCH-RSCP-Delta ::= INTEGER (-5..-1,...) -- Mapping of negative values according to [23] PropagationDelay ::= INTEGER (0..255) -- Unit: chips, step size 3 chips -- example: 0 = 0chip, 1 = 3chips PRXdes-base ::= INTEGER (-112..-50) -- Unit: dBm, step size 1 SCH-TimeSlot ::= INTEGER (0..6) PunctureLimit ::= INTEGER (0..15) -- 0: 40%; 1: 44%; ... 14: 96%; 15: 100% -- 0 is not applicable for E-DPCH PUSCH-ID ::= INTEGER (0..255) UE-Selected-MBMS-Service-Information ::= CHOICE { none NULL, selected-MBMS-Service Selected-MBMS-Service, ... } Selected-MBMS-Service ::= SEQUENCE { selected-MBMS-Service-List Selected-MBMS-Service-List, iE-Extensions ProtocolExtensionContainer { { Selected-MBMS-Service-ExtIEs} } OPTIONAL, ... } Selected-MBMS-Service-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Selected-MBMS-Service-List ::= SEQUENCE (SIZE (1.. maxMBMSServiceSelect)) OF Selected-MBMS-Service-Item Selected-MBMS-Service-Item ::= SEQUENCE { selected-MBMS-Service-TimeSlot-Information-LCR Selected-MBMS-Service-TimeSlot-Information-LCR OPTIONAL, mBMS-Service-TDM-Information MBMS-Service-TDM-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Selected-MBMS-Service-Item-ExtIEs} } OPTIONAL, ... } Selected-MBMS-Service-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Selected-MBMS-Service-TimeSlot-Information-LCR ::= SEQUENCE (SIZE (1..7)) OF TimeSlotLCR MBMS-Service-TDM-Information ::= SEQUENCE { transmission-Time-Interval ENUMERATED {v10, v20, v40, v80,...}, tDM-Rep INTEGER (2..9), tDM-Offset INTEGER (0..8), tDM-Length INTEGER (1..8), iE-Extensions ProtocolExtensionContainer { { MBMS-Service-TDM-Information-ExtIEs} } OPTIONAL, ... } MBMS-Service-TDM-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PUSCHSet-ID ::= INTEGER (0..255) Paging-MACFlow-Specific-InformationLCR ::= SEQUENCE (SIZE (1.. maxNrOfPagingMACFlow)) OF Paging-MAC-Flow-Specific-Information-ItemLCR Paging-MAC-Flow-Specific-Information-ItemLCR ::= SEQUENCE { paging-MACFlow-Id Paging-MACFlow-ID, hSDPA-associated-PICH-InfoLCR HSDPA-Associated-PICH-InformationLCR OPTIONAL, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, tnl-qos TnlQos OPTIONAL, toAWS ToAWS OPTIONAL, toAWE ToAWE OPTIONAL, paging-MACFlow-PriorityQueue-InformationLCR Paging-MACFlow-PriorityQueue-Information OPTIONAL, transportBearerRequestIndicator TransportBearerRequestIndicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Paging-MAC-Flow-Specific-Information-ItemLCR-ExtIEs } } OPTIONAL, ... } Paging-MAC-Flow-Specific-Information-ItemLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Paging-MACFlows-to-DeleteLCR ::= SEQUENCE (SIZE (1.. maxNrOfPagingMACFlow)) OF Paging-MACFlows-to-DeleteLCR-Item Paging-MACFlows-to-DeleteLCR-Item ::= SEQUENCE { paging-MACFlow-ID Paging-MACFlow-ID, iE-Extensions ProtocolExtensionContainer { { Paging-MACFlows-to-DeleteLCR-Item-ExtIEs} } OPTIONAL, ... } Paging-MACFlows-to-DeleteLCR-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Process-Memory-Size ::= ENUMERATED { hms800, hms1600, hms2400, hms3200, hms4000, hms4800, hms5600, hms6400, hms7200, hms8000, hms8800, hms9600, hms10400, hms11200, hms12000, hms12800, hms13600, hms14400, hms15200, hms16000, hms17600, hms19200, hms20800, hms22400, hms24000, hms25600, hms27200, hms28800, hms30400, hms32000, hms36000, hms40000, hms44000, hms48000, hms52000, hms56000, hms60000, hms64000, hms68000, hms72000, hms76000, hms80000, hms88000, hms96000, hms104000, hms112000, hms120000, hms128000, hms136000, hms144000, hms152000, hms160000, hms176000, hms192000, hms208000, hms224000, hms240000, hms256000, hms272000, hms288000, hms304000,...} -- ========================================== -- Q -- ========================================== QE-Selector ::= ENUMERATED { selected, non-selected } -- ========================================== -- R -- ========================================== RACH-Measurement-Result ::= ENUMERATED { cpich-EcNo, cpich-RSCP, pathloss, ... } RACH-SlotFormat ::= ENUMERATED { v0, v1, v2, v3, ... } RACH-SubChannelNumbers ::= BIT STRING { subCh11(0), subCh10(1), subCh9(2), subCh8(3), subCh7(4), subCh6(5), subCh5(6), subCh4(7), subCh3(8), subCh2(9), subCh1(10), subCh0(11) } (SIZE (12)) RL-Specific-DCH-Info ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF RL-Specific-DCH-Info-Item RL-Specific-DCH-Info-Item ::= SEQUENCE { dCH-id DCH-ID, bindingID BindingID OPTIONAL, transportlayeraddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-Specific-DCH-Info-Item-ExtIEs} } OPTIONAL, ... } RL-Specific-DCH-Info-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TransportBearerNotRequestedIndicator CRITICALITY ignore EXTENSION TransportBearerNotRequestedIndicator PRESENCE optional }, -- FDD only ... } RL-Specific-E-DCH-Info ::= SEQUENCE { rL-Specific-E-DCH-Information RL-Specific-E-DCH-Information, e-AGCH-PowerOffset E-AGCH-PowerOffset OPTIONAL, e-RGCH-PowerOffset E-RGCH-PowerOffset OPTIONAL, e-HICH-PowerOffset E-HICH-PowerOffset OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-Specific-E-DCH-Info-Item-ExtIEs} } OPTIONAL, ... } RL-Specific-E-DCH-Info-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Specific-E-DCH-Information ::= SEQUENCE (SIZE (1..maxNrOfEDCHMACdFlows)) OF RL-Specific-E-DCH-Information-Item RL-Specific-E-DCH-Information-Item ::= SEQUENCE { e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, bindingID BindingID OPTIONAL, transportlayeraddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-Specific-E-DCH-Information-Item-ExtIEs} } OPTIONAL, ... } RL-Specific-E-DCH-Information-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Range-Correction-Rate ::= INTEGER (-127..127) -- scaling factor 0.032 m/s Reference-ReceivedTotalWideBandPower ::= INTEGER (0..621) -- mapping as for RTWP measurement value, as specified in [22] Reference-ReceivedTotalWideBandPowerReporting::= ENUMERATED { reference-ReceivedTotalWideBandPower-Requested } Reference-ReceivedTotalWideBandPowerSupportIndicator::= ENUMERATED { indication-of-Reference-ReceivedTotalWideBandPower-supported } ReferenceClockAvailability ::= ENUMERATED { available, notAvailable } ReferenceSFNoffset ::= INTEGER (0..255) Reference-E-TFCI-Information ::= SEQUENCE (SIZE (1..maxNrOfRefETFCIs)) OF Reference-E-TFCI-Information-Item Reference-E-TFCI-Information-Item ::= SEQUENCE { reference-E-TFCI E-TFCI, -- The following IE shall be ignored if id-Ext-Reference-E-TFCI-PO is present in Reference-E-TFCI-Information-Item-ExtIEs reference-E-TFCI-PO Reference-E-TFCI-PO, iE-Extensions ProtocolExtensionContainer { { Reference-E-TFCI-Information-Item-ExtIEs} } OPTIONAL, ... } Reference-E-TFCI-Information-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { -- The following IE shall be present if the ref E-TFCI power offset to be signalled exceeds maxNrOfRefETFCI-PO-QUANTSTEPs { ID id-Ext-Reference-E-TFCI-PO CRITICALITY reject EXTENSION Ext-Reference-E-TFCI-PO PRESENCE optional}, ... } Reference-E-TFCI-PO ::= INTEGER (0.. maxNrOfRefETFCI-PO-QUANTSTEPs) RepetitionLength ::= INTEGER (1..63) RepetitionPeriod ::= ENUMERATED { v1, v2, v4, v8, v16, v32, v64, ... } RepetitionNumber0 ::= INTEGER (0..255) RepetitionNumber1 ::= INTEGER (1..256) RefTFCNumber ::= INTEGER (0..3) ReportCharacteristics ::= CHOICE { onDemand NULL, periodic ReportCharacteristicsType-ReportPeriodicity, event-a ReportCharacteristicsType-EventA, event-b ReportCharacteristicsType-EventB, event-c ReportCharacteristicsType-EventC, event-d ReportCharacteristicsType-EventD, event-e ReportCharacteristicsType-EventE, event-f ReportCharacteristicsType-EventF, ..., extension-ReportCharacteristics Extension-ReportCharacteristics } Extension-ReportCharacteristics ::= ProtocolIE-Single-Container {{ Extension-ReportCharacteristicsIE }} Extension-ReportCharacteristicsIE NBAP-PROTOCOL-IES ::= { { ID id-ReportCharacteristicsType-OnModification CRITICALITY reject TYPE ReportCharacteristicsType-OnModification PRESENCE mandatory } } ReportCharacteristicsType-EventA ::= SEQUENCE { measurementThreshold ReportCharacteristicsType-MeasurementThreshold, measurementHysteresisTime ReportCharacteristicsType-ScaledMeasurementHysteresisTime OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ReportCharacteristicsType-EventA-ExtIEs} } OPTIONAL, ... } ReportCharacteristicsType-EventA-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ReportCharacteristicsType-EventB ::= SEQUENCE { measurementThreshold ReportCharacteristicsType-MeasurementThreshold, measurementHysteresisTime ReportCharacteristicsType-ScaledMeasurementHysteresisTime OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ReportCharacteristicsType-EventB-ExtIEs} } OPTIONAL, ... } ReportCharacteristicsType-EventB-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ReportCharacteristicsType-EventC ::= SEQUENCE { measurementIncreaseThreshold ReportCharacteristicsType-MeasurementIncreaseDecreaseThreshold, measurementChangeTime ReportCharacteristicsType-ScaledMeasurementChangeTime, iE-Extensions ProtocolExtensionContainer { { ReportCharacteristicsType-EventC-ExtIEs} } OPTIONAL, ... } ReportCharacteristicsType-EventC-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ReportCharacteristicsType-EventD ::= SEQUENCE { measurementDecreaseThreshold ReportCharacteristicsType-MeasurementIncreaseDecreaseThreshold, measurementChangeTime ReportCharacteristicsType-ScaledMeasurementChangeTime, iE-Extensions ProtocolExtensionContainer { { ReportCharacteristicsType-EventD-ExtIEs} } OPTIONAL, ... } ReportCharacteristicsType-EventD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ReportCharacteristicsType-EventE ::= SEQUENCE { measurementThreshold1 ReportCharacteristicsType-MeasurementThreshold, measurementThreshold2 ReportCharacteristicsType-MeasurementThreshold OPTIONAL, measurementHysteresisTime ReportCharacteristicsType-ScaledMeasurementHysteresisTime OPTIONAL, reportPeriodicity ReportCharacteristicsType-ReportPeriodicity OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ReportCharacteristicsType-EventE-ExtIEs} } OPTIONAL, ... } ReportCharacteristicsType-EventE-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ReportCharacteristicsType-EventF ::= SEQUENCE { measurementThreshold1 ReportCharacteristicsType-MeasurementThreshold, measurementThreshold2 ReportCharacteristicsType-MeasurementThreshold OPTIONAL, measurementHysteresisTime ReportCharacteristicsType-ScaledMeasurementHysteresisTime OPTIONAL, reportPeriodicity ReportCharacteristicsType-ReportPeriodicity OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ReportCharacteristicsType-EventF-ExtIEs} } OPTIONAL, ... } ReportCharacteristicsType-EventF-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ReportCharacteristicsType-OnModification ::= SEQUENCE { measurementThreshold ReportCharacteristicsType-MeasurementThreshold, iE-Extensions ProtocolExtensionContainer { { ReportCharacteristicsType-OnModification-ExtIEs} } OPTIONAL, ... } ReportCharacteristicsType-OnModification-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ReportCharacteristicsType-MeasurementIncreaseDecreaseThreshold ::= CHOICE { received-total-wide-band-power Received-total-wide-band-power-Value-IncrDecrThres, transmitted-carrier-power Transmitted-Carrier-Power-Value, acknowledged-prach-preambles Acknowledged-PRACH-preambles-Value, uL-TimeslotISCP UL-TimeslotISCP-Value-IncrDecrThres, sir SIR-Value-IncrDecrThres, sir-error SIR-Error-Value-IncrDecrThres, transmitted-code-power Transmitted-Code-Power-Value-IncrDecrThres, rscp RSCP-Value-IncrDecrThres, round-trip-time Round-Trip-Time-IncrDecrThres, notUsed-1-acknowledged-PCPCH-access-preambles NULL, notUsed-2-detected-PCPCH-access-preambles NULL, ..., extension-ReportCharacteristicsType-MeasurementIncreaseDecreaseThreshold Extension-ReportCharacteristicsType-MeasurementIncreaseDecreaseThreshold } Extension-ReportCharacteristicsType-MeasurementIncreaseDecreaseThreshold ::= ProtocolIE-Single-Container {{ Extension-ReportCharacteristicsType-MeasurementIncreaseDecreaseThresholdIE }} Extension-ReportCharacteristicsType-MeasurementIncreaseDecreaseThresholdIE NBAP-PROTOCOL-IES ::= { { ID id-TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmission CRITICALITY reject TYPE TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue PRESENCE mandatory}| { ID id-Transmitted-Carrier-Power-For-CellPortion CRITICALITY reject TYPE Transmitted-Carrier-Power-Value PRESENCE mandatory }| { ID id-Received-total-wide-band-power-For-CellPortion CRITICALITY reject TYPE Received-total-wide-band-power-Value-IncrDecrThres PRESENCE mandatory }| { ID id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortion CRITICALITY reject TYPE TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue PRESENCE mandatory }| { ID id-UpPTSInterferenceValue CRITICALITY reject TYPE UpPTSInterferenceValue PRESENCE mandatory }| { ID id-Received-Scheduled-EDCH-Power-Share CRITICALITY reject TYPE RSEPS-Value-IncrDecrThres PRESENCE mandatory }| { ID id-Received-Scheduled-EDCH-Power-Share-For-CellPortion CRITICALITY reject TYPE RSEPS-Value-IncrDecrThres PRESENCE mandatory }| { ID id-EDCH-RACH-Report-IncrDecrThres CRITICALITY reject TYPE EDCH-RACH-Report-IncrDecrThres PRESENCE mandatory }| -- FDD only { ID id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortion CRITICALITY reject TYPE TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue PRESENCE mandatory }| { ID id-ULTimeslotISCPValue-For-CellPortion CRITICALITY reject TYPE UL-TimeslotISCP-Value-IncrDecrThres PRESENCE mandatory }| { ID id-UpPTSInterferenceValue-For-CellPortion CRITICALITY reject TYPE UpPTSInterferenceValue PRESENCE mandatory } } EDCH-RACH-Report-IncrDecrThres ::= SEQUENCE { denied-EDCH-RACH-resources Denied-EDCH-RACH-Resources-Value, iE-Extensions ProtocolExtensionContainer { { EDCH-RACH-Report-IncrDecrThres-ExtIEs } } OPTIONAL, ... } EDCH-RACH-Report-IncrDecrThres-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Granted-EDCH-RACH-Resources-Value ::= INTEGER(0..240,...) -- According to mapping in [25]. Denied-EDCH-RACH-Resources-Value ::= INTEGER(0..240,...) -- According to mapping in [25]. ReportCharacteristicsType-MeasurementThreshold ::= CHOICE { received-total-wide-band-power Received-total-wide-band-power-Value, transmitted-carrier-power Transmitted-Carrier-Power-Value, acknowledged-prach-preambles Acknowledged-PRACH-preambles-Value, uL-TimeslotISCP UL-TimeslotISCP-Value, sir SIR-Value, sir-error SIR-Error-Value, transmitted-code-power Transmitted-Code-Power-Value, rscp RSCP-Value, rx-timing-deviation Rx-Timing-Deviation-Value, round-trip-time Round-Trip-Time-Value, notUsed-1-acknowledged-PCPCH-access-preambles NULL, notUsed-2-detected-PCPCH-access-preambles NULL, ..., extension-ReportCharacteristicsType-MeasurementThreshold Extension-ReportCharacteristicsType-MeasurementThreshold } Extension-ReportCharacteristicsType-MeasurementThreshold ::= ProtocolIE-Single-Container {{ Extension-ReportCharacteristicsType-MeasurementThresholdIE }} Extension-ReportCharacteristicsType-MeasurementThresholdIE NBAP-PROTOCOL-IES ::= { { ID id-TUTRANGPSMeasurementThresholdInformation CRITICALITY reject TYPE TUTRANGPSMeasurementThresholdInformation PRESENCE mandatory }| { ID id-SFNSFNMeasurementThresholdInformation CRITICALITY reject TYPE SFNSFNMeasurementThresholdInformation PRESENCE mandatory }| { ID id-Rx-Timing-Deviation-Value-LCR CRITICALITY reject TYPE Rx-Timing-Deviation-Value-LCR PRESENCE mandatory}| { ID id-HS-SICH-Reception-Quality-Measurement-Value CRITICALITY reject TYPE HS-SICH-Reception-Quality-Measurement-Value PRESENCE mandatory}| -- For 1.28Mcps TDD, used when the Measurement Threshold Value for HS-SICH Reception Quality are less than or equal to 20 { ID id-TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmission CRITICALITY reject TYPE TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue PRESENCE mandatory}| { ID id-HS-DSCHRequiredPowerValue CRITICALITY reject TYPE HS-DSCHRequiredPowerValue PRESENCE mandatory}| { ID id-Transmitted-Carrier-Power-For-CellPortion CRITICALITY reject TYPE Transmitted-Carrier-Power-Value PRESENCE mandatory }| { ID id-Received-total-wide-band-power-For-CellPortion CRITICALITY reject TYPE Received-total-wide-band-power-Value PRESENCE mandatory }| { ID id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortion CRITICALITY reject TYPE TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue PRESENCE mandatory }| { ID id-UpPTSInterferenceValue CRITICALITY reject TYPE UpPTSInterferenceValue PRESENCE mandatory }| { ID id-DLTransmissionBranchLoadValue CRITICALITY reject TYPE DLTransmissionBranchLoadValue PRESENCE mandatory }| { ID id-HS-DSCHRequiredPowerValue-For-Cell-Portion CRITICALITY reject TYPE HS-DSCHRequiredPowerValue PRESENCE mandatory }| { ID id-E-DCH-Non-serving-Relative-Grant-Down-CommandsValue CRITICALITY reject TYPE E-DCH-Non-serving-Relative-Grant-Down-Commands PRESENCE mandatory }| { ID id-Rx-Timing-Deviation-Value-768 CRITICALITY reject TYPE Rx-Timing-Deviation-Value-768 PRESENCE mandatory }| { ID id-Rx-Timing-Deviation-Value-384-ext CRITICALITY reject TYPE Rx-Timing-Deviation-Value-384-ext PRESENCE mandatory }| { ID id-Extended-Round-Trip-Time-Value CRITICALITY reject TYPE Extended-Round-Trip-Time-Value PRESENCE mandatory }| { ID id-Received-Scheduled-EDCH-Power-Share CRITICALITY reject TYPE RSEPS-Value-IncrDecrThres PRESENCE mandatory }| { ID id-Received-Scheduled-EDCH-Power-Share-For-CellPortion CRITICALITY reject TYPE RSEPS-Value-IncrDecrThres PRESENCE mandatory }| { ID id-Additional-HS-SICH-Reception-Quality-Measurement-Value CRITICALITY reject TYPE HS-SICH-Reception-Quality-Measurement-Value PRESENCE mandatory}| -- Applicable to 1.28Mcps TDD only, used when the Measurement Threshold Value for HS-SICH Reception Quality are more than 20, Measurement Threshold Value = 20 + IE Value { ID id-TUTRANGANSSMeasurementThresholdInformation CRITICALITY reject TYPE TUTRANGANSSMeasurementThresholdInformation PRESENCE mandatory }| { ID id-EDCH-RACH-Report-ThresholdInformation CRITICALITY reject TYPE EDCH-RACH-Report-ThresholdInformation PRESENCE mandatory }| -- FDD only { ID id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortion CRITICALITY reject TYPE TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue PRESENCE mandatory }| { ID id-ULTimeslotISCPValue-For-CellPortion CRITICALITY reject TYPE UL-TimeslotISCP-Value PRESENCE mandatory }| { ID id-UpPTSInterferenceValue-For-CellPortion CRITICALITY reject TYPE UpPTSInterferenceValue PRESENCE mandatory } } EDCH-RACH-Report-ThresholdInformation ::= SEQUENCE { denied-EDCH-RACH-resources Denied-EDCH-RACH-Resources-Value, iE-Extensions ProtocolExtensionContainer { { EDCH-RACH-Report-ThresholdInformation-ExtIEs } } OPTIONAL, ... } EDCH-RACH-Report-ThresholdInformation-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ReportCharacteristicsType-ScaledMeasurementChangeTime ::= CHOICE { msec MeasurementChangeTime-Scaledmsec, ... } MeasurementChangeTime-Scaledmsec ::= INTEGER (1..6000,...) -- MeasurementChangeTime-Scaledmsec = Time * 10 -- Unit ms, Range 10ms .. 60000ms(1min), Step 10ms ReportCharacteristicsType-ScaledMeasurementHysteresisTime ::= CHOICE { msec MeasurementHysteresisTime-Scaledmsec, ... } MeasurementHysteresisTime-Scaledmsec ::= INTEGER (1..6000,...) -- MeasurementHysteresisTime-Scaledmsec = Time * 10 -- Unit ms, Range 10ms .. 60000ms(1min), Step 10ms ReportCharacteristicsType-ReportPeriodicity ::= CHOICE { msec ReportPeriodicity-Scaledmsec, min ReportPeriodicity-Scaledmin, ... } ReportPeriodicity-Scaledmsec ::= INTEGER (1..6000,...) -- ReportPeriodicity-msec = ReportPeriodicity * 10 -- Unit ms, Range 10ms .. 60000ms(1min), Step 10ms ReportPeriodicity-Scaledmin ::= INTEGER (1..60,...) -- Unit min, Range 1min .. 60min(hour), Step 1min ReportPeriodicity-Scaledhour ::= INTEGER (1..24,...) -- Unit hour, Range 1hour .. 24hours(day), Step 1hour ResourceOperationalState ::= ENUMERATED { enabled, disabled } RL-ID ::= INTEGER (0..31) RL-Set-ID ::= INTEGER (0..31) RLC-Mode ::= ENUMERATED { rLC-AM, rLC-UM, ... } DL-RLC-PDU-Size-Format ::= ENUMERATED { fixed-RLC-PDU-Size, flexible-RLC-PDU-Size, ... } Round-Trip-Time-IncrDecrThres ::= INTEGER(0..32766) RNC-ID ::= INTEGER (0..4095) Round-Trip-Time-Value ::= INTEGER(0..32767) -- According to mapping in [22] RSCP-Value ::= INTEGER (0..127) -- According to mapping in [23] RSCP-Value-IncrDecrThres ::= INTEGER (0..126) Received-total-wide-band-power-For-CellPortion-Value ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCell)) OF Received-total-wide-band-power-For-CellPortion-Value-Item Received-total-wide-band-power-For-CellPortion-Value-Item ::= SEQUENCE{ cellPortionID CellPortionID, received-total-wide-band-power-value Received-total-wide-band-power-Value, iE-Extensions ProtocolExtensionContainer { { Received-total-wide-band-power-For-CellPortion-Value-Item-ExtIEs} } OPTIONAL, ... } Received-total-wide-band-power-For-CellPortion-Value-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Received-total-wide-band-power-For-CellPortion-ValueLCR ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCellLCR)) OF Received-total-wide-band-power-For-CellPortion-ValueLCR-Item Received-total-wide-band-power-For-CellPortion-ValueLCR-Item ::= SEQUENCE{ cellPortionLCRID CellPortionLCRID, received-total-wide-band-power-value Received-total-wide-band-power-Value, iE-Extensions ProtocolExtensionContainer { { Received-total-wide-band-power-For-CellPortion-ValueLCR-Item-ExtIEs} } OPTIONAL, ... } Received-total-wide-band-power-For-CellPortion-ValueLCR-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Received-total-wide-band-power-Value ::= INTEGER(0..621) -- According to mapping in [22]/[23] Received-total-wide-band-power-Value-IncrDecrThres ::= INTEGER (0..620) Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCell)) OF Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value-Item Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value-Item ::= SEQUENCE{ cellPortionID CellPortionID, received-Scheduled-power-share-value RSEPS-Value, received-total-wide-band-power-value Received-total-wide-band-power-Value OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value-Item-ExtIEs} } OPTIONAL, ... } Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Received-Scheduled-EDCH-Power-Share-Value ::= SEQUENCE{ received-Scheduled-power-share-value RSEPS-Value, received-total-wide-band-power-value Received-total-wide-band-power-Value OPTIONAL, ... } RSEPS-Value-IncrDecrThres ::= INTEGER (0..151) RSEPS-Value ::= INTEGER (0..151) -- According to mapping in [22] RequestedDataValueInformation ::= CHOICE { informationAvailable InformationAvailable, informationnotAvailable InformationnotAvailable } InformationAvailable::= SEQUENCE { requesteddataValue RequestedDataValue, ie-Extensions ProtocolExtensionContainer { { InformationAvailableItem-ExtIEs} } OPTIONAL, ... } InformationAvailableItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } InformationnotAvailable ::= NULL RequestedDataValue ::= SEQUENCE { dgps-corrections DGPSCorrections OPTIONAL, gps-navandrecovery GPS-NavigationModel-and-TimeRecovery OPTIONAL, gps-ionos-model GPS-Ionospheric-Model OPTIONAL, gps-utc-model GPS-UTC-Model OPTIONAL, gps-almanac GPS-Almanac OPTIONAL, gps-rt-integrity GPS-RealTime-Integrity OPTIONAL, gpsrxpos GPS-RX-POS OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RequestedDataValue-ExtIEs} } OPTIONAL, ... } RequestedDataValue-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-GANSS-Common-Data CRITICALITY ignore EXTENSION GANSS-Common-Data PRESENCE optional }| { ID id-GANSS-Generic-Data CRITICALITY ignore EXTENSION GANSS-Generic-Data PRESENCE optional }, ... } Rx-Timing-Deviation-Value ::= INTEGER (0..8191) -- According to mapping in [23] Rx-Timing-Deviation-Value-LCR ::= INTEGER (0..511) -- According to mapping in [23] Rx-Timing-Deviation-Value-768 ::= INTEGER (0..65535) -- According to mapping in [23] Rx-Timing-Deviation-Value-384-ext ::= INTEGER (0..32767) -- According to mapping in [23] RefBeta ::= INTEGER (-15..16) RTWP-ReportingIndicator ::= ENUMERATED { rTWP-reporting-required} RTWP-CellPortion-ReportingIndicator ::= ENUMERATED { rTWP-CellPortion-reporting-required} -- ========================================== -- S -- ========================================== AdjustmentPeriod ::= INTEGER(1..256) -- Unit Frame E-DPCCH-Power-Boosting-Capability ::= ENUMERATED { e-DPCCH-Power-Boosting-capable, e-DPCCH-Power-Boosting-non-capable } SAT-ID ::= INTEGER (0..63) SAT-Info-Almanac ::= SEQUENCE (SIZE (1..maxNoSat)) OF SAT-Info-Almanac-Item SAT-Info-Almanac-Item ::= SEQUENCE { data-id DATA-ID, sat-id SAT-ID, gps-e-alm BIT STRING (SIZE (16)), gps-toa-alm BIT STRING (SIZE (8)), gps-delta-I-alm BIT STRING (SIZE (16)), omegadot-alm BIT STRING (SIZE (16)), svhealth-alm BIT STRING (SIZE (8)), gps-a-sqrt-alm BIT STRING (SIZE (24)), omegazero-alm BIT STRING (SIZE (24)), m-zero-alm BIT STRING (SIZE (24)), gps-omega-alm BIT STRING (SIZE (24)), gps-af-zero-alm BIT STRING (SIZE (11)), gps-af-one-alm BIT STRING (SIZE (11)), ie-Extensions ProtocolExtensionContainer { { SAT-Info-Almanac-Item-ExtIEs} } OPTIONAL, ... } -- This GPS-Almanac-Information is for the 1st 16 satellites SAT-Info-Almanac-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SAT-Info-Almanac-ExtList ::= SEQUENCE (SIZE (1..maxNrOfSatAlmanac-maxNoSat)) OF SAT-Info-Almanac-ExtItem SAT-Info-Almanac-ExtItem ::= SEQUENCE { data-id DATA-ID, sat-id SAT-ID, gps-e-alm BIT STRING (SIZE (16)), gps-toa-alm BIT STRING (SIZE (8)), gps-delta-I-alm BIT STRING (SIZE (16)), omegadot-alm BIT STRING (SIZE (16)), svhealth-alm BIT STRING (SIZE (8)), gps-a-sqrt-alm BIT STRING (SIZE (24)), omegazero-alm BIT STRING (SIZE (24)), m-zero-alm BIT STRING (SIZE (24)), gps-omega-alm BIT STRING (SIZE (24)), gps-af-zero-alm BIT STRING (SIZE (11)), gps-af-one-alm BIT STRING (SIZE (11)), ie-Extensions ProtocolExtensionContainer { { SAT-Info-Almanac-ExtItemIEs } } OPTIONAL, ... } -- Includes the GPS-Almanac-Information for 17th through 32nd satellites. SAT-Info-Almanac-ExtItemIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SAT-Info-DGPSCorrections ::= SEQUENCE (SIZE (1..maxNoSat)) OF SAT-Info-DGPSCorrections-Item SAT-Info-DGPSCorrections-Item ::= SEQUENCE { sat-id SAT-ID, iode-dgps BIT STRING (SIZE (8)), udre UDRE, prc PRC, range-correction-rate Range-Correction-Rate, ie-Extensions ProtocolExtensionContainer { { SAT-Info-DGPSCorrections-Item-ExtIEs} } OPTIONAL, ... } SAT-Info-DGPSCorrections-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-DGNSS-ValidityPeriod CRITICALITY ignore EXTENSION DGNSS-ValidityPeriod PRESENCE optional}, ... } SATInfo-RealTime-Integrity ::= SEQUENCE (SIZE (1..maxNoSat)) OF SAT-Info-RealTime-Integrity-Item SAT-Info-RealTime-Integrity-Item ::= SEQUENCE { bad-sat-id SAT-ID, ie-Extensions ProtocolExtensionContainer { { SAT-Info-RealTime-Integrity-Item-ExtIEs} } OPTIONAL, ... } SAT-Info-RealTime-Integrity-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ScaledAdjustmentRatio ::= INTEGER(0..100) -- AdjustmentRatio = ScaledAdjustmentRatio / 100 MaxAdjustmentStep ::= INTEGER(1..10) -- Unit Slot SchedulingInformation ::= ENUMERATED { included, not-included } SecondaryServingCells ::= SEQUENCE (SIZE (1..maxNrOfHSDSCH-1)) OF SecondaryServingCellsItem SecondaryServingCellsItem ::= SEQUENCE { secondaryC-ID C-ID, numSecondaryHS-SCCH-Codes NumHS-SCCH-Codes OPTIONAL, sixtyfourQAM-UsageAllowedIndicator SixtyfourQAM-UsageAllowedIndicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SecondaryServingCellsItem-ExtIEs} } OPTIONAL, ... } SecondaryServingCellsItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-MIMO-ActivationIndicator CRITICALITY ignore EXTENSION MIMO-ActivationIndicator PRESENCE optional}| {ID id-EDCH-Indicator CRITICALITY ignore EXTENSION NULL PRESENCE optional}, ... } Secondary-UL-Frequency-Activation-State ::= ENUMERATED { activated, deactivated, ... } SchedulingPriorityIndicator ::= INTEGER (0..15) -- lowest (0), highest (15) SID ::= INTEGER (0..maxNrOfMACdPDUIndexes-1) ScramblingCodeNumber ::= INTEGER (0..15) Secondary-CPICH-Information-Change ::= CHOICE { new-secondary-CPICH CommonPhysicalChannelID, secondary-CPICH-shall-not-be-used NULL, ... } SecondaryCCPCH-SlotFormat ::= INTEGER(0..17,...) Secondary-CCPCH-SlotFormat-Extended ::= INTEGER(18..23,...) Segment-Type ::= ENUMERATED { first-segment, first-segment-short, subsequent-segment, last-segment, last-segment-short, complete-SIB, complete-SIB-short, ... } Serving-E-DCH-RL-ID ::= CHOICE { serving-E-DCH-RL-in-this-NodeB Serving-E-DCH-RL-in-this-NodeB, serving-E-DCH-RL-not-in-this-NodeB NULL, ... } Serving-E-DCH-RL-in-this-NodeB ::= SEQUENCE { rL-ID RL-ID, iE-Extensions ProtocolExtensionContainer { { Serving-E-DCH-RL-in-this-NodeB-ExtIEs} } OPTIONAL, ... } Serving-E-DCH-RL-in-this-NodeB-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SetsOfHS-SCCH-Codes ::= SEQUENCE (SIZE (1..maxNrOfHSDSCH)) OF SetsOfHS-SCCH-CodesItem SetsOfHS-SCCH-CodesItem ::= SEQUENCE { hS-SCCH-PreconfiguredCodes HS-SCCH-PreconfiguredCodes, sixtyfourQAM-DL-UsageIndicator SixtyfourQAM-DL-UsageIndicator OPTIONAL, hSDSCH-TBSizeTableIndicator HSDSCH-TBSizeTableIndicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SetsOfHS-SCCH-CodesItem-ExtIEs} } OPTIONAL, ... } SetsOfHS-SCCH-CodesItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-MIMO-N-M-Ratio CRITICALITY ignore EXTENSION MIMO-N-M-Ratio PRESENCE optional}, ... } Setup-Or-ConfigurationChange-Or-Removal-Of-EDCH-On-secondary-UL-Frequency::= CHOICE { setup Additional-EDCH-Setup-Info, configurationChange Additional-EDCH-Cell-Information-ConfigurationChange-List, removal Additional-EDCH-Cell-Information-Removal-List, ... } SFN ::= INTEGER (0..4095) SFNSFN-FDD ::= INTEGER (0..614399) SFNSFN-TDD ::= INTEGER (0..40961) SFNSFN-TDD768 ::= INTEGER (0..81923) SFNSFNChangeLimit ::= INTEGER (1..256) -- Unit chip, Step 1/16 chip, Range 1/16..16 chip SFNSFNDriftRate ::= INTEGER (-100..100) -- Unit chip/s, Step 1/256 chip/s, Range -100/256..+100/256 chip/s SFNSFNDriftRateQuality ::= INTEGER (0..100) -- Unit chip/s, Step 1/256 chip/s, Range 0..100/256 chip/s SFNSFNMeasurementThresholdInformation::= SEQUENCE { sFNSFNChangeLimit SFNSFNChangeLimit OPTIONAL, predictedSFNSFNDeviationLimit PredictedSFNSFNDeviationLimit OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SFNSFNMeasurementThresholdInformation-ExtIEs} } OPTIONAL, ... } SFNSFNMeasurementThresholdInformation-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SFNSFNMeasurementValueInformation ::= SEQUENCE { successfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation SEQUENCE (SIZE(1..maxNrOfMeasNCell)) OF SEQUENCE { uC-Id UC-Id, sFNSFNValue SFNSFNValue, sFNSFNQuality SFNSFNQuality OPTIONAL, sFNSFNDriftRate SFNSFNDriftRate, sFNSFNDriftRateQuality SFNSFNDriftRateQuality OPTIONAL, sFNSFNTimeStampInformation SFNSFNTimeStampInformation, iE-Extensions ProtocolExtensionContainer { { SuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformationItem-ExtIEs} } OPTIONAL, ... }, unsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformation SEQUENCE (SIZE(0..maxNrOfMeasNCell-1)) OF SEQUENCE { uC-Id UC-Id, iE-Extensions ProtocolExtensionContainer { { UnsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformationItem-ExtIEs} } OPTIONAL, ... }, iE-Extensions ProtocolExtensionContainer { { SFNSFNMeasurementValueInformationItem-ExtIEs} } OPTIONAL, ... } SFNSFNMeasurementValueInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UnsuccessfullNeighbouringCellSFNSFNObservedTimeDifferenceMeasurementInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SFNSFNQuality ::= INTEGER (0..255) -- Unit chip, Step 1/16 chip, Range 0.. 255/16 chip ShutdownTimer ::= INTEGER (1..3600) -- Unit sec SIB-Originator ::= ENUMERATED { nodeB, cRNC, ... } SIR-Error-Value ::= INTEGER (0..125) -- According to mapping in [22] SFNSFNTimeStampInformation ::= CHOICE { sFNSFNTimeStamp-FDD SFN, sFNSFNTimeStamp-TDD SFNSFNTimeStamp-TDD, ...} SFNSFNTimeStamp-TDD::= SEQUENCE { sFN SFN, timeSlot TimeSlot, iE-Extensions ProtocolExtensionContainer { { SFNSFNTimeStamp-ExtIEs} } OPTIONAL, ... } SFNSFNTimeStamp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SFNSFNValue ::= CHOICE { sFNSFN-FDD SFNSFN-FDD, sFNSFN-TDD SFNSFN-TDD, --- 1.28Mcps and 3.84Mcps TDD only ..., sFNSFN-TDD768 SFNSFN-TDD768 } Single-Stream-MIMO-ActivationIndicator ::= NULL Single-Stream-MIMO-Capability ::= ENUMERATED { single-stream-mimo-capable, single-stream-mimo-non-capable } Single-Stream-MIMO-Mode-Indicator ::= ENUMERATED { activate, deactivate } SIR-Error-Value-IncrDecrThres ::= INTEGER (0..124) SIR-Value ::= INTEGER (0..63) -- According to mapping in [22]/[23] SIR-Value-IncrDecrThres ::= INTEGER (0..62) SignallingBearerRequestIndicator::= ENUMERATED {bearerRequested} SixtyfourQAM-UsageAllowedIndicator ::= ENUMERATED { allowed, not-allowed } SixtyfourQAM-DL-UsageIndicator ::= ENUMERATED { sixtyfourQAM-DL-used, sixtyfourQAM-DL-not-used } SixtyfourQAM-DL-Capability ::= ENUMERATED { sixtyfourQAM-DL-supported, sixtyfourQAM-DL-not-supported } SixtyfourQAM-DL-MIMO-Combined-Capability ::= ENUMERATED { sixtyfourQAM-DL-MIMO-Combined-capable, sixtyfourQAM-DL-MIMO-Combined-non-capable } SignatureSequenceGroupIndex ::= INTEGER (0..19) SixteenQAM-UL-Capability ::= ENUMERATED { sixteenQAM-UL-capable, sixteenQAM-UL-non-capable } SixteenQAM-UL-Operation-Indicator ::= ENUMERATED { activate, deactivate } SNPL-Reporting-Type ::= ENUMERATED { type1, type2 } Soffset ::= INTEGER (0..9,...) SpecialBurstScheduling ::= INTEGER (1..256) -- Number of frames between special burst transmission during DTX Start-Of-Audit-Sequence-Indicator ::= ENUMERATED { start-of-audit-sequence, not-start-of-audit-sequence } Status-Flag ::= ENUMERATED { activate, deactivate } STTD-Indicator ::= ENUMERATED { active, inactive, ... } SSDT-SupportIndicator ::= ENUMERATED { not-Used-sSDT-Supported, sSDT-not-supported } Sub-Frame-Number ::= INTEGER (0..4,...) SyncCase ::= INTEGER (1..2,...) SYNCDlCodeId ::= INTEGER (1..32,...) SyncFrameNumber ::= INTEGER (1..10) SynchronisationReportCharacteristics ::= SEQUENCE { synchronisationReportCharacteristicsType SynchronisationReportCharacteristicsType, synchronisationReportCharactThreExc SynchronisationReportCharactThreExc OPTIONAL, -- This IE shall be included if the synchronisationReportCharacteristicsType IE is set to "thresholdExceeding". iE-Extensions ProtocolExtensionContainer { { SynchronisationReportCharacteristics-ExtIEs } } OPTIONAL, ... } SynchronisationReportCharacteristics-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-SyncDLCodeIdThreInfoLCR CRITICALITY ignore EXTENSION SyncDLCodeIdThreInfoLCR PRESENCE optional }, ... } SynchronisationReportCharactThreExc ::= SEQUENCE (SIZE (1..maxNrOfCellSyncBursts)) OF SynchronisationReportCharactThreInfoItem -- Mandatory for 3.84Mcps TDD only. Not Applicable to 1.28Mcps TDD. SynchronisationReportCharactThreInfoItem ::= SEQUENCE { syncFrameNumber SyncFrameNumber, cellSyncBurstInformation SEQUENCE (SIZE (1.. maxNrOfReceptsPerSyncFrame)) OF SynchronisationReportCharactCellSyncBurstInfoItem, iE-Extensions ProtocolExtensionContainer { { SynchronisationReportCharactThreInfoItem-ExtIEs } } OPTIONAL, ... } SynchronisationReportCharactThreInfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SynchronisationReportCharactCellSyncBurstInfoItem ::= SEQUENCE { cellSyncBurstCode CellSyncBurstCode, cellSyncBurstCodeShift CellSyncBurstCodeShift, cellSyncBurstTiming CellSyncBurstTiming OPTIONAL, cellSyncBurstTimingThreshold CellSyncBurstTimingThreshold OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SynchronisationReportCharactCellSyncBurstInfoItem-ExtIEs } } OPTIONAL, ... } SynchronisationReportCharactCellSyncBurstInfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SyncDLCodeIdThreInfoLCR ::= SEQUENCE (SIZE (0..maxNrOfSyncFramesLCR)) OF SyncDLCodeIdThreInfoList --Mandatory for 1.28Mcps TDD only. Not Applicable to 3.84Mcps TDD. SyncDLCodeIdThreInfoList ::= SEQUENCE { syncFrameNoToReceive SyncFrameNumber, syncDLCodeIdInfoLCR SyncDLCodeInfoListLCR, iE-Extensions ProtocolExtensionContainer { { SyncDLCodeIdThreInfoList-ExtIEs } } OPTIONAL, ... } SyncDLCodeIdThreInfoList-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SyncDLCodeInfoListLCR ::= SEQUENCE (SIZE (1..maxNrOfSyncDLCodesLCR)) OF SyncDLCodeInfoItemLCR SyncDLCodeInfoItemLCR ::= SEQUENCE { syncDLCodeId SYNCDlCodeId, syncDLCodeIdArrivTime CellSyncBurstTimingLCR OPTIONAL, syncDLCodeIdTimingThre CellSyncBurstTimingThreshold OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SyncDLCodeInfoItem-LCR-ExtIEs } } OPTIONAL, ... } SyncDLCodeInfoItem-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SynchronisationReportCharacteristicsType ::= ENUMERATED { frameRelated, sFNperiodRelated, cycleLengthRelated, thresholdExceeding, frequencyAcquisitionCompleted, ... } SynchronisationReportType ::= ENUMERATED { initialPhase, steadyStatePhase, lateEntrantCell, frequencyAcquisition, ... } Semi-PersistentScheduling-CapabilityLCR ::= ENUMERATED { semi-Persistent-scheduling-Capable, semi-Persistent-scheduling-Non-Capable } -- ========================================== -- T -- ========================================== T1 ::= ENUMERATED {v10,v20,v30,v40,v50,v60,v70,v80,v90,v100,v120,v140,v160,v200,v300,v400,...} T321 ::= ENUMERATED {v100,v200,v400,v800,...} T-Cell ::= ENUMERATED { v0, v1, v2, v3, v4, v5, v6, v7, v8, v9 } T-RLFAILURE ::= INTEGER (0..255) -- Unit seconds, Range 0s .. 25.5s, Step 0.1s T-PROTECT ::= ENUMERATED {v40,v60,v80,v100,v120,v200,v400,...} T-SYNC ::= ENUMERATED {v40,v80,v120,v160,v200,v300,v400,v500,...} TDD-AckNack-Power-Offset ::= INTEGER (-7..8,...) -- Unit dB, Range -7dB .. +8dB, Step 1dB TDD-ChannelisationCode ::= ENUMERATED { chCode1div1, chCode2div1, chCode2div2, chCode4div1, chCode4div2, chCode4div3, chCode4div4, chCode8div1, chCode8div2, chCode8div3, chCode8div4, chCode8div5, chCode8div6, chCode8div7, chCode8div8, chCode16div1, chCode16div2, chCode16div3, chCode16div4, chCode16div5, chCode16div6, chCode16div7, chCode16div8, chCode16div9, chCode16div10, chCode16div11, chCode16div12, chCode16div13, chCode16div14, chCode16div15, chCode16div16, ... } TDD-ChannelisationCodeLCR ::= SEQUENCE { tDD-ChannelisationCode TDD-ChannelisationCode, modulation Modulation, -- Modulation options for 1.28Mcps TDD in contrast to 3.84Mcps TDD or 7.68Mcps TDD iE-Extensions ProtocolExtensionContainer { { TDD-ChannelisationCodeLCR-ExtIEs} } OPTIONAL, ... } TDD-ChannelisationCodeLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TDD-ChannelisationCode768 ::= ENUMERATED { chCode1div1, chCode2div1, chCode2div2, chCode4div1, chCode4div2, chCode4div3, chCode4div4, chCode8div1, chCode8div2, chCode8div3, chCode8div4, chCode8div5, chCode8div6, chCode8div7, chCode8div8, chCode16div1, chCode16div2, chCode16div3, chCode16div4, chCode16div5, chCode16div6, chCode16div7, chCode16div8, chCode16div9, chCode16div10, chCode16div11, chCode16div12, chCode16div13, chCode16div14, chCode16div15, chCode16div16, chCode32div1, chCode32div2, chCode32div3, chCode32div4, chCode32div5, chCode32div6, chCode32div7, chCode32div8, chCode32div9, chCode32div10, chCode32div11, chCode32div12, chCode32div13, chCode32div14, chCode32div15, chCode32div16, chCode32div17, chCode32div18, chCode32div19, chCode32div20, chCode32div21, chCode32div22, chCode32div23, chCode32div24, chCode32div25, chCode32div26, chCode32div27, chCode32div28, chCode32div29, chCode32div30, chCode32div31, chCode32div32, ... } TDD-DL-Code-Information ::= SEQUENCE (SIZE (1..maxNrOfDPCHs)) OF TDD-DL-Code-InformationItem TDD-DL-Code-InformationItem ::= SEQUENCE { dPCH-ID DPCH-ID, tdd-ChannelisationCode TDD-ChannelisationCode, iE-Extensions ProtocolExtensionContainer { { TDD-DL-Code-InformationItem-ExtIEs} } OPTIONAL, ... } TDD-DL-Code-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TDD-DL-Code-LCR-Information ::= SEQUENCE (SIZE (1..maxNrOfDPCHLCRs)) OF TDD-DL-Code-LCR-InformationItem TDD-DL-Code-LCR-InformationItem ::= SEQUENCE { dPCH-ID DPCH-ID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, tdd-DL-DPCH-TimeSlotFormat-LCR TDD-DL-DPCH-TimeSlotFormat-LCR, iE-Extensions ProtocolExtensionContainer { { TDD-DL-Code-LCR-InformationItem-ExtIEs} } OPTIONAL, ... } TDD-DL-Code-LCR-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TDD-DL-Code-768-Information ::= SEQUENCE (SIZE (1..maxNrOfDPCHs768)) OF TDD-DL-Code-768-InformationItem TDD-DL-Code-768-InformationItem ::= SEQUENCE { dPCH-ID DPCH-ID, tdd-ChannelisationCode768 TDD-ChannelisationCode768, iE-Extensions ProtocolExtensionContainer { { TDD-DL-Code-768-InformationItem-ExtIEs} } OPTIONAL, ... } TDD-DL-Code-768-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TDD-DL-DPCH-TimeSlotFormat-LCR ::= CHOICE { qPSK QPSK-DL-DPCH-TimeSlotFormatTDD-LCR, eightPSK EightPSK-DL-DPCH-TimeSlotFormatTDD-LCR, -- For 1.28 Mcps TDD, if the cell is operating in MBSFN only mode, this IE denotes MBSFN S-CCPCH time slot format ... } QPSK-DL-DPCH-TimeSlotFormatTDD-LCR ::= INTEGER(0..24,...) EightPSK-DL-DPCH-TimeSlotFormatTDD-LCR ::= INTEGER(0..24,...) -- For 1.28 Mcps TDD, if the cell is operating in MBSFN only mode, this IE denotes MBSFN S-CCPCH time slot format?INTEGER(0..11,...) TDD-DPCHOffset ::= CHOICE { initialOffset INTEGER (0..255), noinitialOffset INTEGER (0..63) } TDD-PhysicalChannelOffset ::= INTEGER (0..63) TDD-TPC-DownlinkStepSize ::= ENUMERATED { step-size1, step-size2, step-size3, ... } TDD-TPC-UplinkStepSize-LCR ::= ENUMERATED { step-size1, step-size2, step-size3, ... } TransportFormatCombination-Beta ::= CHOICE { signalledGainFactors SEQUENCE { gainFactor CHOICE { fdd SEQUENCE { betaC BetaCD, betaD BetaCD, iE-Extensions ProtocolExtensionContainer { { GainFactorFDD-ExtIEs } } OPTIONAL, ... }, tdd BetaCD, ... }, refTFCNumber RefTFCNumber OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SignalledGainFactors-ExtIEs } } OPTIONAL, ... }, computedGainFactors RefTFCNumber, ... } GainFactorFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SignalledGainFactors-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TDD-UL-Code-Information ::= SEQUENCE (SIZE (1..maxNrOfDPCHs)) OF TDD-UL-Code-InformationItem TDD-UL-Code-InformationItem ::= SEQUENCE { dPCH-ID DPCH-ID, tdd-ChannelisationCode TDD-ChannelisationCode, iE-Extensions ProtocolExtensionContainer { { TDD-UL-Code-InformationItem-ExtIEs} } OPTIONAL, ... } TDD-UL-Code-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TDD-UL-Code-LCR-Information ::= SEQUENCE (SIZE (1..maxNrOfDPCHLCRs)) OF TDD-UL-Code-LCR-InformationItem TDD-UL-Code-LCR-InformationItem ::= SEQUENCE { dPCH-ID DPCH-ID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, tdd-UL-DPCH-TimeSlotFormat-LCR TDD-UL-DPCH-TimeSlotFormat-LCR, iE-Extensions ProtocolExtensionContainer { { TDD-UL-Code-LCR-InformationItem-ExtIEs} } OPTIONAL, ... } TDD-UL-Code-LCR-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TDD-UL-Code-768-Information ::= SEQUENCE (SIZE (1..maxNrOfDPCHs)) OF TDD-UL-Code-768-InformationItem TDD-UL-Code-768-InformationItem ::= SEQUENCE { dPCH-ID DPCH-ID, tdd-ChannelisationCode768 TDD-ChannelisationCode768, iE-Extensions ProtocolExtensionContainer { { TDD-UL-Code-768-InformationItem-ExtIEs} } OPTIONAL, ... } TDD-UL-Code-768-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TDD-UL-DPCH-TimeSlotFormat-LCR ::= CHOICE { qPSK QPSK-UL-DPCH-TimeSlotFormatTDD-LCR, eightPSK EightPSK-UL-DPCH-TimeSlotFormatTDD-LCR, ... } QPSK-UL-DPCH-TimeSlotFormatTDD-LCR ::= INTEGER(0..69,...) EightPSK-UL-DPCH-TimeSlotFormatTDD-LCR ::= INTEGER(0..24,...) TFCI-Coding ::= ENUMERATED { v4, v8, v16, v32, ... } TFCI-Presence ::= ENUMERATED { present, not-present } TFCI-SignallingMode ::= SEQUENCE { tFCI-SignallingOption TFCI-SignallingMode-TFCI-SignallingOption, not-Used-splitType NULL OPTIONAL, not-Used-lengthOfTFCI2 NULL OPTIONAL, iE-Extensions ProtocolExtensionContainer { { TFCI-SignallingMode-ExtIEs} } OPTIONAL, ... } TFCI-SignallingMode-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TFCI-SignallingMode-TFCI-SignallingOption ::= ENUMERATED { normal, not-Used-split } TGD ::= INTEGER (0|15..269) -- 0 = Undefined, only one transmission gap in the transmission gap pattern sequence TGPRC ::= INTEGER (0..511) -- 0 = infinity TGPSID ::= INTEGER (1.. maxTGPS) TGSN ::= INTEGER (0..14) TimeSlot ::= INTEGER (0..14) TimeSlotDirection ::= ENUMERATED { ul, dl, ... } TimeSlot-InitiatedListLCR ::= SEQUENCE (SIZE (0..6)) OF TimeSlotLCR TimeSlotLCR ::= INTEGER (0..6) TimeslotLCR-Extension ::= ENUMERATED { ts7, ... } -- ts7 indicates the MBSFN Special Timeslot for 1.28Mcps TDD MBSFN Dedicated Carrier. TimeSlotMeasurementValueListLCR::= SEQUENCE (SIZE (1..6)) OF TimeSlotMeasurementValueLCR TimeSlotMeasurementValueLCR ::= SEQUENCE { timeSlotLCR TimeSlotLCR, commonMeasurementValue CommonMeasurementValue, iE-Extensions ProtocolExtensionContainer { {TimeSlotMeasurementValueListLCR-ExtIEs} } OPTIONAL, ... } TimeSlotMeasurementValueListLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TimeSlotStatus ::= ENUMERATED { active, not-active, ... } TimingAdjustmentValue ::= CHOICE { initialPhase INTEGER (0..1048575,...), steadyStatePhase INTEGER (0..255,...) } TimingAdjustmentValueLCR ::= CHOICE { initialPhase INTEGER (0..524287,...), steadyStatePhase INTEGER (0..127,...) } TimingAdvanceApplied ::= ENUMERATED { yes, no } SynchronisationIndicator ::= ENUMERATED { timingMaintainedSynchronisation, ... } TnlQos ::= CHOICE { dsField DsField, genericTrafficCategory GenericTrafficCategory, ... } ToAWE ::= INTEGER (0..2559) -- Unit ms ToAWS ::= INTEGER (0..1279) -- Unit ms Transmission-Gap-Pattern-Sequence-Information ::= SEQUENCE (SIZE (1..maxTGPS)) OF SEQUENCE { tGPSID TGPSID, tGSN TGSN, tGL1 GapLength, tGL2 GapLength OPTIONAL, tGD TGD, tGPL1 GapDuration, not-to-be-used-1 GapDuration OPTIONAL, -- This IE shall never be included in the SEQUENCE. If received it shall be ignored uL-DL-mode UL-DL-mode, downlink-Compressed-Mode-Method Downlink-Compressed-Mode-Method OPTIONAL, -- This IE shall be present if the UL/DL mode IE is set to "DL only" or "UL/DL" uplink-Compressed-Mode-Method Uplink-Compressed-Mode-Method OPTIONAL, -- This IE shall be present if the UL/DL mode IE is set to "UL only" or "UL/DL" dL-FrameType DL-FrameType, delta-SIR1 DeltaSIR, delta-SIR-after1 DeltaSIR, delta-SIR2 DeltaSIR OPTIONAL, delta-SIR-after2 DeltaSIR OPTIONAL, iE-Extensions ProtocolExtensionContainer { {Transmission-Gap-Pattern-Sequence-Information-ExtIEs} } OPTIONAL, ... } Transmission-Gap-Pattern-Sequence-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TransmissionGapPatternSequenceCodeInformation ::= ENUMERATED{ code-change, nocode-change } TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCell)) OF TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue-Item TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue-Item ::= SEQUENCE{ cellPortionID CellPortionID, transmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue, iE-Extensions ProtocolExtensionContainer { { TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue-Item-ExtIEs} } OPTIONAL, ... } TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortionValue ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCellLCR)) OF TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortionValue-Item TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortionValue-Item ::= SEQUENCE{ cellPortionLCRID CellPortionLCRID, transmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue, iE-Extensions ProtocolExtensionContainer { { TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortionValue-Item-ExtIEs} } OPTIONAL, ... } TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortionValue-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue ::= INTEGER(0..100) -- According to mapping in [22] and [23] Transmitted-Carrier-Power-For-CellPortion-Value ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCell)) OF Transmitted-Carrier-Power-For-CellPortion-Value-Item Transmitted-Carrier-Power-For-CellPortion-Value-Item ::= SEQUENCE{ cellPortionID CellPortionID, transmitted-Carrier-Power-Value Transmitted-Carrier-Power-Value, iE-Extensions ProtocolExtensionContainer { { Transmitted-Carrier-Power-For-CellPortion-Value-Item-ExtIEs} } OPTIONAL, ... } Transmitted-Carrier-Power-For-CellPortion-Value-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Transmitted-Carrier-Power-For-CellPortion-ValueLCR ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCellLCR)) OF Transmitted-Carrier-Power-For-CellPortion-ValueLCR-Item Transmitted-Carrier-Power-For-CellPortion-ValueLCR-Item ::= SEQUENCE{ cellPortionLCRID CellPortionLCRID, transmitted-Carrier-Power-Value Transmitted-Carrier-Power-Value, iE-Extensions ProtocolExtensionContainer { { Transmitted-Carrier-Power-For-CellPortion-ValueLCR-Item-ExtIEs} } OPTIONAL, ... } Transmitted-Carrier-Power-For-CellPortion-ValueLCR-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Transmitted-Carrier-Power-Value ::= INTEGER(0..100) -- According to mapping in [22]/[23] Transmitted-Code-Power-Value ::= INTEGER (0..127) -- According to mapping in [22]/[23]. Values 0 to 9 and 123 to 127 shall not be used. Transmitted-Code-Power-Value-IncrDecrThres ::= INTEGER (0..112,...) TransmissionDiversityApplied ::= BOOLEAN -- true: applied, false: not applied TransmitDiversityIndicator ::= ENUMERATED { active, inactive } TFCS ::= SEQUENCE { tFCSvalues CHOICE { no-Split-in-TFCI TFCS-TFCSList, not-Used-split-in-TFCI NULL, -- This choice shall never be made by the CRNC and the Node B shall consider the procedure as failed if it is received. ... }, iE-Extensions ProtocolExtensionContainer { { TFCS-ExtIEs} } OPTIONAL, ... } TFCS-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TFCS-TFCSList ::= SEQUENCE (SIZE (1..maxNrOfTFCs)) OF SEQUENCE { cTFC TFCS-CTFC, tFC-Beta TransportFormatCombination-Beta OPTIONAL, -- The IE shall be present if the TFCS concerns a UL DPCH or PRACH channel [FDD - or PCPCH channel]. iE-Extensions ProtocolExtensionContainer { { TFCS-TFCSList-ExtIEs} } OPTIONAL, ... } TFCS-TFCSList-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TFCS-CTFC ::= CHOICE { ctfc2bit INTEGER (0..3), ctfc4bit INTEGER (0..15), ctfc6bit INTEGER (0..63), ctfc8bit INTEGER (0..255), ctfc12bit INTEGER (0..4095), ctfc16bit INTEGER (0..65535), ctfcmaxbit INTEGER (0..maxCTFC) } Transport-Block-Size-Index ::= INTEGER(1..maxNrOfHS-DSCH-TBSs) Transport-Block-Size-Index-for-Enhanced-PCH ::= INTEGER(1..32) -- Index of the value range 1 to 32 of the MAC-ehs transport block size as specified in appendix A of [32] Transport-Block-Size-List ::= SEQUENCE (SIZE (1..maxNrOfHS-DSCHTBSsE-PCH)) OF SEQUENCE { transport-Block-Size-Index-for-Enhanced-PCH Transport-Block-Size-Index-for-Enhanced-PCH, iE-Extensions ProtocolExtensionContainer { { Transport-Block-Size-List-ExtIEs} } OPTIONAL, ... } Transport-Block-Size-List-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TransportBearerRequestIndicator ::= ENUMERATED { bearerRequested, bearerNotRequested, ... } TransportBearerNotRequestedIndicator ::= ENUMERATED { transport-bearer-shall-not-be-established, transport-bearer-may-not-be-established } TransportBearerNotSetupIndicator ::= ENUMERATED { transport-bearer-not-setup } TransportFormatSet ::= SEQUENCE { dynamicParts TransportFormatSet-DynamicPartList, semi-staticPart TransportFormatSet-Semi-staticPart, iE-Extensions ProtocolExtensionContainer { { TransportFormatSet-ExtIEs} } OPTIONAL, ... } TransportFormatSet-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TransportFormatSet-DynamicPartList ::= SEQUENCE (SIZE (1..maxNrOfTFs)) OF SEQUENCE { nrOfTransportBlocks TransportFormatSet-NrOfTransportBlocks, transportBlockSize TransportFormatSet-TransportBlockSize OPTIONAL, -- This IE shall be present if the Number of Transport Blocks IE is set to a value greater than 0 mode TransportFormatSet-ModeDP, iE-Extensions ProtocolExtensionContainer { { TransportFormatSet-DynamicPartList-ExtIEs} } OPTIONAL, ... } TransportFormatSet-DynamicPartList-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TDD-TransportFormatSet-ModeDP ::= SEQUENCE { transmissionTimeIntervalInformation TransmissionTimeIntervalInformation OPTIONAL, -- This IE shall be present if the Transmission Time Interval IE in the Semi-static Transport Format Information IE is set to "dynamic" iE-Extensions ProtocolExtensionContainer { {TDD-TransportFormatSet-ModeDP-ExtIEs} } OPTIONAL, ... } TDD-TransportFormatSet-ModeDP-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TransmissionTimeIntervalInformation ::= SEQUENCE (SIZE (1..maxTTI-count)) OF SEQUENCE { transmissionTimeInterval TransportFormatSet-TransmissionTimeIntervalDynamic, iE-Extensions ProtocolExtensionContainer { { TransmissionTimeIntervalInformation-ExtIEs} } OPTIONAL, ... } TransmissionTimeIntervalInformation-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TransportFormatSet-Semi-staticPart ::= SEQUENCE { transmissionTimeInterval TransportFormatSet-TransmissionTimeIntervalSemiStatic, channelCoding TransportFormatSet-ChannelCodingType, codingRate TransportFormatSet-CodingRate OPTIONAL, -- This IE shall be present if the Type of channel coding IE is set to 'convolutional' or 'turbo' rateMatchingAttribute TransportFormatSet-RateMatchingAttribute, cRC-Size TransportFormatSet-CRC-Size, mode TransportFormatSet-ModeSSP , iE-Extensions ProtocolExtensionContainer { { TransportFormatSet-Semi-staticPart-ExtIEs} } OPTIONAL, ... } TransportFormatSet-Semi-staticPart-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TransportFormatSet-ChannelCodingType ::= ENUMERATED { no-codingTDD, convolutional-coding, turbo-coding, ... } TransportFormatSet-CodingRate ::= ENUMERATED { half, third, ... } TransportFormatSet-CRC-Size ::= ENUMERATED { v0, v8, v12, v16, v24, ... } TransportFormatSet-ModeDP ::= CHOICE { tdd TDD-TransportFormatSet-ModeDP, notApplicable NULL, ... } TransportFormatSet-ModeSSP ::= CHOICE { tdd TransportFormatSet-SecondInterleavingMode, notApplicable NULL, ... } TransportFormatSet-NrOfTransportBlocks ::= INTEGER (0..512) TransportFormatSet-RateMatchingAttribute ::= INTEGER (1..maxRateMatching) TransportFormatSet-SecondInterleavingMode ::= ENUMERATED { frame-related, timeSlot-related, ... } TransportFormatSet-TransmissionTimeIntervalDynamic ::= ENUMERATED { msec-10, msec-20, msec-40, msec-80, ... } TransportFormatSet-TransmissionTimeIntervalSemiStatic ::= ENUMERATED { msec-10, msec-20, msec-40, msec-80, dynamic, ..., msec-5 } TransportFormatSet-TransportBlockSize ::= INTEGER (0..5000) TransportLayerAddress ::= BIT STRING (SIZE (1..160, ...)) TS0-CapabilityLCR ::= ENUMERATED { tS0-Capable, tS0-Not-Capable } TSTD-Indicator ::= ENUMERATED { active, inactive } TSN-Length ::= ENUMERATED { tsn-6bits, tsn-9bits } TUTRANGANSS ::= SEQUENCE { mS INTEGER(0..16383), lS INTEGER(0..4294967295) } TUTRANGANSSAccuracyClass ::= ENUMERATED { ganssAccuracy-class-A, ganssAccuracy-class-B, ganssAccuracy-class-C, ... } TUTRANGANSSMeasurementThresholdInformation ::= SEQUENCE { tUTRANGANSSChangeLimit INTEGER(1..256) OPTIONAL, predictedTUTRANGANSSDeviationLimit INTEGER(1..256) OPTIONAL, ie-Extensions ProtocolExtensionContainer { { TUTRANGANSSMeasurementThresholdInformation-ExtIEs } } OPTIONAL, ... } TUTRANGANSSMeasurementThresholdInformation-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TUTRANGANSSMeasurementValueInformation ::= SEQUENCE { tUTRANGANSS TUTRANGANSS, tUTRANGANSSQuality INTEGER(0..255) OPTIONAL, tUTRANGANSSDriftRate INTEGER(-50..50), tUTRANGANSSDriftRateQuality INTEGER(0..50) OPTIONAL, ie-Extensions ProtocolExtensionContainer { { TUTRANGANSSMeasurementValueInformation-ExtIEs } } OPTIONAL, ... } TUTRANGANSSMeasurementValueInformation-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-GANSS-Time-ID CRITICALITY ignore EXTENSION GANSS-Time-ID PRESENCE optional}, ... } TUTRANGPS ::= SEQUENCE { ms-part INTEGER (0..16383), ls-part INTEGER (0..4294967295) } TUTRANGPSChangeLimit ::= INTEGER (1..256) -- Unit chip, Step 1/16 chip, Range 1/16..16 chip TUTRANGPSDriftRate ::= INTEGER (-50..50) -- Unit chip/s, Step 1/256 chip/s, Range -50/256..+50/256 chip/s TUTRANGPSDriftRateQuality ::= INTEGER (0..50) -- Unit chip/s, Step 1/256 chip/s, Range 0..50/256 chip/s TUTRANGPSAccuracyClass ::= ENUMERATED { accuracy-class-A, accuracy-class-B, accuracy-class-C, ... } TUTRANGPSMeasurementThresholdInformation ::= SEQUENCE { tUTRANGPSChangeLimit TUTRANGPSChangeLimit OPTIONAL, predictedTUTRANGPSDeviationLimit PredictedTUTRANGPSDeviationLimit OPTIONAL, iE-Extensions ProtocolExtensionContainer { { TUTRANGPSMeasurementThresholdInformation-ExtIEs} } OPTIONAL, ... } TUTRANGPSMeasurementThresholdInformation-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TUTRANGPSMeasurementValueInformation ::= SEQUENCE { tUTRANGPS TUTRANGPS, tUTRANGPSQuality TUTRANGPSQuality OPTIONAL, tUTRANGPSDriftRate TUTRANGPSDriftRate, tUTRANGPSDriftRateQuality TUTRANGPSDriftRateQuality OPTIONAL, iE-Extensions ProtocolExtensionContainer { {TUTRANGPSMeasurementValueInformationItem-ExtIEs} } OPTIONAL, ... } TUTRANGPSMeasurementValueInformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TUTRANGPSQuality ::= INTEGER (0..255) -- Unit chip, Step 1/16 chip, Range 0.. 255/16 chip TxDiversityOnDLControlChannelsByMIMOUECapability ::= ENUMERATED { dL-Control-Channel-Tx-Diversity-for-MIMO-UE-with-non-diverse-P-CPICH-Capable, dL-Control-Channel-Tx-Diversity-for-MIMO-UE-with-non-diverse-P-CPICH-Not-Capable } TypeOfError ::= ENUMERATED { not-understood, missing, ... } -- ========================================== -- U -- ========================================== UARFCN ::= INTEGER (0..16383, ...) -- corresponds to 0MHz .. 3276.6MHz UC-Id ::= SEQUENCE { rNC-ID RNC-ID, c-ID C-ID, iE-Extensions ProtocolExtensionContainer { {UC-Id-ExtIEs} } OPTIONAL, ... } UC-Id-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-RNC-ID CRITICALITY reject EXTENSION Extended-RNC-ID PRESENCE optional}, ... } UDRE ::= ENUMERATED { udre-minusequal-one-m, udre-betweenoneandfour-m, udre-betweenfourandeight-m, udre-greaterequaleight-m } UDREGrowthRate ::= ENUMERATED { growth-1-point-5, growth-2, growth-4, growth-6, growth-8, growth-10, growth-12, growth-16 } UDREValidityTime ::= ENUMERATED { val-20sec, val-40sec, val-80sec, val-160sec, val-320sec, val-640sec, val-1280sec, val-2560sec } UE-AggregateMaximumBitRate ::= SEQUENCE { uE-AggregateMaximumBitRateDownlink UE-AggregateMaximumBitRateDownlink OPTIONAL, uE-AggregateMaximumBitRateUplink UE-AggregateMaximumBitRateUplink OPTIONAL, ... } UE-AggregateMaximumBitRateDownlink ::= INTEGER (1..1000000000) -- Unit is bits per sec UE-AggregateMaximumBitRateUplink ::= INTEGER (1..1000000000) -- Unit is bits per sec UE-AggregateMaximumBitRate-Enforcement-Indicator ::= NULL UE-Capability-Information ::= SEQUENCE { hSDSCH-Physical-Layer-Category INTEGER (1..64,...), iE-Extensions ProtocolExtensionContainer { { UE-Capability-Information-ExtIEs } } OPTIONAL, ... } UE-Capability-Information-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-LCRTDD-uplink-Physical-Channel-Capability CRITICALITY ignore EXTENSION LCRTDD-Uplink-Physical-Channel-Capability PRESENCE optional}| {ID id-number-Of-Supported-Carriers CRITICALITY reject EXTENSION Number-Of-Supported-Carriers PRESENCE optional}| {ID id-MultiCarrier-HSDSCH-Physical-Layer-Category CRITICALITY ignore EXTENSION LCRTDD-HSDSCH-Physical-Layer-Category PRESENCE optional}| {ID id-MIMO-SFMode-Supported-For-HSPDSCHDualStream CRITICALITY reject EXTENSION MIMO-SFMode-For-HSPDSCHDualStream PRESENCE optional}| {ID id-UE-TS0-CapabilityLCR CRITICALITY ignore EXTENSION UE-TS0-CapabilityLCR PRESENCE optional}, ... } UE-TS0-CapabilityLCR ::= ENUMERATED { uE-TS0-Capable, uE-TS0-Not-Capable } UE-SupportIndicatorExtension ::= BIT STRING (SIZE (32)) -- First bit: Different HS-SCCH In Consecutive TTIs Support Indicator -- Second bit: HS-SCCH orders in HS-SCCH-less Operation Support Indicator -- Note that undefined bits are considered as a spare bit and spare bits shall be set to 0 by the transmitter and shall be ignored by the receiver. LCRTDD-HSDSCH-Physical-Layer-Category ::= INTEGER (1..64) UE-DPCCH-burst1 ::= ENUMERATED {v1, v2, v5} -- Unit subframe UE-DPCCH-burst2 ::= ENUMERATED {v1, v2, v5} -- Unit subframe UE-DRX-Cycle ::= ENUMERATED {v4, v5, v8, v10, v16, v20} -- Unit subframe UE-DRX-Grant-Monitoring ::= BOOLEAN -- true: applied, false: not applied UE-DTX-Cycle1-2ms ::= ENUMERATED {v1, v4, v5, v8, v10, v16, v20} -- Unit subframe UE-DTX-Cycle1-10ms ::= ENUMERATED {v1, v5, v10, v20} -- Unit subframe UE-DTX-Cycle2-2ms ::= ENUMERATED {v4, v5, v8, v10, v16, v20, v32, v40, v64, v80, v128, v160} -- Unit subframe UE-DTX-Cycle2-10ms ::= ENUMERATED {v5, v10, v20, v40, v80, v160} -- Unit subframe UE-DTX-DRX-Offset ::= INTEGER (0..159) -- Unit subframe UE-DTX-Long-Preamble ::= ENUMERATED {v2, v4, v15} -- Units of slots UL-CapacityCredit ::= INTEGER (0..65535) UL-Delta-T2TP ::= INTEGER (0..6,...) UL-DL-mode ::= ENUMERATED { ul-only, dl-only, both-ul-and-dl } UL-DPDCH-Indicator-For-E-DCH-Operation ::= ENUMERATED { ul-DPDCH-present, ul-DPDCH-not-present } Uplink-Compressed-Mode-Method ::= ENUMERATED { sFdiv2, higher-layer-scheduling, ... } UL-Timeslot-Information ::= SEQUENCE (SIZE (1..maxNrOfULTSs)) OF UL-Timeslot-InformationItem UL-Timeslot-InformationItem ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType, tFCI-Presence TFCI-Presence, uL-Code-InformationList TDD-UL-Code-Information, iE-Extensions ProtocolExtensionContainer { { UL-Timeslot-InformationItem-ExtIEs} } OPTIONAL, ... } UL-Timeslot-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-TimeslotLCR-Information ::= SEQUENCE (SIZE (1..maxNrOfULTSLCRs)) OF UL-TimeslotLCR-InformationItem UL-TimeslotLCR-InformationItem ::= SEQUENCE { timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, tFCI-Presence TFCI-Presence, uL-Code-InformationList TDD-UL-Code-LCR-Information, iE-Extensions ProtocolExtensionContainer { { UL-TimeslotLCR-InformationItem-ExtIEs} } OPTIONAL, ... } UL-TimeslotLCR-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-PLCCH-Information-UL-TimeslotLCR-Info CRITICALITY reject EXTENSION PLCCHinformation PRESENCE optional }, ... } UL-Timeslot768-Information ::= SEQUENCE (SIZE (1..maxNrOfULTSs)) OF UL-Timeslot768-InformationItem UL-Timeslot768-InformationItem ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tFCI-Presence TFCI-Presence, uL-Code-InformationList TDD-UL-Code-768-Information, iE-Extensions ProtocolExtensionContainer { { UL-Timeslot768-InformationItem-ExtIEs} } OPTIONAL, ... } UL-Timeslot768-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCCH-SlotFormat ::= INTEGER (0..5,...) UL-SIR ::= INTEGER (-82..173) -- According to mapping in [16] UL-FP-Mode ::= ENUMERATED { normal, silent, ... } UL-PhysCH-SF-Variation ::= ENUMERATED { sf-variation-supported, sf-variation-not-supported } UL-ScramblingCode ::= SEQUENCE { uL-ScramblingCodeNumber UL-ScramblingCodeNumber, uL-ScramblingCodeLength UL-ScramblingCodeLength, iE-Extensions ProtocolExtensionContainer { { UL-ScramblingCode-ExtIEs } } OPTIONAL, ... } UL-ScramblingCode-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-ScramblingCodeNumber ::= INTEGER (0..16777215) UL-ScramblingCodeLength ::= ENUMERATED { short, long } UL-Synchronisation-Parameters-LCR ::= SEQUENCE { uL-Synchronisation-StepSize UL-Synchronisation-StepSize, uL-Synchronisation-Frequency UL-Synchronisation-Frequency, iE-Extensions ProtocolExtensionContainer { { UL-Synchronisation-Parameters-LCR-ExtIEs } } OPTIONAL, ... } UL-Synchronisation-Parameters-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Synchronisation-StepSize ::= INTEGER (1..8) UL-Synchronisation-Frequency ::= INTEGER (1..8) UPPCHPositionLCR ::= INTEGER (0..127) UL-TimeSlot-ISCP-Info ::= SEQUENCE (SIZE (1..maxNrOfULTSs)) OF UL-TimeSlot-ISCP-InfoItem UL-TimeSlot-ISCP-InfoItem ::= SEQUENCE { timeSlot TimeSlot, iSCP UL-TimeslotISCP-Value, iE-Extensions ProtocolExtensionContainer { { UL-TimeSlot-ISCP-InfoItem-ExtIEs} } OPTIONAL, ... } UL-TimeSlot-ISCP-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-TimeSlot-ISCP-LCR-Info ::= SEQUENCE (SIZE (1..maxNrOfULTSLCRs)) OF UL-TimeSlot-ISCP-LCR-InfoItem UL-TimeSlot-ISCP-LCR-InfoItem ::= SEQUENCE { timeSlotLCR TimeSlotLCR, iSCP UL-TimeslotISCP-Value, iE-Extensions ProtocolExtensionContainer { { UL-TimeSlot-ISCP-LCR-InfoItem-ExtIEs} } OPTIONAL, ... } UL-TimeSlot-ISCP-LCR-InfoItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UpPTSInterference-For-CellPortion-Value ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCellLCR)) OF UpPTSInterference-For-CellPortion-Value-Item UpPTSInterference-For-CellPortion-Value-Item ::= SEQUENCE{ cellPortionLCRID CellPortionLCRID, upPTSInterferenceValue UpPTSInterferenceValue, iE-Extensions ProtocolExtensionContainer { { UpPTSInterference-For-CellPortion-Value-Item-ExtIEs} } OPTIONAL, ... } UpPTSInterference-For-CellPortion-Value-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UpPTSInterferenceValue ::= INTEGER (0..127,...) Unidirectional-DCH-Indicator ::= ENUMERATED { downlink-DCH-only, uplink-DCH-only } USCH-Information ::= SEQUENCE (SIZE (1..maxNrOfUSCHs)) OF USCH-InformationItem USCH-InformationItem ::= SEQUENCE { uSCH-ID USCH-ID, cCTrCH-ID CCTrCH-ID, -- UL CCTrCH in which the USCH is mapped transportFormatSet TransportFormatSet, -- For USCH allocationRetentionPriority AllocationRetentionPriority, iE-Extensions ProtocolExtensionContainer { { USCH-InformationItem-ExtIEs} } OPTIONAL, ... } USCH-InformationItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-bindingID CRITICALITY ignore EXTENSION BindingID PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-transportlayeraddress CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } USCH-InformationResponse ::= SEQUENCE (SIZE (1..maxNrOfUSCHs)) OF USCH-InformationResponseItem USCH-InformationResponseItem ::= SEQUENCE { uSCH-ID USCH-ID, bindingID BindingID OPTIONAL, transportLayerAddress TransportLayerAddress OPTIONAL, iE-Extensions ProtocolExtensionContainer { { USCH-InformationResponseItem-ExtIEs} } OPTIONAL, ... } USCH-InformationResponseItem-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-TimeslotISCP-For-CellPortion-Value ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCellLCR)) OF UL-TimeslotISCP-For-CellPortion-Value-Item UL-TimeslotISCP-For-CellPortion-Value-Item ::= SEQUENCE{ cellPortionLCRID CellPortionLCRID, uL-TimeslotISCP-Value UL-TimeslotISCP-Value, iE-Extensions ProtocolExtensionContainer { { UL-TimeslotISCP-For-CellPortion-Value-Item-ExtIEs} } OPTIONAL, ... } UL-TimeslotISCP-For-CellPortion-Value-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-TimeslotISCP-Value ::= INTEGER (0..127) -- According to mapping in [23] UL-TimeslotISCP-Value-IncrDecrThres ::= INTEGER (0..126) USCH-ID ::= INTEGER (0..255) Uu-ActivationState ::= ENUMERATED { activated, de-activated, ... } -- ========================================== -- V -- ========================================== -- ========================================== -- W -- ========================================== -- ========================================== -- X -- ========================================== -- ========================================== -- Y -- ========================================== -- ========================================== -- Z -- ========================================== END
ASN.1
wireshark/epan/dissectors/asn1/nbap/NBAP-PDU-Contents.asn
-- NBAP-PDU-Contents.asn -- -- Taken from 3GPP TS 25.433 V9.2.0 (2010-03) -- http://www.3gpp.org/ftp/Specs/archive/25_series/25.433 -- -- 9.3.3 PDU Definitions -- -- ************************************************************** -- -- PDU definitions for NBAP. -- -- ************************************************************** NBAP-PDU-Contents { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) umts-Access (20) modules (3) nbap (2) version1 (1) nbap-PDU-Contents (1) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- IE parameter types from other modules. -- -- ************************************************************** IMPORTS Active-Pattern-Sequence-Information, AddorDeleteIndicator, AICH-Power, AICH-TransmissionTiming, AllocationRetentionPriority, AlternativeFormatReportingIndicator, AvailabilityStatus, BCCH-ModificationTime, BindingID, BlockingPriorityIndicator, BroadcastReference, SCTD-Indicator, Cause, CCTrCH-ID, Cell-ERNTI-Status-Information, CellParameterID, CellPortionID, CellSyncBurstCode, CellSyncBurstCodeShift, CellSyncBurstRepetitionPeriod, CellSyncBurstSIR, CellSyncBurstTiming, CellSyncBurstTimingThreshold, CellPortion-CapabilityLCR, CFN, ChipOffset, C-ID, Closedlooptimingadjustmentmode, CommonChannelsCapacityConsumptionLaw, Compressed-Mode-Deactivation-Flag, Common-MACFlows-to-DeleteFDD, CommonMeasurementAccuracy, CommonMeasurementType, CommonMeasurementValue, CommonMeasurementValueInformation, CommonPhysicalChannelID, CommonPhysicalChannelID768, Common-EDCH-Capability, Common-E-DCH-HSDPCCH-Capability, Common-EDCH-System-InformationFDD, Common-EDCH-System-Information-ResponseFDD, Common-PhysicalChannel-Status-Information, Common-PhysicalChannel-Status-Information768, Common-TransportChannel-Status-Information, CommonTransportChannelID, CommonTransportChannel-InformationResponse, CommunicationControlPortID, ConfigurationGenerationID, ConstantValue, ContinuousPacketConnectivityDTX-DRX-Capability, ContinuousPacketConnectivityDTX-DRX-Information, ContinuousPacketConnectivityHS-SCCH-less-Capability, ContinuousPacketConnectivityHS-SCCH-less-Information, ContinuousPacketConnectivityHS-SCCH-less-Information-Response, ContinuousPacketConnectivity-DRX-CapabilityLCR, ContinuousPacketConnectivity-DRX-InformationLCR, ContinuousPacketConnectivity-DRX-Information-ResponseLCR, CPC-InformationLCR, CPC-Information, CriticalityDiagnostics, CRNC-CommunicationContextID, CSBMeasurementID, CSBTransmissionID, DCH-FDD-Information, DCH-Indicator-For-E-DCH-HSDPA-Operation, DCH-InformationResponse, DCH-ID, FDD-DCHs-to-Modify, TDD-DCHs-to-Modify, DCH-TDD-Information, DedicatedChannelsCapacityConsumptionLaw, DedicatedMeasurementType, DedicatedMeasurementValue, DedicatedMeasurementValueInformation, DelayedActivation, DelayedActivationUpdate, DiversityControlField, DiversityMode, DL-DPCH-SlotFormat, DL-DPCH-TimingAdjustment, DL-or-Global-CapacityCredit, DL-Power, DL-PowerBalancing-Information, DL-PowerBalancing-ActivationIndicator, DLPowerAveragingWindowSize, DL-PowerBalancing-UpdatedIndicator, DL-ScramblingCode, DL-TimeslotISCP, DL-Timeslot-Information, DL-TimeslotLCR-Information, DL-TimeslotISCPInfo, DL-TimeslotISCPInfoLCR, DL-TPC-Pattern01Count, DPC-Mode, DPCH-ID, DPCH-ID768, DSCH-ID, DSCH-InformationResponse, DSCH-TDD-Information, Dual-Band-Capability-Info, DwPCH-Power, E-AGCH-FDD-Code-Information, E-AI-Capability, E-DCH-Capability, E-DCHCapacityConsumptionLaw, E-DCH-TTI2ms-Capability, E-DCH-SF-Capability, E-DCH-HARQ-Combining-Capability, E-DCH-FDD-DL-Control-Channel-Information, E-DCH-FDD-Information, E-DCH-FDD-Information-Response, E-DCH-FDD-Information-to-Modify, E-DCH-FDD-Update-Information, E-DCH-MACdFlow-ID, E-DCH-MACdFlows-Information, E-DCH-MACdFlows-to-Delete, E-DCH-MACdPDU-SizeCapability, E-DCH-RL-Indication, E-DCH-Serving-Cell-Change-Info-Response, E-DPCCH-PO, E-RGCH-E-HICH-FDD-Code-Information, E-RGCH-2-IndexStepThreshold, E-RGCH-3-IndexStepThreshold, End-Of-Audit-Sequence-Indicator, Enhanced-FACH-Capability, Enhanced-PCH-Capability, Enhanced-UE-DRX-Capability, Enhanced-UE-DRX-InformationFDD, E-TFCS-Information, E-TTI, ExtendedPropagationDelay, Fast-Reconfiguration-Mode, Fast-Reconfiguration-Permission, FDD-DL-ChannelisationCodeNumber, FDD-DL-CodeInformation, FDD-S-CCPCH-FrameOffset, FDD-S-CCPCH-Offset, FDD-TPC-DownlinkStepSize, F-DPCH-Capability, F-DPCH-SlotFormat, F-DPCH-SlotFormatCapability, FirstRLS-Indicator, FNReportingIndicator, FPACH-Power, FrameAdjustmentValue, FrameHandlingPriority, FrameOffset, HARQ-Info-for-E-DCH, HSDPA-Capability, HSDSCH-Common-System-InformationFDD, HSDSCH-Common-System-Information-ResponseFDD, HSDSCH-Configured-Indicator, HSDSCH-Paging-System-InformationFDD, HSDSCH-Paging-System-Information-ResponseFDD, HS-DSCH-Serving-Cell-Change-Info, HS-DSCH-Serving-Cell-Change-Info-Response, HSDSCH-MACdPDU-SizeCapability, HS-PDSCH-FDD-Code-Information, HS-SCCH-ID, HS-SCCH-FDD-Code-Information, HS-SICH-ID, IB-OC-ID, IB-SG-DATA, IB-SG-POS, IB-SG-REP, IB-Type, InformationExchangeID, InformationReportCharacteristics, InformationType, Initial-DL-DPCH-TimingAdjustment-Allowed, InnerLoopDLPCStatus, IPDL-FDD-Parameters, IPDL-TDD-Parameters, IPDL-Indicator, IPDL-TDD-Parameters-LCR, IPMulticastIndication, LimitedPowerIncrease, Local-Cell-ID, MaximumDL-PowerCapability, Maximum-Target-ReceivedTotalWideBandPower, MaximumTransmissionPower, MaxNrOfUL-DPDCHs, Max-Set-E-DPDCHs, MaxPRACH-MidambleShifts, Max-UE-DTX-Cycle, MBMS-Capability, MeasurementFilterCoefficient, MeasurementID, MeasurementRecoveryBehavior, MeasurementRecoveryReportingIndicator, MeasurementRecoverySupportIndicator, MICH-CFN, MICH-Mode, MidambleAllocationMode, MidambleShiftAndBurstType, MidambleShiftAndBurstType768, MidambleShiftLCR, MinimumDL-PowerCapability, MinSpreadingFactor, MIMO-Capability, MIMO-PilotConfiguration, MinUL-ChannelisationCodeLength, Modification-Period, MultiplexingPosition, NCyclesPerSFNperiod, NRepetitionsPerCyclePeriod, N-INSYNC-IND, N-OUTSYNC-IND, NeighbouringCellMeasurementInformation, NeighbouringFDDCellMeasurementInformation, NeighbouringTDDCellMeasurementInformation, NI-Information, NodeB-CommunicationContextID, NotificationIndicatorLength, NumberOfReportedCellPortions, NumberOfReportedCellPortionsLCR, NSubCyclesPerCyclePeriod, PagingIndicatorLength, Paging-MACFlows-to-DeleteFDD, PayloadCRC-PresenceIndicator, PCCPCH-Power, PDSCHSet-ID, PDSCH-ID, PDSCH-ID768, PICH-Mode, PICH-Power, PLCCHinformation, PowerAdjustmentType, PowerOffset, PowerRaiseLimit, PRACH-Midamble, PreambleSignatures, PreambleThreshold, PredictedSFNSFNDeviationLimit, PredictedTUTRANGPSDeviationLimit, PrimaryCPICH-Power, Primary-CPICH-Usage-for-Channel-Estimation, PrimaryScramblingCode, PropagationDelay, SCH-TimeSlot, PunctureLimit, PUSCHSet-ID, PUSCH-ID, QE-Selector, RACH-SlotFormat, RACH-SubChannelNumbers, Reference-ReceivedTotalWideBandPower, Reference-ReceivedTotalWideBandPowerReporting, Reference-ReceivedTotalWideBandPowerSupportIndicator, Maximum-Target-ReceivedTotalWideBandPower-LCR, ReferenceClockAvailability, ReferenceSFNoffset, RepetitionLength, RepetitionPeriod, ReportCharacteristics, RequestedDataValue, RequestedDataValueInformation, ResourceOperationalState, RL-Set-ID, RL-ID, RL-Specific-DCH-Info, RL-Specific-E-DCH-Info, Received-total-wide-band-power-Value, AdjustmentPeriod, ScaledAdjustmentRatio, MaxAdjustmentStep, RNC-ID, ScramblingCodeNumber, Secondary-CPICH-Information-Change, SecondaryCCPCH-SlotFormat, Segment-Type, Semi-PersistentScheduling-CapabilityLCR, Serving-E-DCH-RL-ID, SixteenQAM-UL-Capability, SixtyfourQAM-DL-Capability, SixtyfourQAM-DL-MIMO-Combined-Capability, SFN, SFNSFNChangeLimit, SFNSFNDriftRate, SFNSFNDriftRateQuality, SFNSFNQuality, ShutdownTimer, SIB-Originator, SpecialBurstScheduling, SignallingBearerRequestIndicator, Start-Of-Audit-Sequence-Indicator, STTD-Indicator, SSDT-SupportIndicator, E-DPCCH-Power-Boosting-Capability, SyncCase, SYNCDlCodeId, SyncFrameNumber, SynchronisationReportCharacteristics, SynchronisationReportType, Target-NonServing-EDCH-To-Total-EDCH-Power-Ratio, T-Cell, T-RLFAILURE, TDD-ChannelisationCode, TDD-ChannelisationCodeLCR, TDD-ChannelisationCode768, TDD-DL-Code-LCR-Information, TDD-DPCHOffset, TDD-TPC-DownlinkStepSize, TDD-PhysicalChannelOffset, TDD-UL-Code-LCR-Information, TFCI-Coding, TFCI-Presence, TFCI-SignallingMode, TFCS, TimeSlot, TimeSlotLCR, TimeSlotDirection, TimeSlotStatus, TimingAdjustmentValue, TimingAdvanceApplied, TnlQos, ToAWE, ToAWS, TransmissionDiversityApplied, TransmitDiversityIndicator, TransmissionGapPatternSequenceCodeInformation, Transmission-Gap-Pattern-Sequence-Information, TransportBearerRequestIndicator, TransportFormatSet, TransportLayerAddress, TSTD-Indicator, TUTRANGPS, TUTRANGPSChangeLimit, TUTRANGPSDriftRate, TUTRANGPSDriftRateQuality, TUTRANGPSQuality, UARFCN, UC-Id, USCH-Information, USCH-InformationResponse, UL-CapacityCredit, UL-DPCCH-SlotFormat, UL-DPDCH-Indicator-For-E-DCH-Operation, UL-SIR, UL-FP-Mode, UL-PhysCH-SF-Variation, UL-ScramblingCode, UL-Timeslot-Information, UL-TimeslotLCR-Information, UL-TimeSlot-ISCP-Info, UL-TimeSlot-ISCP-LCR-Info, UL-TimeslotISCP-Value, UL-TimeslotISCP-Value-IncrDecrThres, USCH-ID, HSDSCH-FDD-Information, HSDSCH-FDD-Information-Response, HSDSCH-Information-to-Modify, HSDSCH-Information-to-Modify-Unsynchronised, HSDSCH-MACdFlow-ID, HSDSCH-MACdFlows-Information, HSDSCH-MACdFlows-to-Delete, HSDSCH-RNTI, HSDSCH-TDD-Information, HSDSCH-TDD-Information-Response, PrimaryCCPCH-RSCP, HSDSCH-FDD-Update-Information, HSDSCH-TDD-Update-Information, UL-Synchronisation-Parameters-LCR, TDD-DL-DPCH-TimeSlotFormat-LCR, TDD-UL-DPCH-TimeSlotFormat-LCR, TDD-TPC-UplinkStepSize-LCR, CellSyncBurstTimingLCR, TimingAdjustmentValueLCR, PrimaryCCPCH-RSCP-Delta, SynchronisationIndicator, TDD-UL-Code-768-Information, UL-Timeslot768-Information, TDD-DL-Code-768-Information, DL-Timeslot768-Information, E-DCH-TDD-CapacityConsumptionLaw, E-DCH-Information, E-DCH-Information-Response, E-DCH-Information-Reconfig, LTGI-Presence, SNPL-Reporting-Type, E-AGCH-Id, E-HICH-TimeOffset, Maximum-Generated-ReceivedTotalWideBandPowerInOtherCells, E-DCH-768-Information, E-DCH-768-Information-Reconfig, RTWP-ReportingIndicator, RTWP-CellPortion-ReportingIndicator, MAChs-ResetIndicator, E-DCH-LCR-Information, E-DCH-LCR-Information-Reconfig, E-HICH-ID-TDD, E-HICH-TimeOffsetLCR, E-HICH-Type, ModulationPO-MBSFN, Secondary-CCPCH-SlotFormat-Extended, ModulationMBSFN, MBSFN-Only-Mode-Indicator, MBSFN-Only-Mode-Capability, UPPCHPositionLCR, ControlGAP, IdleIntervalInformation, Extended-HS-SICH-ID, Extended-HS-SCCH-ID, TimeslotLCR-Extension, Extended-E-HICH-ID-TDD, AdditionalTimeSlotListLCR, AdditionalMeasurementValueList, HS-SCCH-ID-LCR, Paging-MACFlows-to-DeleteLCR, HSDSCH-Paging-System-InformationLCR, HSDSCH-Paging-System-Information-ResponseLCR, HSDSCH-Common-System-InformationLCR, HSDSCH-Common-System-Information-ResponseLCR, Enhanced-UE-DRX-InformationLCR, E-DCH-MACdFlow-ID-LCR, Common-EDCH-System-InformationLCR, Common-EDCH-System-Information-ResponseLCR, Common-MACFlows-to-DeleteLCR, DL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst, E-DCH-MACdFlows-to-DeleteLCR, HSDSCH-PreconfigurationSetup, HSDSCH-PreconfigurationInfo, NoOfTargetCellHS-SCCH-Order, EnhancedHSServingCC-Abort, GANSS-Time-ID, HS-DSCH-FDD-Secondary-Serving-Update-Information, HS-DSCH-Secondary-Serving-Remove, HS-DSCH-FDD-Secondary-Serving-Information-To-Modify-Unsynchronised, HS-DSCH-Secondary-Serving-Information-To-Modify, HS-DSCH-Secondary-Serving-Cell-Change-Information-Response, HS-DSCH-FDD-Secondary-Serving-Information-Response, HS-DSCH-FDD-Secondary-Serving-Information, Multi-Cell-Capability-Info, MinimumReducedE-DPDCH-GainFactor, IMB-Parameters, E-RNTI, E-DCH-Semi-PersistentScheduling-Information-LCR, HS-DSCH-Semi-PersistentScheduling-Information-LCR, Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst, Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst, Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst, Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext, HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR, E-DCH-Semi-PersistentScheduling-Information-ResponseLCR, HSSICH-ReferenceSignal-InformationLCR, UE-Selected-MBMS-Service-Information, UE-AggregateMaximumBitRate, HSSICH-ReferenceSignal-InformationModifyLCR, TimeSlotMeasurementValueListLCR, MIMO-PowerOffsetForS-CPICHCapability, MIMO-PilotConfigurationExtension, TxDiversityOnDLControlChannelsByMIMOUECapability, Single-Stream-MIMO-Capability, ActivationInformation, Cell-Capability-Container, DormantModeIndicator, Additional-EDCH-Setup-Info, Additional-EDCH-Cell-Information-Response-List, Additional-EDCH-Cell-Information-To-Add-List, Additional-EDCH-FDD-Update-Information, TS0-CapabilityLCR, Out-of-Sychronization-Window, DCH-MeasurementOccasion-Information, Additional-EDCH-Cell-Information-Response-RLReconf-List, Setup-Or-ConfigurationChange-Or-Removal-Of-EDCH-On-secondary-UL-Frequency, Additional-EDCH-Cell-Information-Response-RL-Add-List, PrecodingWeightSetRestriction FROM NBAP-IEs PrivateIE-Container{}, ProtocolExtensionContainer{}, ProtocolIE-Container{}, ProtocolIE-Single-Container{}, ProtocolIE-ContainerList{}, NBAP-PRIVATE-IES, NBAP-PROTOCOL-IES, NBAP-PROTOCOL-EXTENSION FROM NBAP-Containers id-Active-Pattern-Sequence-Information, id-Additional-S-CCPCH-Parameters-CTCH-ReconfRqstTDD, id-Additional-S-CCPCH-Parameters-CTCH-SetupRqstTDD, id-Additional-S-CCPCH-LCR-Parameters-CTCH-ReconfRqstTDD, id-Additional-S-CCPCH-LCR-Parameters-CTCH-SetupRqstTDD, id-AdjustmentRatio, id-AICH-Information, id-AICH-ParametersListIE-CTCH-ReconfRqstFDD, id-AlternativeFormatReportingIndicator, id-BCH-Information, id-BCCH-ModificationTime, id-bindingID, id-BlockingPriorityIndicator, id-BroadcastReference, id-Cause, id-CauseLevel-PSCH-ReconfFailure, id-CauseLevel-RL-AdditionFailureFDD, id-CauseLevel-RL-AdditionFailureTDD, id-CauseLevel-RL-ReconfFailure, id-CauseLevel-RL-SetupFailureFDD, id-CauseLevel-RL-SetupFailureTDD, id-CauseLevel-SyncAdjustmntFailureTDD, id-CCP-InformationItem-AuditRsp, id-CCP-InformationList-AuditRsp, id-CCP-InformationItem-ResourceStatusInd, id-CCTrCH-InformationItem-RL-FailureInd, id-CCTrCH-InformationItem-RL-RestoreInd, id-CCTrCH-Initial-DL-Power-RL-AdditionRqstTDD, id-CCTrCH-Initial-DL-Power-RL-ReconfPrepTDD, id-CCTrCH-Initial-DL-Power-RL-SetupRqstTDD, id-CellAdjustmentInfo-SyncAdjustmntRqstTDD, id-CellAdjustmentInfoItem-SyncAdjustmentRqstTDD, id-Cell-ERNTI-Status-Information, id-Cell-InformationItem-AuditRsp, id-Cell-InformationItem-ResourceStatusInd, id-Cell-InformationList-AuditRsp, id-CellParameterID, id-CellPortion-InformationItem-Cell-SetupRqstFDD, id-CellPortion-InformationList-Cell-SetupRqstFDD, id-CellPortion-InformationItem-Cell-ReconfRqstFDD, id-CellPortion-InformationList-Cell-ReconfRqstFDD, id-CellSyncBurstTransInit-CellSyncInitiationRqstTDD, id-CellSyncBurstMeasureInit-CellSyncInitiationRqstTDD, id-cellSyncBurstRepetitionPeriod, id-CellSyncBurstTransReconfiguration-CellSyncReconfRqstTDD, id-CellSyncBurstTransReconfInfo-CellSyncReconfRqstTDD, id-CellSyncBurstMeasReconfiguration-CellSyncReconfRqstTDD, id-CellSyncBurstMeasInfoList-CellSyncReconfRqstTDD, id-CellSyncBurstInfoList-CellSyncReconfRqstTDD, id-CellSyncInfo-CellSyncReprtTDD, id-CellPortion-CapabilityLCR, id-CFN, id-CFNReportingIndicator, id-C-ID, id-Closed-Loop-Timing-Adjustment-Mode, id-Common-EDCH-Capability, id-Common-E-DCH-HSDPCCH-Capability, id-Common-EDCH-MACdFlows-to-DeleteFDD, id-Common-EDCH-System-InformationFDD, id-Common-EDCH-System-Information-ResponseFDD, id-Common-MACFlows-to-DeleteFDD, id-CommonMeasurementAccuracy, id-CommonMeasurementObjectType-CM-Rprt, id-CommonMeasurementObjectType-CM-Rqst, id-CommonMeasurementObjectType-CM-Rsp, id-CommonMeasurementType, id-CommonPhysicalChannelID, id-CommonPhysicalChannelType-CTCH-ReconfRqstFDD, id-CommonPhysicalChannelType-CTCH-SetupRqstFDD, id-CommonPhysicalChannelType-CTCH-SetupRqstTDD, id-Common-UL-MACFlows-to-DeleteFDD, id-CommunicationContextInfoItem-Reset, id-CommunicationControlPortID, id-CommunicationControlPortInfoItem-Reset, id-Compressed-Mode-Deactivation-Flag, id-ConfigurationGenerationID, id-ContinuousPacketConnectivityDTX-DRX-Capability, id-ContinuousPacketConnectivityDTX-DRX-Information, id-ContinuousPacketConnectivityHS-SCCH-less-Capability, id-ContinuousPacketConnectivityHS-SCCH-less-Information, id-ContinuousPacketConnectivityHS-SCCH-less-Information-Response, id-ContinuousPacketConnectivity-DRX-CapabilityLCR, id-ContinuousPacketConnectivity-DRX-InformationLCR, id-ContinuousPacketConnectivity-DRX-Information-ResponseLCR, id-CPC-InformationLCR, id-CPC-Information, id-CRNC-CommunicationContextID, id-CriticalityDiagnostics, id-CSBTransmissionID, id-CSBMeasurementID, id-DCHs-to-Add-FDD, id-DCHs-to-Add-TDD, id-DCH-AddList-RL-ReconfPrepTDD, id-DCH-DeleteList-RL-ReconfPrepFDD, id-DCH-DeleteList-RL-ReconfPrepTDD, id-DCH-DeleteList-RL-ReconfRqstFDD, id-DCH-DeleteList-RL-ReconfRqstTDD, id-DCH-FDD-Information, id-DCH-TDD-Information, id-DCH-Indicator-For-E-DCH-HSDPA-Operation, id-DCH-InformationResponse, id-DCH-RearrangeList-Bearer-RearrangeInd, id-DSCH-RearrangeList-Bearer-RearrangeInd, id-FDD-DCHs-to-Modify, id-FDD-S-CCPCH-FrameOffset-CTCH-SetupRqstFDD, id-TDD-DCHs-to-Modify, id-DedicatedMeasurementObjectType-DM-Rprt, id-DedicatedMeasurementObjectType-DM-Rqst, id-DedicatedMeasurementObjectType-DM-Rsp, id-DedicatedMeasurementType, id-DelayedActivation, id-DelayedActivationList-RL-ActivationCmdFDD, id-DelayedActivationList-RL-ActivationCmdTDD, id-DelayedActivationInformation-RL-ActivationCmdFDD, id-DelayedActivationInformation-RL-ActivationCmdTDD, id-DL-CCTrCH-InformationAddList-RL-ReconfPrepTDD, id-DL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD, id-DL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD, id-DL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD, id-DL-CCTrCH-InformationItem-RL-SetupRqstTDD, id-DL-CCTrCH-InformationList-RL-AdditionRqstTDD, id-DL-CCTrCH-InformationList-RL-SetupRqstTDD, id-DL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD, id-DL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD, id-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD, id-DL-DPCH-InformationAddListIE-RL-ReconfPrepTDD, id-DL-DPCH-InformationItem-RL-AdditionRqstTDD, id-DL-DPCH-InformationList-RL-SetupRqstTDD, id-DL-DPCH-InformationModify-AddListIE-RL-ReconfPrepTDD, id-DL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD, id-DL-DPCH-InformationModify-ModifyListIE-RL-ReconfPrepTDD, id-DL-DPCH-Information-RL-ReconfPrepFDD, id-DL-DPCH-Information-RL-ReconfRqstFDD, id-DL-DPCH-Information-RL-SetupRqstFDD, id-DL-DPCH-TimingAdjustment, id-DL-DPCH-Power-Information-RL-ReconfPrepFDD, id-DL-PowerBalancing-Information, id-DL-PowerBalancing-ActivationIndicator, id-DL-ReferencePowerInformationItem-DL-PC-Rqst, id-DL-PowerBalancing-UpdatedIndicator, id-DLReferencePower, id-DLReferencePowerList-DL-PC-Rqst, id-DL-TPC-Pattern01Count, id-DPC-Mode, id-DPCHConstant, id-DSCHs-to-Add-TDD, id-DSCH-Information-DeleteList-RL-ReconfPrepTDD, id-DSCH-Information-ModifyList-RL-ReconfPrepTDD, id-DSCH-InformationResponse, id-DSCH-TDD-Information, id-Dual-Band-Capability-Info, id-E-AGCH-And-E-RGCH-E-HICH-FDD-Scrambling-Code, id-E-AI-Capability, id-E-AGCH-FDD-Code-Information, id-E-DCH-Capability, id-E-DCH-TTI2ms-Capability, id-E-DCH-SF-Capability, id-E-DCH-HARQ-Combining-Capability, id-E-DCH-FDD-DL-Control-Channel-Information, id-E-DCH-FDD-Information, id-E-DCH-FDD-Information-Response, id-E-DCH-FDD-Information-to-Modify, id-E-DCH-FDD-Update-Information, id-E-DCH-MACdFlows-to-Add, id-E-DCH-MACdFlows-to-Delete, id-E-DCH-RearrangeList-Bearer-RearrangeInd, id-E-DCH-Resources-Information-AuditRsp, id-E-DCH-Resources-Information-ResourceStatusInd, id-E-DCH-RL-Indication, id-E-DCH-RL-Set-ID, id-E-DCH-Serving-Cell-Change-Info-Response, id-E-DCH-CapacityConsumptionLaw, id-E-DPCH-Information-RL-ReconfPrepFDD, id-E-DPCH-Information-RL-ReconfRqstFDD, id-E-DPCH-Information-RL-SetupRqstFDD, id-E-DPCH-Information-RL-AdditionReqFDD, id-E-RGCH-E-HICH-FDD-Code-Information, id-ERACH-CM-Rqst, id-ERACH-CM-Rsp, id-ERACH-CM-Rprt, id-End-Of-Audit-Sequence-Indicator, id-Enhanced-FACH-Capability, id-Enhanced-PCH-Capability, id-Enhanced-UE-DRX-Capability, id-Enhanced-UE-DRX-InformationFDD, id-ExtendedPropagationDelay, id-FACH-Information, id-FACH-ParametersList-CTCH-ReconfRqstTDD, id-FACH-ParametersList-CTCH-SetupRsp, id-FACH-ParametersListIE-CTCH-ReconfRqstFDD, id-FACH-ParametersListIE-CTCH-SetupRqstFDD, id-FACH-ParametersListIE-CTCH-SetupRqstTDD, id-Fast-Reconfiguration-Mode, id-Fast-Reconfiguration-Permission, id-F-DPCH-Capability, id-F-DPCH-Information-RL-ReconfPrepFDD, id-F-DPCH-Information-RL-SetupRqstFDD, id-F-DPCH-SlotFormat, id-F-DPCH-SlotFormatCapability, id-HSDPA-And-EDCH-CellPortion-Information-PSCH-ReconfRqst, id-HSDSCH-Configured-Indicator, id-HS-DSCH-Serving-Cell-Change-Info, id-HS-DSCH-Serving-Cell-Change-Info-Response, id-IndicationType-ResourceStatusInd, id-InformationExchangeID, id-InformationExchangeObjectType-InfEx-Rqst, id-InformationExchangeObjectType-InfEx-Rsp, id-InformationExchangeObjectType-InfEx-Rprt, id-InformationReportCharacteristics, id-InformationType, id-InitDL-Power, id-Initial-DL-DPCH-TimingAdjustment, id-Initial-DL-DPCH-TimingAdjustment-Allowed, id-InnerLoopDLPCStatus, id-IntStdPhCellSyncInfoItem-CellSyncReprtTDD, id-IPDLParameter-Information-Cell-ReconfRqstFDD, id-IPDLParameter-Information-Cell-SetupRqstFDD, id-IPDLParameter-Information-Cell-ReconfRqstTDD, id-IPDLParameter-Information-Cell-SetupRqstTDD, id-IPMulticastIndication, id-LateEntranceCellSyncInfoItem-CellSyncReprtTDD, id-Limited-power-increase-information-Cell-SetupRqstFDD, id-Local-Cell-ID, id-Local-Cell-Group-InformationItem-AuditRsp, id-Local-Cell-Group-InformationItem-ResourceStatusInd, id-Local-Cell-Group-InformationItem2-ResourceStatusInd, id-Local-Cell-Group-InformationList-AuditRsp, id-Local-Cell-InformationItem-AuditRsp, id-Local-Cell-InformationItem-ResourceStatusInd, id-Local-Cell-InformationItem2-ResourceStatusInd, id-Local-Cell-InformationList-AuditRsp, id-AdjustmentPeriod, id-MaxAdjustmentStep, id-MaximumTransmissionPower, id-Max-UE-DTX-Cycle, id-MeasurementFilterCoefficient, id-MeasurementID, id-MeasurementRecoveryBehavior, id-MeasurementRecoveryReportingIndicator, id-MeasurementRecoverySupportIndicator, id-MIB-SB-SIB-InformationList-SystemInfoUpdateRqst, id-MBMS-Capability, id-MICH-CFN, id-MICH-Information-AuditRsp, id-MICH-Information-ResourceStatusInd, id-MICH-Parameters-CTCH-ReconfRqstFDD, id-MICH-Parameters-CTCH-ReconfRqstTDD, id-MICH-Parameters-CTCH-SetupRqstFDD, id-MICH-Parameters-CTCH-SetupRqstTDD, id-MIMO-Capability, id-MIMO-PilotConfiguration, id-Modification-Period, id-multipleRL-dl-DPCH-InformationList, id-multipleRL-dl-DPCH-InformationModifyList, id-multipleRL-dl-CCTrCH-InformationModifyList-RL-ReconfRqstTDD, id-multiple-RL-Information-RL-ReconfPrepTDD, id-multiple-RL-Information-RL-ReconfRqstTDD, id-multipleRL-ul-DPCH-InformationList, id-multipleRL-ul-DPCH-InformationModifyList, id-NCyclesPerSFNperiod, id-NeighbouringCellMeasurementInformation, id-NI-Information-NotifUpdateCmd, id-NodeB-CommunicationContextID, id-NRepetitionsPerCyclePeriod, id-NumberOfReportedCellPortions, id-NumberOfReportedCellPortionsLCR, id-Paging-MACFlows-to-DeleteFDD, id-P-CCPCH-Information, id-P-CPICH-Information, id-P-SCH-Information, id-PCCPCH-Information-Cell-ReconfRqstTDD, id-PCCPCH-Information-Cell-SetupRqstTDD, id-PCH-Parameters-CTCH-ReconfRqstTDD, id-PCH-Parameters-CTCH-SetupRsp, id-PCH-ParametersItem-CTCH-ReconfRqstFDD, id-PCH-ParametersItem-CTCH-SetupRqstFDD, id-PCH-ParametersItem-CTCH-SetupRqstTDD, id-PCH-Information, id-PICH-ParametersItem-CTCH-ReconfRqstFDD, id-PDSCH-Information-AddListIE-PSCH-ReconfRqst, id-PDSCH-Information-ModifyListIE-PSCH-ReconfRqst, id-PDSCH-RL-ID, id-PDSCH-Timeslot-Format-PSCH-ReconfRqst-LCR, id-PDSCHSets-AddList-PSCH-ReconfRqst, id-PDSCHSets-DeleteList-PSCH-ReconfRqst, id-PDSCHSets-ModifyList-PSCH-ReconfRqst, id-PICH-Information, id-PICH-Parameters-CTCH-ReconfRqstTDD, id-PICH-ParametersItem-CTCH-SetupRqstTDD, id-PLCCH-Information-AuditRsp, id-PLCCH-Information-ResourceStatusInd, id-PLCCH-Information-RL-ReconfPrepTDDLCR, id-PLCCH-InformationList-AuditRsp, id-PLCCH-InformationList-ResourceStatusInd, id-PLCCH-Parameters-CTCH-ReconfRqstTDD, id-PowerAdjustmentType, id-Power-Local-Cell-Group-choice-CM-Rqst, id-Power-Local-Cell-Group-choice-CM-Rsp, id-Power-Local-Cell-Group-choice-CM-Rprt, id-Power-Local-Cell-Group-InformationItem-AuditRsp, id-Power-Local-Cell-Group-InformationItem-ResourceStatusInd, id-Power-Local-Cell-Group-InformationItem2-ResourceStatusInd, id-Power-Local-Cell-Group-InformationList-AuditRsp, id-Power-Local-Cell-Group-InformationList-ResourceStatusInd, id-Power-Local-Cell-Group-InformationList2-ResourceStatusInd, id-Power-Local-Cell-Group-ID, id-PRACH-Information, id-PRACHConstant, id-PRACH-ParametersItem-CTCH-SetupRqstTDD, id-PRACH-ParametersListIE-CTCH-ReconfRqstFDD, id-PrimaryCCPCH-Information-Cell-ReconfRqstFDD, id-PrimaryCCPCH-Information-Cell-SetupRqstFDD, id-PrimaryCPICH-Information-Cell-ReconfRqstFDD, id-PrimaryCPICH-Information-Cell-SetupRqstFDD, id-Primary-CPICH-Usage-for-Channel-Estimation, id-PrimarySCH-Information-Cell-ReconfRqstFDD, id-PrimarySCH-Information-Cell-SetupRqstFDD, id-PrimaryScramblingCode, id-SCH-Information-Cell-ReconfRqstTDD, id-SCH-Information-Cell-SetupRqstTDD, id-PUSCH-Information-AddListIE-PSCH-ReconfRqst, id-PUSCH-Information-ModifyListIE-PSCH-ReconfRqst, id-PUSCH-Timeslot-Format-PSCH-ReconfRqst-LCR, id-PUSCHConstant, id-PUSCHSets-AddList-PSCH-ReconfRqst, id-PUSCHSets-DeleteList-PSCH-ReconfRqst, id-PUSCHSets-ModifyList-PSCH-ReconfRqst, id-RACH-Information, id-RACH-Parameters-CTCH-SetupRsp, id-RACH-ParametersItem-CTCH-SetupRqstFDD, id-RACH-ParameterItem-CTCH-SetupRqstTDD, id-ReferenceClockAvailability, id-ReferenceSFNoffset, id-ReportCharacteristics, id-Reporting-Object-RL-FailureInd, id-Reporting-Object-RL-RestoreInd, id-ResetIndicator, id-RL-ID, id-RL-InformationItem-DM-Rprt, id-RL-InformationItem-DM-Rqst, id-RL-InformationItem-DM-Rsp, id-RL-InformationItem-RL-AdditionRqstFDD, id-RL-informationItem-RL-DeletionRqst, id-RL-InformationItem-RL-FailureInd, id-RL-InformationItem-RL-PreemptRequiredInd, id-RL-InformationItem-RL-ReconfPrepFDD, id-RL-InformationItem-RL-ReconfRqstFDD, id-RL-InformationItem-RL-RestoreInd, id-RL-InformationItem-RL-SetupRqstFDD, id-RL-InformationList-RL-AdditionRqstFDD, id-RL-informationList-RL-DeletionRqst, id-RL-InformationList-RL-PreemptRequiredInd, id-RL-InformationList-RL-ReconfPrepFDD, id-RL-InformationList-RL-ReconfRqstFDD, id-RL-InformationList-RL-SetupRqstFDD, id-RL-InformationResponseItem-RL-AdditionRspFDD, id-RL-InformationResponseItem-RL-ReconfReady, id-RL-InformationResponseItem-RL-ReconfRsp, id-RL-InformationResponseItem-RL-SetupRspFDD, id-RL-InformationResponseList-RL-AdditionRspFDD, id-RL-InformationResponseList-RL-ReconfReady, id-RL-InformationResponseList-RL-ReconfRsp, id-RL-InformationResponseList-RL-SetupRspFDD, id-RL-InformationResponse-RL-AdditionRspTDD, id-RL-InformationResponse-RL-SetupRspTDD, id-RL-Information-RL-AdditionRqstTDD, id-RL-Information-RL-ReconfRqstTDD, id-RL-Information-RL-ReconfPrepTDD, id-RL-Information-RL-SetupRqstTDD, id-RL-ReconfigurationFailureItem-RL-ReconfFailure, id-RL-Set-InformationItem-DM-Rprt, id-RL-Set-InformationItem-DM-Rsp, id-RL-Set-InformationItem-RL-FailureInd, id-RL-Set-InformationItem-RL-RestoreInd, id-RL-Specific-DCH-Info, id-RL-Specific-E-DCH-Info, id-S-CCPCH-Information, id-S-CCPCH-InformationListExt-AuditRsp, id-S-CCPCH-InformationListExt-ResourceStatusInd, id-S-CCPCH-LCR-InformationListExt-AuditRsp, id-S-CCPCH-LCR-InformationListExt-ResourceStatusInd, id-S-CPICH-Information, id-SCH-Information, id-S-SCH-Information, id-Secondary-CCPCHListIE-CTCH-ReconfRqstTDD, id-Secondary-CCPCH-parameterListIE-CTCH-SetupRqstTDD, id-Secondary-CCPCH-Parameters-CTCH-ReconfRqstTDD, id-Secondary-CPICH-Information, id-SecondaryCPICH-InformationItem-Cell-ReconfRqstFDD, id-SecondaryCPICH-InformationItem-Cell-SetupRqstFDD, id-SecondaryCPICH-InformationList-Cell-ReconfRqstFDD, id-SecondaryCPICH-InformationList-Cell-SetupRqstFDD, id-Secondary-CPICH-Information-Change, id-SecondarySCH-Information-Cell-ReconfRqstFDD, id-SecondarySCH-Information-Cell-SetupRqstFDD, id-Semi-PersistentScheduling-CapabilityLCR, id-SegmentInformationListIE-SystemInfoUpdate, id-Serving-Cell-Change-CFN, id-Serving-E-DCH-RL-ID, id-SixteenQAM-UL-Capability, id-SixtyfourQAM-DL-Capability, id-SixtyfourQAM-DL-MIMO-Combined-Capability, id-SFN, id-SFNReportingIndicator, id-ShutdownTimer, id-SignallingBearerRequestIndicator, id-Start-Of-Audit-Sequence-Indicator, id-Successful-RL-InformationRespItem-RL-AdditionFailureFDD, id-Successful-RL-InformationRespItem-RL-SetupFailureFDD, id-E-DPCCH-Power-Boosting-Capability, id-Synchronisation-Configuration-Cell-ReconfRqst, id-Synchronisation-Configuration-Cell-SetupRqst, id-SyncCase, id-SyncCaseIndicatorItem-Cell-SetupRqstTDD-PSCH, id-SyncFrameNumber, id-SynchronisationReportType, id-SynchronisationReportCharacteristics, id-SyncReportType-CellSyncReprtTDD, id-T-Cell, id-TargetCommunicationControlPortID, id-Transmission-Gap-Pattern-Sequence-Information, id-TimeSlotConfigurationList-Cell-ReconfRqstTDD, id-TimeSlotConfigurationList-Cell-SetupRqstTDD, id-timeslotInfo-CellSyncInitiationRqstTDD, id-TimeslotISCPInfo, id-TimingAdvanceApplied, id-TnlQos, id-TransmissionDiversityApplied, id-transportlayeraddress, id-Tstd-indicator, id-UARFCNforNt, id-UARFCNforNd, id-UARFCNforNu, id-UL-CCTrCH-InformationAddList-RL-ReconfPrepTDD, id-UL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD, id-UL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD, id-UL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD, id-UL-CCTrCH-InformationItem-RL-SetupRqstTDD, id-UL-CCTrCH-InformationList-RL-AdditionRqstTDD, id-UL-CCTrCH-InformationList-RL-SetupRqstTDD, id-UL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD, id-UL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD, id-UL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD, id-UL-DPCH-InformationAddListIE-RL-ReconfPrepTDD, id-UL-DPCH-InformationItem-RL-AdditionRqstTDD, id-UL-DPCH-InformationList-RL-SetupRqstTDD, id-UL-DPCH-InformationModify-AddListIE-RL-ReconfPrepTDD, id-UL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD, id-UL-DPCH-InformationModify-ModifyListIE-RL-ReconfPrepTDD, id-UL-DPCH-Information-RL-ReconfPrepFDD, id-UL-DPCH-Information-RL-ReconfRqstFDD, id-UL-DPCH-Information-RL-SetupRqstFDD, id-UL-DPDCH-Indicator-For-E-DCH-Operation, id-Unsuccessful-cell-InformationRespItem-SyncAdjustmntFailureTDD, id-Unsuccessful-PDSCHSetItem-PSCH-ReconfFailureTDD, id-Unsuccessful-PUSCHSetItem-PSCH-ReconfFailureTDD, id-Unsuccessful-RL-InformationRespItem-RL-AdditionFailureFDD, id-Unsuccessful-RL-InformationRespItem-RL-SetupFailureFDD, id-Unsuccessful-RL-InformationResp-RL-AdditionFailureTDD, id-Unsuccessful-RL-InformationResp-RL-SetupFailureTDD, id-USCH-Information-Add, id-USCH-Information-DeleteList-RL-ReconfPrepTDD, id-USCH-Information-ModifyList-RL-ReconfPrepTDD, id-USCH-InformationResponse, id-USCH-Information, id-USCH-RearrangeList-Bearer-RearrangeInd, id-DL-DPCH-LCR-Information-RL-SetupRqstTDD, id-DwPCH-LCR-Information , id-DwPCH-LCR-InformationList-AuditRsp, id-DwPCH-LCR-Information-Cell-SetupRqstTDD, id-DwPCH-LCR-Information-Cell-ReconfRqstTDD, id-DwPCH-LCR-Information-ResourceStatusInd, id-maxFACH-Power-LCR-CTCH-SetupRqstTDD, id-maxFACH-Power-LCR-CTCH-ReconfRqstTDD, id-FPACH-LCR-Information, id-FPACH-LCR-Information-AuditRsp, id-FPACH-LCR-InformationList-AuditRsp, id-FPACH-LCR-InformationList-ResourceStatusInd, id-FPACH-LCR-Parameters-CTCH-SetupRqstTDD, id-FPACH-LCR-Parameters-CTCH-ReconfRqstTDD, id-PCCPCH-LCR-Information-Cell-SetupRqstTDD, id-PCH-Power-LCR-CTCH-SetupRqstTDD, id-PCH-Power-LCR-CTCH-ReconfRqstTDD, id-PICH-LCR-Parameters-CTCH-SetupRqstTDD, id-PRACH-LCR-ParametersList-CTCH-SetupRqstTDD, id-RL-InformationResponse-LCR-RL-SetupRspTDD , id-Secondary-CCPCH-LCR-parameterList-CTCH-SetupRqstTDD, id-TimeSlot, id-TimeSlotConfigurationList-LCR-Cell-ReconfRqstTDD, id-TimeSlotConfigurationList-LCR-Cell-SetupRqstTDD, id-TimeslotISCP-LCR-InfoList-RL-SetupRqstTDD, id-TimeSlotLCR-CM-Rqst, id-UL-DPCH-LCR-Information-RL-SetupRqstTDD, id-DL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD, id-UL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD, id-TimeslotISCP-InformationList-LCR-RL-AdditionRqstTDD, id-DL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD, id-DL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD, id-DL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD, id-TimeslotISCPInfoList-LCR-DL-PC-RqstTDD, id-UL-DPCH-LCR-InformationAddListIE-RL-ReconfPrepTDD, id-UL-DPCH-LCR-InformationModify-AddList, id-UL-TimeslotLCR-Information-RL-ReconfPrepTDD, id-UL-SIRTarget, id-PDSCH-AddInformation-LCR-PSCH-ReconfRqst, id-PDSCH-AddInformation-LCR-AddListIE-PSCH-ReconfRqst, id-PDSCH-ModifyInformation-LCR-PSCH-ReconfRqst, id-PDSCH-ModifyInformation-LCR-ModifyListIE-PSCH-ReconfRqst, id-PUSCH-AddInformation-LCR-PSCH-ReconfRqst, id-PUSCH-AddInformation-LCR-AddListIE-PSCH-ReconfRqst, id-PUSCH-ModifyInformation-LCR-PSCH-ReconfRqst, id-PUSCH-ModifyInformation-LCR-ModifyListIE-PSCH-ReconfRqst, id-PUSCH-Info-DM-Rqst, id-PUSCH-Info-DM-Rsp, id-PUSCH-Info-DM-Rprt, id-RL-InformationResponse-LCR-RL-AdditionRspTDD, id-IPDLParameter-Information-LCR-Cell-SetupRqstTDD, id-IPDLParameter-Information-LCR-Cell-ReconfRqstTDD, id-HS-PDSCH-HS-SCCH-E-AGCH-E-RGCH-E-HICH-MaxPower-PSCH-ReconfRqst, id-HS-PDSCH-HS-SCCH-ScramblingCode-PSCH-ReconfRqst, id-HS-PDSCH-FDD-Code-Information-PSCH-ReconfRqst, id-HS-SCCH-FDD-Code-Information-PSCH-ReconfRqst, id-HS-PDSCH-TDD-Information-PSCH-ReconfRqst, id-Add-To-HS-SCCH-Resource-Pool-PSCH-ReconfRqst, id-Modify-HS-SCCH-Resource-Pool-PSCH-ReconfRqst, id-Delete-From-HS-SCCH-Resource-Pool-PSCH-ReconfRqst, id-SYNCDlCodeId-TransInitLCR-CellSyncInitiationRqstTDD, id-SYNCDlCodeId-MeasureInitLCR-CellSyncInitiationRqstTDD, id-SYNCDlCodeIdTransReconfInfoLCR-CellSyncReconfRqstTDD, id-SYNCDlCodeIdMeasReconfigurationLCR-CellSyncReconfRqstTDD, id-SYNCDlCodeIdMeasInfoList-CellSyncReconfRqstTDD, id-SyncDLCodeIdsMeasInfoList-CellSyncReprtTDD, id-NSubCyclesPerCyclePeriod-CellSyncReconfRqstTDD, id-DwPCH-Power, id-AccumulatedClockupdate-CellSyncReprtTDD, id-HSDPA-Capability, id-HSDSCH-FDD-Information, id-HSDSCH-Common-System-InformationFDD, id-HSDSCH-Common-System-Information-ResponseFDD, id-HSDSCH-FDD-Information-Response, id-HSDSCH-Information-to-Modify, id-HSDSCH-Information-to-Modify-Unsynchronised, id-HSDSCH-MACdFlows-to-Add, id-HSDSCH-MACdFlows-to-Delete, id-HSDSCH-Paging-System-InformationFDD, id-HSDSCH-Paging-System-Information-ResponseFDD, id-HSDSCH-RearrangeList-Bearer-RearrangeInd, id-HSDSCH-Resources-Information-AuditRsp, id-HSDSCH-Resources-Information-ResourceStatusInd, id-HSDSCH-RNTI, id-HSDSCH-TDD-Information, id-HSDSCH-TDD-Information-Response, id-HSPDSCH-RL-ID, id-HSSICH-Info-DM-Rprt, id-HSSICH-Info-DM-Rqst, id-HSSICH-Info-DM-Rsp, id-PrimCCPCH-RSCP-DL-PC-RqstTDD, id-HSDSCH-FDD-Update-Information, id-HSDSCH-TDD-Update-Information, id-UL-Synchronisation-Parameters-LCR, id-DL-DPCH-TimeSlotFormat-LCR-ModifyItem-RL-ReconfPrepTDD, id-UL-DPCH-TimeSlotFormat-LCR-ModifyItem-RL-ReconfPrepTDD, id-CCTrCH-Maximum-DL-Power-RL-SetupRqstTDD, id-CCTrCH-Minimum-DL-Power-RL-SetupRqstTDD, id-CCTrCH-Maximum-DL-Power-RL-AdditionRqstTDD, id-CCTrCH-Minimum-DL-Power-RL-AdditionRqstTDD, id-CCTrCH-Maximum-DL-Power-InformationAdd-RL-ReconfPrepTDD, id-CCTrCH-Minimum-DL-Power-InformationAdd-RL-ReconfPrepTDD, id-CCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfPrepTDD, id-CCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfPrepTDD, id-Maximum-DL-Power-Modify-LCR-InformationModify-RL-ReconfPrepTDD, id-Minimum-DL-Power-Modify-LCR-InformationModify-RL-ReconfPrepTDD, id-DL-DPCH-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD, id-CCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfRqstTDD, id-CCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfRqstTDD, id-TDD-TPC-UplinkStepSize-LCR-RL-SetupRqstTDD, id-TDD-TPC-UplinkStepSize-LCR-RL-AdditionRqstTDD, id-TDD-TPC-DownlinkStepSize-RL-AdditionRqstTDD, id-TDD-TPC-UplinkStepSize-InformationAdd-LCR-RL-ReconfPrepTDD, id-TDD-TPC-UplinkStepSize-InformationModify-LCR-RL-ReconfPrepTDD, id-TDD-TPC-DownlinkStepSize-InformationModify-RL-ReconfPrepTDD, id-TDD-TPC-DownlinkStepSize-InformationAdd-RL-ReconfPrepTDD, id-TimeslotISCP-LCR-InfoList-RL-ReconfPrepTDD, id-TimingAdjustmentValueLCR, id-PrimaryCCPCH-RSCP-Delta, id-Maximum-Target-ReceivedTotalWideBandPower, id-multiple-DedicatedMeasurementValueList-TDD-DM-Rsp, id-multiple-DedicatedMeasurementValueList-LCR-TDD-DM-Rsp, id-SynchronisationIndicator, id-Reference-ReceivedTotalWideBandPower, id-Reference-ReceivedTotalWideBandPowerReporting, id-Reference-ReceivedTotalWideBandPowerSupportIndicator, id-Maximum-Target-ReceivedTotalWideBandPower-LCR, id-multiple-PUSCH-InfoList-DM-Rsp, id-multiple-PUSCH-InfoList-DM-Rprt, id-Target-NonServing-EDCH-To-Total-EDCH-Power-Ratio, id-multiple-HSSICHMeasurementValueList-TDD-DM-Rsp, id-PCCPCH-768-Information-Cell-SetupRqstTDD, id-SCH-768-Information-Cell-SetupRqstTDD, id-SCH-768-Information-Cell-ReconfRqstTDD, id-PCCPCH-768-Information-Cell-ReconfRqstTDD, id-P-CCPCH-768-Information-AuditRsp, id-PICH-768-Information-AuditRsp, id-PRACH-768-InformationList-AuditRsp, id-SCH-768-Information-AuditRsp, id-MICH-768-Information-AuditRsp, id-CommonPhysicalChannelID768-CommonTrChDeletionReq, id-MICH-768-Parameters-CTCH-ReconfRqstTDD, id-PICH-768-Parameters-CTCH-SetupRqstTDD, id-PICH-768-Parameters-CTCH-ReconfRqstTDD, id-PRACH-768-Parameters-CTCH-SetupRqstTDD, id-S-CCPCH-768-InformationList-AuditRsp, id-S-CCPCH-768-Information-AuditRsp, id-S-CCPCH-768-Parameters-CTCH-SetupRqstTDD, id-S-CCPCH-768-Parameters-CTCH-ReconfRqstTDD, id-S-CCPCH-768-Information-ResourceStatusInd, id-P-CCPCH-768-Information-ResourceStatusInd, id-PICH-768-Information-ResourceStatusInd, id-PRACH-768-InformationList-ResourceStatusInd, id-SCH-768-Information-ResourceStatusInd, id-MICH-768-Information-ResourceStatusInd, id-S-CCPCH-768-InformationList-ResourceStatusInd, id-PRACH-768-Information, id-UL-DPCH-768-Information-RL-SetupRqstTDD, id-DL-DPCH-768-Information-RL-SetupRqstTDD, id-DL-DPCH-InformationItem-768-RL-AdditionRqstTDD, id-UL-DPCH-InformationItem-768-RL-AdditionRqstTDD, id-UL-DPCH-768-InformationAddItemIE-RL-ReconfPrepTDD, id-UL-DPCH-768-InformationAddListIE-RL-ReconfPrepTDD, id-UL-DPCH-768-InformationModify-AddItem, id-UL-DPCH-768-InformationModify-AddList, id-UL-Timeslot768-Information-RL-ReconfPrepTDD, id-DL-DPCH-768-InformationAddItem-RL-ReconfPrepTDD, id-DL-DPCH-768-InformationAddList-RL-ReconfPrepTDD, id-DL-DPCH-768-InformationModify-AddItem-RL-ReconfPrepTDD, id-DL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD, id-DL-Timeslot-768-InformationModify-ModifyList-RL-ReconfPrepTDD, id-DPCH-ID768-DM-Rqst, id-multiple-DedicatedMeasurementValueList-768-TDD-DM-Rsp, id-DPCH-ID768-DM-Rsp, id-DPCH-ID768-DM-Rprt, id-PDSCH-AddInformation-768-PSCH-ReconfRqst, id-PDSCH-ModifyInformation-768-PSCH-ReconfRqst, id-PUSCH-AddInformation-768-PSCH-ReconfRqst, id-PUSCH-ModifyInformation-768-PSCH-ReconfRqst, id-dL-HS-PDSCH-Timeslot-Information-768-PSCH-ReconfRqst, id-hS-SCCH-Information-768-PSCH-ReconfRqst, id-hS-SCCH-InformationModify-768-PSCH-ReconfRqst, id-tFCI-Presence, id-E-RUCCH-InformationList-AuditRsp, id-E-RUCCH-InformationList-ResourceStatusInd, id-E-RUCCH-Information, id-E-DCH-Information, id-E-DCH-Information-Response, id-E-DCH-Information-Reconfig, id-E-PUCH-Information-PSCH-ReconfRqst, id-Add-To-E-AGCH-Resource-Pool-PSCH-ReconfRqst, id-Modify-E-AGCH-Resource-Pool-PSCH-ReconfRqst, id-Delete-From-E-AGCH-Resource-Pool-PSCH-ReconfRqst, id-E-HICH-Information-PSCH-ReconfRqst, id-E-DCH-TDD-CapacityConsumptionLaw, id-E-HICH-TimeOffset, id-Maximum-Generated-ReceivedTotalWideBandPowerInOtherCells, id-E-DCH-Serving-RL-ID, id-E-RUCCH-768-InformationList-AuditRsp, id-E-RUCCH-768-InformationList-ResourceStatusInd, id-E-RUCCH-768-Information, id-E-DCH-768-Information, id-E-DCH-768-Information-Reconfig, id-E-PUCH-Information-768-PSCH-ReconfRqst, id-Add-To-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst, id-Modify-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst, id-E-HICH-Information-768-PSCH-ReconfRqst, id-RTWP-ReportingIndicator, id-RTWP-CellPortion-ReportingIndicator, id-Received-Scheduled-EDCH-Power-Share-Value, id-Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value, id-Received-Scheduled-EDCH-Power-Share, id-Received-Scheduled-EDCH-Power-Share-For-CellPortion, id-ueCapability-Info, id-MAChs-ResetIndicator, id-SYNC-UL-Partition-LCR, id-E-DCH-LCR-Information, id-E-DCH-LCR-Information-Reconfig, id-E-PUCH-Information-LCR-PSCH-ReconfRqst, id-Add-To-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst, id-Modify-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst, id-Add-To-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst, id-Modify-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst, id-Delete-From-E-HICH-Resource-Pool-PSCH-ReconfRqst, id-E-HICH-TimeOffsetLCR, id-HSDSCH-MACdPDU-SizeCapability, id-ModulationPO-MBSFN, id-Secondary-CCPCH-SlotFormat-Extended, id-MBSFN-Only-Mode-Indicator-Cell-SetupRqstTDD-LCR, id-Time-Slot-Parameter-ID, id-MBSFN-Only-Mode-Capability, id-MBSFN-Cell-ParameterID-Cell-SetupRqstTDD, id-MBSFN-Cell-ParameterID-Cell-ReconfRqstTDD, id-S-CCPCH-Modulation, id-TimeSlotConfigurationList-LCR-CTCH-SetupRqstTDD, id-Cell-Frequency-List-Information-LCR-MulFreq-AuditRsp, id-Cell-Frequency-List-InformationItem-LCR-MulFreq-AuditRsp, id-Cell-Frequency-List-LCR-MulFreq-Cell-SetupRqstTDD, id-UARFCN-Adjustment, id-Cell-Frequency-List-Information-LCR-MulFreq-ResourceStatusInd, id-Cell-Frequency-List-InformationItem-LCR-MulFreq-ResourceStatusInd, id-UPPCHPositionLCR, id-UPPCH-LCR-Parameters-CTCH-ReconfRqstTDD, id-UPPCH-LCR-InformationList-AuditRsp, id-UPPCH-LCR-InformationItem-AuditRsp, id-UPPCH-LCR-InformationList-ResourceStatusInd, id-UPPCH-LCR-InformationItem-ResourceStatusInd, id-multipleFreq-dL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst, id-multipleFreq-HS-DSCH-Resources-InformationList-AuditRsp, id-multipleFreq-HS-DSCH-Resources-InformationList-ResourceStatusInd, id-UARFCNSpecificCauseList,id-Unsuccessful-UARFCNItem-PSCH-ReconfFailureTDD, id-MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst, id-Extended-HS-SCCH-ID, id-Extended-HS-SICH-ID, id-HSSICH-InfoExt-DM-Rqst, id-Delete-From-HS-SCCH-Resource-PoolExt-PSCH-ReconfRqst, id-HS-SCCH-InformationExt-LCR-PSCH-ReconfRqst, id-HS-SCCH-InformationModifyExt-LCR-PSCH-ReconfRqst, id-PowerControlGAP, id-PowerControlGAP-For-CellFACHLCR, id-IdleIntervalInformation, id-MBSFN-SpecialTimeSlot-LCR, id-MultipleFreq-E-DCH-Resources-InformationList-AuditRsp, id-MultipleFreq-E-DCH-Resources-InformationList-ResourceStatusInd, id-MultipleFreq-E-PUCH-Timeslot-InformationList-LCR-PSCH-ReconfRqst, id-MultipleFreq-E-PUCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst, id-Extended-E-HICH-ID-TDD, id-E-DCH-MACdPDU-SizeCapability, id-E-HICH-TimeOffset-Extension, id-MultipleFreq-E-HICH-TimeOffsetLCR, id-PLCCH-parameters, id-E-RUCCH-parameters, id-E-RUCCH-768-parameters, id-HS-Cause, id-E-Cause, id-AdditionalTimeSlotListLCR, id-AdditionalMeasurementValueList, id-HSDSCH-Paging-System-InformationLCR, id-HSDSCH-Paging-System-Information-ResponseLCR, id-HSDSCH-Common-System-InformationLCR, id-HSDSCH-Common-System-Information-ResponseLCR, id-Paging-MACFlows-to-DeleteLCR, id-Enhanced-UE-DRX-CapabilityLCR, id-Enhanced-UE-DRX-InformationLCR, id-Common-EDCH-MACdFlows-to-DeleteLCR, id-Common-EDCH-System-InformationLCR, id-Common-EDCH-System-Information-ResponseLCR, id-Common-MACFlows-to-DeleteLCR, id-Common-UL-MACFlows-to-DeleteLCR, id-HSDSCH-PreconfigurationSetup, id-HSDSCH-PreconfigurationInfo, id-NoOfTargetCellHS-SCCH-Order, id-EnhancedHSServingCC-Abort, id-GANSS-Time-ID, id-Additional-HS-Cell-Information-RL-Setup, id-Additional-HS-Cell-Information-Response, id-Additional-HS-Cell-Information-RL-Addition, id-Additional-HS-Cell-Change-Information-Response, id-Additional-HS-Cell-Information-RL-Reconf-Prep, id-Additional-HS-Cell-Information-RL-Reconf-Req, id-Additional-HS-Cell-Information-RL-Param-Upd, id-Multi-Cell-Capability-Info, id-MinimumReducedE-DPDCH-GainFactor, id-IMB-Parameters, id-E-RNTI, id-E-DCH-Semi-PersistentScheduling-Information-LCR, id-HS-DSCH-Semi-PersistentScheduling-Information-LCR, id-Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst, id-Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst, id-Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst, id-Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext, id-HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR, id-E-DCH-Semi-PersistentScheduling-Information-ResponseLCR, id-HSSICH-ReferenceSignal-InformationLCR, id-UE-Selected-MBMS-Service-Information, id-HSSICH-ReferenceSignal-InformationModifyLCR, id-TimeSlotMeasurementValueListLCR, id-MIMO-Power-Offset-For-S-CPICH-Capability, id-MIMO-PilotConfigurationExtension, id-TxDiversityOnDLControlChannelsByMIMOUECapability, id-UE-AggregateMaximumBitRate, id-Single-Stream-MIMO-Capability, id-ActivationInformation, id-Cell-Capability-Container, id-DormantModeIndicator, id-Additional-EDCH-Cell-Information-RL-Setup-Req, id-Additional-EDCH-Cell-Information-Response, id-Additional-EDCH-Cell-Information-RL-Add-Req, id-Additional-EDCH-Cell-Information-Response-RL-Add, id-Additional-EDCH-Cell-Information-RL-Reconf-Prep, id-Additional-EDCH-Cell-Information-RL-Reconf-Req, id-Additional-EDCH-Cell-Information-Bearer-Rearrangement, id-Additional-EDCH-Cell-Information-RL-Param-Upd, id-Max-RTWP-perUARFCN-Information-LCR-PSCH-ReconfRqst, id-E-HICH-TimeOffset-ReconfFailureTDD, id-Common-System-Information-ResponseLCR, id-TS0-CapabilityLCR, id-HSSCCH-TPC-StepSize, id-Out-of-Sychronization-Window, id-DCH-MeasurementOccasion-Information, id-Additional-EDCH-Cell-Information-ResponseRLReconf, id-PrecodingWeightSetRestriction, maxNrOfCCTrCHs, maxNrOfCellSyncBursts, maxNrOfCodes, maxNrOfDCHs, maxNrOfDLTSs, maxNrOfDLTSLCRs, maxNrOfDPCHs, maxNrOfDPCHsPerRL-1, maxNrOfDPCHLCRs, maxNrOfDPCHsLCRPerRL-1, maxNrOfDPCHs768, maxNrOfDPCHs768PerRL-1, maxNrOfDSCHs, maxNrOfFACHs, maxNrOfRLs, maxNrOfRLs-1, maxNrOfRLs-2, maxNrOfRLSets, maxNrOfPDSCHs, maxNrOfPUSCHs, maxNrOfPUSCHs-1, maxNrOfPRACHLCRs, maxNrOfPDSCHSets, maxNrOfPUSCHSets, maxNrOfReceptsPerSyncFrame, maxNrOfSCCPCHs, maxNrOfSCCPCHsinExt, maxNrOfSCCPCHLCRs, maxNrOfSCCPCHsLCRinExt, maxNrOfSCCPCHs768, maxNrOfULTSs, maxNrOfULTSLCRs, maxNrOfUSCHs, maxFACHCell, maxFPACHCell, maxRACHCell, maxPLCCHCell, maxPRACHCell, maxSCCPCHCell, maxSCCPCHCell768, maxSCCPCHCellinExt, maxSCCPCHCellinExtLCR, maxSCPICHCell, maxCellinNodeB, maxCCPinNodeB, maxCommunicationContext, maxLocalCellinNodeB, maxNrOfSlotFormatsPRACH, maxIB, maxIBSEG, maxNrOfCellPortionsPerCell, maxNrOfHSSCCHs, maxNrOfHSSICHs, maxNrOfHSSICHs-1, maxNrOfHSPDSCHs, maxNrOfHSPDSCHs768, maxNrOfSyncFramesLCR, maxNrOfReceptionsperSyncFrameLCR, maxNrOfSyncDLCodesLCR, maxNrOfMACdFlows, maxNrOfEDCHMACdFlows, maxE-RUCCHCell, maxNrOfE-PUCHSlots, maxNrOfEAGCHs, maxNrOfEAGCHCodes, maxNrOfE-PUCHSlotsLCR, maxNrOfEPUCHcodes, maxNrOfEHICHs, maxFrequencyinCell, maxFrequencyinCell-1, maxNrOfHSSCCHsinExt, maxNrOfHSSCCHsLCR, maxNrOfEAGCHsLCR, maxNrOfEHICHsLCR, maxNrOfHSDSCH-1, maxNrOfEDCH-1 FROM NBAP-Constants; -- ************************************************************** -- -- COMMON TRANSPORT CHANNEL SETUP REQUEST FDD -- -- ************************************************************** CommonTransportChannelSetupRequestFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonTransportChannelSetupRequestFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonTransportChannelSetupRequestFDD-Extensions}} OPTIONAL, ... } CommonTransportChannelSetupRequestFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CommonTransportChannelSetupRequestFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-ConfigurationGenerationID CRITICALITY reject TYPE ConfigurationGenerationID PRESENCE mandatory }| { ID id-CommonPhysicalChannelType-CTCH-SetupRqstFDD CRITICALITY ignore TYPE CommonPhysicalChannelType-CTCH-SetupRqstFDD PRESENCE mandatory }, ... } CommonPhysicalChannelType-CTCH-SetupRqstFDD ::= CHOICE { secondary-CCPCH-parameters Secondary-CCPCH-CTCH-SetupRqstFDD, pRACH-parameters PRACH-CTCH-SetupRqstFDD, notUsed-pCPCHes-parameters NULL, ... } Secondary-CCPCH-CTCH-SetupRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, fdd-S-CCPCH-Offset FDD-S-CCPCH-Offset, dl-ScramblingCode DL-ScramblingCode OPTIONAL, -- This IE shall be present if the PCH Parameters IE is not present fdd-DL-ChannelisationCodeNumber FDD-DL-ChannelisationCodeNumber, tFCS TFCS, secondary-CCPCH-SlotFormat SecondaryCCPCH-SlotFormat, tFCI-Presence TFCI-Presence OPTIONAL, -- This IE shall be present if the Secondary CCPCH Slot Format is set to any of the values from 8 to 17 or if 3.84Mcps TDD IMB is used multiplexingPosition MultiplexingPosition, powerOffsetInformation PowerOffsetInformation-CTCH-SetupRqstFDD, sTTD-Indicator STTD-Indicator, fACH-Parameters FACH-ParametersList-CTCH-SetupRqstFDD OPTIONAL, pCH-Parameters PCH-Parameters-CTCH-SetupRqstFDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Secondary-CCPCHItem-CTCH-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } Secondary-CCPCHItem-CTCH-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MICH-Parameters-CTCH-SetupRqstFDD CRITICALITY reject EXTENSION MICH-Parameters-CTCH-SetupRqstFDD PRESENCE optional }| { ID id-FDD-S-CCPCH-FrameOffset-CTCH-SetupRqstFDD CRITICALITY reject EXTENSION FDD-S-CCPCH-FrameOffset PRESENCE optional }| { ID id-ModulationPO-MBSFN CRITICALITY reject EXTENSION ModulationPO-MBSFN PRESENCE optional }| { ID id-Secondary-CCPCH-SlotFormat-Extended CRITICALITY reject EXTENSION Secondary-CCPCH-SlotFormat-Extended PRESENCE optional }| { ID id-IMB-Parameters CRITICALITY reject EXTENSION IMB-Parameters PRESENCE optional }, ... } PowerOffsetInformation-CTCH-SetupRqstFDD ::= SEQUENCE { pO1-ForTFCI-Bits PowerOffset, pO3-ForPilotBits PowerOffset, iE-Extensions ProtocolExtensionContainer { { PowerOffsetInformation-CTCH-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } PowerOffsetInformation-CTCH-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } FACH-ParametersList-CTCH-SetupRqstFDD ::= ProtocolIE-Single-Container {{ FACH-ParametersListIEs-CTCH-SetupRqstFDD }} FACH-ParametersListIEs-CTCH-SetupRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-FACH-ParametersListIE-CTCH-SetupRqstFDD CRITICALITY reject TYPE FACH-ParametersListIE-CTCH-SetupRqstFDD PRESENCE mandatory } } FACH-ParametersListIE-CTCH-SetupRqstFDD ::= SEQUENCE (SIZE (1..maxNrOfFACHs)) OF FACH-ParametersItem-CTCH-SetupRqstFDD FACH-ParametersItem-CTCH-SetupRqstFDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, transportFormatSet TransportFormatSet, toAWS ToAWS, toAWE ToAWE, maxFACH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { FACH-ParametersItem-CTCH-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } FACH-ParametersItem-CTCH-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-bindingID CRITICALITY ignore EXTENSION BindingID PRESENCE optional }| { ID id-transportlayeraddress CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional }| { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }| { ID id-BroadcastReference CRITICALITY ignore EXTENSION BroadcastReference PRESENCE optional }| { ID id-IPMulticastIndication CRITICALITY ignore EXTENSION IPMulticastIndication PRESENCE optional }, ... } PCH-Parameters-CTCH-SetupRqstFDD ::= ProtocolIE-Single-Container {{ PCH-ParametersIE-CTCH-SetupRqstFDD }} PCH-ParametersIE-CTCH-SetupRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-PCH-ParametersItem-CTCH-SetupRqstFDD CRITICALITY reject TYPE PCH-ParametersItem-CTCH-SetupRqstFDD PRESENCE mandatory } } PCH-ParametersItem-CTCH-SetupRqstFDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, transportFormatSet TransportFormatSet, toAWS ToAWS, toAWE ToAWE, pCH-Power DL-Power, pICH-Parameters PICH-Parameters-CTCH-SetupRqstFDD, iE-Extensions ProtocolExtensionContainer { { PCH-ParametersItem-CTCH-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } PCH-ParametersItem-CTCH-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-bindingID CRITICALITY ignore EXTENSION BindingID PRESENCE optional }| { ID id-transportlayeraddress CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional }| { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } PICH-Parameters-CTCH-SetupRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, fdd-dl-ChannelisationCodeNumber FDD-DL-ChannelisationCodeNumber, pICH-Power PICH-Power, pICH-Mode PICH-Mode, sTTD-Indicator STTD-Indicator, iE-Extensions ProtocolExtensionContainer { { PICH-Parameters-CTCH-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } PICH-Parameters-CTCH-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MICH-Parameters-CTCH-SetupRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, fdd-dl-ChannelisationCodeNumber FDD-DL-ChannelisationCodeNumber, mICH-Power PICH-Power, mICH-Mode MICH-Mode, sTTD-Indicator STTD-Indicator, iE-Extensions ProtocolExtensionContainer { { MICH-Parameters-CTCH-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } MICH-Parameters-CTCH-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PRACH-CTCH-SetupRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, scramblingCodeNumber ScramblingCodeNumber, tFCS TFCS, preambleSignatures PreambleSignatures, allowedSlotFormatInformation AllowedSlotFormatInformationList-CTCH-SetupRqstFDD, rACH-SubChannelNumbers RACH-SubChannelNumbers, ul-punctureLimit PunctureLimit, preambleThreshold PreambleThreshold, rACH-Parameters RACH-Parameters-CTCH-SetupRqstFDD, aICH-Parameters AICH-Parameters-CTCH-SetupRqstFDD, iE-Extensions ProtocolExtensionContainer { { PRACHItem-CTCH-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } PRACHItem-CTCH-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } AllowedSlotFormatInformationList-CTCH-SetupRqstFDD ::= SEQUENCE (SIZE (1.. maxNrOfSlotFormatsPRACH)) OF AllowedSlotFormatInformationItem-CTCH-SetupRqstFDD AllowedSlotFormatInformationItem-CTCH-SetupRqstFDD ::= SEQUENCE { rACHSlotFormat RACH-SlotFormat, iE-Extensions ProtocolExtensionContainer { { AllowedSlotFormatInformationItem-CTCH-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } AllowedSlotFormatInformationItem-CTCH-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RACH-Parameters-CTCH-SetupRqstFDD ::= ProtocolIE-Single-Container {{ RACH-ParametersIE-CTCH-SetupRqstFDD }} RACH-ParametersIE-CTCH-SetupRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-RACH-ParametersItem-CTCH-SetupRqstFDD CRITICALITY reject TYPE RACH-ParametersItem-CTCH-SetupRqstFDD PRESENCE mandatory } } RACH-ParametersItem-CTCH-SetupRqstFDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, transportFormatSet TransportFormatSet, iE-Extensions ProtocolExtensionContainer { { RACH-ParametersItem-CTCH-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } RACH-ParametersItem-CTCH-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-bindingID CRITICALITY ignore EXTENSION BindingID PRESENCE optional }| { ID id-transportlayeraddress CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional }| { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } AICH-Parameters-CTCH-SetupRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, aICH-TransmissionTiming AICH-TransmissionTiming, fdd-dl-ChannelisationCodeNumber FDD-DL-ChannelisationCodeNumber, aICH-Power AICH-Power, sTTD-Indicator STTD-Indicator, iE-Extensions ProtocolExtensionContainer { { AICH-Parameters-CTCH-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } AICH-Parameters-CTCH-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON TRANSPORT CHANNEL SETUP REQUEST TDD -- -- ************************************************************** CommonTransportChannelSetupRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonTransportChannelSetupRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonTransportChannelSetupRequestTDD-Extensions}} OPTIONAL, ... } CommonTransportChannelSetupRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-ConfigurationGenerationID CRITICALITY reject TYPE ConfigurationGenerationID PRESENCE mandatory }| { ID id-CommonPhysicalChannelType-CTCH-SetupRqstTDD CRITICALITY ignore TYPE CommonPhysicalChannelType-CTCH-SetupRqstTDD PRESENCE mandatory }, ... } CommonTransportChannelSetupRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CommonPhysicalChannelType-CTCH-SetupRqstTDD ::= CHOICE { secondary-CCPCH-parameters Secondary-CCPCH-CTCH-SetupRqstTDD, pRACH-parameters PRACH-CTCH-SetupRqstTDD, ..., extension-CommonPhysicalChannelType-CTCH-SetupRqstTDD Extension-CommonPhysicalChannelType-CTCH-SetupRqstTDD } Extension-CommonPhysicalChannelType-CTCH-SetupRqstTDD ::= ProtocolIE-Single-Container {{ Extension-CommonPhysicalChannelType-CTCH-SetupRqstTDDIE }} Extension-CommonPhysicalChannelType-CTCH-SetupRqstTDDIE NBAP-PROTOCOL-IES ::= { { ID id-PLCCH-parameters CRITICALITY ignore TYPE PLCCH-parameters PRESENCE mandatory }| { ID id-E-RUCCH-parameters CRITICALITY ignore TYPE E-RUCCH-parameters PRESENCE mandatory }| { ID id-E-RUCCH-768-parameters CRITICALITY ignore TYPE E-RUCCH-768-parameters PRESENCE mandatory }, ... } Secondary-CCPCH-CTCH-SetupRqstTDD ::= SEQUENCE { sCCPCH-CCTrCH-ID CCTrCH-ID, -- For DL CCTrCH supporting one or several Secondary CCPCHs tFCS TFCS, -- For DL CCTrCH supporting one or several Secondary CCPCHs tFCI-Coding TFCI-Coding, punctureLimit PunctureLimit, secondaryCCPCH-parameterList Secondary-CCPCH-parameterList-CTCH-SetupRqstTDD, fACH-ParametersList FACH-ParametersList-CTCH-SetupRqstTDD OPTIONAL, pCH-Parameters PCH-Parameters-CTCH-SetupRqstTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer {{Secondary-CCPCHItem-CTCH-SetupRqstTDD-ExtIEs}} OPTIONAL, ... } Secondary-CCPCHItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Tstd-indicator CRITICALITY reject EXTENSION TSTD-Indicator PRESENCE optional }| { ID id-MICH-Parameters-CTCH-SetupRqstTDD CRITICALITY reject EXTENSION MICH-Parameters-CTCH-SetupRqstTDD PRESENCE optional }| { ID id-Additional-S-CCPCH-Parameters-CTCH-SetupRqstTDD CRITICALITY reject EXTENSION Secondary-CCPCH-parameterExtendedList-CTCH-SetupRqstTDD PRESENCE optional }| -- Applicable to 3.84Mcps TDD only, used when more than maxNrOfSCCPCHs SCCPCHs are to be established. { ID id-Additional-S-CCPCH-LCR-Parameters-CTCH-SetupRqstTDD CRITICALITY reject EXTENSION Secondary-CCPCH-LCR-parameterExtendedList-CTCH-SetupRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only, used when more than maxNrOfSCCPCHLCRs SCCPCHs are to be established. { ID id-S-CCPCH-768-Parameters-CTCH-SetupRqstTDD CRITICALITY reject EXTENSION Secondary-CCPCH-768-parameterList-CTCH-SetupRqstTDD PRESENCE optional }| { ID id-S-CCPCH-Modulation CRITICALITY reject EXTENSION ModulationMBSFN PRESENCE optional }| -- Applicable to 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD { ID id-TimeSlotConfigurationList-LCR-CTCH-SetupRqstTDD CRITICALITY reject EXTENSION TimeSlotConfigurationList-LCR-CTCH-SetupRqstTDD PRESENCE optional }| { ID id-UARFCNforNt CRITICALITY reject EXTENSION UARFCN PRESENCE optional }, -- Applicable to 1.28Mcps TDD when using multiple frequencies. This IE indicates the frequency of Secondary Frequency on which SCCPCH to be set up ... } Secondary-CCPCH-parameterList-CTCH-SetupRqstTDD ::= ProtocolIE-Single-Container {{ Secondary-CCPCH-parameterListIEs-CTCH-SetupRqstTDD }} Secondary-CCPCH-parameterListIEs-CTCH-SetupRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-Secondary-CCPCH-parameterListIE-CTCH-SetupRqstTDD CRITICALITY reject TYPE Secondary-CCPCH-parameterListIE-CTCH-SetupRqstTDD PRESENCE optional }| { ID id-Secondary-CCPCH-LCR-parameterList-CTCH-SetupRqstTDD CRITICALITY reject TYPE Secondary-CCPCH-LCR-parameterList-CTCH-SetupRqstTDD PRESENCE optional } } Secondary-CCPCH-parameterListIE-CTCH-SetupRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfSCCPCHs)) OF Secondary-CCPCH-parameterItem-CTCH-SetupRqstTDD Secondary-CCPCH-parameterItem-CTCH-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, tdd-ChannelisationCode TDD-ChannelisationCode, timeslot TimeSlot, midambleShiftandBurstType MidambleShiftAndBurstType, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, s-CCPCH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { Secondary-CCPCH-parameterItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } Secondary-CCPCH-parameterItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-tFCI-Presence CRITICALITY notify EXTENSION TFCI-Presence PRESENCE optional}, ... } Secondary-CCPCH-LCR-parameterList-CTCH-SetupRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfSCCPCHLCRs)) OF Secondary-CCPCH-LCR-parameterItem-CTCH-SetupRqstTDD Secondary-CCPCH-LCR-parameterItem-CTCH-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, timeslotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, -- For 1.28 Mcps TDD, if the cell is operating in MBSFN only mode, NodeB shall ignore the contents of this IE. tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, s-CCPCH-Power DL-Power, s-CCPCH-TimeSlotFormat-LCR TDD-DL-DPCH-TimeSlotFormat-LCR, iE-Extensions ProtocolExtensionContainer { { Secondary-CCPCH-LCR-parameterItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } Secondary-CCPCH-LCR-parameterItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MBSFN-SpecialTimeSlot-LCR CRITICALITY ignore EXTENSION TimeslotLCR-Extension PRESENCE optional }, -- Only for 1.28 Mcps TDD MBSFN only mode, this IE indicates the MBSFN Special Time Slot [19]. The IE "Time Slot LCR" shall be ignored if this IE appears ... } Secondary-CCPCH-768-parameterList-CTCH-SetupRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfSCCPCHs768)) OF Secondary-CCPCH-768-parameterItem-CTCH-SetupRqstTDD Secondary-CCPCH-768-parameterItem-CTCH-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, tdd-ChannelisationCode768 TDD-ChannelisationCode768, timeslot TimeSlot, tFCI-Presence768 TFCI-Presence OPTIONAL, midambleShiftandBurstType768 MidambleShiftAndBurstType768, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, s-CCPCH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { Secondary-CCPCH-parameterItem-768-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } Secondary-CCPCH-parameterItem-768-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } FACH-ParametersList-CTCH-SetupRqstTDD ::= ProtocolIE-Single-Container {{ FACH-ParametersListIEs-CTCH-SetupRqstTDD }} FACH-ParametersListIEs-CTCH-SetupRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-FACH-ParametersListIE-CTCH-SetupRqstTDD CRITICALITY reject TYPE FACH-ParametersListIE-CTCH-SetupRqstTDD PRESENCE mandatory } } FACH-ParametersListIE-CTCH-SetupRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfFACHs)) OF FACH-ParametersItem-CTCH-SetupRqstTDD FACH-ParametersItem-CTCH-SetupRqstTDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, fACH-CCTrCH-ID CCTrCH-ID, dl-TransportFormatSet TransportFormatSet, toAWS ToAWS, toAWE ToAWE, iE-Extensions ProtocolExtensionContainer { { FACH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } FACH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-maxFACH-Power-LCR-CTCH-SetupRqstTDD CRITICALITY reject EXTENSION DL-Power PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-bindingID CRITICALITY ignore EXTENSION BindingID PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-transportlayeraddress CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-BroadcastReference CRITICALITY ignore EXTENSION BroadcastReference PRESENCE optional }| { ID id-IPMulticastIndication CRITICALITY ignore EXTENSION IPMulticastIndication PRESENCE optional }, ... } PCH-Parameters-CTCH-SetupRqstTDD ::= ProtocolIE-Single-Container {{ PCH-ParametersIE-CTCH-SetupRqstTDD }} PCH-ParametersIE-CTCH-SetupRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-PCH-ParametersItem-CTCH-SetupRqstTDD CRITICALITY reject TYPE PCH-ParametersItem-CTCH-SetupRqstTDD PRESENCE mandatory } } PCH-ParametersItem-CTCH-SetupRqstTDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, pCH-CCTrCH-ID CCTrCH-ID, dl-TransportFormatSet TransportFormatSet, -- For the DL. toAWS ToAWS, toAWE ToAWE, pICH-Parameters PICH-Parameters-CTCH-SetupRqstTDD, iE-Extensions ProtocolExtensionContainer { { PCH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } PCH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-PCH-Power-LCR-CTCH-SetupRqstTDD CRITICALITY reject EXTENSION DL-Power PRESENCE optional }| { ID id-bindingID CRITICALITY ignore EXTENSION BindingID PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-transportlayeraddress CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-PICH-768-Parameters-CTCH-SetupRqstTDD CRITICALITY reject EXTENSION PICH-768-ParametersItem-CTCH-SetupRqstTDD PRESENCE optional }| { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, -- Shall be ignored if bearer establishment with ALCAP. ... } PICH-Parameters-CTCH-SetupRqstTDD ::= ProtocolIE-Single-Container {{ PICH-ParametersIE-CTCH-SetupRqstTDD }} PICH-ParametersIE-CTCH-SetupRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-PICH-ParametersItem-CTCH-SetupRqstTDD CRITICALITY reject TYPE PICH-ParametersItem-CTCH-SetupRqstTDD PRESENCE optional }| { ID id-PICH-LCR-Parameters-CTCH-SetupRqstTDD CRITICALITY reject TYPE PICH-LCR-Parameters-CTCH-SetupRqstTDD PRESENCE optional } } PICH-ParametersItem-CTCH-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, tdd-ChannelisationCode TDD-ChannelisationCode, timeSlot TimeSlot, midambleshiftAndBurstType MidambleShiftAndBurstType, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, pagingIndicatorLength PagingIndicatorLength, pICH-Power PICH-Power, iE-Extensions ProtocolExtensionContainer { { PICH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } PICH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PICH-LCR-Parameters-CTCH-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, pagingIndicatorLength PagingIndicatorLength, pICH-Power PICH-Power, second-TDD-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, iE-Extensions ProtocolExtensionContainer { { PICH-LCR-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } PICH-LCR-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Tstd-indicator CRITICALITY reject EXTENSION TSTD-Indicator PRESENCE optional }, -- Applicable to 1.28 Mcps TDD only ... } PICH-768-ParametersItem-CTCH-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, tdd-ChannelisationCode768 TDD-ChannelisationCode768, timeSlot TimeSlot, midambleshiftAndBurstType78 MidambleShiftAndBurstType768, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, pagingIndicatorLength PagingIndicatorLength, pICH-Power PICH-Power, iE-Extensions ProtocolExtensionContainer { { PICH-768-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } PICH-768-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MICH-Parameters-CTCH-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, notificationIndicatorLength NotificationIndicatorLength, mICH-Power PICH-Power, mICH-TDDOption-Specific-Parameters MICH-TDDOption-Specific-Parameters-CTCH-SetupRqstTDD, iE-Extensions ProtocolExtensionContainer { { MICH-Parameters-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } MICH-Parameters-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MICH-TDDOption-Specific-Parameters-CTCH-SetupRqstTDD ::= CHOICE { hCR-TDD MICH-HCR-Parameters-CTCH-SetupRqstTDD, lCR-TDD MICH-LCR-Parameters-CTCH-SetupRqstTDD, ..., cHipRate768-TDD MICH-768-Parameters-CTCH-SetupRqstTDD } MICH-HCR-Parameters-CTCH-SetupRqstTDD ::= SEQUENCE { tdd-ChannelisationCode TDD-ChannelisationCode, timeSlot TimeSlot, midambleshiftAndBurstType MidambleShiftAndBurstType, iE-Extensions ProtocolExtensionContainer { { MICH-HCR-Parameters-CTCH-SetupRqstTDD-ExtIEs } } OPTIONAL, ... } MICH-HCR-Parameters-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MICH-LCR-Parameters-CTCH-SetupRqstTDD ::= SEQUENCE { tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, -- For 1.28 Mcps TDD, if the cell is operating in MBSFN only mode, NodeB shall ignore the contents of this IE. second-TDD-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, tSTD-Indicator TSTD-Indicator, iE-Extensions ProtocolExtensionContainer { { MICH-LCR-Parameters-CTCH-SetupRqstTDD-ExtIEs } } OPTIONAL, ... } MICH-LCR-Parameters-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MBSFN-SpecialTimeSlot-LCR CRITICALITY ignore EXTENSION TimeslotLCR-Extension PRESENCE optional }, -- Only for 1.28 Mcps TDD MBSFN only mode, this IE indicates the MBSFN Special Time Slot [19]. The IE "Time Slot LCR" shall be ignored if this IE appears ... } MICH-768-Parameters-CTCH-SetupRqstTDD ::= SEQUENCE { tdd-ChannelisationCode768 TDD-ChannelisationCode768, timeSlot TimeSlot, midambleshiftAndBurstType768 MidambleShiftAndBurstType768, iE-Extensions ProtocolExtensionContainer { { MICH-768-Parameters-CTCH-SetupRqstTDD-ExtIEs } } OPTIONAL, ... } MICH-768-Parameters-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TimeSlotConfigurationList-LCR-CTCH-SetupRqstTDD ::= SEQUENCE (SIZE (1..7)) OF TimeSlotConfigurationItem-LCR-CTCH-SetupRqstTDD TimeSlotConfigurationItem-LCR-CTCH-SetupRqstTDD ::= SEQUENCE { timeslotLCR TimeSlotLCR, timeslotLCR-Parameter-ID CellParameterID, iE-Extensions ProtocolExtensionContainer { { TimeSlotConfigurationItem-LCR-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } TimeSlotConfigurationItem-LCR-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Secondary-CCPCH-parameterExtendedList-CTCH-SetupRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfSCCPCHsinExt)) OF Secondary-CCPCH-parameterItem-CTCH-SetupRqstTDD -- Applicable to 3.84Mcps TDD only, used when more than maxNrOfSCCPCHs SCCPCHs are to be established. Secondary-CCPCH-LCR-parameterExtendedList-CTCH-SetupRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfSCCPCHsLCRinExt)) OF Secondary-CCPCH-LCR-parameterItem-CTCH-SetupRqstTDD -- Applicable to 1.28Mcps TDD only, used when more than maxNrOfSCCPCHLCRs SCCPCHs are to be established. PRACH-CTCH-SetupRqstTDD ::= SEQUENCE { pRACH-Parameters-CTCH-SetupRqstTDD PRACH-Parameters-CTCH-SetupRqstTDD, iE-Extensions ProtocolExtensionContainer { { PRACH-CTCH-SetupRqstTDD-ExtIEs } } OPTIONAL, ... } PRACH-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-FPACH-LCR-Parameters-CTCH-SetupRqstTDD CRITICALITY reject EXTENSION FPACH-LCR-Parameters-CTCH-SetupRqstTDD PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD { ID id-PRACH-768-Parameters-CTCH-SetupRqstTDD CRITICALITY reject EXTENSION PRACH-768-ParametersItem-CTCH-SetupRqstTDD PRESENCE optional }, ... } PRACH-Parameters-CTCH-SetupRqstTDD ::= ProtocolIE-Single-Container {{ PRACH-ParametersIE-CTCH-SetupRqstTDD }} PRACH-ParametersIE-CTCH-SetupRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-PRACH-ParametersItem-CTCH-SetupRqstTDD CRITICALITY reject TYPE PRACH-ParametersItem-CTCH-SetupRqstTDD PRESENCE optional }| { ID id-PRACH-LCR-ParametersList-CTCH-SetupRqstTDD CRITICALITY reject TYPE PRACH-LCR-ParametersList-CTCH-SetupRqstTDD PRESENCE optional } } PRACH-ParametersItem-CTCH-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, tFCS TFCS, timeslot TimeSlot, tdd-ChannelisationCode TDD-ChannelisationCode, maxPRACH-MidambleShifts MaxPRACH-MidambleShifts, pRACH-Midamble PRACH-Midamble, rACH RACH-Parameter-CTCH-SetupRqstTDD, iE-Extensions ProtocolExtensionContainer { { PRACH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } PRACH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RACH-Parameter-CTCH-SetupRqstTDD ::= ProtocolIE-Single-Container {{ RACH-ParameterIE-CTCH-SetupRqstTDD }} RACH-ParameterIE-CTCH-SetupRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-RACH-ParameterItem-CTCH-SetupRqstTDD CRITICALITY reject TYPE RACH-ParameterItem-CTCH-SetupRqstTDD PRESENCE mandatory } } RACH-ParameterItem-CTCH-SetupRqstTDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, uL-TransportFormatSet TransportFormatSet, -- For the UL iE-Extensions ProtocolExtensionContainer { { RACH-ParameterItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } RACH-ParameterItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-bindingID CRITICALITY ignore EXTENSION BindingID PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-transportlayeraddress CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, -- Shall be ignored if bearer establishment with ALCAP. ... } PRACH-LCR-ParametersList-CTCH-SetupRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfPRACHLCRs)) OF PRACH-LCR-ParametersItem-CTCH-SetupRqstTDD PRACH-LCR-ParametersItem-CTCH-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, tFCS TFCS, timeslotLCR TimeSlotLCR, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, midambleShiftLCR MidambleShiftLCR, rACH RACH-Parameter-CTCH-SetupRqstTDD, iE-Extensions ProtocolExtensionContainer { { PRACH-LCR-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } PRACH-LCR-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UARFCNforNt CRITICALITY reject EXTENSION UARFCN PRESENCE optional }, -- Applicable to 1.28Mcps TDD when using multiple frequencies. This IE indicates the frequency of secondary on which PRACH to be set up. ... } PRACH-768-ParametersItem-CTCH-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, tFCS TFCS, timeslot TimeSlot, tdd-ChannelisationCode768 TDD-ChannelisationCode768, maxPRACH-MidambleShifts MaxPRACH-MidambleShifts, pRACH-Midamble PRACH-Midamble, rACH RACH-Parameter-CTCH-SetupRqstTDD, iE-Extensions ProtocolExtensionContainer { { PRACH-768-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } PRACH-768-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } FPACH-LCR-Parameters-CTCH-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, timeslotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, fPACH-Power FPACH-Power, iE-Extensions ProtocolExtensionContainer { { FPACH-LCR-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } FPACH-LCR-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UARFCNforNt CRITICALITY reject EXTENSION UARFCN PRESENCE optional }, -- Applicable to 1.28Mcps TDD when using multiple frequencies. This IE indicates the frequency of Secondary Frequency on which FPACH to be set up. ... } PLCCH-parameters ::= SEQUENCE { maxPowerPLCCH DL-Power, commonPhysicalChannelID CommonPhysicalChannelID, tdd-ChannelisationCode TDD-ChannelisationCode, timeslotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, iE-Extensions ProtocolExtensionContainer { { PLCCH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } PLCCH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-RUCCH-parameters ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, timeslot TimeSlot, tdd-ChannelisationCode TDD-ChannelisationCode, maxE-RUCCH-MidambleShifts MaxPRACH-MidambleShifts, e-RUCCH-Midamble PRACH-Midamble, iE-Extensions ProtocolExtensionContainer { { E-RUCCH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } E-RUCCH-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-RUCCH-768-parameters ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, timeslot TimeSlot, tdd-ChannelisationCode768 TDD-ChannelisationCode768, maxE-RUCCH-MidambleShifts MaxPRACH-MidambleShifts, e-RUCCH-Midamble PRACH-Midamble, iE-Extensions ProtocolExtensionContainer { { E-RUCCH-768-ParametersItem-CTCH-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } E-RUCCH-768-ParametersItem-CTCH-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON TRANSPORT CHANNEL SETUP RESPONSE -- -- ************************************************************** CommonTransportChannelSetupResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonTransportChannelSetupResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonTransportChannelSetupResponse-Extensions}} OPTIONAL, ... } CommonTransportChannelSetupResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-FACH-ParametersList-CTCH-SetupRsp CRITICALITY ignore TYPE FACH-CommonTransportChannel-InformationResponse PRESENCE optional }| { ID id-PCH-Parameters-CTCH-SetupRsp CRITICALITY ignore TYPE CommonTransportChannel-InformationResponse PRESENCE optional }| { ID id-RACH-Parameters-CTCH-SetupRsp CRITICALITY ignore TYPE CommonTransportChannel-InformationResponse PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } CommonTransportChannelSetupResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } FACH-CommonTransportChannel-InformationResponse ::= SEQUENCE (SIZE (1..maxNrOfFACHs)) OF CommonTransportChannel-InformationResponse -- ************************************************************** -- -- COMMON TRANSPORT CHANNEL SETUP FAILURE -- -- ************************************************************** CommonTransportChannelSetupFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonTransportChannelSetupFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonTransportChannelSetupFailure-Extensions}} OPTIONAL, ... } CommonTransportChannelSetupFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } CommonTransportChannelSetupFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON TRANSPORT CHANNEL RECONFIGURATION REQUEST FDD -- -- ************************************************************** CommonTransportChannelReconfigurationRequestFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonTransportChannelReconfigurationRequestFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonTransportChannelReconfigurationRequestFDD-Extensions}} OPTIONAL, ... } CommonTransportChannelReconfigurationRequestFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-ConfigurationGenerationID CRITICALITY reject TYPE ConfigurationGenerationID PRESENCE mandatory }| { ID id-CommonPhysicalChannelType-CTCH-ReconfRqstFDD CRITICALITY reject TYPE CommonPhysicalChannelType-CTCH-ReconfRqstFDD PRESENCE mandatory }, ... } CommonTransportChannelReconfigurationRequestFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CommonPhysicalChannelType-CTCH-ReconfRqstFDD ::= CHOICE { secondary-CCPCH-parameters Secondary-CCPCHList-CTCH-ReconfRqstFDD, pRACH-parameters PRACHList-CTCH-ReconfRqstFDD, notUsed-cPCH-parameters NULL, ... } Secondary-CCPCHList-CTCH-ReconfRqstFDD ::= SEQUENCE { fACH-ParametersList-CTCH-ReconfRqstFDD FACH-ParametersList-CTCH-ReconfRqstFDD OPTIONAL, pCH-Parameters-CTCH-ReconfRqstFDD PCH-Parameters-CTCH-ReconfRqstFDD OPTIONAL, pICH-Parameters-CTCH-ReconfRqstFDD PICH-Parameters-CTCH-ReconfRqstFDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Secondary-CCPCH-CTCH-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } Secondary-CCPCH-CTCH-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MICH-Parameters-CTCH-ReconfRqstFDD CRITICALITY reject EXTENSION MICH-Parameters-CTCH-ReconfRqstFDD PRESENCE optional }, ... } FACH-ParametersList-CTCH-ReconfRqstFDD ::= ProtocolIE-Single-Container {{ FACH-ParametersListIEs-CTCH-ReconfRqstFDD }} FACH-ParametersListIEs-CTCH-ReconfRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-FACH-ParametersListIE-CTCH-ReconfRqstFDD CRITICALITY reject TYPE FACH-ParametersListIE-CTCH-ReconfRqstFDD PRESENCE mandatory } } FACH-ParametersListIE-CTCH-ReconfRqstFDD ::= SEQUENCE (SIZE (1..maxFACHCell)) OF FACH-ParametersItem-CTCH-ReconfRqstFDD FACH-ParametersItem-CTCH-ReconfRqstFDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, maxFACH-Power DL-Power OPTIONAL, toAWS ToAWS OPTIONAL, toAWE ToAWE OPTIONAL, iE-Extensions ProtocolExtensionContainer { { FACH-ParametersItem-CTCH-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } FACH-ParametersItem-CTCH-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } PCH-Parameters-CTCH-ReconfRqstFDD ::= ProtocolIE-Single-Container {{ PCH-ParametersIE-CTCH-ReconfRqstFDD }} PCH-ParametersIE-CTCH-ReconfRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-PCH-ParametersItem-CTCH-ReconfRqstFDD CRITICALITY reject TYPE PCH-ParametersItem-CTCH-ReconfRqstFDD PRESENCE mandatory } } PCH-ParametersItem-CTCH-ReconfRqstFDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, pCH-Power DL-Power OPTIONAL, toAWS ToAWS OPTIONAL, toAWE ToAWE OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PCH-ParametersItem-CTCH-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } PCH-ParametersItem-CTCH-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } PICH-Parameters-CTCH-ReconfRqstFDD ::= ProtocolIE-Single-Container {{ PICH-ParametersIE-CTCH-ReconfRqstFDD }} PICH-ParametersIE-CTCH-ReconfRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-PICH-ParametersItem-CTCH-ReconfRqstFDD CRITICALITY reject TYPE PICH-ParametersItem-CTCH-ReconfRqstFDD PRESENCE mandatory } } PICH-ParametersItem-CTCH-ReconfRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, pICH-Power PICH-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PICH-ParametersItem-CTCH-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } PICH-ParametersItem-CTCH-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MICH-Parameters-CTCH-ReconfRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, mICH-Power PICH-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MICH-Parameters-CTCH-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } MICH-Parameters-CTCH-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PRACHList-CTCH-ReconfRqstFDD ::= SEQUENCE { pRACH-ParametersList-CTCH-ReconfRqstFDD PRACH-ParametersList-CTCH-ReconfRqstFDD OPTIONAL, aICH-ParametersList-CTCH-ReconfRqstFDD AICH-ParametersList-CTCH-ReconfRqstFDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PRACH-CTCH-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } PRACH-CTCH-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PRACH-ParametersList-CTCH-ReconfRqstFDD ::= ProtocolIE-Single-Container {{ PRACH-ParametersListIEs-CTCH-ReconfRqstFDD }} PRACH-ParametersListIEs-CTCH-ReconfRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-PRACH-ParametersListIE-CTCH-ReconfRqstFDD CRITICALITY reject TYPE PRACH-ParametersListIE-CTCH-ReconfRqstFDD PRESENCE mandatory } } PRACH-ParametersListIE-CTCH-ReconfRqstFDD ::= SEQUENCE (SIZE (1..maxPRACHCell)) OF PRACH-ParametersItem-CTCH-ReconfRqstFDD PRACH-ParametersItem-CTCH-ReconfRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, preambleSignatures PreambleSignatures OPTIONAL, allowedSlotFormatInformation AllowedSlotFormatInformationList-CTCH-ReconfRqstFDD OPTIONAL, rACH-SubChannelNumbers RACH-SubChannelNumbers OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PRACH-ParametersItem-CTCH-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } PRACH-ParametersItem-CTCH-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } AllowedSlotFormatInformationList-CTCH-ReconfRqstFDD ::= SEQUENCE (SIZE (1.. maxNrOfSlotFormatsPRACH)) OF AllowedSlotFormatInformationItem-CTCH-ReconfRqstFDD AllowedSlotFormatInformationItem-CTCH-ReconfRqstFDD ::= SEQUENCE { rACH-SlotFormat RACH-SlotFormat, iE-Extensions ProtocolExtensionContainer { { AllowedSlotFormatInformationItem-CTCH-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } AllowedSlotFormatInformationItem-CTCH-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } AICH-ParametersList-CTCH-ReconfRqstFDD ::= ProtocolIE-Single-Container {{ AICH-ParametersListIEs-CTCH-ReconfRqstFDD }} AICH-ParametersListIEs-CTCH-ReconfRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-AICH-ParametersListIE-CTCH-ReconfRqstFDD CRITICALITY reject TYPE AICH-ParametersListIE-CTCH-ReconfRqstFDD PRESENCE mandatory } } AICH-ParametersListIE-CTCH-ReconfRqstFDD ::= SEQUENCE (SIZE (1..maxPRACHCell)) OF AICH-ParametersItem-CTCH-ReconfRqstFDD AICH-ParametersItem-CTCH-ReconfRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, aICH-Power AICH-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { AICH-ParametersItemIE-CTCH-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } AICH-ParametersItemIE-CTCH-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON TRANSPORT CHANNEL RECONFIGURATION REQUEST TDD -- -- ************************************************************** CommonTransportChannelReconfigurationRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonTransportChannelReconfigurationRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonTransportChannelReconfigurationRequestTDD-Extensions}} OPTIONAL, ... } CommonTransportChannelReconfigurationRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-ConfigurationGenerationID CRITICALITY reject TYPE ConfigurationGenerationID PRESENCE mandatory }| { ID id-Secondary-CCPCH-Parameters-CTCH-ReconfRqstTDD CRITICALITY reject TYPE Secondary-CCPCH-Parameters-CTCH-ReconfRqstTDD PRESENCE optional }| { ID id-PICH-Parameters-CTCH-ReconfRqstTDD CRITICALITY reject TYPE PICH-Parameters-CTCH-ReconfRqstTDD PRESENCE optional }| { ID id-FACH-ParametersList-CTCH-ReconfRqstTDD CRITICALITY reject TYPE FACH-ParametersList-CTCH-ReconfRqstTDD PRESENCE optional }| { ID id-PCH-Parameters-CTCH-ReconfRqstTDD CRITICALITY reject TYPE PCH-Parameters-CTCH-ReconfRqstTDD PRESENCE optional }, ... } CommonTransportChannelReconfigurationRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-FPACH-LCR-Parameters-CTCH-ReconfRqstTDD CRITICALITY reject EXTENSION FPACH-LCR-Parameters-CTCH-ReconfRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-MICH-Parameters-CTCH-ReconfRqstTDD CRITICALITY reject EXTENSION MICH-Parameters-CTCH-ReconfRqstTDD PRESENCE optional }| { ID id-PLCCH-Parameters-CTCH-ReconfRqstTDD CRITICALITY ignore EXTENSION PLCCH-Parameters-CTCH-ReconfRqstTDD PRESENCE optional }| { ID id-S-CCPCH-768-Parameters-CTCH-ReconfRqstTDD CRITICALITY reject EXTENSION Secondary-CCPCH-768-Parameters-CTCH-ReconfRqstTDD PRESENCE optional }| { ID id-PICH-768-Parameters-CTCH-ReconfRqstTDD CRITICALITY reject EXTENSION PICH-768-Parameters-CTCH-ReconfRqstTDD PRESENCE optional }| { ID id-MICH-768-Parameters-CTCH-ReconfRqstTDD CRITICALITY reject EXTENSION MICH-768-Parameters-CTCH-ReconfRqstTDD PRESENCE optional }| { ID id-UPPCH-LCR-Parameters-CTCH-ReconfRqstTDD CRITICALITY reject EXTENSION UPPCH-LCR-Parameters-CTCH-ReconfRqstTDD PRESENCE optional }, -- Applicable to 1.28Mcps TDD only ... } Secondary-CCPCH-Parameters-CTCH-ReconfRqstTDD::= SEQUENCE { cCTrCH-ID CCTrCH-ID, secondaryCCPCHList Secondary-CCPCHList-CTCH-ReconfRqstTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Secondary-CCPCH-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } Secondary-CCPCH-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Additional-S-CCPCH-Parameters-CTCH-ReconfRqstTDD CRITICALITY reject EXTENSION Secondary-CCPCH-parameterExtendedList-CTCH-ReconfRqstTDD PRESENCE optional }| -- Applicable to 3.84Mcps TDD only, used when more than maxNrOfSCCPCHs SCCPCHs are to be reconfigured. { ID id-Additional-S-CCPCH-LCR-Parameters-CTCH-ReconfRqstTDD CRITICALITY reject EXTENSION Secondary-CCPCH-LCR-parameterExtendedList-CTCH-ReconfRqstTDD PRESENCE optional }, -- Applicable to 1.28Mcps TDD only, used when more than maxNrOfSCCPCHs SCCPCHs are to be reconfigured. ... } Secondary-CCPCHList-CTCH-ReconfRqstTDD ::= ProtocolIE-Single-Container {{ Secondary-CCPCHListIEs-CTCH-ReconfRqstTDD }} Secondary-CCPCHListIEs-CTCH-ReconfRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-Secondary-CCPCHListIE-CTCH-ReconfRqstTDD CRITICALITY reject TYPE Secondary-CCPCHListIE-CTCH-ReconfRqstTDD PRESENCE mandatory } } Secondary-CCPCHListIE-CTCH-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfSCCPCHs)) OF Secondary-CCPCHItem-CTCH-ReconfRqstTDD Secondary-CCPCHItem-CTCH-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, sCCPCH-Power DL-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Secondary-CCPCHItem-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } Secondary-CCPCHItem-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Secondary-CCPCH-parameterExtendedList-CTCH-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfSCCPCHsinExt)) OF Secondary-CCPCHItem-CTCH-ReconfRqstTDD -- Applicable to 3.84Mcps TDD only, used when more than maxNrOfSCCPCHs SCCPCHs are to be reconfigured. Secondary-CCPCH-LCR-parameterExtendedList-CTCH-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfSCCPCHsLCRinExt)) OF Secondary-CCPCHItem-CTCH-ReconfRqstTDD -- Applicable to 1.28Mcps TDD only, used when more than maxNrOfSCCPCHs SCCPCHs are to be reconfigured. PICH-Parameters-CTCH-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, pICH-Power PICH-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PICH-Parameters-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } PICH-Parameters-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } FACH-ParametersList-CTCH-ReconfRqstTDD ::= SEQUENCE (SIZE (0..maxNrOfFACHs)) OF FACH-ParametersItem-CTCH-ReconfRqstTDD FACH-ParametersItem-CTCH-ReconfRqstTDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, toAWS ToAWS OPTIONAL, toAWE ToAWE OPTIONAL, iE-Extensions ProtocolExtensionContainer { { FACH-ParametersItem-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } FACH-ParametersItem-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-maxFACH-Power-LCR-CTCH-ReconfRqstTDD CRITICALITY reject EXTENSION DL-Power PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } PCH-Parameters-CTCH-ReconfRqstTDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, toAWS ToAWS OPTIONAL, toAWE ToAWE OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PCH-Parameters-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } PCH-Parameters-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-PCH-Power-LCR-CTCH-ReconfRqstTDD CRITICALITY reject EXTENSION DL-Power PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } FPACH-LCR-Parameters-CTCH-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelId CommonPhysicalChannelID, fPACHPower FPACH-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { FPACH-LCR-Parameters-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } FPACH-LCR-Parameters-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MICH-Parameters-CTCH-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, mICH-Power PICH-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MICH-Parameters-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } MICH-Parameters-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PLCCH-Parameters-CTCH-ReconfRqstTDD ::= SEQUENCE { maxPowerPLCCH DL-Power, iE-Extensions ProtocolExtensionContainer { { PLCCH-Parameters-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } PLCCH-Parameters-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Secondary-CCPCH-768-Parameters-CTCH-ReconfRqstTDD::= SEQUENCE { cCTrCH-ID CCTrCH-ID, secondaryCCPCH768List Secondary-CCPCH-768-List-CTCH-ReconfRqstTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Secondary-CCPCH-768-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } Secondary-CCPCH-768-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Secondary-CCPCH-768-List-CTCH-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfSCCPCHs768)) OF Secondary-CCPCH-768-Item-CTCH-ReconfRqstTDD Secondary-CCPCH-768-Item-CTCH-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, sCCPCH-Power DL-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Secondary-CCPCH-768-Item-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } Secondary-CCPCH-768-Item-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PICH-768-Parameters-CTCH-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, pICH-Power PICH-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PICH-768-Parameters-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } PICH-768-Parameters-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MICH-768-Parameters-CTCH-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, mICH-Power PICH-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MICH-768-Parameters-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } MICH-768-Parameters-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UPPCH-LCR-Parameters-CTCH-ReconfRqstTDD ::= SEQUENCE { uPPCHPositionLCR UPPCHPositionLCR OPTIONAL, uARFCN UARFCN OPTIONAL, -- Mandatory for 1.28Mcps TDD when using multiple frequencies Corresponds to Nt [15] iE-Extensions ProtocolExtensionContainer { { UPPCH-LCR-Parameters-CTCH-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } UPPCH-LCR-Parameters-CTCH-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON TRANSPORT CHANNEL RECONFIGURATION RESPONSE -- -- ************************************************************** CommonTransportChannelReconfigurationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonTransportChannelReconfigurationResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonTransportChannelReconfigurationResponse-Extensions}} OPTIONAL, ... } CommonTransportChannelReconfigurationResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } CommonTransportChannelReconfigurationResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON TRANSPORT CHANNEL RECONFIGURATION FAILURE -- -- ************************************************************** CommonTransportChannelReconfigurationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonTransportChannelReconfigurationFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonTransportChannelReconfigurationFailure-Extensions}} OPTIONAL, ... } CommonTransportChannelReconfigurationFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } CommonTransportChannelReconfigurationFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON TRANSPORT CHANNEL DELETION REQUEST -- -- ************************************************************** CommonTransportChannelDeletionRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonTransportChannelDeletionRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonTransportChannelDeletionRequest-Extensions}} OPTIONAL, ... } CommonTransportChannelDeletionRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-CommonPhysicalChannelID CRITICALITY reject TYPE CommonPhysicalChannelID PRESENCE mandatory }| { ID id-ConfigurationGenerationID CRITICALITY reject TYPE ConfigurationGenerationID PRESENCE mandatory }, ... } CommonTransportChannelDeletionRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-CommonPhysicalChannelID768-CommonTrChDeletionReq CRITICALITY reject EXTENSION CommonPhysicalChannelID768 PRESENCE optional }, ... } -- ************************************************************** -- -- COMMON TRANSPORT CHANNEL DELETION RESPONSE -- -- ************************************************************** CommonTransportChannelDeletionResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonTransportChannelDeletionResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonTransportChannelDeletionResponse-Extensions}} OPTIONAL, ... } CommonTransportChannelDeletionResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } CommonTransportChannelDeletionResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- BLOCK RESOURCE REQUEST -- -- ************************************************************** BlockResourceRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{BlockResourceRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{BlockResourceRequest-Extensions}} OPTIONAL, ... } BlockResourceRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-BlockingPriorityIndicator CRITICALITY reject TYPE BlockingPriorityIndicator PRESENCE mandatory }| { ID id-ShutdownTimer CRITICALITY reject TYPE ShutdownTimer PRESENCE conditional }, -- The IE shall be present if the Blocking Priority Indicator IE indicates "Normal Priority"-- ... } BlockResourceRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- BLOCK RESOURCE RESPONSE -- -- ************************************************************** BlockResourceResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{BlockResourceResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{BlockResourceResponse-Extensions}} OPTIONAL, ... } BlockResourceResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } BlockResourceResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- BLOCK RESOURCE FAILURE -- -- ************************************************************** BlockResourceFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{BlockResourceFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{BlockResourceFailure-Extensions}} OPTIONAL, ... } BlockResourceFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } BlockResourceFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- UNBLOCK RESOURCE INDICATION -- -- ************************************************************** UnblockResourceIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{UnblockResourceIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{UnblockResourceIndication-Extensions}} OPTIONAL, ... } UnblockResourceIndication-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY ignore TYPE C-ID PRESENCE mandatory }, ... } UnblockResourceIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- AUDIT REQUIRED INDICATION -- -- ************************************************************** AuditRequiredIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{AuditRequiredIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{AuditRequiredIndication-Extensions}} OPTIONAL, ... } AuditRequiredIndication-IEs NBAP-PROTOCOL-IES ::= { ... } AuditRequiredIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- AUDIT REQUEST -- -- ************************************************************** AuditRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{AuditRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{AuditRequest-Extensions}} OPTIONAL, ... } AuditRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-Start-Of-Audit-Sequence-Indicator CRITICALITY reject TYPE Start-Of-Audit-Sequence-Indicator PRESENCE mandatory }, ... } AuditRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- AUDIT RESPONSE -- -- ************************************************************** AuditResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{AuditResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{AuditResponse-Extensions}} OPTIONAL, ... } AuditResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-End-Of-Audit-Sequence-Indicator CRITICALITY ignore TYPE End-Of-Audit-Sequence-Indicator PRESENCE mandatory }| { ID id-Cell-InformationList-AuditRsp CRITICALITY ignore TYPE Cell-InformationList-AuditRsp PRESENCE optional }| { ID id-CCP-InformationList-AuditRsp CRITICALITY ignore TYPE CCP-InformationList-AuditRsp PRESENCE optional }| -- CCP (Communication Control Port) -- { ID id-Local-Cell-InformationList-AuditRsp CRITICALITY ignore TYPE Local-Cell-InformationList-AuditRsp PRESENCE optional }| { ID id-Local-Cell-Group-InformationList-AuditRsp CRITICALITY ignore TYPE Local-Cell-Group-InformationList-AuditRsp PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } AuditResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-Power-Local-Cell-Group-InformationList-AuditRsp CRITICALITY ignore EXTENSION Power-Local-Cell-Group-InformationList-AuditRsp PRESENCE optional }, ... } Cell-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxCellinNodeB)) OF ProtocolIE-Single-Container {{ Cell-InformationItemIE-AuditRsp}} Cell-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-Cell-InformationItem-AuditRsp CRITICALITY ignore TYPE Cell-InformationItem-AuditRsp PRESENCE optional } } Cell-InformationItem-AuditRsp ::= SEQUENCE { c-ID C-ID, configurationGenerationID ConfigurationGenerationID, resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, local-Cell-ID Local-Cell-ID, primary-SCH-Information P-SCH-Information-AuditRsp OPTIONAL, secondary-SCH-Information S-SCH-Information-AuditRsp OPTIONAL, primary-CPICH-Information P-CPICH-Information-AuditRsp OPTIONAL, secondary-CPICH-InformationList S-CPICH-InformationList-AuditRsp OPTIONAL, primary-CCPCH-Information P-CCPCH-Information-AuditRsp OPTIONAL, bCH-Information BCH-Information-AuditRsp OPTIONAL, secondary-CCPCH-InformationList S-CCPCH-InformationList-AuditRsp OPTIONAL, pCH-Information PCH-Information-AuditRsp OPTIONAL, pICH-Information PICH-Information-AuditRsp OPTIONAL, fACH-InformationList FACH-InformationList-AuditRsp OPTIONAL, pRACH-InformationList PRACH-InformationList-AuditRsp OPTIONAL, rACH-InformationList RACH-InformationList-AuditRsp OPTIONAL, aICH-InformationList AICH-InformationList-AuditRsp OPTIONAL, notUsed-1-pCPCH-InformationList NULL OPTIONAL, notUsed-2-cPCH-InformationList NULL OPTIONAL, notUsed-3-aP-AICH-InformationList NULL OPTIONAL, notUsed-4-cDCA-ICH-InformationList NULL OPTIONAL, sCH-Information SCH-Information-AuditRsp OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Cell-InformationItem-AuditRsp-ExtIEs} } OPTIONAL, ... } Cell-InformationItem-AuditRsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-FPACH-LCR-InformationList-AuditRsp CRITICALITY ignore EXTENSION FPACH-LCR-InformationList-AuditRsp PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-DwPCH-LCR-InformationList-AuditRsp CRITICALITY ignore EXTENSION Common-PhysicalChannel-Status-Information PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-HSDSCH-Resources-Information-AuditRsp CRITICALITY ignore EXTENSION HS-DSCH-Resources-Information-AuditRsp PRESENCE optional }| -- For 1.28Mcps TDD, this HS-DSCH Resource Information is for the first Frequency repetition, HS-DSCH Resource Information for Frequency repetitions 2 and on, should be defined in MultipleFreq-HS-DSCH-Resources-InformationList-AuditRsp. { ID id-MICH-Information-AuditRsp CRITICALITY ignore EXTENSION Common-PhysicalChannel-Status-Information PRESENCE optional }| { ID id-S-CCPCH-InformationListExt-AuditRsp CRITICALITY ignore EXTENSION S-CCPCH-InformationListExt-AuditRsp PRESENCE optional }| -- Applicable to 3.84Mcps TDD only, used when there are more than maxSCCPCHCell SCCPCHs in the cell. { ID id-S-CCPCH-LCR-InformationListExt-AuditRsp CRITICALITY ignore EXTENSION S-CCPCH-LCR-InformationListExt-AuditRsp PRESENCE optional }| -- Applicable to 1.28Mcps TDD only, used when there are more than maxSCCPCHCell SCCPCHs in the cell. { ID id-E-DCH-Resources-Information-AuditRsp CRITICALITY ignore EXTENSION E-DCH-Resources-Information-AuditRsp PRESENCE optional }| -- For 1.28Mcps TDD, this E-DCH Resource Information is for the first Frequency repetition, E-DCH Resource Information for Frequency repetitions 2 and on, should be defined in MultipleFreq-E-DCH-Resources-InformationList-AuditRsp. { ID id-PLCCH-InformationList-AuditRsp CRITICALITY ignore EXTENSION PLCCH-InformationList-AuditRsp PRESENCE optional }| { ID id-P-CCPCH-768-Information-AuditRsp CRITICALITY ignore EXTENSION Common-PhysicalChannel-Status-Information768 PRESENCE optional }| { ID id-S-CCPCH-768-InformationList-AuditRsp CRITICALITY ignore EXTENSION S-CCPCH-768-InformationList-AuditRsp PRESENCE optional }| { ID id-PICH-768-Information-AuditRsp CRITICALITY ignore EXTENSION Common-PhysicalChannel-Status-Information768 PRESENCE optional }| { ID id-PRACH-768-InformationList-AuditRsp CRITICALITY ignore EXTENSION PRACH-768-InformationList-AuditRsp PRESENCE optional }| { ID id-SCH-768-Information-AuditRsp CRITICALITY ignore EXTENSION Common-PhysicalChannel-Status-Information768 PRESENCE optional }| { ID id-MICH-768-Information-AuditRsp CRITICALITY ignore EXTENSION Common-PhysicalChannel-Status-Information768 PRESENCE optional }| { ID id-E-RUCCH-InformationList-AuditRsp CRITICALITY ignore EXTENSION E-RUCCH-InformationList-AuditRsp PRESENCE optional }| { ID id-E-RUCCH-768-InformationList-AuditRsp CRITICALITY ignore EXTENSION E-RUCCH-768-InformationList-AuditRsp PRESENCE optional }| { ID id-Cell-Frequency-List-Information-LCR-MulFreq-AuditRsp CRITICALITY ignore EXTENSION Cell-Frequency-List-Information-LCR-MulFreq-AuditRsp PRESENCE optional }| -- Applicable to 1.28Mcps TDD when using multiple frequencies { ID id-UPPCH-LCR-InformationList-AuditRsp CRITICALITY ignore EXTENSION UPPCH-LCR-InformationList-AuditRsp PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-multipleFreq-HS-DSCH-Resources-InformationList-AuditRsp CRITICALITY ignore EXTENSION MultipleFreq-HS-DSCH-Resources-InformationList-AuditRsp PRESENCE optional }| -- Applicable to 1.28Mcps TDD when using multiple frequencies.This HS-DSCH Resource Information is for the 2nd and beyond frequencies. { ID id-MultipleFreq-E-DCH-Resources-InformationList-AuditRsp CRITICALITY ignore EXTENSION MultipleFreq-E-DCH-Resources-InformationList-AuditRsp PRESENCE optional }, -- Applicable to 1.28Mcps TDD when using multiple frequencies. This E-DCH Resource Information is for the 2nd and beyond frequencies. ... } P-SCH-Information-AuditRsp ::= ProtocolIE-Single-Container {{ P-SCH-InformationIE-AuditRsp }} P-SCH-InformationIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-P-SCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } S-SCH-Information-AuditRsp ::= ProtocolIE-Single-Container {{ S-SCH-InformationIE-AuditRsp }} S-SCH-InformationIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-S-SCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } P-CPICH-Information-AuditRsp ::= ProtocolIE-Single-Container {{ P-CPICH-InformationIE-AuditRsp }} P-CPICH-InformationIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-P-CPICH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } S-CPICH-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxSCPICHCell)) OF ProtocolIE-Single-Container {{ S-CPICH-InformationItemIE-AuditRsp }} S-CPICH-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-S-CPICH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } P-CCPCH-Information-AuditRsp ::= ProtocolIE-Single-Container {{ P-CCPCH-InformationIE-AuditRsp }} P-CCPCH-InformationIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-P-CCPCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } BCH-Information-AuditRsp ::= ProtocolIE-Single-Container {{ BCH-InformationIE-AuditRsp }} BCH-InformationIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-BCH-Information CRITICALITY ignore TYPE Common-TransportChannel-Status-Information PRESENCE mandatory } } S-CCPCH-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxSCCPCHCell)) OF ProtocolIE-Single-Container {{ S-CCPCH-InformationItemIE-AuditRsp }} S-CCPCH-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-S-CCPCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } PCH-Information-AuditRsp ::= ProtocolIE-Single-Container {{ PCH-InformationIE-AuditRsp }} PCH-InformationIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-PCH-Information CRITICALITY ignore TYPE Common-TransportChannel-Status-Information PRESENCE mandatory } } PICH-Information-AuditRsp ::= ProtocolIE-Single-Container {{ PICH-InformationIE-AuditRsp }} PICH-InformationIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-PICH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } FACH-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxFACHCell)) OF ProtocolIE-Single-Container {{ FACH-InformationItemIE-AuditRsp }} FACH-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-FACH-Information CRITICALITY ignore TYPE Common-TransportChannel-Status-Information PRESENCE mandatory } } PRACH-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxPRACHCell)) OF ProtocolIE-Single-Container {{ PRACH-InformationItemIE-AuditRsp }} PRACH-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-PRACH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } RACH-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxRACHCell)) OF ProtocolIE-Single-Container {{ RACH-InformationItemIE-AuditRsp }} RACH-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-RACH-Information CRITICALITY ignore TYPE Common-TransportChannel-Status-Information PRESENCE mandatory } } AICH-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxPRACHCell)) OF ProtocolIE-Single-Container {{ AICH-InformationItemIE-AuditRsp }} AICH-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-AICH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } SCH-Information-AuditRsp ::= ProtocolIE-Single-Container {{ SCH-InformationIE-AuditRsp }} SCH-InformationIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-SCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } FPACH-LCR-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxFPACHCell)) OF ProtocolIE-Single-Container {{ FPACH-LCR-InformationItemIE-AuditRsp }} FPACH-LCR-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-FPACH-LCR-Information-AuditRsp CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } HS-DSCH-Resources-Information-AuditRsp ::= SEQUENCE { resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer {{ HS-DSCH-Resources-Information-AuditRsp-ExtIEs }} OPTIONAL, ... } HS-DSCH-Resources-Information-AuditRsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional }, -- Applicable to 1.28Mcps TDD when using multiple frequencies. ... } S-CCPCH-InformationListExt-AuditRsp ::= SEQUENCE (SIZE (1..maxSCCPCHCellinExt)) OF ProtocolIE-Single-Container {{ S-CCPCH-InformationItemIE-AuditRsp }} S-CCPCH-LCR-InformationListExt-AuditRsp ::= SEQUENCE (SIZE (1..maxSCCPCHCellinExtLCR)) OF ProtocolIE-Single-Container {{ S-CCPCH-InformationItemIE-AuditRsp }} E-DCH-Resources-Information-AuditRsp ::= SEQUENCE { resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer {{ E-DCH-Resources-Information-AuditRsp-ExtIEs }} OPTIONAL, ... } E-DCH-Resources-Information-AuditRsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional }, -- Applicable to 1.28Mcps TDD when using multiple frequencies. ... } PLCCH-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxPLCCHCell)) OF ProtocolIE-Single-Container {{ PLCCH-InformationItemIE-AuditRsp }} PLCCH-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-PLCCH-Information-AuditRsp CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } S-CCPCH-768-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxSCCPCHCell768)) OF ProtocolIE-Single-Container {{ S-CCPCH-768-InformationItemIE-AuditRsp }} S-CCPCH-768-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-S-CCPCH-768-Information-AuditRsp CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information768 PRESENCE mandatory } } PRACH-768-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxPRACHCell)) OF ProtocolIE-Single-Container {{ PRACH-768-InformationItemIE-AuditRsp }} PRACH-768-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-PRACH-768-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information768 PRESENCE mandatory } } E-RUCCH-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxE-RUCCHCell)) OF ProtocolIE-Single-Container {{ E-RUCCH-InformationItemIE-AuditRsp }} E-RUCCH-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-E-RUCCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } E-RUCCH-768-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxE-RUCCHCell)) OF ProtocolIE-Single-Container {{ E-RUCCH-768-InformationItemIE-AuditRsp }} E-RUCCH-768-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-E-RUCCH-768-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information768 PRESENCE mandatory } } Cell-Frequency-List-Information-LCR-MulFreq-AuditRsp ::= SEQUENCE (SIZE (1..maxFrequencyinCell)) OF ProtocolIE-Single-Container {{ Cell-Frequency-List-InformationIE-LCR-MulFreq-AuditRsp }} Cell-Frequency-List-InformationIE-LCR-MulFreq-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-Cell-Frequency-List-InformationItem-LCR-MulFreq-AuditRsp CRITICALITY ignore TYPE Cell-Frequency-List-InformationItem-LCR-MulFreq-AuditRsp PRESENCE mandatory } } Cell-Frequency-List-InformationItem-LCR-MulFreq-AuditRsp ::= SEQUENCE { uARFCN UARFCN, resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer {{ Cell-Frequency-List-InformationItem-LCR-MulFreq-AuditRsp-ExtIEs }} OPTIONAL, ... } Cell-Frequency-List-InformationItem-LCR-MulFreq-AuditRsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UPPCH-LCR-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxFrequencyinCell)) OF ProtocolIE-Single-Container {{ UPPCH-LCR-InformationIE-AuditRsp }} UPPCH-LCR-InformationIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-UPPCH-LCR-InformationItem-AuditRsp CRITICALITY ignore TYPE UPPCH-LCR-InformationItem-AuditRsp PRESENCE mandatory } } UPPCH-LCR-InformationItem-AuditRsp ::= SEQUENCE { uARFCN UARFCN OPTIONAL, uPPCHPositionLCR UPPCHPositionLCR, resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer {{ UPPCH-LCR-InformationItem-AuditRsp-ExtIEs }} OPTIONAL, ... } UPPCH-LCR-InformationItem-AuditRsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MultipleFreq-HS-DSCH-Resources-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxFrequencyinCell-1)) OF ProtocolIE-Single-Container {{ MultipleFreq-HS-DSCH-Resources-InformationItem-AuditRsp}} --Includes the 2nd through the max number of frequencies information repetitions. MultipleFreq-HS-DSCH-Resources-InformationItem-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-HSDSCH-Resources-Information-AuditRsp CRITICALITY ignore TYPE HS-DSCH-Resources-Information-AuditRsp PRESENCE mandatory } } MultipleFreq-E-DCH-Resources-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxFrequencyinCell-1)) OF ProtocolIE-Single-Container {{ MultipleFreq-E-DCH-Resources-InformationItem-AuditRsp}} -- Includes the 2nd through the max number of frequencies information repetitions. MultipleFreq-E-DCH-Resources-InformationItem-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-E-DCH-Resources-Information-AuditRsp CRITICALITY ignore TYPE E-DCH-Resources-Information-AuditRsp PRESENCE mandatory } } CCP-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxCCPinNodeB)) OF ProtocolIE-Single-Container {{ CCP-InformationItemIE-AuditRsp }} CCP-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-CCP-InformationItem-AuditRsp CRITICALITY ignore TYPE CCP-InformationItem-AuditRsp PRESENCE mandatory } } CCP-InformationItem-AuditRsp ::= SEQUENCE { communicationControlPortID CommunicationControlPortID, resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer {{ CCP-InformationItem-AuditRsp-ExtIEs }} OPTIONAL, ... } CCP-InformationItem-AuditRsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Local-Cell-InformationList-AuditRsp ::=SEQUENCE (SIZE (1..maxLocalCellinNodeB)) OF ProtocolIE-Single-Container {{ Local-Cell-InformationItemIE-AuditRsp }} Local-Cell-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-Local-Cell-InformationItem-AuditRsp CRITICALITY ignore TYPE Local-Cell-InformationItem-AuditRsp PRESENCE mandatory} } Local-Cell-InformationItem-AuditRsp ::= SEQUENCE { local-Cell-ID Local-Cell-ID, dl-or-global-capacityCredit DL-or-Global-CapacityCredit, ul-capacityCredit UL-CapacityCredit OPTIONAL, commonChannelsCapacityConsumptionLaw CommonChannelsCapacityConsumptionLaw, dedicatedChannelsCapacityConsumptionLaw DedicatedChannelsCapacityConsumptionLaw, maximumDL-PowerCapability MaximumDL-PowerCapability OPTIONAL, minSpreadingFactor MinSpreadingFactor OPTIONAL, minimumDL-PowerCapability MinimumDL-PowerCapability OPTIONAL, local-Cell-Group-ID Local-Cell-ID OPTIONAL, iE-Extensions ProtocolExtensionContainer {{ Local-Cell-InformationItem-AuditRsp-ExtIEs}} OPTIONAL, ... } Local-Cell-InformationItem-AuditRsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-ReferenceClockAvailability CRITICALITY ignore EXTENSION ReferenceClockAvailability PRESENCE optional }| { ID id-Power-Local-Cell-Group-ID CRITICALITY ignore EXTENSION Local-Cell-ID PRESENCE optional }| { ID id-HSDPA-Capability CRITICALITY ignore EXTENSION HSDPA-Capability PRESENCE optional }| { ID id-E-DCH-Capability CRITICALITY ignore EXTENSION E-DCH-Capability PRESENCE optional }| { ID id-E-DCH-TTI2ms-Capability CRITICALITY ignore EXTENSION E-DCH-TTI2ms-Capability PRESENCE conditional }| -- The IE shall be present if E-DCH Capability IE is set to "E-DCH Capable". { ID id-E-DCH-SF-Capability CRITICALITY ignore EXTENSION E-DCH-SF-Capability PRESENCE conditional }| -- The IE shall be present if E-DCH Capability IE is set to "E-DCH Capable". { ID id-E-DCH-HARQ-Combining-Capability CRITICALITY ignore EXTENSION E-DCH-HARQ-Combining-Capability PRESENCE conditional }| -- The IE shall be present if E-DCH Capability IE is set to "E-DCH Capable". { ID id-E-DCH-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCHCapacityConsumptionLaw PRESENCE optional }| { ID id-F-DPCH-Capability CRITICALITY ignore EXTENSION F-DPCH-Capability PRESENCE optional }| { ID id-E-DCH-TDD-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCH-TDD-CapacityConsumptionLaw PRESENCE optional }| { ID id-ContinuousPacketConnectivityDTX-DRX-Capability CRITICALITY ignore EXTENSION ContinuousPacketConnectivityDTX-DRX-Capability PRESENCE optional }| { ID id-Max-UE-DTX-Cycle CRITICALITY ignore EXTENSION Max-UE-DTX-Cycle PRESENCE conditional }| -- The IE shall be present if Continuous Packet Connectivity DTX-DRX Capability IE is present and set to "Continuous Packet Connectivity DTX-DRX Capable". { ID id-ContinuousPacketConnectivityHS-SCCH-less-Capability CRITICALITY ignore EXTENSION ContinuousPacketConnectivityHS-SCCH-less-Capability PRESENCE optional }| { ID id-MIMO-Capability CRITICALITY ignore EXTENSION MIMO-Capability PRESENCE optional }| { ID id-SixtyfourQAM-DL-Capability CRITICALITY ignore EXTENSION SixtyfourQAM-DL-Capability PRESENCE optional }| { ID id-MBMS-Capability CRITICALITY ignore EXTENSION MBMS-Capability PRESENCE optional }| { ID id-Enhanced-FACH-Capability CRITICALITY ignore EXTENSION Enhanced-FACH-Capability PRESENCE optional }| { ID id-Enhanced-PCH-Capability CRITICALITY ignore EXTENSION Enhanced-PCH-Capability PRESENCE conditional }| -- The IE shall be present if Enhanced FACH Capability IE is set to "Enhanced FACH Capable". { ID id-SixteenQAM-UL-Capability CRITICALITY ignore EXTENSION SixteenQAM-UL-Capability PRESENCE optional }| { ID id-HSDSCH-MACdPDU-SizeCapability CRITICALITY ignore EXTENSION HSDSCH-MACdPDU-SizeCapability PRESENCE optional }| { ID id-MBSFN-Only-Mode-Capability CRITICALITY ignore EXTENSION MBSFN-Only-Mode-Capability PRESENCE optional }| { ID id-F-DPCH-SlotFormatCapability CRITICALITY ignore EXTENSION F-DPCH-SlotFormatCapability PRESENCE optional }| { ID id-E-DCH-MACdPDU-SizeCapability CRITICALITY ignore EXTENSION E-DCH-MACdPDU-SizeCapability PRESENCE optional }| { ID id-Common-EDCH-Capability CRITICALITY ignore EXTENSION Common-EDCH-Capability PRESENCE optional }| { ID id-E-AI-Capability CRITICALITY ignore EXTENSION E-AI-Capability PRESENCE optional }| -- The IE shall be present if Common E-DCH Capability IE is present and set to "Common E-DCH Capable". { ID id-Enhanced-UE-DRX-Capability CRITICALITY ignore EXTENSION Enhanced-UE-DRX-Capability PRESENCE optional }| { ID id-Enhanced-UE-DRX-CapabilityLCR CRITICALITY ignore EXTENSION Enhanced-UE-DRX-Capability PRESENCE optional }| { ID id-E-DPCCH-Power-Boosting-Capability CRITICALITY ignore EXTENSION E-DPCCH-Power-Boosting-Capability PRESENCE optional }| { ID id-SixtyfourQAM-DL-MIMO-Combined-Capability CRITICALITY ignore EXTENSION SixtyfourQAM-DL-MIMO-Combined-Capability PRESENCE optional}| { ID id-Multi-Cell-Capability-Info CRITICALITY ignore EXTENSION Multi-Cell-Capability-Info PRESENCE optional }| { ID id-Semi-PersistentScheduling-CapabilityLCR CRITICALITY ignore EXTENSION Semi-PersistentScheduling-CapabilityLCR PRESENCE optional }| { ID id-ContinuousPacketConnectivity-DRX-CapabilityLCR CRITICALITY ignore EXTENSION ContinuousPacketConnectivity-DRX-CapabilityLCR PRESENCE optional }| { ID id-Common-E-DCH-HSDPCCH-Capability CRITICALITY ignore EXTENSION Common-E-DCH-HSDPCCH-Capability PRESENCE optional }| -- The IE shall be present if Common E-DCH Capability IE is present and set to "Common E-DCH Capable". { ID id-MIMO-Power-Offset-For-S-CPICH-Capability CRITICALITY ignore EXTENSION MIMO-PowerOffsetForS-CPICHCapability PRESENCE optional } | { ID id-TxDiversityOnDLControlChannelsByMIMOUECapability CRITICALITY ignore EXTENSION TxDiversityOnDLControlChannelsByMIMOUECapability PRESENCE optional }| { ID id-Single-Stream-MIMO-Capability CRITICALITY ignore EXTENSION Single-Stream-MIMO-Capability PRESENCE optional }| { ID id-Dual-Band-Capability-Info CRITICALITY ignore EXTENSION Dual-Band-Capability-Info PRESENCE optional }| { ID id-CellPortion-CapabilityLCR CRITICALITY ignore EXTENSION CellPortion-CapabilityLCR PRESENCE optional }| { ID id-Cell-Capability-Container CRITICALITY ignore EXTENSION Cell-Capability-Container PRESENCE optional }| { ID id-TS0-CapabilityLCR CRITICALITY ignore EXTENSION TS0-CapabilityLCR PRESENCE optional }| { ID id-PrecodingWeightSetRestriction CRITICALITY ignore EXTENSION PrecodingWeightSetRestriction PRESENCE optional }, ... } Local-Cell-Group-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxLocalCellinNodeB)) OF ProtocolIE-Single-Container {{ Local-Cell-Group-InformationItemIE-AuditRsp }} Local-Cell-Group-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-Local-Cell-Group-InformationItem-AuditRsp CRITICALITY ignore TYPE Local-Cell-Group-InformationItem-AuditRsp PRESENCE mandatory} } Local-Cell-Group-InformationItem-AuditRsp ::= SEQUENCE { local-Cell-Group-ID Local-Cell-ID, dl-or-global-capacityCredit DL-or-Global-CapacityCredit, ul-capacityCredit UL-CapacityCredit OPTIONAL, commonChannelsCapacityConsumptionLaw CommonChannelsCapacityConsumptionLaw, dedicatedChannelsCapacityConsumptionLaw DedicatedChannelsCapacityConsumptionLaw, iE-Extensions ProtocolExtensionContainer {{ Local-Cell-Group-InformationItem-AuditRsp-ExtIEs}} OPTIONAL, ... } Local-Cell-Group-InformationItem-AuditRsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCHCapacityConsumptionLaw PRESENCE optional }| { ID id-E-DCH-TDD-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCH-TDD-CapacityConsumptionLaw PRESENCE optional }, ... } Power-Local-Cell-Group-InformationList-AuditRsp ::= SEQUENCE (SIZE (1..maxLocalCellinNodeB)) OF ProtocolIE-Single-Container {{ Power-Local-Cell-Group-InformationItemIE-AuditRsp }} Power-Local-Cell-Group-InformationItemIE-AuditRsp NBAP-PROTOCOL-IES ::= { { ID id-Power-Local-Cell-Group-InformationItem-AuditRsp CRITICALITY ignore TYPE Power-Local-Cell-Group-InformationItem-AuditRsp PRESENCE mandatory} } Power-Local-Cell-Group-InformationItem-AuditRsp ::= SEQUENCE { power-Local-Cell-Group-ID Local-Cell-ID, maximumDL-PowerCapability MaximumDL-PowerCapability, iE-Extensions ProtocolExtensionContainer {{ Power-Local-Cell-Group-InformationItem-AuditRsp-ExtIEs}} OPTIONAL, ... } Power-Local-Cell-Group-InformationItem-AuditRsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- AUDIT FAILURE -- -- ************************************************************** AuditFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{AuditFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{AuditFailure-Extensions}} OPTIONAL, ... } AuditFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } AuditFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON MEASUREMENT INITIATION REQUEST -- -- ************************************************************** CommonMeasurementInitiationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonMeasurementInitiationRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonMeasurementInitiationRequest-Extensions}} OPTIONAL, ... } CommonMeasurementInitiationRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-MeasurementID CRITICALITY reject TYPE MeasurementID PRESENCE mandatory }| { ID id-CommonMeasurementObjectType-CM-Rqst CRITICALITY reject TYPE CommonMeasurementObjectType-CM-Rqst PRESENCE mandatory }| { ID id-CommonMeasurementType CRITICALITY reject TYPE CommonMeasurementType PRESENCE mandatory }| { ID id-MeasurementFilterCoefficient CRITICALITY reject TYPE MeasurementFilterCoefficient PRESENCE optional }| { ID id-ReportCharacteristics CRITICALITY reject TYPE ReportCharacteristics PRESENCE mandatory }| { ID id-SFNReportingIndicator CRITICALITY reject TYPE FNReportingIndicator PRESENCE mandatory }| { ID id-SFN CRITICALITY reject TYPE SFN PRESENCE optional }, ... } CommonMeasurementInitiationRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-CommonMeasurementAccuracy CRITICALITY reject EXTENSION CommonMeasurementAccuracy PRESENCE optional}| { ID id-MeasurementRecoveryBehavior CRITICALITY ignore EXTENSION MeasurementRecoveryBehavior PRESENCE optional }| { ID id-RTWP-ReportingIndicator CRITICALITY reject EXTENSION RTWP-ReportingIndicator PRESENCE optional}| { ID id-RTWP-CellPortion-ReportingIndicator CRITICALITY reject EXTENSION RTWP-CellPortion-ReportingIndicator PRESENCE optional}| { ID id-Reference-ReceivedTotalWideBandPowerReporting CRITICALITY ignore EXTENSION Reference-ReceivedTotalWideBandPowerReporting PRESENCE optional}| { ID id-GANSS-Time-ID CRITICALITY ignore EXTENSION GANSS-Time-ID PRESENCE optional}, ... } CommonMeasurementObjectType-CM-Rqst ::= CHOICE { cell Cell-CM-Rqst, rACH RACH-CM-Rqst, notUsed-cPCH NULL, ..., extension-CommonMeasurementObjectType-CM-Rqst Extension-CommonMeasurementObjectType-CM-Rqst } Extension-CommonMeasurementObjectType-CM-Rqst ::= ProtocolIE-Single-Container {{ Extension-CommonMeasurementObjectType-CM-RqstIE }} Extension-CommonMeasurementObjectType-CM-RqstIE NBAP-PROTOCOL-IES ::= { { ID id-Power-Local-Cell-Group-choice-CM-Rqst CRITICALITY reject TYPE PowerLocalCellGroup-CM-Rqst PRESENCE mandatory }| { ID id-ERACH-CM-Rqst CRITICALITY reject TYPE ERACH-CM-Rqst PRESENCE mandatory} -- FDD only } ERACH-CM-Rqst ::= SEQUENCE { c-ID C-ID, iE-Extensions ProtocolExtensionContainer { { ERACHItem-CM-Rqst-ExtIEs} } OPTIONAL, ... } ERACHItem-CM-Rqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Cell-CM-Rqst ::= SEQUENCE { c-ID C-ID, timeSlot TimeSlot OPTIONAL, -- Applicable to 3.84Mcps TDD and 7.68Mcps TDD only iE-Extensions ProtocolExtensionContainer { { CellItem-CM-Rqst-ExtIEs} } OPTIONAL, ... } CellItem-CM-Rqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TimeSlotLCR-CM-Rqst CRITICALITY reject EXTENSION TimeSlotLCR PRESENCE optional }| -- Applicable to 1.28Mcps TDD only {ID id-NeighbouringCellMeasurementInformation CRITICALITY ignore EXTENSION NeighbouringCellMeasurementInformation PRESENCE optional }| {ID id-UARFCNforNt CRITICALITY reject EXTENSION UARFCN PRESENCE optional }| -- Mandatory for 1.28Mcps TDD when using multiple frequencies and the requested common measurementype is the one except for "HS-DSCH Required Power" or "HS-DSCH Provided Bit Rate" {ID id-UPPCHPositionLCR CRITICALITY reject EXTENSION UPPCHPositionLCR PRESENCE optional }| -- Applicable to 1.28Mcps TDD only {ID id-AdditionalTimeSlotListLCR CRITICALITY ignore EXTENSION AdditionalTimeSlotListLCR PRESENCE optional }, -- Applicable to 1.28Mcps TDD only ... } RACH-CM-Rqst ::= SEQUENCE { c-ID C-ID, commonTransportChannelID CommonTransportChannelID, iE-Extensions ProtocolExtensionContainer { { RACHItem-CM-Rqst-ExtIEs} } OPTIONAL, ... } RACHItem-CM-Rqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PowerLocalCellGroup-CM-Rqst ::= SEQUENCE { powerLocalCellGroupID Local-Cell-ID, iE-Extensions ProtocolExtensionContainer {{ PowerLocalCellGroup-CM-Rqst-ExtIEs }} OPTIONAL, ... } PowerLocalCellGroup-CM-Rqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON MEASUREMENT INITIATION RESPONSE -- -- ************************************************************** CommonMeasurementInitiationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonMeasurementInitiationResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonMeasurementInitiationResponse-Extensions}} OPTIONAL, ... } CommonMeasurementInitiationResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-MeasurementID CRITICALITY ignore TYPE MeasurementID PRESENCE mandatory }| { ID id-CommonMeasurementObjectType-CM-Rsp CRITICALITY ignore TYPE CommonMeasurementObjectType-CM-Rsp PRESENCE optional }| { ID id-SFN CRITICALITY ignore TYPE SFN PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } CommonMeasurementInitiationResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-CommonMeasurementAccuracy CRITICALITY ignore EXTENSION CommonMeasurementAccuracy PRESENCE optional }| { ID id-MeasurementRecoverySupportIndicator CRITICALITY ignore EXTENSION MeasurementRecoverySupportIndicator PRESENCE optional }| { ID id-Reference-ReceivedTotalWideBandPowerSupportIndicator CRITICALITY ignore EXTENSION Reference-ReceivedTotalWideBandPowerSupportIndicator PRESENCE optional }| { ID id-Reference-ReceivedTotalWideBandPower CRITICALITY ignore EXTENSION Reference-ReceivedTotalWideBandPower PRESENCE optional }, ... } CommonMeasurementObjectType-CM-Rsp ::= CHOICE { cell Cell-CM-Rsp, rACH RACH-CM-Rsp, notUsed-cPCH NULL, ..., extension-CommonMeasurementObjectType-CM-Rsp Extension-CommonMeasurementObjectType-CM-Rsp } Extension-CommonMeasurementObjectType-CM-Rsp ::= ProtocolIE-Single-Container {{ Extension-CommonMeasurementObjectType-CM-RspIE }} Extension-CommonMeasurementObjectType-CM-RspIE NBAP-PROTOCOL-IES ::= { { ID id-Power-Local-Cell-Group-choice-CM-Rsp CRITICALITY ignore TYPE PowerLocalCellGroup-CM-Rsp PRESENCE mandatory }| { ID id-ERACH-CM-Rsp CRITICALITY ignore TYPE ERACH-CM-Rsp PRESENCE mandatory } -- FDD only } ERACH-CM-Rsp ::= SEQUENCE { commonMeasurementValue CommonMeasurementValue, iE-Extensions ProtocolExtensionContainer { { ERACHItem-CM-Rsp-ExtIEs} } OPTIONAL, ... } ERACHItem-CM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Cell-CM-Rsp ::= SEQUENCE { commonMeasurementValue CommonMeasurementValue, iE-Extensions ProtocolExtensionContainer { { CellItem-CM-Rsp-ExtIEs} } OPTIONAL, ... } CellItem-CM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-AdditionalMeasurementValueList CRITICALITY ignore EXTENSION AdditionalMeasurementValueList PRESENCE optional }| -- Applicable to 1.28Mcps TDD only {ID id-TimeSlotMeasurementValueListLCR CRITICALITY ignore EXTENSION TimeSlotMeasurementValueListLCR PRESENCE optional }, -- Applicable to 1.28Mcps TDD, this IE is for the measurement value from the Primary frequency ... } RACH-CM-Rsp ::= SEQUENCE { commonMeasurementValue CommonMeasurementValue, iE-Extensions ProtocolExtensionContainer { { RACHItem-CM-Rsp-ExtIEs} } OPTIONAL, ... } RACHItem-CM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PowerLocalCellGroup-CM-Rsp ::= SEQUENCE { commonMeasurementValue CommonMeasurementValue, iE-Extensions ProtocolExtensionContainer {{ PowerLocalCellGroup-CM-Rsp-ExtIEs}} OPTIONAL, ... } PowerLocalCellGroup-CM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON MEASUREMENT INITIATION FAILURE -- -- ************************************************************** CommonMeasurementInitiationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonMeasurementInitiationFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonMeasurementInitiationFailure-Extensions}} OPTIONAL, ... } CommonMeasurementInitiationFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-MeasurementID CRITICALITY ignore TYPE MeasurementID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } CommonMeasurementInitiationFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON MEASUREMENT REPORT -- -- ************************************************************** CommonMeasurementReport ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonMeasurementReport-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonMeasurementReport-Extensions}} OPTIONAL, ... } CommonMeasurementReport-IEs NBAP-PROTOCOL-IES ::= { { ID id-MeasurementID CRITICALITY ignore TYPE MeasurementID PRESENCE mandatory }| { ID id-CommonMeasurementObjectType-CM-Rprt CRITICALITY ignore TYPE CommonMeasurementObjectType-CM-Rprt PRESENCE mandatory }| { ID id-SFN CRITICALITY ignore TYPE SFN PRESENCE optional }, ... } CommonMeasurementReport-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-MeasurementRecoveryReportingIndicator CRITICALITY ignore EXTENSION MeasurementRecoveryReportingIndicator PRESENCE optional }| { ID id-Reference-ReceivedTotalWideBandPower CRITICALITY ignore EXTENSION Reference-ReceivedTotalWideBandPower PRESENCE optional }, ... } CommonMeasurementObjectType-CM-Rprt ::= CHOICE { cell Cell-CM-Rprt, rACH RACH-CM-Rprt, notUsed-cPCH NULL, ..., extension-CommonMeasurementObjectType-CM-Rprt Extension-CommonMeasurementObjectType-CM-Rprt } Extension-CommonMeasurementObjectType-CM-Rprt ::= ProtocolIE-Single-Container {{ Extension-CommonMeasurementObjectType-CM-RprtIE }} Extension-CommonMeasurementObjectType-CM-RprtIE NBAP-PROTOCOL-IES ::= { { ID id-Power-Local-Cell-Group-choice-CM-Rprt CRITICALITY ignore TYPE PowerLocalCellGroup-CM-Rprt PRESENCE mandatory }| { ID id-ERACH-CM-Rprt CRITICALITY ignore TYPE ERACH-CM-Rprt PRESENCE mandatory }, ... } ERACH-CM-Rprt ::= SEQUENCE { commonMeasurementValueInformation CommonMeasurementValueInformation, iE-Extensions ProtocolExtensionContainer {{ ERACHItem-CM-Rprt-ExtIEs }} OPTIONAL, ... } ERACHItem-CM-Rprt-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Cell-CM-Rprt ::= SEQUENCE { commonMeasurementValueInformation CommonMeasurementValueInformation, iE-Extensions ProtocolExtensionContainer {{ CellItem-CM-Rprt-ExtIEs }} OPTIONAL, ... } CellItem-CM-Rprt-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-C-ID CRITICALITY ignore EXTENSION C-ID PRESENCE optional}| {ID id-AdditionalMeasurementValueList CRITICALITY ignore EXTENSION AdditionalMeasurementValueList PRESENCE optional }| -- Applicable to 1.28Mcps TDD only {ID id-TimeSlotMeasurementValueListLCR CRITICALITY ignore EXTENSION TimeSlotMeasurementValueListLCR PRESENCE optional }, -- Applicable to 1.28Mcps TDD, this IE is for the measurement value from the Primary frequency ... } RACH-CM-Rprt ::= SEQUENCE { commonMeasurementValueInformation CommonMeasurementValueInformation, iE-Extensions ProtocolExtensionContainer {{ RACHItem-CM-Rprt-ExtIEs }} OPTIONAL, ... } RACHItem-CM-Rprt-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-C-ID CRITICALITY ignore EXTENSION C-ID PRESENCE optional}, ... } PowerLocalCellGroup-CM-Rprt ::= SEQUENCE { commonMeasurementValueInformation CommonMeasurementValueInformation, iE-Extensions ProtocolExtensionContainer {{ PowerLocalCellGroup-CM-Rprt-ExtIEs}} OPTIONAL, ... } PowerLocalCellGroup-CM-Rprt-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON MEASUREMENT TERMINATION REQUEST -- -- ************************************************************** CommonMeasurementTerminationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonMeasurementTerminationRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonMeasurementTerminationRequest-Extensions}} OPTIONAL, ... } CommonMeasurementTerminationRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-MeasurementID CRITICALITY ignore TYPE MeasurementID PRESENCE mandatory }, ... } CommonMeasurementTerminationRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMMON MEASUREMENT FAILURE INDICATION -- -- ************************************************************** CommonMeasurementFailureIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CommonMeasurementFailureIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{CommonMeasurementFailureIndication-Extensions}} OPTIONAL, ... } CommonMeasurementFailureIndication-IEs NBAP-PROTOCOL-IES ::= { { ID id-MeasurementID CRITICALITY ignore TYPE MeasurementID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } CommonMeasurementFailureIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL SETUP REQUEST FDD -- -- ************************************************************** CellSetupRequestFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSetupRequestFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSetupRequestFDD-Extensions}} OPTIONAL, ... } CellSetupRequestFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-Local-Cell-ID CRITICALITY reject TYPE Local-Cell-ID PRESENCE mandatory }| { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-ConfigurationGenerationID CRITICALITY reject TYPE ConfigurationGenerationID PRESENCE mandatory }| { ID id-T-Cell CRITICALITY reject TYPE T-Cell PRESENCE mandatory }| { ID id-UARFCNforNu CRITICALITY reject TYPE UARFCN PRESENCE mandatory }| { ID id-UARFCNforNd CRITICALITY reject TYPE UARFCN PRESENCE mandatory }| { ID id-MaximumTransmissionPower CRITICALITY reject TYPE MaximumTransmissionPower PRESENCE mandatory }| { ID id-Closed-Loop-Timing-Adjustment-Mode CRITICALITY reject TYPE Closedlooptimingadjustmentmode PRESENCE optional }| { ID id-PrimaryScramblingCode CRITICALITY reject TYPE PrimaryScramblingCode PRESENCE mandatory }| { ID id-Synchronisation-Configuration-Cell-SetupRqst CRITICALITY reject TYPE Synchronisation-Configuration-Cell-SetupRqst PRESENCE mandatory }| { ID id-DL-TPC-Pattern01Count CRITICALITY reject TYPE DL-TPC-Pattern01Count PRESENCE mandatory }| { ID id-PrimarySCH-Information-Cell-SetupRqstFDD CRITICALITY reject TYPE PrimarySCH-Information-Cell-SetupRqstFDD PRESENCE mandatory }| { ID id-SecondarySCH-Information-Cell-SetupRqstFDD CRITICALITY reject TYPE SecondarySCH-Information-Cell-SetupRqstFDD PRESENCE mandatory }| { ID id-PrimaryCPICH-Information-Cell-SetupRqstFDD CRITICALITY reject TYPE PrimaryCPICH-Information-Cell-SetupRqstFDD PRESENCE mandatory }| { ID id-SecondaryCPICH-InformationList-Cell-SetupRqstFDD CRITICALITY reject TYPE SecondaryCPICH-InformationList-Cell-SetupRqstFDD PRESENCE optional }| { ID id-PrimaryCCPCH-Information-Cell-SetupRqstFDD CRITICALITY reject TYPE PrimaryCCPCH-Information-Cell-SetupRqstFDD PRESENCE mandatory }| { ID id-Limited-power-increase-information-Cell-SetupRqstFDD CRITICALITY reject TYPE Limited-power-increase-information-Cell-SetupRqstFDD PRESENCE mandatory }, ... } CellSetupRequestFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-IPDLParameter-Information-Cell-SetupRqstFDD CRITICALITY reject EXTENSION IPDLParameter-Information-Cell-SetupRqstFDD PRESENCE optional }| { ID id-CellPortion-InformationList-Cell-SetupRqstFDD CRITICALITY reject EXTENSION CellPortion-InformationList-Cell-SetupRqstFDD PRESENCE optional }| { ID id-MIMO-PilotConfiguration CRITICALITY reject EXTENSION MIMO-PilotConfiguration PRESENCE optional }| { ID id-MIMO-PilotConfigurationExtension CRITICALITY reject EXTENSION MIMO-PilotConfigurationExtension PRESENCE optional }, ... } Synchronisation-Configuration-Cell-SetupRqst ::= SEQUENCE { n-INSYNC-IND N-INSYNC-IND, n-OUTSYNC-IND N-OUTSYNC-IND, t-RLFAILURE T-RLFAILURE, iE-Extensions ProtocolExtensionContainer { { Synchronisation-Configuration-Cell-SetupRqst-ExtIEs} } OPTIONAL, ... } Synchronisation-Configuration-Cell-SetupRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PrimarySCH-Information-Cell-SetupRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, primarySCH-Power DL-Power, tSTD-Indicator TSTD-Indicator, iE-Extensions ProtocolExtensionContainer { { PrimarySCH-Information-Cell-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } PrimarySCH-Information-Cell-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SecondarySCH-Information-Cell-SetupRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, secondarySCH-Power DL-Power, tSTD-Indicator TSTD-Indicator, iE-Extensions ProtocolExtensionContainer { { SecondarySCH-Information-Cell-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } SecondarySCH-Information-Cell-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PrimaryCPICH-Information-Cell-SetupRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, primaryCPICH-Power PrimaryCPICH-Power, transmitDiversityIndicator TransmitDiversityIndicator, iE-Extensions ProtocolExtensionContainer { { PrimaryCPICH-Information-Cell-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } PrimaryCPICH-Information-Cell-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SecondaryCPICH-InformationList-Cell-SetupRqstFDD ::= SEQUENCE (SIZE (1..maxSCPICHCell)) OF ProtocolIE-Single-Container{{ SecondaryCPICH-InformationItemIE-Cell-SetupRqstFDD }} SecondaryCPICH-InformationItemIE-Cell-SetupRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-SecondaryCPICH-InformationItem-Cell-SetupRqstFDD CRITICALITY reject TYPE SecondaryCPICH-InformationItem-Cell-SetupRqstFDD PRESENCE mandatory} } SecondaryCPICH-InformationItem-Cell-SetupRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, dl-ScramblingCode DL-ScramblingCode, fDD-DL-ChannelisationCodeNumber FDD-DL-ChannelisationCodeNumber, secondaryCPICH-Power DL-Power, transmitDiversityIndicator TransmitDiversityIndicator, iE-Extensions ProtocolExtensionContainer { { SecondaryCPICH-InformationItem-Cell-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } SecondaryCPICH-InformationItem-Cell-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PrimaryCCPCH-Information-Cell-SetupRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, bCH-information BCH-Information-Cell-SetupRqstFDD, sTTD-Indicator STTD-Indicator, iE-Extensions ProtocolExtensionContainer { { PrimaryCCPCH-Information-Cell-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } PrimaryCCPCH-Information-Cell-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } BCH-Information-Cell-SetupRqstFDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, bCH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { BCH-Information-Cell-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } BCH-Information-Cell-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Limited-power-increase-information-Cell-SetupRqstFDD ::= SEQUENCE { powerRaiseLimit PowerRaiseLimit, dLPowerAveragingWindowSize DLPowerAveragingWindowSize, iE-Extensions ProtocolExtensionContainer { { Limited-power-increase-information-Cell-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } Limited-power-increase-information-Cell-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } IPDLParameter-Information-Cell-SetupRqstFDD::= SEQUENCE { iPDL-FDD-Parameters IPDL-FDD-Parameters, iPDL-Indicator IPDL-Indicator, iE-Extensions ProtocolExtensionContainer { { IPDLParameter-Information-Cell-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } IPDLParameter-Information-Cell-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CellPortion-InformationList-Cell-SetupRqstFDD ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCell)) OF ProtocolIE-Single-Container{{ CellPortion-InformationItemIE-Cell-SetupRqstFDD }} CellPortion-InformationItemIE-Cell-SetupRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-CellPortion-InformationItem-Cell-SetupRqstFDD CRITICALITY reject TYPE CellPortion-InformationItem-Cell-SetupRqstFDD PRESENCE mandatory } } CellPortion-InformationItem-Cell-SetupRqstFDD::= SEQUENCE { cellPortionID CellPortionID, associatedSecondaryCPICH CommonPhysicalChannelID, maximumTransmissionPowerforCellPortion MaximumTransmissionPower, iE-Extensions ProtocolExtensionContainer { { CellPortion-InformationItem-Cell-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } CellPortion-InformationItem-Cell-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL SETUP REQUEST TDD -- -- ************************************************************** CellSetupRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSetupRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSetupRequestTDD-Extensions}} OPTIONAL, ... } CellSetupRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-Local-Cell-ID CRITICALITY reject TYPE Local-Cell-ID PRESENCE mandatory }| { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-ConfigurationGenerationID CRITICALITY reject TYPE ConfigurationGenerationID PRESENCE mandatory }| { ID id-UARFCNforNt CRITICALITY reject TYPE UARFCN PRESENCE mandatory }| -- For 1.28Mcps TDD, if multiple frequencies exist within the cell indicated by C-ID, this IE indicates the frequency of Primary frequency { ID id-CellParameterID CRITICALITY reject TYPE CellParameterID PRESENCE mandatory }| -- For 1.28 Mcps TDD, if the cell is operating in MBSFN only mode, this IE indicate the Preamble code used in the Speial Time Slot [19] { ID id-MaximumTransmissionPower CRITICALITY reject TYPE MaximumTransmissionPower PRESENCE mandatory }| { ID id-TransmissionDiversityApplied CRITICALITY reject TYPE TransmissionDiversityApplied PRESENCE mandatory }| { ID id-SyncCase CRITICALITY reject TYPE SyncCase PRESENCE mandatory }| { ID id-Synchronisation-Configuration-Cell-SetupRqst CRITICALITY reject TYPE Synchronisation-Configuration-Cell-SetupRqst PRESENCE mandatory }| { ID id-DPCHConstant CRITICALITY reject TYPE ConstantValue PRESENCE mandatory }| -- This IE shall be ignored by the Node B. { ID id-PUSCHConstant CRITICALITY reject TYPE ConstantValue PRESENCE mandatory }| -- This IE shall be ignored by the Node B. { ID id-PRACHConstant CRITICALITY reject TYPE ConstantValue PRESENCE mandatory }| -- This IE shall be ignored by the Node B. { ID id-TimingAdvanceApplied CRITICALITY reject TYPE TimingAdvanceApplied PRESENCE mandatory }| { ID id-SCH-Information-Cell-SetupRqstTDD CRITICALITY reject TYPE SCH-Information-Cell-SetupRqstTDD PRESENCE optional }| -- Mandatory for 3.84Mcps TDD and 7.68Mcps TDD, Not Applicable to 1.28Mcps TDD { ID id-PCCPCH-Information-Cell-SetupRqstTDD CRITICALITY reject TYPE PCCPCH-Information-Cell-SetupRqstTDD PRESENCE optional }| -- Mandatory for 3.84Mcps TDD, Not Applicable to 1.28Mcps TDD or 7.68Mcps TDD { ID id-TimeSlotConfigurationList-Cell-SetupRqstTDD CRITICALITY reject TYPE TimeSlotConfigurationList-Cell-SetupRqstTDD PRESENCE optional }, -- Mandatory for 3.84Mcps TDD and 7.68Mcps TDD, Not Applicable to 1.28Mcps TDD ... } CellSetupRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-TimeSlotConfigurationList-LCR-Cell-SetupRqstTDD CRITICALITY reject EXTENSION TimeSlotConfigurationList-LCR-Cell-SetupRqstTDD PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD. If multiple frequencies exist within the cell indicated by C-ID, this IE indicates the Time Slot configuration of Primary frequency. { ID id-PCCPCH-LCR-Information-Cell-SetupRqstTDD CRITICALITY reject EXTENSION PCCPCH-LCR-Information-Cell-SetupRqstTDD PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD, For 1.28 Mcps TDD, if the cell is operating in MBSFN only mode, PCCPCH is deployed on the MBSFN Special Time Slot [19]. { ID id-DwPCH-LCR-Information-Cell-SetupRqstTDD CRITICALITY reject EXTENSION DwPCH-LCR-Information-Cell-SetupRqstTDD PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD { ID id-ReferenceSFNoffset CRITICALITY ignore EXTENSION ReferenceSFNoffset PRESENCE optional }| { ID id-IPDLParameter-Information-Cell-SetupRqstTDD CRITICALITY reject EXTENSION IPDLParameter-Information-Cell-SetupRqstTDD PRESENCE optional }| -- Applicable to 3.84Mcps TDD and 7.68Mcps TDD only { ID id-IPDLParameter-Information-LCR-Cell-SetupRqstTDD CRITICALITY reject EXTENSION IPDLParameter-Information-LCR-Cell-SetupRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-PCCPCH-768-Information-Cell-SetupRqstTDD CRITICALITY reject EXTENSION PCCPCH-768-Information-Cell-SetupRqstTDD PRESENCE optional }| -- Mandatory for 7.68Mcps TDD, Not Applicable to 3.84Mcps TDD or 1.28Mcps TDD { ID id-SCH-768-Information-Cell-SetupRqstTDD CRITICALITY reject EXTENSION SCH-768-Information-Cell-SetupRqstTDD PRESENCE optional }| -- Mandatory for 7.68Mcps TDD, Not Applicable to 3.84Mcps TDD or 1.28Mcps TDD { ID id-MBSFN-Only-Mode-Indicator-Cell-SetupRqstTDD-LCR CRITICALITY reject EXTENSION MBSFN-Only-Mode-Indicator PRESENCE optional }| { ID id-Cell-Frequency-List-LCR-MulFreq-Cell-SetupRqstTDD CRITICALITY reject EXTENSION Cell-Frequency-List-LCR-MulFreq-Cell-SetupRqstTDD PRESENCE optional }, -- Mandatory for 1.28Mcps TDD when using multiple frequencies ... } SCH-Information-Cell-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, syncCaseIndicator SyncCaseIndicator-Cell-SetupRqstTDD-PSCH, sCH-Power DL-Power, tSTD-Indicator TSTD-Indicator, iE-Extensions ProtocolExtensionContainer { { SCH-Information-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } SCH-Information-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SyncCaseIndicator-Cell-SetupRqstTDD-PSCH ::= ProtocolIE-Single-Container {{ SyncCaseIndicatorIE-Cell-SetupRqstTDD-PSCH }} SyncCaseIndicatorIE-Cell-SetupRqstTDD-PSCH NBAP-PROTOCOL-IES ::= { { ID id-SyncCaseIndicatorItem-Cell-SetupRqstTDD-PSCH CRITICALITY reject TYPE SyncCaseIndicatorItem-Cell-SetupRqstTDD-PSCH PRESENCE mandatory } } SyncCaseIndicatorItem-Cell-SetupRqstTDD-PSCH ::= CHOICE { case1 Case1-Cell-SetupRqstTDD, case2 Case2-Cell-SetupRqstTDD, ... } Case1-Cell-SetupRqstTDD ::= SEQUENCE { timeSlot TimeSlot, iE-Extensions ProtocolExtensionContainer { { Case1Item-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } Case1Item-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Case2-Cell-SetupRqstTDD ::= SEQUENCE { sCH-TimeSlot SCH-TimeSlot, iE-Extensions ProtocolExtensionContainer { { Case2Item-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } Case2Item-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PCCPCH-Information-Cell-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, pCCPCH-Power PCCPCH-Power, sCTD-Indicator SCTD-Indicator, iE-Extensions ProtocolExtensionContainer { { PCCPCH-Information-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } PCCPCH-Information-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TimeSlotConfigurationList-Cell-SetupRqstTDD ::= SEQUENCE (SIZE (1..15)) OF TimeSlotConfigurationItem-Cell-SetupRqstTDD TimeSlotConfigurationItem-Cell-SetupRqstTDD ::= SEQUENCE { timeSlot TimeSlot, timeSlotStatus TimeSlotStatus, timeSlotDirection TimeSlotDirection, iE-Extensions ProtocolExtensionContainer { { TimeSlotConfigurationItem-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } TimeSlotConfigurationItem-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MBSFN-Cell-ParameterID-Cell-SetupRqstTDD CRITICALITY reject EXTENSION CellParameterID PRESENCE optional },-- Applicable only to for MBSFN only mode ... } TimeSlotConfigurationList-LCR-Cell-SetupRqstTDD ::= SEQUENCE (SIZE (1..7)) OF TimeSlotConfigurationItem-LCR-Cell-SetupRqstTDD TimeSlotConfigurationItem-LCR-Cell-SetupRqstTDD ::= SEQUENCE { timeSlotLCR TimeSlotLCR, timeSlotStatus TimeSlotStatus, timeSlotDirection TimeSlotDirection, iE-Extensions ProtocolExtensionContainer { { TimeSlotConfigurationItem-LCR-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } TimeSlotConfigurationItem-LCR-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Time-Slot-Parameter-ID CRITICALITY reject EXTENSION CellParameterID PRESENCE optional }, ... } PCCPCH-LCR-Information-Cell-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, pCCPCH-Power PCCPCH-Power, sCTD-Indicator SCTD-Indicator, tSTD-Indicator TSTD-Indicator, iE-Extensions ProtocolExtensionContainer { { PCCPCH-LCR-Information-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } PCCPCH-LCR-Information-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DwPCH-LCR-Information-Cell-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelId CommonPhysicalChannelID, tSTD-Indicator TSTD-Indicator, dwPCH-Power DwPCH-Power, iE-Extensions ProtocolExtensionContainer { { DwPCH-LCR-Information-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } DwPCH-LCR-Information-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } IPDLParameter-Information-Cell-SetupRqstTDD ::= SEQUENCE { iPDL-TDD-Parameters IPDL-TDD-Parameters, iPDL-Indicator IPDL-Indicator, iE-Extensions ProtocolExtensionContainer { { IPDLParameter-Information-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } IPDLParameter-Information-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } IPDLParameter-Information-LCR-Cell-SetupRqstTDD ::= SEQUENCE { iPDL-TDD-Parameters-LCR IPDL-TDD-Parameters-LCR, iPDL-Indicator IPDL-Indicator, iE-Extensions ProtocolExtensionContainer { { IPDLParameter-Information-LCR-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } IPDLParameter-Information-LCR-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PCCPCH-768-Information-Cell-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, pCCPCH-Power PCCPCH-Power, sCTD-Indicator SCTD-Indicator, iE-Extensions ProtocolExtensionContainer { { PCCPCH-768-Information-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } PCCPCH-768-Information-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SCH-768-Information-Cell-SetupRqstTDD ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, syncCaseIndicator SyncCaseIndicator-Cell-SetupRqstTDD-PSCH, sCH-Power DL-Power, tSTD-Indicator TSTD-Indicator, iE-Extensions ProtocolExtensionContainer { { SCH-768-Information-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } SCH-768-Information-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Cell-Frequency-List-LCR-MulFreq-Cell-SetupRqstTDD ::= SEQUENCE (SIZE (1..maxFrequencyinCell-1)) OF Cell-Frequency-Item-LCR-MulFreq-Cell-SetupRqstTDD Cell-Frequency-Item-LCR-MulFreq-Cell-SetupRqstTDD ::= SEQUENCE { uARFCN UARFCN, -- This IE indicates the frequency of Secondary frequency timeSlotConfigurationList-LCR-Cell-SetupRqstTDD TimeSlotConfigurationList-LCR-Cell-SetupRqstTDD, -- This IE indicates the Time Slot configuration of Secondary frequency iE-Extensions ProtocolExtensionContainer { { Cell-Frequency-Item-LCR-MulFreq-Cell-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } Cell-Frequency-Item-LCR-MulFreq-Cell-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL SETUP RESPONSE -- -- ************************************************************** CellSetupResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSetupResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSetupResponse-Extensions}} OPTIONAL, ... } CellSetupResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } CellSetupResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL SETUP FAILURE -- -- ************************************************************** CellSetupFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSetupFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSetupFailure-Extensions}} OPTIONAL, ... } CellSetupFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } CellSetupFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL RECONFIGURATION REQUEST FDD -- -- ************************************************************** CellReconfigurationRequestFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellReconfigurationRequestFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellReconfigurationRequestFDD-Extensions}} OPTIONAL, ... } CellReconfigurationRequestFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-ConfigurationGenerationID CRITICALITY reject TYPE ConfigurationGenerationID PRESENCE mandatory }| { ID id-MaximumTransmissionPower CRITICALITY reject TYPE MaximumTransmissionPower PRESENCE optional }| { ID id-Synchronisation-Configuration-Cell-ReconfRqst CRITICALITY reject TYPE Synchronisation-Configuration-Cell-ReconfRqst PRESENCE optional }| { ID id-PrimarySCH-Information-Cell-ReconfRqstFDD CRITICALITY reject TYPE PrimarySCH-Information-Cell-ReconfRqstFDD PRESENCE optional }| { ID id-SecondarySCH-Information-Cell-ReconfRqstFDD CRITICALITY reject TYPE SecondarySCH-Information-Cell-ReconfRqstFDD PRESENCE optional }| { ID id-PrimaryCPICH-Information-Cell-ReconfRqstFDD CRITICALITY reject TYPE PrimaryCPICH-Information-Cell-ReconfRqstFDD PRESENCE optional }| { ID id-SecondaryCPICH-InformationList-Cell-ReconfRqstFDD CRITICALITY reject TYPE SecondaryCPICH-InformationList-Cell-ReconfRqstFDD PRESENCE optional }| { ID id-PrimaryCCPCH-Information-Cell-ReconfRqstFDD CRITICALITY reject TYPE PrimaryCCPCH-Information-Cell-ReconfRqstFDD PRESENCE optional }, ... } CellReconfigurationRequestFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-IPDLParameter-Information-Cell-ReconfRqstFDD CRITICALITY reject EXTENSION IPDLParameter-Information-Cell-ReconfRqstFDD PRESENCE optional }| { ID id-CellPortion-InformationList-Cell-ReconfRqstFDD CRITICALITY reject EXTENSION CellPortion-InformationList-Cell-ReconfRqstFDD PRESENCE optional }| { ID id-MIMO-PilotConfiguration CRITICALITY reject EXTENSION MIMO-PilotConfiguration PRESENCE optional }| { ID id-MIMO-PilotConfigurationExtension CRITICALITY reject EXTENSION MIMO-PilotConfigurationExtension PRESENCE optional }| { ID id-DormantModeIndicator CRITICALITY reject EXTENSION DormantModeIndicator PRESENCE optional }, ... } Synchronisation-Configuration-Cell-ReconfRqst ::= SEQUENCE { n-INSYNC-IND N-INSYNC-IND, n-OUTSYNC-IND N-OUTSYNC-IND, t-RLFAILURE T-RLFAILURE, iE-Extensions ProtocolExtensionContainer { { Synchronisation-Configuration-Cell-ReconfRqst-ExtIEs} } OPTIONAL, ... } Synchronisation-Configuration-Cell-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PrimarySCH-Information-Cell-ReconfRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, primarySCH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { PrimarySCH-Information-Cell-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } PrimarySCH-Information-Cell-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SecondarySCH-Information-Cell-ReconfRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, secondarySCH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { SecondarySCH-Information-Cell-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } SecondarySCH-Information-Cell-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PrimaryCPICH-Information-Cell-ReconfRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, primaryCPICH-Power PrimaryCPICH-Power, iE-Extensions ProtocolExtensionContainer { { PrimaryCPICH-Information-Cell-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } PrimaryCPICH-Information-Cell-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SecondaryCPICH-InformationList-Cell-ReconfRqstFDD ::= SEQUENCE (SIZE (1..maxSCPICHCell)) OF ProtocolIE-Single-Container{{ SecondaryCPICH-InformationItemIE-Cell-ReconfRqstFDD }} SecondaryCPICH-InformationItemIE-Cell-ReconfRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-SecondaryCPICH-InformationItem-Cell-ReconfRqstFDD CRITICALITY reject TYPE SecondaryCPICH-InformationItem-Cell-ReconfRqstFDD PRESENCE mandatory } } SecondaryCPICH-InformationItem-Cell-ReconfRqstFDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, secondaryCPICH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { SecondaryCPICH-InformationItem-Cell-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } SecondaryCPICH-InformationItem-Cell-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PrimaryCCPCH-Information-Cell-ReconfRqstFDD ::= SEQUENCE { bCH-information BCH-information-Cell-ReconfRqstFDD, iE-Extensions ProtocolExtensionContainer { { PrimaryCCPCH-Information-Cell-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } PrimaryCCPCH-Information-Cell-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } BCH-information-Cell-ReconfRqstFDD ::= SEQUENCE { commonTransportChannelID CommonTransportChannelID, bCH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { BCH-information-Cell-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } BCH-information-Cell-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } IPDLParameter-Information-Cell-ReconfRqstFDD::= SEQUENCE { iPDL-FDD-Parameters IPDL-FDD-Parameters OPTIONAL, iPDL-Indicator IPDL-Indicator, iE-Extensions ProtocolExtensionContainer { { IPDLParameter-Information-Cell-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } IPDLParameter-Information-Cell-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CellPortion-InformationList-Cell-ReconfRqstFDD ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCell)) OF ProtocolIE-Single-Container{{ CellPortion-InformationItemIE-Cell-ReconfRqstFDD }} CellPortion-InformationItemIE-Cell-ReconfRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-CellPortion-InformationItem-Cell-ReconfRqstFDD CRITICALITY reject TYPE CellPortion-InformationItem-Cell-ReconfRqstFDD PRESENCE mandatory} } CellPortion-InformationItem-Cell-ReconfRqstFDD::= SEQUENCE { cellPortionID CellPortionID, maximumTransmissionPowerforCellPortion MaximumTransmissionPower, iE-Extensions ProtocolExtensionContainer { { CellPortion-InformationItem-Cell-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } CellPortion-InformationItem-Cell-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL RECONFIGURATION REQUEST TDD -- -- ************************************************************** CellReconfigurationRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellReconfigurationRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellReconfigurationRequestTDD-Extensions}} OPTIONAL, ... } CellReconfigurationRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-ConfigurationGenerationID CRITICALITY reject TYPE ConfigurationGenerationID PRESENCE mandatory }| { ID id-Synchronisation-Configuration-Cell-ReconfRqst CRITICALITY reject TYPE Synchronisation-Configuration-Cell-ReconfRqst PRESENCE optional }| { ID id-TimingAdvanceApplied CRITICALITY reject TYPE TimingAdvanceApplied PRESENCE optional }| { ID id-SCH-Information-Cell-ReconfRqstTDD CRITICALITY reject TYPE SCH-Information-Cell-ReconfRqstTDD PRESENCE optional }| -- Applicable to 3.84Mcps TDD only { ID id-PCCPCH-Information-Cell-ReconfRqstTDD CRITICALITY reject TYPE PCCPCH-Information-Cell-ReconfRqstTDD PRESENCE optional }| -- Not applicable to 7.68Mcps TDD only. For 1.28 Mcps TDD, if the cell is operating in MBSFN only mode, PCCPCH is deployed on the MBSFN Special Time Slot [19]. { ID id-MaximumTransmissionPower CRITICALITY reject TYPE MaximumTransmissionPower PRESENCE optional }| { ID id-DPCHConstant CRITICALITY reject TYPE ConstantValue PRESENCE optional }| -- This IE shall be ignored by the Node B. { ID id-PUSCHConstant CRITICALITY reject TYPE ConstantValue PRESENCE optional }| -- This IE shall be ignored by the Node B. { ID id-PRACHConstant CRITICALITY reject TYPE ConstantValue PRESENCE optional }| -- This IE shall be ignored by the Node B. { ID id-TimeSlotConfigurationList-Cell-ReconfRqstTDD CRITICALITY reject TYPE TimeSlotConfigurationList-Cell-ReconfRqstTDD PRESENCE optional }, -- Mandatory for 3.84Mcps TDD and 7.68Mcps TDD only. Not Applicable to 1.28Mcps TDD. ... } CellReconfigurationRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-TimeSlotConfigurationList-LCR-Cell-ReconfRqstTDD CRITICALITY reject EXTENSION TimeSlotConfigurationList-LCR-Cell-ReconfRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only, If multiple frequencies exist within the cell indicated by C-ID, this IE indicates the Time Slot reconfiguration of Primary frequency { ID id-DwPCH-LCR-Information-Cell-ReconfRqstTDD CRITICALITY reject EXTENSION DwPCH-LCR-Information-Cell-ReconfRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-IPDLParameter-Information-Cell-ReconfRqstTDD CRITICALITY reject EXTENSION IPDLParameter-Information-Cell-ReconfRqstTDD PRESENCE optional }| -- Applicable to 3.84Mcps TDD and 7.68Mcps TDD only { ID id-IPDLParameter-Information-LCR-Cell-ReconfRqstTDD CRITICALITY reject EXTENSION IPDLParameter-Information-LCR-Cell-ReconfRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-SCH-768-Information-Cell-ReconfRqstTDD CRITICALITY reject EXTENSION SCH-768-Information-Cell-ReconfRqstTDD PRESENCE optional }| -- Applicable to 7.68Mcps TDD only { ID id-PCCPCH-768-Information-Cell-ReconfRqstTDD CRITICALITY reject EXTENSION PCCPCH-768-Information-Cell-ReconfRqstTDD PRESENCE optional }| -- Applicable to 7.68Mcps TDD only { ID id-UARFCN-Adjustment CRITICALITY reject EXTENSION UARFCN-Adjustment PRESENCE optional }| -- Applicable to 1.28Mcps TDD when using multiple frequencies { ID id-DormantModeIndicator CRITICALITY reject EXTENSION DormantModeIndicator PRESENCE optional }, ... } SCH-Information-Cell-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, sCH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { PSCH-Information-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } PSCH-Information-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PCCPCH-Information-Cell-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelID CommonPhysicalChannelID, pCCPCH-Power PCCPCH-Power, iE-Extensions ProtocolExtensionContainer { { PCCPCH-Information-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } PCCPCH-Information-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } TimeSlotConfigurationList-Cell-ReconfRqstTDD ::= SEQUENCE (SIZE (1..15)) OF TimeSlotConfigurationItem-Cell-ReconfRqstTDD TimeSlotConfigurationItem-Cell-ReconfRqstTDD ::= SEQUENCE { timeSlot TimeSlot, timeSlotStatus TimeSlotStatus, timeSlotDirection TimeSlotDirection, iE-Extensions ProtocolExtensionContainer { { TimeSlotConfigurationItem-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } TimeSlotConfigurationItem-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MBSFN-Cell-ParameterID-Cell-ReconfRqstTDD CRITICALITY reject EXTENSION CellParameterID PRESENCE optional }, ... } TimeSlotConfigurationList-LCR-Cell-ReconfRqstTDD ::= SEQUENCE (SIZE (1..7)) OF TimeSlotConfigurationItem-LCR-Cell-ReconfRqstTDD TimeSlotConfigurationItem-LCR-Cell-ReconfRqstTDD ::= SEQUENCE { timeSlotLCR TimeSlotLCR, timeSlotStatus TimeSlotStatus, timeSlotDirection TimeSlotDirection, iE-Extensions ProtocolExtensionContainer { { TimeSlotConfigurationItem-LCR-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } TimeSlotConfigurationItem-LCR-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DwPCH-LCR-Information-Cell-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelId CommonPhysicalChannelID, dwPCH-Power DwPCH-Power, iE-Extensions ProtocolExtensionContainer { { DwPCH-LCR-Information-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } DwPCH-LCR-Information-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } IPDLParameter-Information-Cell-ReconfRqstTDD ::= SEQUENCE { iPDL-TDD-Parameters IPDL-TDD-Parameters OPTIONAL, iPDL-Indicator IPDL-Indicator, iE-Extensions ProtocolExtensionContainer { { IPDLParameter-Information-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } IPDLParameter-Information-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } IPDLParameter-Information-LCR-Cell-ReconfRqstTDD ::= SEQUENCE { iPDL-TDD-Parameters-LCR IPDL-TDD-Parameters-LCR OPTIONAL, iPDL-Indicator IPDL-Indicator, iE-Extensions ProtocolExtensionContainer { { IPDLParameter-Information-LCR-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } IPDLParameter-Information-LCR-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SCH-768-Information-Cell-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, sCH-Power DL-Power, iE-Extensions ProtocolExtensionContainer { { PSCH-768-Information-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } PSCH-768-Information-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PCCPCH-768-Information-Cell-ReconfRqstTDD ::= SEQUENCE { commonPhysicalChannelID768 CommonPhysicalChannelID768, pCCPCH-Power PCCPCH-Power, iE-Extensions ProtocolExtensionContainer { { PCCPCH-768-Information-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } PCCPCH-768-Information-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UARFCN-Adjustment::= CHOICE { cell-Frequency-Add-LCR-MulFreq-Cell-ReconfRqstTDD Cell-Frequency-Add-LCR-MulFreq-Cell-ReconfRqstTDD, cell-Frequency-ModifyList-LCR-MulFreq-Cell-ReconfRqstTDD Cell-Frequency-ModifyList-LCR-MulFreq-Cell-ReconfRqstTDD, cell-Frequency-Delete-LCR-MulFreq-Cell-ReconfRqstTDD Cell-Frequency-Delete-LCR-MulFreq-Cell-ReconfRqstTDD, ... } Cell-Frequency-Add-LCR-MulFreq-Cell-ReconfRqstTDD ::= SEQUENCE { uARFCN UARFCN, -- This IE indicates the frequency of Secondary frequency to add timeSlotConfigurationList-LCR-Cell-ReconfRqstTDD TimeSlotConfigurationList-LCR-Cell-ReconfRqstTDD, -- This IE indicates the Time Slot configuration of Secondary frequency to add iE-Extensions ProtocolExtensionContainer { { Cell-Frequency-Add-LCR-MulFreq-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } Cell-Frequency-Add-LCR-MulFreq-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Cell-Frequency-ModifyList-LCR-MulFreq-Cell-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxFrequencyinCell-1)) OF Cell-Frequency-ModifyItem-LCR-MulFreq-Cell-ReconfRqstTDD Cell-Frequency-ModifyItem-LCR-MulFreq-Cell-ReconfRqstTDD ::= SEQUENCE { uARFCN UARFCN, -- This IE indicates the frequency of Secondary frequency to modify timeSlotConfigurationList-LCR-Cell-ReconfRqstTDD TimeSlotConfigurationList-LCR-Cell-ReconfRqstTDD, -- This IE indicates the Time Slot reconfiguration of Secondary frequency iE-Extensions ProtocolExtensionContainer { { Cell-Frequency-ModifyItem-LCR-MulFreq-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } Cell-Frequency-ModifyItem-LCR-MulFreq-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Cell-Frequency-Delete-LCR-MulFreq-Cell-ReconfRqstTDD ::= SEQUENCE { uARFCN UARFCN, -- This IE indicates the frequency of Secondary Frequency to delete iE-Extensions ProtocolExtensionContainer { { Cell-Frequency-Delete-LCR-MulFreq-Cell-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } Cell-Frequency-Delete-LCR-MulFreq-Cell-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL RECONFIGURATION RESPONSE -- -- ************************************************************** CellReconfigurationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellReconfigurationResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellReconfigurationResponse-Extensions}} OPTIONAL, ... } CellReconfigurationResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } CellReconfigurationResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL RECONFIGURATION FAILURE -- -- ************************************************************** CellReconfigurationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellReconfigurationFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellReconfigurationFailure-Extensions}} OPTIONAL, ... } CellReconfigurationFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } CellReconfigurationFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL DELETION REQUEST -- -- ************************************************************** CellDeletionRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellDeletionRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellDeletionRequest-Extensions}} OPTIONAL, ... } CellDeletionRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }, ... } CellDeletionRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL DELETION RESPONSE -- -- ************************************************************** CellDeletionResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellDeletionResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellDeletionResponse-Extensions}} OPTIONAL, ... } CellDeletionResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } CellDeletionResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RESOURCE STATUS INDICATION -- -- ************************************************************** ResourceStatusIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{ResourceStatusIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{ResourceStatusIndication-Extensions}} OPTIONAL, ... } ResourceStatusIndication-IEs NBAP-PROTOCOL-IES ::= { { ID id-IndicationType-ResourceStatusInd CRITICALITY ignore TYPE IndicationType-ResourceStatusInd PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE optional }, ... } ResourceStatusIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } IndicationType-ResourceStatusInd ::= CHOICE { no-Failure No-Failure-ResourceStatusInd, serviceImpacting ServiceImpacting-ResourceStatusInd, ... } No-Failure-ResourceStatusInd ::= SEQUENCE { local-Cell-InformationList Local-Cell-InformationList-ResourceStatusInd, local-Cell-Group-InformationList Local-Cell-Group-InformationList-ResourceStatusInd OPTIONAL, iE-Extensions ProtocolExtensionContainer { { No-FailureItem-ResourceStatusInd-ExtIEs} } OPTIONAL, ... } No-FailureItem-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Power-Local-Cell-Group-InformationList-ResourceStatusInd CRITICALITY ignore EXTENSION Power-Local-Cell-Group-InformationList-ResourceStatusInd PRESENCE optional }, ... } Local-Cell-InformationList-ResourceStatusInd ::= SEQUENCE(SIZE (1..maxLocalCellinNodeB)) OF ProtocolIE-Single-Container {{ Local-Cell-InformationItemIE-ResourceStatusInd }} Local-Cell-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-Local-Cell-InformationItem-ResourceStatusInd CRITICALITY ignore TYPE Local-Cell-InformationItem-ResourceStatusInd PRESENCE mandatory } } Local-Cell-InformationItem-ResourceStatusInd ::= SEQUENCE { local-CellID Local-Cell-ID, addorDeleteIndicator AddorDeleteIndicator, dl-or-global-capacityCredit DL-or-Global-CapacityCredit OPTIONAL, -- This IE shall be present if AddorDeleteIndicator IE is set to "add" ul-capacityCredit UL-CapacityCredit OPTIONAL, commonChannelsCapacityConsumptionLaw CommonChannelsCapacityConsumptionLaw OPTIONAL, -- This IE shall be present if AddorDeleteIndicator IE is set to "add" dedicatedChannelsCapacityConsumptionLaw DedicatedChannelsCapacityConsumptionLaw OPTIONAL, -- This IE shall be present if AddorDeleteIndicator IE is set to "add" maximumDL-PowerCapability MaximumDL-PowerCapability OPTIONAL, -- This IE shall be present if AddorDeleteIndicator IE is set to "add" minSpreadingFactor MinSpreadingFactor OPTIONAL, -- This IE shall be present if AddorDeleteIndicator IE is set to "add" minimumDL-PowerCapability MinimumDL-PowerCapability OPTIONAL, -- This IE shall be present if AddorDeleteIndicator IE is set to "add" local-Cell-Group-ID Local-Cell-ID OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Local-Cell-InformationItem-ResourceStatusInd-ExtIEs} } OPTIONAL, ... } Local-Cell-InformationItem-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-ReferenceClockAvailability CRITICALITY ignore EXTENSION ReferenceClockAvailability PRESENCE optional }| -- This IE shall be present if AddorDeleteIndicator IE is set to "add" and the Local Cell is related to a TDD cell { ID id-Power-Local-Cell-Group-ID CRITICALITY ignore EXTENSION Local-Cell-ID PRESENCE optional }| { ID id-HSDPA-Capability CRITICALITY ignore EXTENSION HSDPA-Capability PRESENCE optional }| { ID id-E-DCH-Capability CRITICALITY ignore EXTENSION E-DCH-Capability PRESENCE optional }| { ID id-E-DCH-TTI2ms-Capability CRITICALITY ignore EXTENSION E-DCH-TTI2ms-Capability PRESENCE conditional }| -- The IE shall be present if E-DCH Capability IE is set to "E-DCH Capable". { ID id-E-DCH-SF-Capability CRITICALITY ignore EXTENSION E-DCH-SF-Capability PRESENCE conditional }| -- The IE shall be present if E-DCH Capability IE is set to "E-DCH Capable". { ID id-E-DCH-HARQ-Combining-Capability CRITICALITY ignore EXTENSION E-DCH-HARQ-Combining-Capability PRESENCE conditional }| -- The IE shall be present if E-DCH Capability IE is set to "E-DCH Capable". { ID id-E-DCH-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCHCapacityConsumptionLaw PRESENCE optional }| { ID id-F-DPCH-Capability CRITICALITY ignore EXTENSION F-DPCH-Capability PRESENCE optional }| { ID id-E-DCH-TDD-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCH-TDD-CapacityConsumptionLaw PRESENCE optional }| { ID id-ContinuousPacketConnectivityDTX-DRX-Capability CRITICALITY ignore EXTENSION ContinuousPacketConnectivityDTX-DRX-Capability PRESENCE optional }| { ID id-Max-UE-DTX-Cycle CRITICALITY ignore EXTENSION Max-UE-DTX-Cycle PRESENCE conditional }| -- The IE shall be present if Continuous Packet Connectivity DTX-DRX Capability IE is present and set to "Continuous Packet Connectivity DTX-DRX Capable". { ID id-ContinuousPacketConnectivityHS-SCCH-less-Capability CRITICALITY ignore EXTENSION ContinuousPacketConnectivityHS-SCCH-less-Capability PRESENCE optional }| { ID id-MIMO-Capability CRITICALITY ignore EXTENSION MIMO-Capability PRESENCE optional }| { ID id-SixtyfourQAM-DL-Capability CRITICALITY ignore EXTENSION SixtyfourQAM-DL-Capability PRESENCE optional }| { ID id-MBMS-Capability CRITICALITY ignore EXTENSION MBMS-Capability PRESENCE optional }| { ID id-Enhanced-FACH-Capability CRITICALITY ignore EXTENSION Enhanced-FACH-Capability PRESENCE optional }| { ID id-Enhanced-PCH-Capability CRITICALITY ignore EXTENSION Enhanced-PCH-Capability PRESENCE conditional }| -- The IE shall be present if Enhanced FACH Capability IE is set to "Enhanced FACH Capable". { ID id-SixteenQAM-UL-Capability CRITICALITY ignore EXTENSION SixteenQAM-UL-Capability PRESENCE optional }| { ID id-HSDSCH-MACdPDU-SizeCapability CRITICALITY ignore EXTENSION HSDSCH-MACdPDU-SizeCapability PRESENCE optional }| { ID id-MBSFN-Only-Mode-Capability CRITICALITY ignore EXTENSION MBSFN-Only-Mode-Capability PRESENCE optional }| { ID id-F-DPCH-SlotFormatCapability CRITICALITY ignore EXTENSION F-DPCH-SlotFormatCapability PRESENCE optional }| { ID id-E-DCH-MACdPDU-SizeCapability CRITICALITY ignore EXTENSION E-DCH-MACdPDU-SizeCapability PRESENCE optional }| { ID id-Common-EDCH-Capability CRITICALITY ignore EXTENSION Common-EDCH-Capability PRESENCE optional }| { ID id-E-AI-Capability CRITICALITY ignore EXTENSION E-AI-Capability PRESENCE optional }| -- The IE shall be present if Common E-DCH Capability IE is present and set to "Common E-DCH Capable". { ID id-Enhanced-UE-DRX-Capability CRITICALITY ignore EXTENSION Enhanced-UE-DRX-Capability PRESENCE optional }| { ID id-Enhanced-UE-DRX-CapabilityLCR CRITICALITY ignore EXTENSION Enhanced-UE-DRX-Capability PRESENCE optional }| { ID id-E-DPCCH-Power-Boosting-Capability CRITICALITY ignore EXTENSION E-DPCCH-Power-Boosting-Capability PRESENCE optional }| { ID id-SixtyfourQAM-DL-MIMO-Combined-Capability CRITICALITY ignore EXTENSION SixtyfourQAM-DL-MIMO-Combined-Capability PRESENCE optional}| { ID id-Multi-Cell-Capability-Info CRITICALITY ignore EXTENSION Multi-Cell-Capability-Info PRESENCE optional }| { ID id-Semi-PersistentScheduling-CapabilityLCR CRITICALITY ignore EXTENSION Semi-PersistentScheduling-CapabilityLCR PRESENCE optional }| { ID id-ContinuousPacketConnectivity-DRX-CapabilityLCR CRITICALITY ignore EXTENSION ContinuousPacketConnectivity-DRX-CapabilityLCR PRESENCE optional }| { ID id-Common-E-DCH-HSDPCCH-Capability CRITICALITY ignore EXTENSION Common-E-DCH-HSDPCCH-Capability PRESENCE optional }| -- The IE shall be present if Common E-DCH Capability IE is present and set to "Common E-DCH Capable". { ID id-MIMO-Power-Offset-For-S-CPICH-Capability CRITICALITY ignore EXTENSION MIMO-PowerOffsetForS-CPICHCapability PRESENCE optional } | { ID id-TxDiversityOnDLControlChannelsByMIMOUECapability CRITICALITY ignore EXTENSION TxDiversityOnDLControlChannelsByMIMOUECapability PRESENCE optional }| { ID id-Single-Stream-MIMO-Capability CRITICALITY ignore EXTENSION Single-Stream-MIMO-Capability PRESENCE optional }| { ID id-Dual-Band-Capability-Info CRITICALITY ignore EXTENSION Dual-Band-Capability-Info PRESENCE optional }| { ID id-CellPortion-CapabilityLCR CRITICALITY ignore EXTENSION CellPortion-CapabilityLCR PRESENCE optional }| { ID id-Cell-Capability-Container CRITICALITY ignore EXTENSION Cell-Capability-Container PRESENCE optional }| { ID id-TS0-CapabilityLCR CRITICALITY ignore EXTENSION TS0-CapabilityLCR PRESENCE optional }| { ID id-PrecodingWeightSetRestriction CRITICALITY ignore EXTENSION PrecodingWeightSetRestriction PRESENCE optional }, ... } Local-Cell-Group-InformationList-ResourceStatusInd ::= SEQUENCE(SIZE (1..maxLocalCellinNodeB)) OF ProtocolIE-Single-Container {{ Local-Cell-Group-InformationItemIE-ResourceStatusInd }} Local-Cell-Group-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-Local-Cell-Group-InformationItem-ResourceStatusInd CRITICALITY ignore TYPE Local-Cell-Group-InformationItem-ResourceStatusInd PRESENCE mandatory } } Local-Cell-Group-InformationItem-ResourceStatusInd::= SEQUENCE { local-Cell-Group-ID Local-Cell-ID, dl-or-global-capacityCredit DL-or-Global-CapacityCredit, ul-capacityCredit UL-CapacityCredit OPTIONAL, commonChannelsCapacityConsumptionLaw CommonChannelsCapacityConsumptionLaw, dedicatedChannelsCapacityConsumptionLaw DedicatedChannelsCapacityConsumptionLaw, iE-Extensions ProtocolExtensionContainer { { Local-Cell-Group-InformationItem-ResourceStatusInd-ExtIEs} } OPTIONAL, ... } Local-Cell-Group-InformationItem-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCHCapacityConsumptionLaw PRESENCE optional }| { ID id-E-DCH-TDD-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCH-TDD-CapacityConsumptionLaw PRESENCE optional }, ... } Power-Local-Cell-Group-InformationList-ResourceStatusInd ::= SEQUENCE(SIZE (1..maxLocalCellinNodeB)) OF ProtocolIE-Single-Container {{ Power-Local-Cell-Group-InformationItemIE-ResourceStatusInd }} Power-Local-Cell-Group-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-Power-Local-Cell-Group-InformationItem-ResourceStatusInd CRITICALITY ignore TYPE Power-Local-Cell-Group-InformationItem-ResourceStatusInd PRESENCE mandatory } } Power-Local-Cell-Group-InformationItem-ResourceStatusInd::= SEQUENCE { power-Local-Cell-Group-ID Local-Cell-ID, maximumDL-PowerCapability MaximumDL-PowerCapability, iE-Extensions ProtocolExtensionContainer { { Power-Local-Cell-Group-InformationItem-ResourceStatusInd-ExtIEs} } OPTIONAL, ... } Power-Local-Cell-Group-InformationItem-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } ServiceImpacting-ResourceStatusInd ::= SEQUENCE { local-Cell-InformationList Local-Cell-InformationList2-ResourceStatusInd OPTIONAL, local-Cell-Group-InformationList Local-Cell-Group-InformationList2-ResourceStatusInd OPTIONAL, cCP-InformationList CCP-InformationList-ResourceStatusInd OPTIONAL, cell-InformationList Cell-InformationList-ResourceStatusInd OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ServiceImpactingItem-ResourceStatusInd-ExtIEs} } OPTIONAL, ... } ServiceImpactingItem-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Power-Local-Cell-Group-InformationList2-ResourceStatusInd CRITICALITY ignore EXTENSION Power-Local-Cell-Group-InformationList2-ResourceStatusInd PRESENCE optional }, ... } Local-Cell-InformationList2-ResourceStatusInd ::= SEQUENCE(SIZE (1..maxLocalCellinNodeB)) OF ProtocolIE-Single-Container {{ Local-Cell-InformationItemIE2-ResourceStatusInd }} Local-Cell-InformationItemIE2-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-Local-Cell-InformationItem2-ResourceStatusInd CRITICALITY ignore TYPE Local-Cell-InformationItem2-ResourceStatusInd PRESENCE mandatory } } Local-Cell-InformationItem2-ResourceStatusInd ::= SEQUENCE { local-Cell-ID Local-Cell-ID, dl-or-global-capacityCredit DL-or-Global-CapacityCredit OPTIONAL, ul-capacityCredit UL-CapacityCredit OPTIONAL, commonChannelsCapacityConsumptionLaw CommonChannelsCapacityConsumptionLaw OPTIONAL, dedicatedChannelsCapacityConsumptionLaw DedicatedChannelsCapacityConsumptionLaw OPTIONAL, maximum-DL-PowerCapability MaximumDL-PowerCapability OPTIONAL, minSpreadingFactor MinSpreadingFactor OPTIONAL, minimumDL-PowerCapability MinimumDL-PowerCapability OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Local-Cell-InformationItem2-ResourceStatusInd-ExtIEs} } OPTIONAL, ... } Local-Cell-InformationItem2-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-ReferenceClockAvailability CRITICALITY ignore EXTENSION ReferenceClockAvailability PRESENCE optional }| { ID id-HSDPA-Capability CRITICALITY ignore EXTENSION HSDPA-Capability PRESENCE optional }| { ID id-E-DCH-Capability CRITICALITY ignore EXTENSION E-DCH-Capability PRESENCE optional }| { ID id-E-DCH-TTI2ms-Capability CRITICALITY ignore EXTENSION E-DCH-TTI2ms-Capability PRESENCE conditional }| -- The IE shall be present if E-DCH Capability IE is set to "E-DCH Capable". { ID id-E-DCH-SF-Capability CRITICALITY ignore EXTENSION E-DCH-SF-Capability PRESENCE conditional }| -- The IE shall be present if E-DCH Capability IE is set to "E-DCH Capable". { ID id-E-DCH-HARQ-Combining-Capability CRITICALITY ignore EXTENSION E-DCH-HARQ-Combining-Capability PRESENCE conditional }| -- The IE shall be present if E-DCH Capability IE is set to "E-DCH Capable". { ID id-E-DCH-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCHCapacityConsumptionLaw PRESENCE optional }| { ID id-F-DPCH-Capability CRITICALITY ignore EXTENSION F-DPCH-Capability PRESENCE optional }| { ID id-E-DCH-TDD-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCH-TDD-CapacityConsumptionLaw PRESENCE optional }| { ID id-ContinuousPacketConnectivityDTX-DRX-Capability CRITICALITY ignore EXTENSION ContinuousPacketConnectivityDTX-DRX-Capability PRESENCE optional }| { ID id-Max-UE-DTX-Cycle CRITICALITY ignore EXTENSION Max-UE-DTX-Cycle PRESENCE conditional }| -- The IE shall be present if Continuous Packet Connectivity DTX-DRX Capability IE is present and set to "Continuous Packet Connectivity DTX-DRX Capable". { ID id-ContinuousPacketConnectivityHS-SCCH-less-Capability CRITICALITY ignore EXTENSION ContinuousPacketConnectivityHS-SCCH-less-Capability PRESENCE optional }| { ID id-MIMO-Capability CRITICALITY ignore EXTENSION MIMO-Capability PRESENCE optional }| { ID id-SixtyfourQAM-DL-Capability CRITICALITY ignore EXTENSION SixtyfourQAM-DL-Capability PRESENCE optional }| { ID id-MBMS-Capability CRITICALITY ignore EXTENSION MBMS-Capability PRESENCE optional }| { ID id-Enhanced-FACH-Capability CRITICALITY ignore EXTENSION Enhanced-FACH-Capability PRESENCE optional }| { ID id-Enhanced-PCH-Capability CRITICALITY ignore EXTENSION Enhanced-PCH-Capability PRESENCE conditional }| -- The IE shall be present if Enhanced FACH Capability IE is set to "Enhanced FACH Capable". { ID id-SixteenQAM-UL-Capability CRITICALITY ignore EXTENSION SixteenQAM-UL-Capability PRESENCE optional }| { ID id-HSDSCH-MACdPDU-SizeCapability CRITICALITY ignore EXTENSION HSDSCH-MACdPDU-SizeCapability PRESENCE optional }| { ID id-MBSFN-Only-Mode-Capability CRITICALITY ignore EXTENSION MBSFN-Only-Mode-Capability PRESENCE optional }| { ID id-F-DPCH-SlotFormatCapability CRITICALITY ignore EXTENSION F-DPCH-SlotFormatCapability PRESENCE optional }| { ID id-E-DCH-MACdPDU-SizeCapability CRITICALITY ignore EXTENSION E-DCH-MACdPDU-SizeCapability PRESENCE optional }| { ID id-Common-EDCH-Capability CRITICALITY ignore EXTENSION Common-EDCH-Capability PRESENCE optional }| { ID id-E-AI-Capability CRITICALITY ignore EXTENSION E-AI-Capability PRESENCE optional }| -- The IE shall be present if Common E-DCH Capability IE is present and set to "Common E-DCH Capable". { ID id-Enhanced-UE-DRX-Capability CRITICALITY ignore EXTENSION Enhanced-UE-DRX-Capability PRESENCE optional }| { ID id-Enhanced-UE-DRX-CapabilityLCR CRITICALITY ignore EXTENSION Enhanced-UE-DRX-Capability PRESENCE optional }| { ID id-E-DPCCH-Power-Boosting-Capability CRITICALITY ignore EXTENSION E-DPCCH-Power-Boosting-Capability PRESENCE optional }| { ID id-SixtyfourQAM-DL-MIMO-Combined-Capability CRITICALITY ignore EXTENSION SixtyfourQAM-DL-MIMO-Combined-Capability PRESENCE optional}| { ID id-Multi-Cell-Capability-Info CRITICALITY ignore EXTENSION Multi-Cell-Capability-Info PRESENCE optional }| { ID id-Semi-PersistentScheduling-CapabilityLCR CRITICALITY ignore EXTENSION Semi-PersistentScheduling-CapabilityLCR PRESENCE optional }| { ID id-ContinuousPacketConnectivity-DRX-CapabilityLCR CRITICALITY ignore EXTENSION ContinuousPacketConnectivity-DRX-CapabilityLCR PRESENCE optional }| { ID id-Common-E-DCH-HSDPCCH-Capability CRITICALITY ignore EXTENSION Common-E-DCH-HSDPCCH-Capability PRESENCE optional }| -- The IE shall be present if Common E-DCH Capability IE is present and set to "Common E-DCH Capable". { ID id-MIMO-Power-Offset-For-S-CPICH-Capability CRITICALITY ignore EXTENSION MIMO-PowerOffsetForS-CPICHCapability PRESENCE optional } | { ID id-TxDiversityOnDLControlChannelsByMIMOUECapability CRITICALITY ignore EXTENSION TxDiversityOnDLControlChannelsByMIMOUECapability PRESENCE optional }| { ID id-Single-Stream-MIMO-Capability CRITICALITY ignore EXTENSION Single-Stream-MIMO-Capability PRESENCE optional }| { ID id-Dual-Band-Capability-Info CRITICALITY ignore EXTENSION Dual-Band-Capability-Info PRESENCE optional }| { ID id-CellPortion-CapabilityLCR CRITICALITY ignore EXTENSION CellPortion-CapabilityLCR PRESENCE optional }| { ID id-Cell-Capability-Container CRITICALITY ignore EXTENSION Cell-Capability-Container PRESENCE optional }| { ID id-TS0-CapabilityLCR CRITICALITY ignore EXTENSION TS0-CapabilityLCR PRESENCE optional }| { ID id-PrecodingWeightSetRestriction CRITICALITY ignore EXTENSION PrecodingWeightSetRestriction PRESENCE optional }, ... } Local-Cell-Group-InformationList2-ResourceStatusInd ::= SEQUENCE(SIZE (1..maxLocalCellinNodeB)) OF ProtocolIE-Single-Container {{ Local-Cell-Group-InformationItemIE2-ResourceStatusInd }} Local-Cell-Group-InformationItemIE2-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-Local-Cell-Group-InformationItem2-ResourceStatusInd CRITICALITY ignore TYPE Local-Cell-Group-InformationItem2-ResourceStatusInd PRESENCE mandatory } } Local-Cell-Group-InformationItem2-ResourceStatusInd ::= SEQUENCE { local-Cell-Group-ID Local-Cell-ID, dl-or-global-capacityCredit DL-or-Global-CapacityCredit OPTIONAL, ul-capacityCredit UL-CapacityCredit OPTIONAL, commonChannelsCapacityConsumptionLaw CommonChannelsCapacityConsumptionLaw OPTIONAL, dedicatedChannelsCapacityConsumptionLaw DedicatedChannelsCapacityConsumptionLaw OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Local-Cell-Group-InformationItem2-ResourceStatusInd-ExtIEs} } OPTIONAL, ... } Local-Cell-Group-InformationItem2-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCHCapacityConsumptionLaw PRESENCE optional }| { ID id-E-DCH-TDD-CapacityConsumptionLaw CRITICALITY ignore EXTENSION E-DCH-TDD-CapacityConsumptionLaw PRESENCE optional }, ... } CCP-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxCCPinNodeB)) OF ProtocolIE-Single-Container {{ CCP-InformationItemIE-ResourceStatusInd }} CCP-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-CCP-InformationItem-ResourceStatusInd CRITICALITY ignore TYPE CCP-InformationItem-ResourceStatusInd PRESENCE mandatory } } CCP-InformationItem-ResourceStatusInd ::= SEQUENCE { communicationControlPortID CommunicationControlPortID, resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer { { CCP-InformationItem-ResourceStatusInd-ExtIEs} } OPTIONAL, ... } CCP-InformationItem-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Cell-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxCellinNodeB)) OF ProtocolIE-Single-Container {{ Cell-InformationItemIE-ResourceStatusInd }} Cell-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-Cell-InformationItem-ResourceStatusInd CRITICALITY ignore TYPE Cell-InformationItem-ResourceStatusInd PRESENCE mandatory } } Cell-InformationItem-ResourceStatusInd ::= SEQUENCE { c-ID C-ID, resourceOperationalState ResourceOperationalState OPTIONAL, availabilityStatus AvailabilityStatus OPTIONAL, primary-SCH-Information P-SCH-Information-ResourceStatusInd OPTIONAL, -- FDD only secondary-SCH-Information S-SCH-Information-ResourceStatusInd OPTIONAL, -- FDD only primary-CPICH-Information P-CPICH-Information-ResourceStatusInd OPTIONAL, -- FDD only secondary-CPICH-Information S-CPICH-InformationList-ResourceStatusInd OPTIONAL, -- FDD only primary-CCPCH-Information P-CCPCH-Information-ResourceStatusInd OPTIONAL, bCH-Information BCH-Information-ResourceStatusInd OPTIONAL, secondary-CCPCH-InformationList S-CCPCH-InformationList-ResourceStatusInd OPTIONAL, pCH-Information PCH-Information-ResourceStatusInd OPTIONAL, pICH-Information PICH-Information-ResourceStatusInd OPTIONAL, fACH-InformationList FACH-InformationList-ResourceStatusInd OPTIONAL, pRACH-InformationList PRACH-InformationList-ResourceStatusInd OPTIONAL, rACH-InformationList RACH-InformationList-ResourceStatusInd OPTIONAL, aICH-InformationList AICH-InformationList-ResourceStatusInd OPTIONAL, -- FDD only notUsed-1-pCPCH-InformationList NULL OPTIONAL, notUsed-2-cPCH-InformationList NULL OPTIONAL, notUsed-3-aP-AICH-InformationList NULL OPTIONAL, notUsed-4-cDCA-ICH-InformationList NULL OPTIONAL, sCH-Information SCH-Information-ResourceStatusInd OPTIONAL, -- Applicable to 3.84Mcps TDD only iE-Extensions ProtocolExtensionContainer { { Cell-InformationItem-ResourceStatusInd-ExtIEs} } OPTIONAL, ... } Cell-InformationItem-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-FPACH-LCR-InformationList-ResourceStatusInd CRITICALITY ignore EXTENSION FPACH-LCR-InformationList-ResourceStatusInd PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-DwPCH-LCR-Information-ResourceStatusInd CRITICALITY ignore EXTENSION DwPCH-LCR-Information-ResourceStatusInd PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-HSDSCH-Resources-Information-ResourceStatusInd CRITICALITY ignore EXTENSION HS-DSCH-Resources-Information-ResourceStatusInd PRESENCE optional }| -- For 1.28Mcps TDD, this HS-DSCH Resource Information is for the first Frequency repetition, HS-DSCH Resource Information for Frequency repetitions 2 and on, should be defined in MultipleFreq-HS-DSCH-Resources-InformationList-ResourceStatusInd. { ID id-MICH-Information-ResourceStatusInd CRITICALITY ignore EXTENSION Common-PhysicalChannel-Status-Information PRESENCE optional }| { ID id-S-CCPCH-InformationListExt-ResourceStatusInd CRITICALITY ignore EXTENSION S-CCPCH-InformationListExt-ResourceStatusInd PRESENCE optional }| -- Applicable to 3.84Mcps TDD only, used when there are more than maxSCCPCHCell SCCPCHs in the message. { ID id-S-CCPCH-LCR-InformationListExt-ResourceStatusInd CRITICALITY ignore EXTENSION S-CCPCH-LCR-InformationListExt-ResourceStatusInd PRESENCE optional }| -- Applicable to 1.28Mcps TDD only, used when there are more than maxSCCPCHCell SCCPCHs in the message. { ID id-E-DCH-Resources-Information-ResourceStatusInd CRITICALITY ignore EXTENSION E-DCH-Resources-Information-ResourceStatusInd PRESENCE optional }| -- For 1.28Mcps TDD, this E-DCH Resource Information is for the first Frequency repetition, E-DCH Resource Information for Frequency repetitions 2 and on, should be defined in MultipleFreq-E-DCH-Resources-InformationList-ResourceStatusInd. { ID id-PLCCH-InformationList-ResourceStatusInd CRITICALITY ignore EXTENSION PLCCH-InformationList-ResourceStatusInd PRESENCE optional }| { ID id-P-CCPCH-768-Information-ResourceStatusInd CRITICALITY ignore EXTENSION Common-PhysicalChannel-Status-Information768 PRESENCE optional }| { ID id-S-CCPCH-768-InformationList-ResourceStatusInd CRITICALITY ignore EXTENSION S-CCPCH-768-InformationList-ResourceStatusInd PRESENCE optional }| { ID id-PICH-768-Information-ResourceStatusInd CRITICALITY ignore EXTENSION Common-PhysicalChannel-Status-Information768 PRESENCE optional }| { ID id-PRACH-768-InformationList-ResourceStatusInd CRITICALITY ignore EXTENSION PRACH-768-InformationList-ResourceStatusInd PRESENCE optional }| { ID id-SCH-768-Information-ResourceStatusInd CRITICALITY ignore EXTENSION Common-PhysicalChannel-Status-Information768 PRESENCE optional }| { ID id-MICH-768-Information-ResourceStatusInd CRITICALITY ignore EXTENSION Common-PhysicalChannel-Status-Information768 PRESENCE optional }| { ID id-E-RUCCH-InformationList-ResourceStatusInd CRITICALITY ignore EXTENSION E-RUCCH-InformationList-ResourceStatusInd PRESENCE optional }| { ID id-E-RUCCH-768-InformationList-ResourceStatusInd CRITICALITY ignore EXTENSION E-RUCCH-768-InformationList-ResourceStatusInd PRESENCE optional }| { ID id-Cell-Frequency-List-Information-LCR-MulFreq-ResourceStatusInd CRITICALITY ignore EXTENSION Cell-Frequency-List-Information-LCR-MulFreq-ResourceStatusInd PRESENCE optional }| -- Applicable to 1.28Mcps TDD when using multiple frequencies { ID id-UPPCH-LCR-InformationList-ResourceStatusInd CRITICALITY ignore EXTENSION UPPCH-LCR-InformationList-ResourceStatusInd PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-multipleFreq-HS-DSCH-Resources-InformationList-ResourceStatusInd CRITICALITY ignore EXTENSION MultipleFreq-HS-DSCH-Resources-InformationList-ResourceStatusInd PRESENCE optional }| -- Applicable to 1.28Mcps TDD when using multiple frequencies, This HS-DSCH Resource Information is for the 2nd and beyond frequencies. { ID id-MultipleFreq-E-DCH-Resources-InformationList-ResourceStatusInd CRITICALITY ignore EXTENSION MultipleFreq-E-DCH-Resources-InformationList-ResourceStatusInd PRESENCE optional }, -- Applicable to 1.28Mcps TDD when using multiple frequencies. This E-DCH Resource Information is for the 2nd and beyond frequencies. ... } P-SCH-Information-ResourceStatusInd ::= ProtocolIE-Single-Container {{ P-SCH-InformationIE-ResourceStatusInd }} P-SCH-InformationIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-P-SCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } S-SCH-Information-ResourceStatusInd ::= ProtocolIE-Single-Container {{ S-SCH-InformationIE-ResourceStatusInd }} S-SCH-InformationIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-S-SCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } P-CPICH-Information-ResourceStatusInd ::= ProtocolIE-Single-Container {{ P-CPICH-InformationIE-ResourceStatusInd }} P-CPICH-InformationIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-P-CPICH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } S-CPICH-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxSCPICHCell)) OF ProtocolIE-Single-Container {{ S-CPICH-InformationItemIE-ResourceStatusInd }} S-CPICH-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-S-CPICH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } P-CCPCH-Information-ResourceStatusInd ::= ProtocolIE-Single-Container {{ P-CCPCH-InformationIE-ResourceStatusInd }} P-CCPCH-InformationIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-P-CCPCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } BCH-Information-ResourceStatusInd ::= ProtocolIE-Single-Container {{ BCH-InformationIE-ResourceStatusInd }} BCH-InformationIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-BCH-Information CRITICALITY ignore TYPE Common-TransportChannel-Status-Information PRESENCE mandatory } } S-CCPCH-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxSCCPCHCell)) OF ProtocolIE-Single-Container {{ S-CCPCH-InformationItemIE-ResourceStatusInd }} S-CCPCH-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-S-CCPCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } PCH-Information-ResourceStatusInd ::= ProtocolIE-Single-Container {{ PCH-InformationIE-ResourceStatusInd }} PCH-InformationIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-PCH-Information CRITICALITY ignore TYPE Common-TransportChannel-Status-Information PRESENCE mandatory } } PICH-Information-ResourceStatusInd ::= ProtocolIE-Single-Container {{ PICH-InformationIE-ResourceStatusInd }} PICH-InformationIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-PICH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } FACH-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxFACHCell)) OF ProtocolIE-Single-Container {{ FACH-InformationItemIE-ResourceStatusInd }} FACH-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-FACH-Information CRITICALITY ignore TYPE Common-TransportChannel-Status-Information PRESENCE mandatory } } PRACH-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxPRACHCell)) OF ProtocolIE-Single-Container {{ PRACH-InformationItemIE-ResourceStatusInd }} PRACH-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-PRACH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } RACH-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxPRACHCell)) OF ProtocolIE-Single-Container {{ RACH-InformationItemIE-ResourceStatusInd }} RACH-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-RACH-Information CRITICALITY ignore TYPE Common-TransportChannel-Status-Information PRESENCE mandatory } } AICH-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxPRACHCell)) OF ProtocolIE-Single-Container {{ AICH-InformationItemIE-ResourceStatusInd }} AICH-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-AICH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } SCH-Information-ResourceStatusInd ::= ProtocolIE-Single-Container {{ SCH-InformationIE-ResourceStatusInd }} SCH-InformationIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-SCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } FPACH-LCR-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxFPACHCell)) OF ProtocolIE-Single-Container {{ FPACH-LCR-InformationItemIE-ResourceStatusInd }} FPACH-LCR-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-FPACH-LCR-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } DwPCH-LCR-Information-ResourceStatusInd ::= ProtocolIE-Single-Container {{ DwPCH-LCR-InformationIE-ResourceStatusInd }} DwPCH-LCR-InformationIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-DwPCH-LCR-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } HS-DSCH-Resources-Information-ResourceStatusInd ::= SEQUENCE { resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer {{ HS-DSCH-Resources-Information-ResourceStatusInd-ExtIEs }} OPTIONAL, ... } HS-DSCH-Resources-Information-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional}, -- Applicable to 1.28Mcps TDD when using multiple frequencies. ... } S-CCPCH-InformationListExt-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxSCCPCHCellinExt)) OF ProtocolIE-Single-Container {{ S-CCPCH-InformationItemIE-ResourceStatusInd }} S-CCPCH-LCR-InformationListExt-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxSCCPCHCellinExtLCR)) OF ProtocolIE-Single-Container {{ S-CCPCH-InformationItemIE-ResourceStatusInd }} E-DCH-Resources-Information-ResourceStatusInd ::= SEQUENCE { resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer {{ E-DCH-Resources-Information-ResourceStatusInd-ExtIEs }} OPTIONAL, ... } E-DCH-Resources-Information-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional}, -- Applicable to 1.28Mcps TDD when using multiple frequencies. ... } PLCCH-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxPLCCHCell)) OF ProtocolIE-Single-Container {{ PLCCH-InformationItemIE-ResourceStatusInd }} PLCCH-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-PLCCH-Information-ResourceStatusInd CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } S-CCPCH-768-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxSCCPCHCell768)) OF ProtocolIE-Single-Container {{ S-CCPCH-768-InformationItemIE-ResourceStatusInd }} S-CCPCH-768-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-S-CCPCH-768-Information-ResourceStatusInd CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information768 PRESENCE mandatory } } PRACH-768-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxPRACHCell)) OF ProtocolIE-Single-Container {{ PRACH-768-InformationItemIE-ResourceStatusInd }} PRACH-768-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-PRACH-768-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information768 PRESENCE mandatory } } E-RUCCH-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxE-RUCCHCell)) OF ProtocolIE-Single-Container {{ E-RUCCH-InformationItemIE-ResourceStatusInd }} E-RUCCH-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-E-RUCCH-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information PRESENCE mandatory } } E-RUCCH-768-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxE-RUCCHCell)) OF ProtocolIE-Single-Container {{ E-RUCCH-768-InformationItemIE-ResourceStatusInd }} E-RUCCH-768-InformationItemIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-E-RUCCH-768-Information CRITICALITY ignore TYPE Common-PhysicalChannel-Status-Information768 PRESENCE mandatory } } Cell-Frequency-List-Information-LCR-MulFreq-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxFrequencyinCell)) OF ProtocolIE-Single-Container {{ Cell-Frequency-List-InformationIE-LCR-MulFreq-ResourceStatusInd }} Cell-Frequency-List-InformationIE-LCR-MulFreq-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-Cell-Frequency-List-InformationItem-LCR-MulFreq-ResourceStatusInd CRITICALITY ignore TYPE Cell-Frequency-List-InformationItem-LCR-MulFreq-ResourceStatusInd PRESENCE mandatory } } Cell-Frequency-List-InformationItem-LCR-MulFreq-ResourceStatusInd ::= SEQUENCE { uARFCN UARFCN, resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, cause Cause OPTIONAL, iE-Extensions ProtocolExtensionContainer {{ Cell-Frequency-List-InformationItem-LCR-MulFreq-ResourceStatusInd-ExtIEs }} OPTIONAL, ... } Cell-Frequency-List-InformationItem-LCR-MulFreq-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UPPCH-LCR-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxFrequencyinCell)) OF ProtocolIE-Single-Container {{ UPPCH-LCR-InformationIE-ResourceStatusInd }} UPPCH-LCR-InformationIE-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-UPPCH-LCR-InformationItem-ResourceStatusInd CRITICALITY ignore TYPE UPPCH-LCR-InformationItem-ResourceStatusInd PRESENCE mandatory } } UPPCH-LCR-InformationItem-ResourceStatusInd ::= SEQUENCE { uARFCN UARFCN OPTIONAL, uPPCHPositionLCR UPPCHPositionLCR, resourceOperationalState ResourceOperationalState, availabilityStatus AvailabilityStatus, iE-Extensions ProtocolExtensionContainer {{ UPPCH-LCR-InformationItem-ResourceStatusInd-ExtIEs }} OPTIONAL, ... } UPPCH-LCR-InformationItem-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MultipleFreq-HS-DSCH-Resources-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxFrequencyinCell-1)) OF ProtocolIE-Single-Container{{ MultipleFreq-HS-DSCH-Resources-InformationItem-ResourceStatusInd }} --Includes the 2nd through the max number of frequencies information repetitions. MultipleFreq-HS-DSCH-Resources-InformationItem-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-HSDSCH-Resources-Information-ResourceStatusInd CRITICALITY ignore TYPE HS-DSCH-Resources-Information-ResourceStatusInd PRESENCE mandatory } } Power-Local-Cell-Group-InformationList2-ResourceStatusInd ::= SEQUENCE(SIZE (1..maxLocalCellinNodeB)) OF ProtocolIE-Single-Container {{ Power-Local-Cell-Group-InformationItemIE2-ResourceStatusInd }} Power-Local-Cell-Group-InformationItemIE2-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-Power-Local-Cell-Group-InformationItem2-ResourceStatusInd CRITICALITY ignore TYPE Power-Local-Cell-Group-InformationItem2-ResourceStatusInd PRESENCE mandatory } } Power-Local-Cell-Group-InformationItem2-ResourceStatusInd::= SEQUENCE { power-Local-Cell-Group-ID Local-Cell-ID, maximumDL-PowerCapability MaximumDL-PowerCapability, iE-Extensions ProtocolExtensionContainer { { Power-Local-Cell-Group-InformationItem2-ResourceStatusInd-ExtIEs} } OPTIONAL, ... } Power-Local-Cell-Group-InformationItem2-ResourceStatusInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MultipleFreq-E-DCH-Resources-InformationList-ResourceStatusInd ::= SEQUENCE (SIZE (1..maxFrequencyinCell-1)) OF ProtocolIE-Single-Container{{ MultipleFreq-E-DCH-Resources-InformationItem-ResourceStatusInd }} --Includes the 2nd through the max number of frequencies information repetitions. MultipleFreq-E-DCH-Resources-InformationItem-ResourceStatusInd NBAP-PROTOCOL-IES ::= { { ID id-E-DCH-Resources-Information-ResourceStatusInd CRITICALITY ignore TYPE E-DCH-Resources-Information-ResourceStatusInd PRESENCE mandatory } } -- ************************************************************** -- -- SYSTEM INFORMATION UPDATE REQUEST -- -- ************************************************************** SystemInformationUpdateRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{SystemInformationUpdateRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{SystemInformationUpdateRequest-Extensions}} OPTIONAL, ... } SystemInformationUpdateRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-BCCH-ModificationTime CRITICALITY reject TYPE BCCH-ModificationTime PRESENCE optional }| { ID id-MIB-SB-SIB-InformationList-SystemInfoUpdateRqst CRITICALITY reject TYPE MIB-SB-SIB-InformationList-SystemInfoUpdateRqst PRESENCE mandatory }, ... } SystemInformationUpdateRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } MIB-SB-SIB-InformationList-SystemInfoUpdateRqst ::= SEQUENCE (SIZE (1..maxIB)) OF MIB-SB-SIB-InformationItem-SystemInfoUpdateRqst MIB-SB-SIB-InformationItem-SystemInfoUpdateRqst ::= SEQUENCE { iB-Type IB-Type, iB-OC-ID IB-OC-ID, deletionIndicator DeletionIndicator-SystemInfoUpdate, iE-Extensions ProtocolExtensionContainer { { MIB-SB-SIB-InformationItem-SystemInfoUpdateRqst-ExtIEs} } OPTIONAL, ... } MIB-SB-SIB-InformationItem-SystemInfoUpdateRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DeletionIndicator-SystemInfoUpdate ::= CHOICE { no-Deletion No-Deletion-SystemInfoUpdate, yes-Deletion NULL } No-Deletion-SystemInfoUpdate ::= SEQUENCE { sIB-Originator SIB-Originator OPTIONAL, -- This IE shall be present if the IB-Type IE is set to "SIB" iB-SG-REP IB-SG-REP OPTIONAL, segmentInformationList SegmentInformationList-SystemInfoUpdate, iE-Extensions ProtocolExtensionContainer { { No-DeletionItem-SystemInfoUpdate-ExtIEs} } OPTIONAL, ... } No-DeletionItem-SystemInfoUpdate-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SegmentInformationList-SystemInfoUpdate ::= ProtocolIE-Single-Container {{ SegmentInformationListIEs-SystemInfoUpdate }} SegmentInformationListIEs-SystemInfoUpdate NBAP-PROTOCOL-IES ::= { { ID id-SegmentInformationListIE-SystemInfoUpdate CRITICALITY reject TYPE SegmentInformationListIE-SystemInfoUpdate PRESENCE mandatory } } SegmentInformationListIE-SystemInfoUpdate ::= SEQUENCE (SIZE (1..maxIBSEG)) OF SegmentInformationItem-SystemInfoUpdate SegmentInformationItem-SystemInfoUpdate ::= SEQUENCE { iB-SG-POS IB-SG-POS OPTIONAL, segment-Type Segment-Type OPTIONAL, -- This IE shall be present if the SIB Originator IE is set to "CRNC" or the IB-Type IE is set to "MIB", "SB1" or "SB2" iB-SG-DATA IB-SG-DATA OPTIONAL, -- This IE shall be present if the SIB Originator IE is set to "CRNC" or the IB-Type IE is set to "MIB", "SB1" or "SB2" iE-Extensions ProtocolExtensionContainer { { SegmentInformationItem-SystemInfoUpdate-ExtIEs} } OPTIONAL, ... } SegmentInformationItem-SystemInfoUpdate-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- SYSTEM INFORMATION UPDATE RESPONSE -- -- ************************************************************** SystemInformationUpdateResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{SystemInformationUpdateResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{SystemInformationUpdateResponse-Extensions}} OPTIONAL, ... } SystemInformationUpdateResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } SystemInformationUpdateResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- SYSTEM INFORMATION UPDATE FAILURE -- -- ************************************************************** SystemInformationUpdateFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{SystemInformationUpdateFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{SystemInformationUpdateFailure-Extensions}} OPTIONAL, ... } SystemInformationUpdateFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } SystemInformationUpdateFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK SETUP REQUEST FDD -- -- ************************************************************** RadioLinkSetupRequestFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkSetupRequestFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkSetupRequestFDD-Extensions}} OPTIONAL, ... } RadioLinkSetupRequestFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY reject TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-UL-DPCH-Information-RL-SetupRqstFDD CRITICALITY reject TYPE UL-DPCH-Information-RL-SetupRqstFDD PRESENCE mandatory }| { ID id-DL-DPCH-Information-RL-SetupRqstFDD CRITICALITY reject TYPE DL-DPCH-Information-RL-SetupRqstFDD PRESENCE optional }| { ID id-DCH-FDD-Information CRITICALITY reject TYPE DCH-FDD-Information PRESENCE mandatory }| { ID id-RL-InformationList-RL-SetupRqstFDD CRITICALITY notify TYPE RL-InformationList-RL-SetupRqstFDD PRESENCE mandatory }| { ID id-Transmission-Gap-Pattern-Sequence-Information CRITICALITY reject TYPE Transmission-Gap-Pattern-Sequence-Information PRESENCE optional } | { ID id-Active-Pattern-Sequence-Information CRITICALITY reject TYPE Active-Pattern-Sequence-Information PRESENCE optional }, ... } RadioLinkSetupRequestFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-PowerBalancing-Information CRITICALITY ignore EXTENSION DL-PowerBalancing-Information PRESENCE optional }| { ID id-HSDSCH-FDD-Information CRITICALITY reject EXTENSION HSDSCH-FDD-Information PRESENCE optional }| { ID id-HSDSCH-RNTI CRITICALITY reject EXTENSION HSDSCH-RNTI PRESENCE conditional }| -- The IE shall be present if HS-DSCH Information IE is present { ID id-HSPDSCH-RL-ID CRITICALITY reject EXTENSION RL-ID PRESENCE conditional }| -- The IE shall be present if HS-DSCH Information IE is present { ID id-E-DPCH-Information-RL-SetupRqstFDD CRITICALITY reject EXTENSION E-DPCH-Information-RL-SetupRqstFDD PRESENCE optional }| { ID id-E-DCH-FDD-Information CRITICALITY reject EXTENSION E-DCH-FDD-Information PRESENCE conditional }| -- The IE shall be present if E-DPCH Information IE is present { ID id-Serving-E-DCH-RL-ID CRITICALITY reject EXTENSION Serving-E-DCH-RL-ID PRESENCE optional }| { ID id-F-DPCH-Information-RL-SetupRqstFDD CRITICALITY reject EXTENSION F-DPCH-Information-RL-SetupRqstFDD PRESENCE optional }| { ID id-Initial-DL-DPCH-TimingAdjustment-Allowed CRITICALITY ignore EXTENSION Initial-DL-DPCH-TimingAdjustment-Allowed PRESENCE optional }| { ID id-DCH-Indicator-For-E-DCH-HSDPA-Operation CRITICALITY reject EXTENSION DCH-Indicator-For-E-DCH-HSDPA-Operation PRESENCE optional }| { ID id-Serving-Cell-Change-CFN CRITICALITY reject EXTENSION CFN PRESENCE optional }| { ID id-ContinuousPacketConnectivityDTX-DRX-Information CRITICALITY reject EXTENSION ContinuousPacketConnectivityDTX-DRX-Information PRESENCE optional }| { ID id-ContinuousPacketConnectivityHS-SCCH-less-Information CRITICALITY reject EXTENSION ContinuousPacketConnectivityHS-SCCH-less-Information PRESENCE optional }| { ID id-Additional-HS-Cell-Information-RL-Setup CRITICALITY reject EXTENSION Additional-HS-Cell-Information-RL-Setup-List PRESENCE optional }| { ID id-UE-AggregateMaximumBitRate CRITICALITY ignore EXTENSION UE-AggregateMaximumBitRate PRESENCE optional }| { ID id-Additional-EDCH-Cell-Information-RL-Setup-Req CRITICALITY reject EXTENSION Additional-EDCH-Setup-Info PRESENCE optional }, ... } Additional-HS-Cell-Information-RL-Setup-List ::= SEQUENCE (SIZE (1..maxNrOfHSDSCH-1)) OF Additional-HS-Cell-Information-RL-Setup-ItemIEs Additional-HS-Cell-Information-RL-Setup-ItemIEs ::=SEQUENCE{ hSPDSCH-RL-ID RL-ID, c-ID C-ID, hS-DSCH-FDD-Secondary-Serving-Information HS-DSCH-FDD-Secondary-Serving-Information, iE-Extensions ProtocolExtensionContainer { { Additional-HS-Cell-Information-RL-Setup-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-HS-Cell-Information-RL-Setup-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCH-Information-RL-SetupRqstFDD ::= SEQUENCE { ul-ScramblingCode UL-ScramblingCode, minUL-ChannelisationCodeLength MinUL-ChannelisationCodeLength, maxNrOfUL-DPDCHs MaxNrOfUL-DPDCHs OPTIONAL, -- This IE shall be present if Min UL Channelisation Code length IE is set to 4 -- ul-PunctureLimit PunctureLimit, tFCS TFCS, ul-DPCCH-SlotFormat UL-DPCCH-SlotFormat, ul-SIR-Target UL-SIR, diversityMode DiversityMode, not-Used-sSDT-CellID-Length NULL OPTIONAL, not-Used-s-FieldLength NULL OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-Information-RL-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-Information-RL-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DPC-Mode CRITICALITY reject EXTENSION DPC-Mode PRESENCE optional }| { ID id-UL-DPDCH-Indicator-For-E-DCH-Operation CRITICALITY reject EXTENSION UL-DPDCH-Indicator-For-E-DCH-Operation PRESENCE optional }, ... } DL-DPCH-Information-RL-SetupRqstFDD ::= SEQUENCE { tFCS TFCS, dl-DPCH-SlotFormat DL-DPCH-SlotFormat, tFCI-SignallingMode TFCI-SignallingMode, tFCI-Presence TFCI-Presence OPTIONAL, -- this IE shall be present if the DL DPCH slot format IE is set to any of the values from 12 to 16 -- multiplexingPosition MultiplexingPosition, not-Used-pDSCH-RL-ID NULL OPTIONAL, not-Used-pDSCH-CodeMapping NULL OPTIONAL, powerOffsetInformation PowerOffsetInformation-RL-SetupRqstFDD, fdd-TPC-DownlinkStepSize FDD-TPC-DownlinkStepSize, limitedPowerIncrease LimitedPowerIncrease, innerLoopDLPCStatus InnerLoopDLPCStatus, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-Information-RL-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-Information-RL-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PowerOffsetInformation-RL-SetupRqstFDD ::= SEQUENCE { pO1-ForTFCI-Bits PowerOffset, pO2-ForTPC-Bits PowerOffset, pO3-ForPilotBits PowerOffset, iE-Extensions ProtocolExtensionContainer { { PowerOffsetInformation-RL-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } PowerOffsetInformation-RL-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationList-RL-SetupRqstFDD ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container{{ RL-InformationItemIE-RL-SetupRqstFDD }} RL-InformationItemIE-RL-SetupRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationItem-RL-SetupRqstFDD CRITICALITY notify TYPE RL-InformationItem-RL-SetupRqstFDD PRESENCE mandatory } } RL-InformationItem-RL-SetupRqstFDD ::= SEQUENCE { rL-ID RL-ID, c-ID C-ID, firstRLS-indicator FirstRLS-Indicator, frameOffset FrameOffset, chipOffset ChipOffset, propagationDelay PropagationDelay OPTIONAL, diversityControlField DiversityControlField OPTIONAL, -- This IE shall be present if the RL is not the first one in the RL Information IE dl-CodeInformation FDD-DL-CodeInformation, initialDL-transmissionPower DL-Power, maximumDL-power DL-Power, minimumDL-power DL-Power, not-Used-sSDT-Cell-Identity NULL OPTIONAL, transmitDiversityIndicator TransmitDiversityIndicator OPTIONAL, -- This IE shall be present if Diversity Mode IE in UL DPCH Information group is not set to "none" iE-Extensions ProtocolExtensionContainer { { RL-InformationItem-RL-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } RL-InformationItem-RL-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-RL-Specific-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-DCH-Info PRESENCE optional }| { ID id-DelayedActivation CRITICALITY reject EXTENSION DelayedActivation PRESENCE optional }| { ID id-Primary-CPICH-Usage-for-Channel-Estimation CRITICALITY ignore EXTENSION Primary-CPICH-Usage-for-Channel-Estimation PRESENCE optional }| { ID id-Secondary-CPICH-Information CRITICALITY ignore EXTENSION CommonPhysicalChannelID PRESENCE optional }| { ID id-E-DCH-RL-Indication CRITICALITY reject EXTENSION E-DCH-RL-Indication PRESENCE optional }| { ID id-RL-Specific-E-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-E-DCH-Info PRESENCE optional }| { ID id-SynchronisationIndicator CRITICALITY ignore EXTENSION SynchronisationIndicator PRESENCE optional }| { ID id-ExtendedPropagationDelay CRITICALITY ignore EXTENSION ExtendedPropagationDelay PRESENCE optional }| { ID id-F-DPCH-SlotFormat CRITICALITY reject EXTENSION F-DPCH-SlotFormat PRESENCE optional }| { ID id-HSDSCH-PreconfigurationSetup CRITICALITY ignore EXTENSION HSDSCH-PreconfigurationSetup PRESENCE optional}| { ID id-E-RNTI CRITICALITY ignore EXTENSION E-RNTI PRESENCE optional}, ... } E-DPCH-Information-RL-SetupRqstFDD ::= SEQUENCE { maxSet-E-DPDCHs Max-Set-E-DPDCHs, ul-PunctureLimit PunctureLimit, e-TFCS-Information E-TFCS-Information, e-TTI E-TTI, e-DPCCH-PO E-DPCCH-PO, e-RGCH-2-IndexStepThreshold E-RGCH-2-IndexStepThreshold, e-RGCH-3-IndexStepThreshold E-RGCH-3-IndexStepThreshold, hARQ-Info-for-E-DCH HARQ-Info-for-E-DCH, hSDSCH-Configured-Indicator HSDSCH-Configured-Indicator, iE-Extensions ProtocolExtensionContainer { { E-DPCH-Information-RL-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } E-DPCH-Information-RL-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-RNTI CRITICALITY reject EXTENSION E-RNTI PRESENCE optional }| { ID id-MinimumReducedE-DPDCH-GainFactor CRITICALITY ignore EXTENSION MinimumReducedE-DPDCH-GainFactor PRESENCE optional }, ... } F-DPCH-Information-RL-SetupRqstFDD ::= SEQUENCE { powerOffsetInformation PowerOffsetInformation-F-DPCH-RL-SetupRqstFDD, fdd-TPC-DownlinkStepSize FDD-TPC-DownlinkStepSize, limitedPowerIncrease LimitedPowerIncrease, innerLoopDLPCStatus InnerLoopDLPCStatus, iE-Extensions ProtocolExtensionContainer { { F-DPCH-Information-RL-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } F-DPCH-Information-RL-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PowerOffsetInformation-F-DPCH-RL-SetupRqstFDD ::= SEQUENCE { pO2-ForTPC-Bits PowerOffset, --This IE shall be ignored by Node B iE-Extensions ProtocolExtensionContainer { { PowerOffsetInformation-F-DPCH-RL-SetupRqstFDD-ExtIEs} } OPTIONAL, ... } PowerOffsetInformation-F-DPCH-RL-SetupRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK SETUP REQUEST TDD -- -- ************************************************************** RadioLinkSetupRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkSetupRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkSetupRequestTDD-Extensions}} OPTIONAL, ... } RadioLinkSetupRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY reject TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-UL-CCTrCH-InformationList-RL-SetupRqstTDD CRITICALITY notify TYPE UL-CCTrCH-InformationList-RL-SetupRqstTDD PRESENCE optional }| { ID id-DL-CCTrCH-InformationList-RL-SetupRqstTDD CRITICALITY notify TYPE DL-CCTrCH-InformationList-RL-SetupRqstTDD PRESENCE optional }| { ID id-DCH-TDD-Information CRITICALITY reject TYPE DCH-TDD-Information PRESENCE optional }| { ID id-DSCH-TDD-Information CRITICALITY reject TYPE DSCH-TDD-Information PRESENCE optional }| { ID id-USCH-Information CRITICALITY reject TYPE USCH-Information PRESENCE optional }| { ID id-RL-Information-RL-SetupRqstTDD CRITICALITY reject TYPE RL-Information-RL-SetupRqstTDD PRESENCE mandatory }, ... } RadioLinkSetupRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-HSDSCH-TDD-Information CRITICALITY reject EXTENSION HSDSCH-TDD-Information PRESENCE optional }| { ID id-HSDSCH-RNTI CRITICALITY reject EXTENSION HSDSCH-RNTI PRESENCE conditional }| -- The IE shall be present if HS-DSCH Information IE is present { ID id-HSPDSCH-RL-ID CRITICALITY reject EXTENSION RL-ID PRESENCE conditional }| -- The IE shall be present if HS-DSCH Information IE is present { ID id-PDSCH-RL-ID CRITICALITY ignore EXTENSION RL-ID PRESENCE optional }| { ID id-E-DCH-Information CRITICALITY reject EXTENSION E-DCH-Information PRESENCE optional }| { ID id-E-DCH-Serving-RL-ID CRITICALITY reject EXTENSION RL-ID PRESENCE optional }| { ID id-E-DCH-768-Information CRITICALITY reject EXTENSION E-DCH-768-Information PRESENCE optional }| { ID id-E-DCH-LCR-Information CRITICALITY reject EXTENSION E-DCH-LCR-Information PRESENCE optional }| { ID id-PowerControlGAP CRITICALITY ignore EXTENSION ControlGAP PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-ContinuousPacketConnectivity-DRX-InformationLCR CRITICALITY reject EXTENSION ContinuousPacketConnectivity-DRX-InformationLCR PRESENCE optional }| { ID id-HS-DSCH-Semi-PersistentScheduling-Information-LCR CRITICALITY reject EXTENSION HS-DSCH-Semi-PersistentScheduling-Information-LCR PRESENCE optional }| { ID id-E-DCH-Semi-PersistentScheduling-Information-LCR CRITICALITY reject EXTENSION E-DCH-Semi-PersistentScheduling-Information-LCR PRESENCE optional }| { ID id-IdleIntervalInformation CRITICALITY ignore EXTENSION IdleIntervalInformation PRESENCE optional }| { ID id-UE-Selected-MBMS-Service-Information CRITICALITY ignore EXTENSION UE-Selected-MBMS-Service-Information PRESENCE optional }| { ID id-HSSCCH-TPC-StepSize CRITICALITY ignore EXTENSION TDD-TPC-DownlinkStepSize PRESENCE optional }| { ID id-DCH-MeasurementOccasion-Information CRITICALITY reject EXTENSION DCH-MeasurementOccasion-Information PRESENCE optional }, ... } UL-CCTrCH-InformationList-RL-SetupRqstTDD ::= SEQUENCE (SIZE(1..maxNrOfCCTrCHs)) OF ProtocolIE-Single-Container{{ UL-CCTrCH-InformationItemIE-RL-SetupRqstTDD }} UL-CCTrCH-InformationItemIE-RL-SetupRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-UL-CCTrCH-InformationItem-RL-SetupRqstTDD CRITICALITY notify TYPE UL-CCTrCH-InformationItem-RL-SetupRqstTDD PRESENCE mandatory } } UL-CCTrCH-InformationItem-RL-SetupRqstTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, tFCS TFCS, tFCI-Coding TFCI-Coding, punctureLimit PunctureLimit, uL-DPCH-Information UL-DPCH-Information-RL-SetupRqstTDD OPTIONAL, -- Applicable to 3.84Mcps TDD only iE-Extensions ProtocolExtensionContainer { { UL-CCTrCH-InformationItem-RL-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } UL-CCTrCH-InformationItem-RL-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-DPCH-LCR-Information-RL-SetupRqstTDD CRITICALITY notify EXTENSION UL-DPCH-LCR-Information-RL-SetupRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-UL-SIRTarget CRITICALITY reject EXTENSION UL-SIR PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD. { ID id-TDD-TPC-UplinkStepSize-LCR-RL-SetupRqstTDD CRITICALITY reject EXTENSION TDD-TPC-UplinkStepSize-LCR PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD. { ID id-UL-DPCH-768-Information-RL-SetupRqstTDD CRITICALITY notify EXTENSION UL-DPCH-768-Information-RL-SetupRqstTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only ... } UL-DPCH-Information-RL-SetupRqstTDD ::= ProtocolIE-Single-Container{{ UL-DPCH-InformationIE-RL-SetupRqstTDD }} UL-DPCH-InformationIE-RL-SetupRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-UL-DPCH-InformationList-RL-SetupRqstTDD CRITICALITY notify TYPE UL-DPCH-InformationItem-RL-SetupRqstTDD PRESENCE mandatory } } UL-DPCH-InformationItem-RL-SetupRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-Timeslot-Information UL-Timeslot-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-InformationItem-RL-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-InformationItem-RL-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCH-LCR-Information-RL-SetupRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-TimeslotLCR-Information UL-TimeslotLCR-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-LCR-InformationItem-RL-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-LCR-InformationItem-RL-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCH-768-Information-RL-SetupRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-Timeslot768-Information UL-Timeslot768-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-768-InformationItem-RL-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-768-InformationItem-RL-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-CCTrCH-InformationList-RL-SetupRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF ProtocolIE-Single-Container{{ DL-CCTrCH-InformationItemIE-RL-SetupRqstTDD }} DL-CCTrCH-InformationItemIE-RL-SetupRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-DL-CCTrCH-InformationItem-RL-SetupRqstTDD CRITICALITY notify TYPE DL-CCTrCH-InformationItem-RL-SetupRqstTDD PRESENCE mandatory} } DL-CCTrCH-InformationItem-RL-SetupRqstTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, tFCS TFCS, tFCI-Coding TFCI-Coding, punctureLimit PunctureLimit, tdd-TPC-DownlinkStepSize TDD-TPC-DownlinkStepSize, cCTrCH-TPCList CCTrCH-TPCList-RL-SetupRqstTDD OPTIONAL, dL-DPCH-Information DL-DPCH-Information-RL-SetupRqstTDD OPTIONAL, -- Applicable to 3.84Mcps TDD only iE-Extensions ProtocolExtensionContainer { { DL-CCTrCH-InformationItem-RL-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } DL-CCTrCH-InformationItem-RL-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-DPCH-LCR-Information-RL-SetupRqstTDD CRITICALITY notify EXTENSION DL-DPCH-LCR-Information-RL-SetupRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-CCTrCH-Initial-DL-Power-RL-SetupRqstTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-CCTrCH-Maximum-DL-Power-RL-SetupRqstTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-CCTrCH-Minimum-DL-Power-RL-SetupRqstTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-DL-DPCH-768-Information-RL-SetupRqstTDD CRITICALITY notify EXTENSION DL-DPCH-768-Information-RL-SetupRqstTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only ... } CCTrCH-TPCList-RL-SetupRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF CCTrCH-TPCItem-RL-SetupRqstTDD CCTrCH-TPCItem-RL-SetupRqstTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, iE-Extensions ProtocolExtensionContainer { { CCTrCH-TPCItem-RL-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } CCTrCH-TPCItem-RL-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-DPCH-Information-RL-SetupRqstTDD ::= ProtocolIE-Single-Container{{ DL-DPCH-InformationIE-RL-SetupRqstTDD }} DL-DPCH-InformationIE-RL-SetupRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-DL-DPCH-InformationList-RL-SetupRqstTDD CRITICALITY notify TYPE DL-DPCH-InformationItem-RL-SetupRqstTDD PRESENCE mandatory } } DL-DPCH-InformationItem-RL-SetupRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-Timeslot-Information DL-Timeslot-Information, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-InformationItem-RL-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-InformationItem-RL-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-DPCH-LCR-Information-RL-SetupRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-TimeslotLCR-Information DL-TimeslotLCR-Information, tstdIndicator TSTD-Indicator, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-LCR-InformationItem-RL-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-LCR-InformationItem-RL-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-DPCH-768-Information-RL-SetupRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-Timeslot768-Information DL-Timeslot768-Information, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-768-InformationItem-RL-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-768-InformationItem-RL-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Information-RL-SetupRqstTDD ::= SEQUENCE { rL-ID RL-ID, c-ID C-ID, frameOffset FrameOffset, specialBurstScheduling SpecialBurstScheduling, initialDL-transmissionPower DL-Power, maximumDL-power DL-Power, minimumDL-power DL-Power, dL-TimeSlotISCPInfo DL-TimeslotISCPInfo OPTIONAL, -- Applicable to 3.84Mcps TDD and 7.68Mcps TDD only iE-Extensions ProtocolExtensionContainer { { RL-Information-RL-SetupRqstTDD-ExtIEs} } OPTIONAL, ... } RL-Information-RL-SetupRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TimeslotISCP-LCR-InfoList-RL-SetupRqstTDD CRITICALITY reject EXTENSION DL-TimeslotISCPInfoLCR PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-RL-Specific-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-DCH-Info PRESENCE optional }| { ID id-DelayedActivation CRITICALITY reject EXTENSION DelayedActivation PRESENCE optional }| { ID id-UL-Synchronisation-Parameters-LCR CRITICALITY reject EXTENSION UL-Synchronisation-Parameters-LCR PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD { ID id-UARFCNforNt CRITICALITY reject EXTENSION UARFCN PRESENCE optional }, -- Mandatory for 1.28Mcps TDD when using multiple frequencies ... } -- ************************************************************** -- -- RADIO LINK SETUP RESPONSE FDD -- -- ************************************************************** RadioLinkSetupResponseFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkSetupResponseFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkSetupResponseFDD-Extensions}} OPTIONAL, ... } RadioLinkSetupResponseFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-CommunicationControlPortID CRITICALITY ignore TYPE CommunicationControlPortID PRESENCE mandatory }| { ID id-RL-InformationResponseList-RL-SetupRspFDD CRITICALITY ignore TYPE RL-InformationResponseList-RL-SetupRspFDD PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkSetupResponseFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-HSDSCH-FDD-Information-Response CRITICALITY ignore EXTENSION HSDSCH-FDD-Information-Response PRESENCE optional }| { ID id-ContinuousPacketConnectivityHS-SCCH-less-Information-Response CRITICALITY ignore EXTENSION ContinuousPacketConnectivityHS-SCCH-less-Information-Response PRESENCE optional }| { ID id-Additional-HS-Cell-Information-Response CRITICALITY ignore EXTENSION Additional-HS-Cell-Information-Response-List PRESENCE optional }| { ID id-Additional-EDCH-Cell-Information-Response CRITICALITY ignore EXTENSION Additional-EDCH-Cell-Information-Response-List PRESENCE optional }, ... } Additional-HS-Cell-Information-Response-List ::= SEQUENCE (SIZE (1..maxNrOfHSDSCH-1)) OF Additional-HS-Cell-Information-Response-ItemIEs Additional-HS-Cell-Information-Response-ItemIEs ::=SEQUENCE{ hSPDSCH-RL-ID RL-ID, hS-DSCH-FDD-Secondary-Serving-Information-Response HS-DSCH-FDD-Secondary-Serving-Information-Response, iE-Extensions ProtocolExtensionContainer { { Additional-HS-Cell-Information-Response-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-HS-Cell-Information-Response-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationResponseList-RL-SetupRspFDD ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container{{ RL-InformationResponseItemIE-RL-SetupRspFDD }} RL-InformationResponseItemIE-RL-SetupRspFDD NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationResponseItem-RL-SetupRspFDD CRITICALITY ignore TYPE RL-InformationResponseItem-RL-SetupRspFDD PRESENCE mandatory } } RL-InformationResponseItem-RL-SetupRspFDD ::= SEQUENCE { rL-ID RL-ID, rL-Set-ID RL-Set-ID, received-total-wide-band-power Received-total-wide-band-power-Value, diversityIndication DiversityIndication-RL-SetupRspFDD, not-Used-dSCH-InformationResponseList NULL OPTIONAL, sSDT-SupportIndicator SSDT-SupportIndicator, iE-Extensions ProtocolExtensionContainer { { RL-InformationResponseItem-RL-SetupRspFDD-ExtIEs} } OPTIONAL, ... } RL-InformationResponseItem-RL-SetupRspFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-PowerBalancing-ActivationIndicator CRITICALITY ignore EXTENSION DL-PowerBalancing-ActivationIndicator PRESENCE optional }| { ID id-E-DCH-RL-Set-ID CRITICALITY ignore EXTENSION RL-Set-ID PRESENCE optional }| { ID id-E-DCH-FDD-DL-Control-Channel-Information CRITICALITY ignore EXTENSION E-DCH-FDD-DL-Control-Channel-Information PRESENCE optional }| { ID id-Initial-DL-DPCH-TimingAdjustment CRITICALITY ignore EXTENSION DL-DPCH-TimingAdjustment PRESENCE optional }| { ID id-HSDSCH-PreconfigurationInfo CRITICALITY ignore EXTENSION HSDSCH-PreconfigurationInfo PRESENCE optional}, ... } DiversityIndication-RL-SetupRspFDD ::= CHOICE { combining Combining-RL-SetupRspFDD, nonCombiningOrFirstRL NonCombiningOrFirstRL-RL-SetupRspFDD } Combining-RL-SetupRspFDD ::= SEQUENCE { rL-ID RL-ID, iE-Extensions ProtocolExtensionContainer { { Combining-RL-SetupRspFDD-ExtIEs} } OPTIONAL, ... } Combining-RL-SetupRspFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } NonCombiningOrFirstRL-RL-SetupRspFDD ::= SEQUENCE { dCH-InformationResponse DCH-InformationResponse, iE-Extensions ProtocolExtensionContainer { { NonCombiningOrFirstRLItem-RL-SetupRspFDD-ExtIEs} } OPTIONAL, ... } NonCombiningOrFirstRLItem-RL-SetupRspFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-FDD-Information-Response CRITICALITY ignore EXTENSION E-DCH-FDD-Information-Response PRESENCE optional }, ... } -- ************************************************************** -- -- RADIO LINK SETUP RESPONSE TDD -- -- ************************************************************** RadioLinkSetupResponseTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkSetupResponseTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkSetupResponseTDD-Extensions}} OPTIONAL, ... } RadioLinkSetupResponseTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-CommunicationControlPortID CRITICALITY ignore TYPE CommunicationControlPortID PRESENCE mandatory }| { ID id-RL-InformationResponse-RL-SetupRspTDD CRITICALITY ignore TYPE RL-InformationResponse-RL-SetupRspTDD PRESENCE optional }| -- Mandatory for 3.84Mcps TDD and 7.68Mcps TDD, Not Applicable to 1.28Mcps TDD { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkSetupResponseTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-RL-InformationResponse-LCR-RL-SetupRspTDD CRITICALITY ignore EXTENSION RL-InformationResponse-LCR-RL-SetupRspTDD PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD { ID id-HSDSCH-TDD-Information-Response CRITICALITY ignore EXTENSION HSDSCH-TDD-Information-Response PRESENCE optional }| { ID id-E-DCH-Information-Response CRITICALITY ignore EXTENSION E-DCH-Information-Response PRESENCE optional }| { ID id-ContinuousPacketConnectivity-DRX-Information-ResponseLCR CRITICALITY ignore EXTENSION ContinuousPacketConnectivity-DRX-Information-ResponseLCR PRESENCE optional }| { ID id-HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR CRITICALITY ignore EXTENSION HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR PRESENCE optional }| { ID id-E-DCH-Semi-PersistentScheduling-Information-ResponseLCR CRITICALITY ignore EXTENSION E-DCH-Semi-PersistentScheduling-Information-ResponseLCR PRESENCE optional}, ... } RL-InformationResponse-RL-SetupRspTDD ::= SEQUENCE { rL-ID RL-ID, uL-TimeSlot-ISCP-Info UL-TimeSlot-ISCP-Info, ul-PhysCH-SF-Variation UL-PhysCH-SF-Variation, dCH-InformationResponseList DCH-InformationResponseList-RL-SetupRspTDD OPTIONAL, dSCH-InformationResponseList DSCH-InformationResponseList-RL-SetupRspTDD OPTIONAL, uSCH-InformationResponseList USCH-InformationResponseList-RL-SetupRspTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-InformationResponseList-RL-SetupRspTDD-ExtIEs} } OPTIONAL, ... } RL-InformationResponseList-RL-SetupRspTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DCH-InformationResponseList-RL-SetupRspTDD ::= ProtocolIE-Single-Container{{ DCH-InformationResponseListIEs-RL-SetupRspTDD }} DCH-InformationResponseListIEs-RL-SetupRspTDD NBAP-PROTOCOL-IES ::= { { ID id-DCH-InformationResponse CRITICALITY ignore TYPE DCH-InformationResponse PRESENCE mandatory} } DSCH-InformationResponseList-RL-SetupRspTDD ::= ProtocolIE-Single-Container {{ DSCH-InformationResponseListIEs-RL-SetupRspTDD }} DSCH-InformationResponseListIEs-RL-SetupRspTDD NBAP-PROTOCOL-IES ::= { { ID id-DSCH-InformationResponse CRITICALITY ignore TYPE DSCH-InformationResponse PRESENCE mandatory } } USCH-InformationResponseList-RL-SetupRspTDD ::= ProtocolIE-Single-Container {{ USCH-InformationResponseListIEs-RL-SetupRspTDD }} USCH-InformationResponseListIEs-RL-SetupRspTDD NBAP-PROTOCOL-IES ::= { { ID id-USCH-InformationResponse CRITICALITY ignore TYPE USCH-InformationResponse PRESENCE mandatory } } RL-InformationResponse-LCR-RL-SetupRspTDD ::= SEQUENCE { rL-ID RL-ID, uL-TimeSlot-ISCP-LCR-Info UL-TimeSlot-ISCP-LCR-Info, ul-PhysCH-SF-Variation UL-PhysCH-SF-Variation, dCH-InformationResponseList DCH-InformationResponseList-RL-SetupRspTDD OPTIONAL, dSCH-InformationResponseList DSCH-InformationResponseList-RL-SetupRspTDD OPTIONAL, uSCH-InformationResponseList USCH-InformationResponseList-RL-SetupRspTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-InformationResponseList-LCR-RL-SetupRspTDD-ExtIEs} } OPTIONAL, ... } RL-InformationResponseList-LCR-RL-SetupRspTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK SETUP FAILURE FDD -- -- ************************************************************** RadioLinkSetupFailureFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkSetupFailureFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkSetupFailureFDD-Extensions}} OPTIONAL, ... } RadioLinkSetupFailureFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE conditional }| -- This IE shall be present if at least one of the radio links has been successfully set up { ID id-CommunicationControlPortID CRITICALITY ignore TYPE CommunicationControlPortID PRESENCE optional }| { ID id-CauseLevel-RL-SetupFailureFDD CRITICALITY ignore TYPE CauseLevel-RL-SetupFailureFDD PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkSetupFailureFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CauseLevel-RL-SetupFailureFDD ::= CHOICE { generalCause GeneralCauseList-RL-SetupFailureFDD, rLSpecificCause RLSpecificCauseList-RL-SetupFailureFDD, ... } GeneralCauseList-RL-SetupFailureFDD ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { { GeneralCauseItem-RL-SetupFailureFDD-ExtIEs} } OPTIONAL, ... } GeneralCauseItem-RL-SetupFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RLSpecificCauseList-RL-SetupFailureFDD ::= SEQUENCE { unsuccessful-RL-InformationRespList-RL-SetupFailureFDD Unsuccessful-RL-InformationRespList-RL-SetupFailureFDD, successful-RL-InformationRespList-RL-SetupFailureFDD Successful-RL-InformationRespList-RL-SetupFailureFDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RLSpecificCauseItem-RL-SetupFailureFDD-ExtIEs} } OPTIONAL, ... } RLSpecificCauseItem-RL-SetupFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-HSDSCH-FDD-Information-Response CRITICALITY ignore EXTENSION HSDSCH-FDD-Information-Response PRESENCE optional }| { ID id-ContinuousPacketConnectivityHS-SCCH-less-Information-Response CRITICALITY ignore EXTENSION ContinuousPacketConnectivityHS-SCCH-less-Information-Response PRESENCE optional }| { ID id-Additional-HS-Cell-Information-Response CRITICALITY ignore EXTENSION Additional-HS-Cell-Information-Response-List PRESENCE optional}| { ID id-Additional-EDCH-Cell-Information-Response CRITICALITY ignore EXTENSION Additional-EDCH-Cell-Information-Response-List PRESENCE optional}, ... } Unsuccessful-RL-InformationRespList-RL-SetupFailureFDD ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{ Unsuccessful-RL-InformationRespItemIE-RL-SetupFailureFDD }} Unsuccessful-RL-InformationRespItemIE-RL-SetupFailureFDD NBAP-PROTOCOL-IES ::= { { ID id-Unsuccessful-RL-InformationRespItem-RL-SetupFailureFDD CRITICALITY ignore TYPE Unsuccessful-RL-InformationRespItem-RL-SetupFailureFDD PRESENCE mandatory } } Unsuccessful-RL-InformationRespItem-RL-SetupFailureFDD ::= SEQUENCE { rL-ID RL-ID, cause Cause, iE-Extensions ProtocolExtensionContainer { { Unsuccessful-RL-InformationRespItem-RL-SetupFailureFDD-ExtIEs} } OPTIONAL, ... } Unsuccessful-RL-InformationRespItem-RL-SetupFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Successful-RL-InformationRespList-RL-SetupFailureFDD ::= SEQUENCE (SIZE (1.. maxNrOfRLs)) OF ProtocolIE-Single-Container {{ Successful-RL-InformationRespItemIE-RL-SetupFailureFDD }} Successful-RL-InformationRespItemIE-RL-SetupFailureFDD NBAP-PROTOCOL-IES ::= { { ID id-Successful-RL-InformationRespItem-RL-SetupFailureFDD CRITICALITY ignore TYPE Successful-RL-InformationRespItem-RL-SetupFailureFDD PRESENCE mandatory } } Successful-RL-InformationRespItem-RL-SetupFailureFDD ::= SEQUENCE { rL-ID RL-ID, rL-Set-ID RL-Set-ID, received-total-wide-band-power Received-total-wide-band-power-Value, diversityIndication DiversityIndication-RL-SetupFailureFDD, not-Used-dSCH-InformationResponseList NULL OPTIONAL, not-Used-tFCI2-BearerInformationResponse NULL OPTIONAL, sSDT-SupportIndicator SSDT-SupportIndicator, iE-Extensions ProtocolExtensionContainer { { Successful-RL-InformationRespItem-RL-SetupFailureFDD-ExtIEs} } OPTIONAL, ... } Successful-RL-InformationRespItem-RL-SetupFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-PowerBalancing-ActivationIndicator CRITICALITY ignore EXTENSION DL-PowerBalancing-ActivationIndicator PRESENCE optional }| { ID id-E-DCH-RL-Set-ID CRITICALITY ignore EXTENSION RL-Set-ID PRESENCE optional }| { ID id-E-DCH-FDD-DL-Control-Channel-Information CRITICALITY ignore EXTENSION E-DCH-FDD-DL-Control-Channel-Information PRESENCE optional }| { ID id-Initial-DL-DPCH-TimingAdjustment CRITICALITY ignore EXTENSION DL-DPCH-TimingAdjustment PRESENCE optional }| { ID id-HSDSCH-PreconfigurationInfo CRITICALITY ignore EXTENSION HSDSCH-PreconfigurationInfo PRESENCE optional }, ... } DiversityIndication-RL-SetupFailureFDD ::= CHOICE { combining Combining-RL-SetupFailureFDD, nonCombiningOrFirstRL NonCombiningOrFirstRL-RL-SetupFailureFDD } Combining-RL-SetupFailureFDD ::= SEQUENCE { rL-ID RL-ID, iE-Extensions ProtocolExtensionContainer { { CombiningItem-RL-SetupFailureFDD-ExtIEs} } OPTIONAL, ... } CombiningItem-RL-SetupFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } NonCombiningOrFirstRL-RL-SetupFailureFDD ::= SEQUENCE { dCH-InformationResponse DCH-InformationResponse, iE-Extensions ProtocolExtensionContainer { { NonCombiningOrFirstRLItem-RL-SetupFailureFDD-ExtIEs} } OPTIONAL, ... } NonCombiningOrFirstRLItem-RL-SetupFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-FDD-Information-Response CRITICALITY ignore EXTENSION E-DCH-FDD-Information-Response PRESENCE optional }, ... } -- ************************************************************** -- -- RADIO LINK SETUP FAILURE TDD -- -- ************************************************************** RadioLinkSetupFailureTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkSetupFailureTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkSetupFailureTDD-Extensions}} OPTIONAL, ... } RadioLinkSetupFailureTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-CauseLevel-RL-SetupFailureTDD CRITICALITY ignore TYPE CauseLevel-RL-SetupFailureTDD PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkSetupFailureTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CauseLevel-RL-SetupFailureTDD ::= CHOICE { generalCause GeneralCauseList-RL-SetupFailureTDD, rLSpecificCause RLSpecificCauseList-RL-SetupFailureTDD, ... } GeneralCauseList-RL-SetupFailureTDD ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { { GeneralCauseItem-RL-SetupFailureTDD-ExtIEs} } OPTIONAL, ... } GeneralCauseItem-RL-SetupFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RLSpecificCauseList-RL-SetupFailureTDD ::= SEQUENCE { unsuccessful-RL-InformationRespItem-RL-SetupFailureTDD Unsuccessful-RL-InformationRespItem-RL-SetupFailureTDD, iE-Extensions ProtocolExtensionContainer { { RLSpecificCauseItem-RL-SetupFailureTDD-ExtIEs} } OPTIONAL, ... } RLSpecificCauseItem-RL-SetupFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Unsuccessful-RL-InformationRespItem-RL-SetupFailureTDD ::= ProtocolIE-Single-Container { {Unsuccessful-RL-InformationRespItemIE-RL-SetupFailureTDD} } Unsuccessful-RL-InformationRespItemIE-RL-SetupFailureTDD NBAP-PROTOCOL-IES ::= { { ID id-Unsuccessful-RL-InformationResp-RL-SetupFailureTDD CRITICALITY ignore TYPE Unsuccessful-RL-InformationResp-RL-SetupFailureTDD PRESENCE mandatory } } Unsuccessful-RL-InformationResp-RL-SetupFailureTDD ::= SEQUENCE { rL-ID RL-ID, cause Cause, iE-Extensions ProtocolExtensionContainer { { Unsuccessful-RL-InformationResp-RL-SetupFailureTDD-ExtIEs} } OPTIONAL, ... } Unsuccessful-RL-InformationResp-RL-SetupFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK ADDITION REQUEST FDD -- -- ************************************************************** RadioLinkAdditionRequestFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkAdditionRequestFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkAdditionRequestFDD-Extensions}} OPTIONAL, ... } RadioLinkAdditionRequestFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY reject TYPE NodeB-CommunicationContextID PRESENCE mandatory } | { ID id-Compressed-Mode-Deactivation-Flag CRITICALITY reject TYPE Compressed-Mode-Deactivation-Flag PRESENCE optional }| { ID id-RL-InformationList-RL-AdditionRqstFDD CRITICALITY notify TYPE RL-InformationList-RL-AdditionRqstFDD PRESENCE mandatory }, ... } RadioLinkAdditionRequestFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-Initial-DL-DPCH-TimingAdjustment-Allowed CRITICALITY ignore EXTENSION Initial-DL-DPCH-TimingAdjustment-Allowed PRESENCE optional }| { ID id-Serving-E-DCH-RL-ID CRITICALITY reject EXTENSION Serving-E-DCH-RL-ID PRESENCE optional }| { ID id-Serving-Cell-Change-CFN CRITICALITY reject EXTENSION CFN PRESENCE optional }| { ID id-HS-DSCH-Serving-Cell-Change-Info CRITICALITY reject EXTENSION HS-DSCH-Serving-Cell-Change-Info PRESENCE optional }| { ID id-E-DPCH-Information-RL-AdditionReqFDD CRITICALITY reject EXTENSION E-DPCH-Information-RL-AdditionReqFDD PRESENCE optional }| { ID id-E-DCH-FDD-Information CRITICALITY reject EXTENSION E-DCH-FDD-Information PRESENCE conditional }| -- This IE shall be present if E-DPCH Information is present { ID id-Additional-HS-Cell-Information-RL-Addition CRITICALITY reject EXTENSION Additional-HS-Cell-Information-RL-Addition-List PRESENCE optional }| { ID id-UE-AggregateMaximumBitRate CRITICALITY ignore EXTENSION UE-AggregateMaximumBitRate PRESENCE optional }| { ID id-Additional-EDCH-Cell-Information-RL-Add-Req CRITICALITY reject EXTENSION Additional-EDCH-Cell-Information-RL-Add-Req PRESENCE optional }, ... } Additional-HS-Cell-Information-RL-Addition-List ::= SEQUENCE (SIZE (1..maxNrOfHSDSCH-1)) OF Additional-HS-Cell-Information-RL-Addition-ItemIEs Additional-EDCH-Cell-Information-RL-Add-Req ::=SEQUENCE{ setup-Or-Addition-Of-EDCH-On-secondary-UL-Frequency Setup-Or-Addition-Of-EDCH-On-secondary-UL-Frequency, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-Cell-Information-RL-Add-Req-ExtIEs} } OPTIONAL, ... } Additional-EDCH-Cell-Information-RL-Add-Req-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Setup-Or-Addition-Of-EDCH-On-secondary-UL-Frequency::= CHOICE { setup Additional-EDCH-Setup-Info, addition Additional-EDCH-Cell-Information-To-Add-List, ... } Additional-HS-Cell-Information-RL-Addition-ItemIEs ::=SEQUENCE{ hSPDSCH-RL-ID RL-ID, c-ID C-ID, hS-DSCH-FDD-Secondary-Serving-Information HS-DSCH-FDD-Secondary-Serving-Information, iE-Extensions ProtocolExtensionContainer { { Additional-HS-Cell-Information-RL-Addition-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-HS-Cell-Information-RL-Addition-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationList-RL-AdditionRqstFDD ::= SEQUENCE (SIZE (1..maxNrOfRLs-1)) OF ProtocolIE-Single-Container {{ RL-InformationItemIE-RL-AdditionRqstFDD}} RL-InformationItemIE-RL-AdditionRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationItem-RL-AdditionRqstFDD CRITICALITY notify TYPE RL-InformationItem-RL-AdditionRqstFDD PRESENCE mandatory} } RL-InformationItem-RL-AdditionRqstFDD ::= SEQUENCE { rL-ID RL-ID, c-ID C-ID, frameOffset FrameOffset, chipOffset ChipOffset, diversityControlField DiversityControlField, dl-CodeInformation FDD-DL-CodeInformation, initialDL-TransmissionPower DL-Power OPTIONAL, maximumDL-Power DL-Power OPTIONAL, minimumDL-Power DL-Power OPTIONAL, not-Used-sSDT-CellIdentity NULL OPTIONAL, transmitDiversityIndicator TransmitDiversityIndicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-InformationItem-RL-AdditionRqstFDD-ExtIEs} } OPTIONAL, ... } RL-InformationItem-RL-AdditionRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DLReferencePower CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-RL-Specific-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-DCH-Info PRESENCE optional }| { ID id-DelayedActivation CRITICALITY reject EXTENSION DelayedActivation PRESENCE optional }| { ID id-E-DCH-RL-Indication CRITICALITY reject EXTENSION E-DCH-RL-Indication PRESENCE optional }| { ID id-RL-Specific-E-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-E-DCH-Info PRESENCE optional }| { ID id-SynchronisationIndicator CRITICALITY ignore EXTENSION SynchronisationIndicator PRESENCE optional }| { ID id-F-DPCH-SlotFormat CRITICALITY reject EXTENSION F-DPCH-SlotFormat PRESENCE optional }| { ID id-HSDSCH-PreconfigurationSetup CRITICALITY ignore EXTENSION HSDSCH-PreconfigurationSetup PRESENCE optional }, ... } E-DPCH-Information-RL-AdditionReqFDD ::= SEQUENCE { maxSet-E-DPDCHs Max-Set-E-DPDCHs, ul-PunctureLimit PunctureLimit, e-TFCS-Information E-TFCS-Information, e-TTI E-TTI, e-DPCCH-PO E-DPCCH-PO, e-RGCH-2-IndexStepThreshold E-RGCH-2-IndexStepThreshold, e-RGCH-3-IndexStepThreshold E-RGCH-3-IndexStepThreshold, hARQ-Info-for-E-DCH HARQ-Info-for-E-DCH, iE-Extensions ProtocolExtensionContainer { { E-DPCH-Information-RL-AdditionReqFDD-ExtIEs} } OPTIONAL, ... } E-DPCH-Information-RL-AdditionReqFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-HSDSCH-Configured-Indicator CRITICALITY reject EXTENSION HSDSCH-Configured-Indicator PRESENCE mandatory }| -- This shall be present for EDPCH configuration with HSDCH { ID id-MinimumReducedE-DPDCH-GainFactor CRITICALITY ignore EXTENSION MinimumReducedE-DPDCH-GainFactor PRESENCE optional }, ... } -- ************************************************************** -- -- RADIO LINK ADDITION REQUEST TDD -- -- ************************************************************** RadioLinkAdditionRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkAdditionRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkAdditionRequestTDD-Extensions}} OPTIONAL, ... } RadioLinkAdditionRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY reject TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-UL-CCTrCH-InformationList-RL-AdditionRqstTDD CRITICALITY reject TYPE UL-CCTrCH-InformationList-RL-AdditionRqstTDD PRESENCE optional }| { ID id-DL-CCTrCH-InformationList-RL-AdditionRqstTDD CRITICALITY reject TYPE DL-CCTrCH-InformationList-RL-AdditionRqstTDD PRESENCE optional }| { ID id-RL-Information-RL-AdditionRqstTDD CRITICALITY reject TYPE RL-Information-RL-AdditionRqstTDD PRESENCE mandatory }, ... } RadioLinkAdditionRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-HSDSCH-TDD-Information CRITICALITY reject EXTENSION HSDSCH-TDD-Information PRESENCE optional }| { ID id-HSDSCH-RNTI CRITICALITY reject EXTENSION HSDSCH-RNTI PRESENCE conditional }| -- The IE shall be present if HS-PDSCH RL ID IE is present. { ID id-HSPDSCH-RL-ID CRITICALITY reject EXTENSION RL-ID PRESENCE optional }| { ID id-E-DCH-Information CRITICALITY reject EXTENSION E-DCH-Information PRESENCE optional }| { ID id-E-DCH-Serving-RL-ID CRITICALITY reject EXTENSION RL-ID PRESENCE optional }| { ID id-E-DCH-768-Information CRITICALITY reject EXTENSION E-DCH-768-Information PRESENCE optional }| { ID id-E-DCH-LCR-Information CRITICALITY reject EXTENSION E-DCH-LCR-Information PRESENCE optional }| { ID id-PowerControlGAP CRITICALITY ignore EXTENSION ControlGAP PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-ContinuousPacketConnectivity-DRX-InformationLCR CRITICALITY reject EXTENSION ContinuousPacketConnectivity-DRX-InformationLCR PRESENCE optional }| { ID id-HS-DSCH-Semi-PersistentScheduling-Information-LCR CRITICALITY reject EXTENSION HS-DSCH-Semi-PersistentScheduling-Information-LCR PRESENCE optional }| { ID id-E-DCH-Semi-PersistentScheduling-Information-LCR CRITICALITY reject EXTENSION E-DCH-Semi-PersistentScheduling-Information-LCR PRESENCE optional }| { ID id-IdleIntervalInformation CRITICALITY ignore EXTENSION IdleIntervalInformation PRESENCE optional }| { ID id-UE-Selected-MBMS-Service-Information CRITICALITY ignore EXTENSION UE-Selected-MBMS-Service-Information PRESENCE optional }| { ID id-HSSCCH-TPC-StepSize CRITICALITY ignore EXTENSION TDD-TPC-DownlinkStepSize PRESENCE optional }| { ID id-DCH-MeasurementOccasion-Information CRITICALITY reject EXTENSION DCH-MeasurementOccasion-Information PRESENCE optional }, ... } UL-CCTrCH-InformationList-RL-AdditionRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF UL-CCTrCH-InformationItem-RL-AdditionRqstTDD UL-CCTrCH-InformationItem-RL-AdditionRqstTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, uL-DPCH-Information UL-DPCH-InformationList-RL-AdditionRqstTDD OPTIONAL, -- Applicable to 3.84cps TDD only iE-Extensions ProtocolExtensionContainer { { UL-CCTrCH-InformationItem-RL-AdditionRqstTDD-ExtIEs} } OPTIONAL, ... } UL-CCTrCH-InformationItem-RL-AdditionRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD CRITICALITY notify EXTENSION UL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD PRESENCE optional }| -- Applicable to 1.28cps TDD only { ID id-TDD-TPC-UplinkStepSize-LCR-RL-AdditionRqstTDD CRITICALITY reject EXTENSION TDD-TPC-UplinkStepSize-LCR PRESENCE optional }|-- Applicable to 1.28cps TDD only { ID id-UL-DPCH-InformationItem-768-RL-AdditionRqstTDD CRITICALITY notify EXTENSION UL-DPCH-InformationItem-768-RL-AdditionRqstTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only ... } UL-DPCH-InformationList-RL-AdditionRqstTDD ::= ProtocolIE-Single-Container {{ UL-DPCH-InformationItemIE-RL-AdditionRqstTDD }} UL-DPCH-InformationItemIE-RL-AdditionRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-UL-DPCH-InformationItem-RL-AdditionRqstTDD CRITICALITY notify TYPE UL-DPCH-InformationItem-RL-AdditionRqstTDD PRESENCE optional } -- For 3.84Mcps TDD only } UL-DPCH-InformationItem-RL-AdditionRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-Timeslot-Information UL-Timeslot-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-InformationItem-RL-AdditionRqstTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-InformationItem-RL-AdditionRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-TimeslotLCR-Information UL-TimeslotLCR-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCH-InformationItem-768-RL-AdditionRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-Timeslot768-Information UL-Timeslot768-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-InformationItem-768-RL-AdditionRqstTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-InformationItem-768-RL-AdditionRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-CCTrCH-InformationList-RL-AdditionRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF DL-CCTrCH-InformationItem-RL-AdditionRqstTDD DL-CCTrCH-InformationItem-RL-AdditionRqstTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, dL-DPCH-Information DL-DPCH-InformationList-RL-AdditionRqstTDD OPTIONAL, -- Applicable to 3.84Mcps TDD only iE-Extensions ProtocolExtensionContainer { { DL-CCTrCH-InformationItem-RL-AdditionRqstTDD-ExtIEs} } OPTIONAL, ... } DL-CCTrCH-InformationItem-RL-AdditionRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD CRITICALITY notify EXTENSION DL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-CCTrCH-Initial-DL-Power-RL-AdditionRqstTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-TDD-TPC-DownlinkStepSize-RL-AdditionRqstTDD CRITICALITY reject EXTENSION TDD-TPC-DownlinkStepSize PRESENCE optional }| { ID id-CCTrCH-Maximum-DL-Power-RL-AdditionRqstTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-CCTrCH-Minimum-DL-Power-RL-AdditionRqstTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-DL-DPCH-InformationItem-768-RL-AdditionRqstTDD CRITICALITY notify EXTENSION DL-DPCH-InformationItem-768-RL-AdditionRqstTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only ... } DL-DPCH-InformationList-RL-AdditionRqstTDD ::= ProtocolIE-Single-Container {{ DL-DPCH-InformationItemIE-RL-AdditionRqstTDD }} DL-DPCH-InformationItemIE-RL-AdditionRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-DL-DPCH-InformationItem-RL-AdditionRqstTDD CRITICALITY notify TYPE DL-DPCH-InformationItem-RL-AdditionRqstTDD PRESENCE mandatory } } DL-DPCH-InformationItem-RL-AdditionRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-Timeslot-Information DL-Timeslot-Information, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-InformationItem-RL-AdditionRqstTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-InformationItem-RL-AdditionRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-TimeslotLCR-Information DL-TimeslotLCR-Information, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-DPCH-InformationItem-768-RL-AdditionRqstTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-Timeslot768-Information DL-Timeslot768-Information, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-InformationItem-768-RL-AdditionRqstTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-InformationItem-768-RL-AdditionRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Information-RL-AdditionRqstTDD ::= SEQUENCE { rL-ID RL-ID, c-ID C-ID, frameOffset FrameOffset, diversityControlField DiversityControlField, initial-DL-Transmission-Power DL-Power OPTIONAL, maximumDL-Power DL-Power OPTIONAL, minimumDL-Power DL-Power OPTIONAL, dL-TimeSlotISCPInfo DL-TimeslotISCPInfo OPTIONAL, -- Applicable to 3.84Mcps TDD and 7.68Mcps TDD only iE-Extensions ProtocolExtensionContainer { { RL-information-RL-AdditionRqstTDD-ExtIEs} } OPTIONAL, ... } RL-information-RL-AdditionRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-TimeslotISCP-InformationList-LCR-RL-AdditionRqstTDD CRITICALITY reject EXTENSION DL-TimeslotISCPInfoLCR PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-RL-Specific-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-DCH-Info PRESENCE optional }| { ID id-DelayedActivation CRITICALITY reject EXTENSION DelayedActivation PRESENCE optional }| { ID id-UL-Synchronisation-Parameters-LCR CRITICALITY reject EXTENSION UL-Synchronisation-Parameters-LCR PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD { ID id-UARFCNforNt CRITICALITY reject EXTENSION UARFCN PRESENCE optional }, -- Mandatory for 1.28Mcps TDD when using multiple frequencies ... } -- ************************************************************** -- -- RADIO LINK ADDITION RESPONSE FDD -- -- ************************************************************** RadioLinkAdditionResponseFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkAdditionResponseFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkAdditionResponseFDD-Extensions}} OPTIONAL, ... } RadioLinkAdditionResponseFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-RL-InformationResponseList-RL-AdditionRspFDD CRITICALITY ignore TYPE RL-InformationResponseList-RL-AdditionRspFDD PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkAdditionResponseFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-HS-DSCH-Serving-Cell-Change-Info-Response CRITICALITY ignore EXTENSION HS-DSCH-Serving-Cell-Change-Info-Response PRESENCE optional }| { ID id-E-DCH-Serving-Cell-Change-Info-Response CRITICALITY ignore EXTENSION E-DCH-Serving-Cell-Change-Info-Response PRESENCE optional }| { ID id-MAChs-ResetIndicator CRITICALITY ignore EXTENSION MAChs-ResetIndicator PRESENCE optional }| { ID id-Additional-HS-Cell-Change-Information-Response CRITICALITY ignore EXTENSION Additional-HS-Cell-Change-Information-Response-List PRESENCE optional }| { ID id-Additional-EDCH-Cell-Information-Response-RL-Add CRITICALITY ignore EXTENSION Additional-EDCH-Cell-Information-Response-RL-Add-List PRESENCE optional }, ... } Additional-HS-Cell-Change-Information-Response-List ::= SEQUENCE (SIZE (1..maxNrOfHSDSCH-1)) OF Additional-HS-Cell-Change-Information-Response-ItemIEs Additional-HS-Cell-Change-Information-Response-ItemIEs ::=SEQUENCE{ hSPDSCH-RL-ID RL-ID, hS-DSCH-Secondary-Serving-Cell-Change-Information-Response HS-DSCH-Secondary-Serving-Cell-Change-Information-Response, iE-Extensions ProtocolExtensionContainer { { Additional-HS-Cell-Change-Information-Response-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-HS-Cell-Change-Information-Response-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationResponseList-RL-AdditionRspFDD ::= SEQUENCE (SIZE (1..maxNrOfRLs-1)) OF ProtocolIE-Single-Container {{ RL-InformationResponseItemIE-RL-AdditionRspFDD }} RL-InformationResponseItemIE-RL-AdditionRspFDD NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationResponseItem-RL-AdditionRspFDD CRITICALITY ignore TYPE RL-InformationResponseItem-RL-AdditionRspFDD PRESENCE mandatory } } RL-InformationResponseItem-RL-AdditionRspFDD ::= SEQUENCE { rL-ID RL-ID, rL-Set-ID RL-Set-ID, received-total-wide-band-power Received-total-wide-band-power-Value, diversityIndication DiversityIndication-RL-AdditionRspFDD, sSDT-SupportIndicator SSDT-SupportIndicator, iE-Extensions ProtocolExtensionContainer { { RL-InformationResponseItem-RL-AdditionRspFDD-ExtIEs} } OPTIONAL, ... } RL-InformationResponseItem-RL-AdditionRspFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-PowerBalancing-ActivationIndicator CRITICALITY ignore EXTENSION DL-PowerBalancing-ActivationIndicator PRESENCE optional }| { ID id-E-DCH-RL-Set-ID CRITICALITY ignore EXTENSION RL-Set-ID PRESENCE optional }| { ID id-E-DCH-FDD-DL-Control-Channel-Information CRITICALITY ignore EXTENSION E-DCH-FDD-DL-Control-Channel-Information PRESENCE optional }| { ID id-Initial-DL-DPCH-TimingAdjustment CRITICALITY ignore EXTENSION DL-DPCH-TimingAdjustment PRESENCE optional }| { ID id-HSDSCH-PreconfigurationInfo CRITICALITY ignore EXTENSION HSDSCH-PreconfigurationInfo PRESENCE optional}, ... } DiversityIndication-RL-AdditionRspFDD ::= CHOICE { combining Combining-RL-AdditionRspFDD, non-combining Non-Combining-RL-AdditionRspFDD } Combining-RL-AdditionRspFDD ::= SEQUENCE { rL-ID RL-ID, iE-Extensions ProtocolExtensionContainer { { CombiningItem-RL-AdditionRspFDD-ExtIEs} } OPTIONAL, ... } CombiningItem-RL-AdditionRspFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-FDD-Information-Response CRITICALITY ignore EXTENSION E-DCH-FDD-Information-Response PRESENCE optional }, ... } Non-Combining-RL-AdditionRspFDD ::= SEQUENCE { dCH-InformationResponse DCH-InformationResponse, iE-Extensions ProtocolExtensionContainer { { Non-CombiningItem-RL-AdditionRspFDD-ExtIEs} } OPTIONAL, ... } Non-CombiningItem-RL-AdditionRspFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-FDD-Information-Response CRITICALITY ignore EXTENSION E-DCH-FDD-Information-Response PRESENCE optional }, ... } -- ************************************************************** -- -- RADIO LINK ADDITION RESPONSE TDD -- -- ************************************************************** RadioLinkAdditionResponseTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkAdditionResponseTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkAdditionResponseTDD-Extensions}} OPTIONAL, ... } RadioLinkAdditionResponseTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-RL-InformationResponse-RL-AdditionRspTDD CRITICALITY ignore TYPE RL-InformationResponse-RL-AdditionRspTDD PRESENCE optional }| -- Mandatory for 3.84Mcps TDD and 7.68Mcps TDD, Not Applicable to 1.28Mcps TDD { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkAdditionResponseTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-RL-InformationResponse-LCR-RL-AdditionRspTDD CRITICALITY ignore EXTENSION RL-InformationResponse-LCR-RL-AdditionRspTDD PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD { ID id-HSDSCH-TDD-Information-Response CRITICALITY ignore EXTENSION HSDSCH-TDD-Information-Response PRESENCE optional}| { ID id-E-DCH-Information-Response CRITICALITY ignore EXTENSION E-DCH-Information-Response PRESENCE optional }| { ID id-ContinuousPacketConnectivity-DRX-Information-ResponseLCR CRITICALITY ignore EXTENSION ContinuousPacketConnectivity-DRX-Information-ResponseLCR PRESENCE optional }| { ID id-HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR CRITICALITY ignore EXTENSION HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR PRESENCE optional }| { ID id-E-DCH-Semi-PersistentScheduling-Information-ResponseLCR CRITICALITY ignore EXTENSION E-DCH-Semi-PersistentScheduling-Information-ResponseLCR PRESENCE optional}, ... } RL-InformationResponse-RL-AdditionRspTDD ::= SEQUENCE { rL-ID RL-ID, uL-TimeSlot-ISCP-Info UL-TimeSlot-ISCP-Info, ul-PhysCH-SF-Variation UL-PhysCH-SF-Variation, dCH-Information DCH-Information-RL-AdditionRspTDD OPTIONAL, dSCH-InformationResponseList DSCH-InformationResponseList-RL-AdditionRspTDD OPTIONAL, uSCH-InformationResponseList USCH-InformationResponseList-RL-AdditionRspTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-InformationResponse-RL-AdditionRspTDD-ExtIEs} } OPTIONAL, ... } RL-InformationResponse-RL-AdditionRspTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DCH-Information-RL-AdditionRspTDD ::= SEQUENCE { diversityIndication DiversityIndication-RL-AdditionRspTDD, iE-Extensions ProtocolExtensionContainer { { DCH-Information-RL-AdditionRspTDD-ExtIEs} } OPTIONAL, ... } DCH-Information-RL-AdditionRspTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DiversityIndication-RL-AdditionRspTDD ::= CHOICE { combining Combining-RL-AdditionRspTDD, -- Indicates whether the old Transport Bearer shall be reused or not non-Combining Non-Combining-RL-AdditionRspTDD } Combining-RL-AdditionRspTDD ::= SEQUENCE { rL-ID RL-ID, -- Reference RL iE-Extensions ProtocolExtensionContainer { { CombiningItem-RL-AdditionRspTDD-ExtIEs} } OPTIONAL, ... } CombiningItem-RL-AdditionRspTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Non-Combining-RL-AdditionRspTDD ::= SEQUENCE { dCH-InformationResponse DCH-InformationResponse, iE-Extensions ProtocolExtensionContainer { { Non-CombiningItem-RL-AdditionRspTDD-ExtIEs} } OPTIONAL, ... } Non-CombiningItem-RL-AdditionRspTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DSCH-InformationResponseList-RL-AdditionRspTDD ::= ProtocolIE-Single-Container {{ DSCH-InformationResponseListIEs-RL-AdditionRspTDD }} DSCH-InformationResponseListIEs-RL-AdditionRspTDD NBAP-PROTOCOL-IES ::= { { ID id-DSCH-InformationResponse CRITICALITY ignore TYPE DSCH-InformationResponse PRESENCE mandatory } } USCH-InformationResponseList-RL-AdditionRspTDD ::= ProtocolIE-Single-Container {{ USCH-InformationResponseListIEs-RL-AdditionRspTDD }} USCH-InformationResponseListIEs-RL-AdditionRspTDD NBAP-PROTOCOL-IES ::= { { ID id-USCH-InformationResponse CRITICALITY ignore TYPE USCH-InformationResponse PRESENCE mandatory } } RL-InformationResponse-LCR-RL-AdditionRspTDD ::= SEQUENCE { rL-ID RL-ID, uL-TimeSlot-ISCP-InfoLCR UL-TimeSlot-ISCP-LCR-Info, ul-PhysCH-SF-Variation UL-PhysCH-SF-Variation, dCH-Information DCH-Information-RL-AdditionRspTDD OPTIONAL, dSCH-InformationResponseList DSCH-InformationResponseList-RL-AdditionRspTDD OPTIONAL, uSCH-InformationResponseList USCH-InformationResponseList-RL-AdditionRspTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-InformationResponse-LCR-RL-AdditionRspTDD-ExtIEs} } OPTIONAL, ... } RL-InformationResponse-LCR-RL-AdditionRspTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK ADDITION FAILURE FDD -- -- ************************************************************** RadioLinkAdditionFailureFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkAdditionFailureFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkAdditionFailureFDD-Extensions}} OPTIONAL, ... } RadioLinkAdditionFailureFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-CauseLevel-RL-AdditionFailureFDD CRITICALITY ignore TYPE CauseLevel-RL-AdditionFailureFDD PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkAdditionFailureFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-HS-DSCH-Serving-Cell-Change-Info-Response CRITICALITY ignore EXTENSION HS-DSCH-Serving-Cell-Change-Info-Response PRESENCE optional }| { ID id-E-DCH-Serving-Cell-Change-Info-Response CRITICALITY ignore EXTENSION E-DCH-Serving-Cell-Change-Info-Response PRESENCE optional }| { ID id-Additional-HS-Cell-Change-Information-Response CRITICALITY ignore EXTENSION Additional-HS-Cell-Change-Information-Response-List PRESENCE optional }| { ID id-MAChs-ResetIndicator CRITICALITY ignore EXTENSION MAChs-ResetIndicator PRESENCE optional }| { ID id-Additional-EDCH-Cell-Information-Response-RL-Add CRITICALITY ignore EXTENSION Additional-EDCH-Cell-Information-Response-RL-Add-List PRESENCE optional }, ... } CauseLevel-RL-AdditionFailureFDD ::= CHOICE { generalCause GeneralCauseList-RL-AdditionFailureFDD, rLSpecificCause RLSpecificCauseList-RL-AdditionFailureFDD, ... } GeneralCauseList-RL-AdditionFailureFDD ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { { GeneralCauseItem-RL-AdditionFailureFDD-ExtIEs} } OPTIONAL, ... } GeneralCauseItem-RL-AdditionFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RLSpecificCauseList-RL-AdditionFailureFDD ::= SEQUENCE { unsuccessful-RL-InformationRespList-RL-AdditionFailureFDD Unsuccessful-RL-InformationRespList-RL-AdditionFailureFDD, successful-RL-InformationRespList-RL-AdditionFailureFDD Successful-RL-InformationRespList-RL-AdditionFailureFDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RLSpecificCauseItem-RL-AdditionFailureFDD-ExtIEs} } OPTIONAL, ... } RLSpecificCauseItem-RL-AdditionFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Unsuccessful-RL-InformationRespList-RL-AdditionFailureFDD ::= SEQUENCE (SIZE (1..maxNrOfRLs-1)) OF ProtocolIE-Single-Container {{ Unsuccessful-RL-InformationRespItemIE-RL-AdditionFailureFDD }} Unsuccessful-RL-InformationRespItemIE-RL-AdditionFailureFDD NBAP-PROTOCOL-IES ::= { { ID id-Unsuccessful-RL-InformationRespItem-RL-AdditionFailureFDD CRITICALITY ignore TYPE Unsuccessful-RL-InformationRespItem-RL-AdditionFailureFDD PRESENCE mandatory } } Unsuccessful-RL-InformationRespItem-RL-AdditionFailureFDD ::= SEQUENCE { rL-ID RL-ID, cause Cause, iE-Extensions ProtocolExtensionContainer { { Unsuccessful-RL-InformationRespItem-RL-AdditionFailureFDD-ExtIEs} } OPTIONAL, ... } Unsuccessful-RL-InformationRespItem-RL-AdditionFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Successful-RL-InformationRespList-RL-AdditionFailureFDD ::= SEQUENCE (SIZE (1..maxNrOfRLs-2)) OF ProtocolIE-Single-Container {{ Successful-RL-InformationRespItemIE-RL-AdditionFailureFDD }} Successful-RL-InformationRespItemIE-RL-AdditionFailureFDD NBAP-PROTOCOL-IES ::= { { ID id-Successful-RL-InformationRespItem-RL-AdditionFailureFDD CRITICALITY ignore TYPE Successful-RL-InformationRespItem-RL-AdditionFailureFDD PRESENCE mandatory } } Successful-RL-InformationRespItem-RL-AdditionFailureFDD ::= SEQUENCE { rL-ID RL-ID, rL-Set-ID RL-Set-ID, received-total-wide-band-power Received-total-wide-band-power-Value, diversityIndication DiversityIndication-RL-AdditionFailureFDD, sSDT-SupportIndicator SSDT-SupportIndicator, iE-Extensions ProtocolExtensionContainer { { Successful-RL-InformationRespItem-RL-AdditionFailureFDD-ExtIEs} } OPTIONAL, ... } Successful-RL-InformationRespItem-RL-AdditionFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-PowerBalancing-ActivationIndicator CRITICALITY ignore EXTENSION DL-PowerBalancing-ActivationIndicator PRESENCE optional }| { ID id-E-DCH-RL-Set-ID CRITICALITY ignore EXTENSION RL-Set-ID PRESENCE optional }| { ID id-E-DCH-FDD-DL-Control-Channel-Information CRITICALITY ignore EXTENSION E-DCH-FDD-DL-Control-Channel-Information PRESENCE optional }| { ID id-Initial-DL-DPCH-TimingAdjustment CRITICALITY ignore EXTENSION DL-DPCH-TimingAdjustment PRESENCE optional }| { ID id-HSDSCH-PreconfigurationInfo CRITICALITY ignore EXTENSION HSDSCH-PreconfigurationInfo PRESENCE optional }, ... } DiversityIndication-RL-AdditionFailureFDD ::= CHOICE { combining Combining-RL-AdditionFailureFDD, non-Combining Non-Combining-RL-AdditionFailureFDD } Combining-RL-AdditionFailureFDD ::= SEQUENCE { rL-ID RL-ID, iE-Extensions ProtocolExtensionContainer { { CombiningItem-RL-AdditionFailureFDD-ExtIEs} } OPTIONAL, ... } CombiningItem-RL-AdditionFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-FDD-Information-Response CRITICALITY ignore EXTENSION E-DCH-FDD-Information-Response PRESENCE optional }, ... } Non-Combining-RL-AdditionFailureFDD ::= SEQUENCE { dCH-InformationResponse DCH-InformationResponse, iE-Extensions ProtocolExtensionContainer { { Non-CombiningItem-RL-AdditionFailureFDD-ExtIEs} } OPTIONAL, ... } Non-CombiningItem-RL-AdditionFailureFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-FDD-Information-Response CRITICALITY ignore EXTENSION E-DCH-FDD-Information-Response PRESENCE optional }, ... } -- ************************************************************** -- -- RADIO LINK ADDITION FAILURE TDD -- -- ************************************************************** RadioLinkAdditionFailureTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkAdditionFailureTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkAdditionFailureTDD-Extensions}} OPTIONAL, ... } RadioLinkAdditionFailureTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-CauseLevel-RL-AdditionFailureTDD CRITICALITY ignore TYPE CauseLevel-RL-AdditionFailureTDD PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkAdditionFailureTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CauseLevel-RL-AdditionFailureTDD ::= CHOICE { generalCause GeneralCauseList-RL-AdditionFailureTDD, rLSpecificCause RLSpecificCauseList-RL-AdditionFailureTDD, ... } GeneralCauseList-RL-AdditionFailureTDD ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { { GeneralCauseItem-RL-AdditionFailureTDD-ExtIEs} } OPTIONAL, ... } GeneralCauseItem-RL-AdditionFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RLSpecificCauseList-RL-AdditionFailureTDD ::= SEQUENCE { unsuccessful-RL-InformationRespItem-RL-AdditionFailureTDD Unsuccessful-RL-InformationRespItem-RL-AdditionFailureTDD, iE-Extensions ProtocolExtensionContainer { { RLSpecificCauseItem-RL-AdditionFailureTDD-ExtIEs} } OPTIONAL, ... } RLSpecificCauseItem-RL-AdditionFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Unsuccessful-RL-InformationRespItem-RL-AdditionFailureTDD ::= ProtocolIE-Single-Container { {Unsuccessful-RL-InformationRespItemIE-RL-AdditionFailureTDD} } Unsuccessful-RL-InformationRespItemIE-RL-AdditionFailureTDD NBAP-PROTOCOL-IES ::= { { ID id-Unsuccessful-RL-InformationResp-RL-AdditionFailureTDD CRITICALITY ignore TYPE Unsuccessful-RL-InformationResp-RL-AdditionFailureTDD PRESENCE mandatory } } Unsuccessful-RL-InformationResp-RL-AdditionFailureTDD ::= SEQUENCE { rL-ID RL-ID, cause Cause, iE-Extensions ProtocolExtensionContainer { { Unsuccessful-RL-InformationResp-RL-AdditionFailureTDD-ExtIEs} } OPTIONAL, ... } Unsuccessful-RL-InformationResp-RL-AdditionFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK RECONFIGURATION PREPARE FDD -- -- ************************************************************** RadioLinkReconfigurationPrepareFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkReconfigurationPrepareFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkReconfigurationPrepareFDD-Extensions}} OPTIONAL, ... } RadioLinkReconfigurationPrepareFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY reject TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-UL-DPCH-Information-RL-ReconfPrepFDD CRITICALITY reject TYPE UL-DPCH-Information-RL-ReconfPrepFDD PRESENCE optional }| { ID id-DL-DPCH-Information-RL-ReconfPrepFDD CRITICALITY reject TYPE DL-DPCH-Information-RL-ReconfPrepFDD PRESENCE optional }| { ID id-FDD-DCHs-to-Modify CRITICALITY reject TYPE FDD-DCHs-to-Modify PRESENCE optional }| { ID id-DCHs-to-Add-FDD CRITICALITY reject TYPE DCH-FDD-Information PRESENCE optional }| { ID id-DCH-DeleteList-RL-ReconfPrepFDD CRITICALITY reject TYPE DCH-DeleteList-RL-ReconfPrepFDD PRESENCE optional }| { ID id-RL-InformationList-RL-ReconfPrepFDD CRITICALITY reject TYPE RL-InformationList-RL-ReconfPrepFDD PRESENCE optional }| { ID id-Transmission-Gap-Pattern-Sequence-Information CRITICALITY reject TYPE Transmission-Gap-Pattern-Sequence-Information PRESENCE optional }, ... } RadioLinkReconfigurationPrepareFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-SignallingBearerRequestIndicator CRITICALITY reject EXTENSION SignallingBearerRequestIndicator PRESENCE optional }| { ID id-HSDSCH-FDD-Information CRITICALITY reject EXTENSION HSDSCH-FDD-Information PRESENCE optional }| { ID id-HSDSCH-Information-to-Modify CRITICALITY reject EXTENSION HSDSCH-Information-to-Modify PRESENCE optional }| { ID id-HSDSCH-MACdFlows-to-Add CRITICALITY reject EXTENSION HSDSCH-MACdFlows-Information PRESENCE optional }| { ID id-HSDSCH-MACdFlows-to-Delete CRITICALITY reject EXTENSION HSDSCH-MACdFlows-to-Delete PRESENCE optional }| { ID id-HSDSCH-RNTI CRITICALITY reject EXTENSION HSDSCH-RNTI PRESENCE conditional }| -- The IE shall be present if HS-PDSCH RL ID IE is present. { ID id-HSPDSCH-RL-ID CRITICALITY reject EXTENSION RL-ID PRESENCE optional }| { ID id-E-DPCH-Information-RL-ReconfPrepFDD CRITICALITY reject EXTENSION E-DPCH-Information-RL-ReconfPrepFDD PRESENCE optional }| { ID id-E-DCH-FDD-Information CRITICALITY reject EXTENSION E-DCH-FDD-Information PRESENCE optional }| { ID id-E-DCH-FDD-Information-to-Modify CRITICALITY reject EXTENSION E-DCH-FDD-Information-to-Modify PRESENCE optional }| { ID id-E-DCH-MACdFlows-to-Add CRITICALITY reject EXTENSION E-DCH-MACdFlows-Information PRESENCE optional }| { ID id-E-DCH-MACdFlows-to-Delete CRITICALITY reject EXTENSION E-DCH-MACdFlows-to-Delete PRESENCE optional }| { ID id-Serving-E-DCH-RL-ID CRITICALITY reject EXTENSION Serving-E-DCH-RL-ID PRESENCE optional }| { ID id-F-DPCH-Information-RL-ReconfPrepFDD CRITICALITY reject EXTENSION F-DPCH-Information-RL-ReconfPrepFDD PRESENCE optional }| { ID id-Fast-Reconfiguration-Mode CRITICALITY ignore EXTENSION Fast-Reconfiguration-Mode PRESENCE optional }| { ID id-CPC-Information CRITICALITY reject EXTENSION CPC-Information PRESENCE optional }| { ID id-Additional-HS-Cell-Information-RL-Reconf-Prep CRITICALITY reject EXTENSION Additional-HS-Cell-Information-RL-Reconf-Prep PRESENCE optional }| { ID id-UE-AggregateMaximumBitRate CRITICALITY ignore EXTENSION UE-AggregateMaximumBitRate PRESENCE optional }| { ID id-Additional-EDCH-Cell-Information-RL-Reconf-Prep CRITICALITY reject EXTENSION Additional-EDCH-Cell-Information-RL-Reconf-Prep PRESENCE optional }, ... } Additional-HS-Cell-Information-RL-Reconf-Prep ::= SEQUENCE (SIZE (1..maxNrOfHSDSCH-1)) OF Additional-HS-Cell-Information-RL-Reconf-Prep-ItemIEs Additional-HS-Cell-Information-RL-Reconf-Prep-ItemIEs ::=SEQUENCE{ hSPDSCH-RL-ID RL-ID, c-ID C-ID OPTIONAL, hS-DSCH-FDD-Secondary-Serving-Information HS-DSCH-FDD-Secondary-Serving-Information OPTIONAL, hS-DSCH-Secondary-Serving-Information-To-Modify HS-DSCH-Secondary-Serving-Information-To-Modify OPTIONAL, hS-HS-DSCH-Secondary-Serving-Remove HS-DSCH-Secondary-Serving-Remove OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-HS-Cell-Information-RL-Reconf-Prep-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-HS-Cell-Information-RL-Reconf-Prep-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-Cell-Information-RL-Reconf-Prep ::=SEQUENCE{ setup-Or-ConfigurationChange-Or-Removal-Of-EDCH-On-secondary-UL-Frequency Setup-Or-ConfigurationChange-Or-Removal-Of-EDCH-On-secondary-UL-Frequency, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-Cell-Information-RL-Reconf-Prep-ExtIEs} } OPTIONAL, ... } Additional-EDCH-Cell-Information-RL-Reconf-Prep-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCH-Information-RL-ReconfPrepFDD ::= SEQUENCE { ul-ScramblingCode UL-ScramblingCode OPTIONAL, ul-SIR-Target UL-SIR OPTIONAL, minUL-ChannelisationCodeLength MinUL-ChannelisationCodeLength OPTIONAL, maxNrOfUL-DPDCHs MaxNrOfUL-DPDCHs OPTIONAL, -- This IE shall be present if minUL-ChannelisationCodeLength Ie is set to 4 ul-PunctureLimit PunctureLimit OPTIONAL, tFCS TFCS OPTIONAL, ul-DPCCH-SlotFormat UL-DPCCH-SlotFormat OPTIONAL, diversityMode DiversityMode OPTIONAL, not-Used-sSDT-CellIDLength NULL OPTIONAL, not-Used-s-FieldLength NULL OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-Information-RL-ReconfPrepFDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-Information-RL-ReconfPrepFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-DPDCH-Indicator-For-E-DCH-Operation CRITICALITY reject EXTENSION UL-DPDCH-Indicator-For-E-DCH-Operation PRESENCE optional }, ... } DL-DPCH-Information-RL-ReconfPrepFDD ::= SEQUENCE { tFCS TFCS OPTIONAL, dl-DPCH-SlotFormat DL-DPCH-SlotFormat OPTIONAL, tFCI-SignallingMode TFCI-SignallingMode OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, -- This IE shall be present if the DL DPCH Slot Format IE is set to any of the values from 12 to 16 multiplexingPosition MultiplexingPosition OPTIONAL, not-Used-pDSCH-CodeMapping NULL OPTIONAL, not-Used-pDSCH-RL-ID NULL OPTIONAL, limitedPowerIncrease LimitedPowerIncrease OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-Information-RL-ReconfPrepFDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-Information-RL-ReconfPrepFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-DPCH-Power-Information-RL-ReconfPrepFDD CRITICALITY reject EXTENSION DL-DPCH-Power-Information-RL-ReconfPrepFDD PRESENCE optional }, ... } DL-DPCH-Power-Information-RL-ReconfPrepFDD ::= SEQUENCE { powerOffsetInformation PowerOffsetInformation-RL-ReconfPrepFDD, fdd-TPC-DownlinkStepSize FDD-TPC-DownlinkStepSize, innerLoopDLPCStatus InnerLoopDLPCStatus, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-Power-Information-RL-ReconfPrepFDD-ExtIEs } } OPTIONAL, ... } DL-DPCH-Power-Information-RL-ReconfPrepFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PowerOffsetInformation-RL-ReconfPrepFDD ::= SEQUENCE { pO1-ForTFCI-Bits PowerOffset, pO2-ForTPC-Bits PowerOffset, pO3-ForPilotBits PowerOffset, iE-Extensions ProtocolExtensionContainer { { PowerOffsetInformation-RL-ReconfPrepFDD-ExtIEs} } OPTIONAL, ... } PowerOffsetInformation-RL-ReconfPrepFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DCH-DeleteList-RL-ReconfPrepFDD ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-DeleteItem-RL-ReconfPrepFDD DCH-DeleteItem-RL-ReconfPrepFDD ::= SEQUENCE { dCH-ID DCH-ID, iE-Extensions ProtocolExtensionContainer { { DCH-DeleteItem-RL-ReconfPrepFDD-ExtIEs} } OPTIONAL, ... } DCH-DeleteItem-RL-ReconfPrepFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationList-RL-ReconfPrepFDD ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{ RL-InformationItemIE-RL-ReconfPrepFDD }} RL-InformationItemIE-RL-ReconfPrepFDD NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationItem-RL-ReconfPrepFDD CRITICALITY reject TYPE RL-InformationItem-RL-ReconfPrepFDD PRESENCE mandatory} } RL-InformationItem-RL-ReconfPrepFDD ::= SEQUENCE { rL-ID RL-ID, dl-CodeInformation FDD-DL-CodeInformation OPTIONAL, maxDL-Power DL-Power OPTIONAL, minDL-Power DL-Power OPTIONAL, not-Used-sSDT-Indication NULL OPTIONAL, not-Used-sSDT-Cell-Identity NULL OPTIONAL, transmitDiversityIndicator TransmitDiversityIndicator OPTIONAL, -- This IE shall be present if Diversity Mode IE is present in UL DPCH Information IE and it is not set to "none" iE-Extensions ProtocolExtensionContainer { { RL-InformationItem-RL-ReconfPrepFDD-ExtIEs} } OPTIONAL, ... } RL-InformationItem-RL-ReconfPrepFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DLReferencePower CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-RL-Specific-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-DCH-Info PRESENCE optional }| { ID id-DL-DPCH-TimingAdjustment CRITICALITY reject EXTENSION DL-DPCH-TimingAdjustment PRESENCE optional }| { ID id-Primary-CPICH-Usage-for-Channel-Estimation CRITICALITY ignore EXTENSION Primary-CPICH-Usage-for-Channel-Estimation PRESENCE optional}| { ID id-Secondary-CPICH-Information-Change CRITICALITY ignore EXTENSION Secondary-CPICH-Information-Change PRESENCE optional }| { ID id-E-DCH-RL-Indication CRITICALITY reject EXTENSION E-DCH-RL-Indication PRESENCE optional }| { ID id-RL-Specific-E-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-E-DCH-Info PRESENCE optional }| { ID id-F-DPCH-SlotFormat CRITICALITY reject EXTENSION F-DPCH-SlotFormat PRESENCE optional }, ... } E-DPCH-Information-RL-ReconfPrepFDD ::= SEQUENCE { maxSet-E-DPDCHs Max-Set-E-DPDCHs OPTIONAL, ul-PunctureLimit PunctureLimit OPTIONAL, e-TFCS-Information E-TFCS-Information OPTIONAL, e-TTI E-TTI OPTIONAL, e-DPCCH-PO E-DPCCH-PO OPTIONAL, e-RGCH-2-IndexStepThreshold E-RGCH-2-IndexStepThreshold OPTIONAL, e-RGCH-3-IndexStepThreshold E-RGCH-3-IndexStepThreshold OPTIONAL, hARQ-Info-for-E-DCH HARQ-Info-for-E-DCH OPTIONAL, hSDSCH-Configured-Indicator HSDSCH-Configured-Indicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DPCH-Information-RL-ReconfPrepFDD-ExtIEs} } OPTIONAL, ... } E-DPCH-Information-RL-ReconfPrepFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MinimumReducedE-DPDCH-GainFactor CRITICALITY ignore EXTENSION MinimumReducedE-DPDCH-GainFactor PRESENCE optional }, ... } F-DPCH-Information-RL-ReconfPrepFDD ::= SEQUENCE { powerOffsetInformation PowerOffsetInformation-F-DPCH-RL-ReconfPrepFDD, fdd-TPC-DownlinkStepSize FDD-TPC-DownlinkStepSize, limitedPowerIncrease LimitedPowerIncrease, innerLoopDLPCStatus InnerLoopDLPCStatus, iE-Extensions ProtocolExtensionContainer { { F-DPCH-Information-RL-ReconfPrepFDD-ExtIEs} } OPTIONAL, ... } F-DPCH-Information-RL-ReconfPrepFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PowerOffsetInformation-F-DPCH-RL-ReconfPrepFDD ::= SEQUENCE { pO2-ForTPC-Bits PowerOffset, -- This IE shall be ignored by Node B iE-Extensions ProtocolExtensionContainer { { PowerOffsetInformation-F-DPCH-RL-ReconfPrepFDD-ExtIEs} } OPTIONAL, ... } PowerOffsetInformation-F-DPCH-RL-ReconfPrepFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK RECONFIGURATION PREPARE TDD -- -- ************************************************************** RadioLinkReconfigurationPrepareTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkReconfigurationPrepareTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkReconfigurationPrepareTDD-Extensions}} OPTIONAL, ... } RadioLinkReconfigurationPrepareTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY reject TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-UL-CCTrCH-InformationAddList-RL-ReconfPrepTDD CRITICALITY reject TYPE UL-CCTrCH-InformationAddList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-UL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD CRITICALITY reject TYPE UL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-UL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD CRITICALITY reject TYPE UL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-DL-CCTrCH-InformationAddList-RL-ReconfPrepTDD CRITICALITY reject TYPE DL-CCTrCH-InformationAddList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-DL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD CRITICALITY reject TYPE DL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-DL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD CRITICALITY reject TYPE DL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-TDD-DCHs-to-Modify CRITICALITY reject TYPE TDD-DCHs-to-Modify PRESENCE optional }| { ID id-DCHs-to-Add-TDD CRITICALITY reject TYPE DCH-TDD-Information PRESENCE optional }| { ID id-DCH-DeleteList-RL-ReconfPrepTDD CRITICALITY reject TYPE DCH-DeleteList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-DSCH-Information-ModifyList-RL-ReconfPrepTDD CRITICALITY reject TYPE DSCH-Information-ModifyList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-DSCHs-to-Add-TDD CRITICALITY reject TYPE DSCH-TDD-Information PRESENCE optional }| { ID id-DSCH-Information-DeleteList-RL-ReconfPrepTDD CRITICALITY reject TYPE DSCH-Information-DeleteList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-USCH-Information-ModifyList-RL-ReconfPrepTDD CRITICALITY reject TYPE USCH-Information-ModifyList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-USCH-Information-Add CRITICALITY reject TYPE USCH-Information PRESENCE optional }| { ID id-USCH-Information-DeleteList-RL-ReconfPrepTDD CRITICALITY reject TYPE USCH-Information-DeleteList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-RL-Information-RL-ReconfPrepTDD CRITICALITY reject TYPE RL-Information-RL-ReconfPrepTDD PRESENCE optional }, -- This RL Information is the for the 1st RL IE repetition ... } RadioLinkReconfigurationPrepareTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-SignallingBearerRequestIndicator CRITICALITY reject EXTENSION SignallingBearerRequestIndicator PRESENCE optional }| { ID id-HSDSCH-TDD-Information CRITICALITY reject EXTENSION HSDSCH-TDD-Information PRESENCE optional }| { ID id-HSDSCH-Information-to-Modify CRITICALITY reject EXTENSION HSDSCH-Information-to-Modify PRESENCE optional }| { ID id-HSDSCH-MACdFlows-to-Add CRITICALITY reject EXTENSION HSDSCH-MACdFlows-Information PRESENCE optional }| { ID id-HSDSCH-MACdFlows-to-Delete CRITICALITY reject EXTENSION HSDSCH-MACdFlows-to-Delete PRESENCE optional }| { ID id-HSDSCH-RNTI CRITICALITY reject EXTENSION HSDSCH-RNTI PRESENCE conditional }| -- The IE shall be present if HS-PDSCH RL ID IE is present. { ID id-HSPDSCH-RL-ID CRITICALITY reject EXTENSION RL-ID PRESENCE optional }| { ID id-PDSCH-RL-ID CRITICALITY ignore EXTENSION RL-ID PRESENCE optional }| { ID id-multiple-RL-Information-RL-ReconfPrepTDD CRITICALITY reject EXTENSION MultipleRL-Information-RL-ReconfPrepTDD PRESENCE optional }| -- This RL Information is the for the 2nd and beyond repetition of RL information, { ID id-E-DCH-Information-Reconfig CRITICALITY reject EXTENSION E-DCH-Information-Reconfig PRESENCE optional }| { ID id-E-DCH-Serving-RL-ID CRITICALITY reject EXTENSION RL-ID PRESENCE optional }| { ID id-E-DCH-768-Information-Reconfig CRITICALITY reject EXTENSION E-DCH-768-Information-Reconfig PRESENCE optional }| { ID id-E-DCH-LCR-Information-Reconfig CRITICALITY reject EXTENSION E-DCH-LCR-Information-Reconfig PRESENCE optional }| { ID id-PowerControlGAP CRITICALITY ignore EXTENSION ControlGAP PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-CPC-InformationLCR CRITICALITY reject EXTENSION CPC-InformationLCR PRESENCE optional }| { ID id-IdleIntervalInformation CRITICALITY ignore EXTENSION IdleIntervalInformation PRESENCE optional }| { ID id-UE-Selected-MBMS-Service-Information CRITICALITY ignore EXTENSION UE-Selected-MBMS-Service-Information PRESENCE optional }| { ID id-HSSCCH-TPC-StepSize CRITICALITY ignore EXTENSION TDD-TPC-DownlinkStepSize PRESENCE optional }| { ID id-DCH-MeasurementOccasion-Information CRITICALITY reject EXTENSION DCH-MeasurementOccasion-Information PRESENCE optional}, ... } UL-CCTrCH-InformationAddList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF UL-CCTrCH-InformationAddItem-RL-ReconfPrepTDD UL-CCTrCH-InformationAddItem-RL-ReconfPrepTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, tFCS TFCS, tFCI-Coding TFCI-Coding, punctureLimit PunctureLimit, ul-DPCH-InformationList UL-DPCH-InformationAddList-RL-ReconfPrepTDD OPTIONAL, -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-UL-DPCH-InformationAddList-RL-ReconfPrepTDD iE-Extensions ProtocolExtensionContainer { { UL-CCTrCH-InformationAddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-CCTrCH-InformationAddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-DPCH-LCR-InformationAddListIE-RL-ReconfPrepTDD CRITICALITY reject EXTENSION UL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-UL-DPCH-InformationAddList-RL-ReconfPrepTDD { ID id-UL-SIRTarget CRITICALITY reject EXTENSION UL-SIR PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD. -- This Information is the for the first RL repetition, SIR Target information for RL repetitions 2 and on, should be defined in MultipleRL-UL-DPCH-InformationAddList-RL-ReconfPrepTDD { ID id-TDD-TPC-UplinkStepSize-InformationAdd-LCR-RL-ReconfPrepTDD CRITICALITY reject EXTENSION TDD-TPC-UplinkStepSize-LCR PRESENCE optional }| -- This Information is the for the first RL repetition, TPCinformation for RL repetitions 2 and on, should be defined in MultipleRL-UL-DPCH-InformationAddList-RL-ReconfPrepTDD -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD. { ID id-RL-ID CRITICALITY ignore EXTENSION RL-ID PRESENCE optional }| -- This is the RL ID for the first RL repetition { ID id-multipleRL-ul-DPCH-InformationList CRITICALITY reject EXTENSION MultipleRL-UL-DPCH-InformationAddList-RL-ReconfPrepTDD PRESENCE optional }| -- This Information is the for the 2nd and beyond RL repetition, { ID id-UL-DPCH-768-InformationAddItemIE-RL-ReconfPrepTDD CRITICALITY reject EXTENSION UL-DPCH-768-InformationAddList-RL-ReconfPrepTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only, first radio link ... } UL-DPCH-InformationAddList-RL-ReconfPrepTDD ::= ProtocolIE-Single-Container {{ UL-DPCH-InformationAddListIEs-RL-ReconfPrepTDD }} UL-DPCH-InformationAddListIEs-RL-ReconfPrepTDD NBAP-PROTOCOL-IES ::= { { ID id-UL-DPCH-InformationAddListIE-RL-ReconfPrepTDD CRITICALITY reject TYPE UL-DPCH-InformationAddItem-RL-ReconfPrepTDD PRESENCE mandatory } } UL-DPCH-InformationAddItem-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-Timeslot-Information UL-Timeslot-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-InformationAddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-InformationAddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-Timeslot-InformationLCR UL-TimeslotLCR-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-LCR-InformationAddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-LCR-InformationAddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MultipleRL-UL-DPCH-InformationAddList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfRLs-1)) OF MultipleRL-UL-DPCH-InformationAddListIE-RL-ReconfPrepTDD --Includes the 2nd through the max number of radio link repetitions. MultipleRL-UL-DPCH-InformationAddListIE-RL-ReconfPrepTDD ::= SEQUENCE { ul-DPCH-InformationList UL-DPCH-InformationAddList-RL-ReconfPrepTDD OPTIONAL, ul-DPCH-InformationListLCR UL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD OPTIONAL, ul-sir-target UL-SIR OPTIONAL, -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD. tDD-TPC-UplinkStepSize-LCR TDD-TPC-UplinkStepSize-LCR OPTIONAL, -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD. rL-ID RL-ID OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MultipleRL-UL-DPCH-InformationAddListIE-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } MultipleRL-UL-DPCH-InformationAddListIE-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-DPCH-768-InformationAddListIE-RL-ReconfPrepTDD CRITICALITY reject EXTENSION UL-DPCH-768-InformationAddList-RL-ReconfPrepTDD PRESENCE optional }, ... } UL-DPCH-768-InformationAddList-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-Timeslot-Information768 UL-Timeslot768-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-768-InformationAddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-768-InformationAddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF UL-CCTrCH-InformationModifyItem-RL-ReconfPrepTDD UL-CCTrCH-InformationModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, tFCS TFCS OPTIONAL, tFCI-Coding TFCI-Coding OPTIONAL, punctureLimit PunctureLimit OPTIONAL, ul-DPCH-InformationAddList UL-DPCH-InformationModify-AddList-RL-ReconfPrepTDD OPTIONAL, -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-UL-DPCH-InformationModifyList-RL-ReconfPrepTDD ul-DPCH-InformationModifyList UL-DPCH-InformationModify-ModifyList-RL-ReconfPrepTDD OPTIONAL, -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-UL-DPCH-InformationModifyList-RL-ReconfPrepTDD ul-DPCH-InformationDeleteList UL-DPCH-InformationModify-DeleteList-RL-ReconfPrepTDD OPTIONAL, -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-UL-DPCH-InformationModifyList-RL-ReconfPrepTDD iE-Extensions ProtocolExtensionContainer { { UL-CCTrCH-InformationModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-CCTrCH-InformationModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-DPCH-LCR-InformationModify-AddList CRITICALITY reject EXTENSION UL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-UL-DPCH-InformationModifyList-RL-ReconfPrepTDD { ID id-UL-SIRTarget CRITICALITY reject EXTENSION UL-SIR PRESENCE optional }| -- Applicable to 1.28Mcps TDD only. -- This Information is the for the first RL repetition, SIR Target information for RL repetitions 2 and on, should be defined in MultipleRL-UL-DPCH-InformationModifyList-RL-ReconfPrepTDD { ID id-TDD-TPC-UplinkStepSize-InformationModify-LCR-RL-ReconfPrepTDD CRITICALITY reject EXTENSION TDD-TPC-UplinkStepSize-LCR PRESENCE optional }| -- Applicable to 1.28Mcps TDD only -- This Information is the for the first RL repetition, Step Size information for RL repetitions 2 and on, should be defined in MultipleRL-UL-DPCH-InformationModifyList-RL-ReconfPrepTDD { ID id-RL-ID CRITICALITY ignore EXTENSION RL-ID PRESENCE optional }| -- This is the RL ID for the first RL repetition { ID id-multipleRL-ul-DPCH-InformationModifyList CRITICALITY reject EXTENSION MultipleRL-UL-DPCH-InformationModifyList-RL-ReconfPrepTDD PRESENCE optional }| -- This DPCH Information is the for the 2nd and beyond RL repetition, { ID id-UL-DPCH-768-InformationModify-AddItem CRITICALITY reject EXTENSION UL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-UL-DPCH-InformationModifyList-RL-ReconfPrepTDD ... } UL-DPCH-InformationModify-AddList-RL-ReconfPrepTDD ::= ProtocolIE-Single-Container {{ UL-DPCH-InformationModify-AddListIEs-RL-ReconfPrepTDD }} UL-DPCH-InformationModify-AddListIEs-RL-ReconfPrepTDD NBAP-PROTOCOL-IES ::= { { ID id-UL-DPCH-InformationModify-AddListIE-RL-ReconfPrepTDD CRITICALITY reject TYPE UL-DPCH-InformationModify-AddItem-RL-ReconfPrepTDD PRESENCE mandatory } } UL-DPCH-InformationModify-AddItem-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-Timeslot-Information UL-Timeslot-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCH-InformationModify-ModifyList-RL-ReconfPrepTDD ::= ProtocolIE-Single-Container {{ UL-DPCH-InformationModify-ModifyListIEs-RL-ReconfPrepTDD }} UL-DPCH-InformationModify-ModifyListIEs-RL-ReconfPrepTDD NBAP-PROTOCOL-IES ::= { { ID id-UL-DPCH-InformationModify-ModifyListIE-RL-ReconfPrepTDD CRITICALITY reject TYPE UL-DPCH-InformationModify-ModifyItem-RL-ReconfPrepTDD PRESENCE mandatory } } UL-DPCH-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod OPTIONAL, repetitionLength RepetitionLength OPTIONAL, tdd-DPCHOffset TDD-DPCHOffset OPTIONAL, uL-Timeslot-InformationModify-ModifyList-RL-ReconfPrepTDD UL-Timeslot-InformationModify-ModifyList-RL-ReconfPrepTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-TimeslotLCR-Information-RL-ReconfPrepTDD CRITICALITY reject EXTENSION UL-TimeslotLCR-InformationModify-ModifyList-RL-ReconfPrepTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-UL-Timeslot768-Information-RL-ReconfPrepTDD CRITICALITY reject EXTENSION UL-Timeslot768-InformationModify-ModifyList-RL-ReconfPrepTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only ... } UL-Timeslot-InformationModify-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfULTSs)) OF UL-Timeslot-InformationModify-ModifyItem-RL-ReconfPrepTDD -- Applicable to 3.84Mcps TDD only UL-Timeslot-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, uL-Code-InformationModify-ModifyList-RL-ReconfPrepTDD UL-Code-InformationModify-ModifyList-RL-ReconfPrepTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-Timeslot-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-Timeslot-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Code-InformationModify-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfDPCHs)) OF UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { dPCH-ID DPCH-ID, tdd-ChannelisationCode TDD-ChannelisationCode OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-TimeslotLCR-InformationModify-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfULTSLCRs)) OF UL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD -- Applicable to 1.28Mcps TDD only UL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, uL-Code-InformationModify-ModifyList-RL-ReconfPrepTDDLCR UL-Code-InformationModify-ModifyList-RL-ReconfPrepTDDLCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-PLCCH-Information-RL-ReconfPrepTDDLCR CRITICALITY reject EXTENSION PLCCHinformation PRESENCE optional }, ... } UL-Code-InformationModify-ModifyList-RL-ReconfPrepTDDLCR ::= SEQUENCE (SIZE (1..maxNrOfDPCHLCRs)) OF UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDDLCR UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDDLCR ::= SEQUENCE { dPCH-ID DPCH-ID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDDLCR-ExtIEs} } OPTIONAL, ... } UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDDLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-DPCH-TimeSlotFormat-LCR-ModifyItem-RL-ReconfPrepTDD CRITICALITY reject EXTENSION TDD-UL-DPCH-TimeSlotFormat-LCR PRESENCE optional}, ... } UL-Timeslot768-InformationModify-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfULTSs)) OF UL-Timeslot-768-InformationModify-ModifyItem-RL-ReconfPrepTDD -- Applicable to 7.68Mcps TDD only UL-Timeslot-768-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768 OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, uL-Code-InformationModify-ModifyList-RL-ReconfPrepTDD768 UL-Code-InformationModify-ModifyList-RL-ReconfPrepTDD768 OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-Timeslot-768-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-Timeslot-768-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Code-InformationModify-ModifyList-RL-ReconfPrepTDD768 ::= SEQUENCE (SIZE (1..maxNrOfDPCHs)) OF UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD768 UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD768 ::= SEQUENCE { dPCH-ID DPCH-ID, tdd-ChannelisationCode768 TDD-ChannelisationCode768 OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD768-ExtIEs} } OPTIONAL, ... } UL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD768-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCH-InformationModify-DeleteList-RL-ReconfPrepTDD ::= ProtocolIE-Single-Container {{ UL-DPCH-InformationModify-DeleteListIEs-RL-ReconfPrepTDD }} UL-DPCH-InformationModify-DeleteListIEs-RL-ReconfPrepTDD NBAP-PROTOCOL-IES ::= { { ID id-UL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD CRITICALITY reject TYPE UL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD PRESENCE mandatory } } UL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfDPCHs)) OF UL-DPCH-InformationModify-DeleteItem-RL-ReconfPrepTDD UL-DPCH-InformationModify-DeleteItem-RL-ReconfPrepTDD ::= SEQUENCE { dPCH-ID DPCH-ID, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-InformationModify-DeleteItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-InformationModify-DeleteItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-Timeslot-InformationLCR UL-TimeslotLCR-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-LCR-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-LCR-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MultipleRL-UL-DPCH-InformationModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfRLs-1)) OF MultipleRL-UL-DPCH-InformationModifyListIE-RL-ReconfPrepTDD --Includes the 2nd through the max number of radio link information repetitions. MultipleRL-UL-DPCH-InformationModifyListIE-RL-ReconfPrepTDD ::= SEQUENCE { ul-DPCH-InformationAddList UL-DPCH-InformationModify-AddList-RL-ReconfPrepTDD OPTIONAL, ul-DPCH-InformationModifyList UL-DPCH-InformationModify-ModifyList-RL-ReconfPrepTDD OPTIONAL, ul-DPCH-InformationDeleteList UL-DPCH-InformationModify-DeleteList-RL-ReconfPrepTDD OPTIONAL, ul-DPCH-InformationAddListLCR UL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD OPTIONAL, ul-sir-target UL-SIR OPTIONAL, tDD-TPC-UplinkStepSize-LCR TDD-TPC-UplinkStepSize-LCR OPTIONAL, rL-ID RL-ID OPTIONAL, -- This DPCH Information is the for the 2nd and beyond RL repetitions, iE-Extensions ProtocolExtensionContainer { { MultipleRL-UL-DPCH-InformationModifyListIE-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } MultipleRL-UL-DPCH-InformationModifyListIE-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-DPCH-768-InformationModify-AddList CRITICALITY reject EXTENSION UL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only ... } UL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, uL-Timeslot-Information768 UL-Timeslot768-Information, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-768-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-768-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF UL-CCTrCH-InformationDeleteItem-RL-ReconfPrepTDD UL-CCTrCH-InformationDeleteItem-RL-ReconfPrepTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, iE-Extensions ProtocolExtensionContainer { { UL-CCTrCH-InformationDeleteItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } UL-CCTrCH-InformationDeleteItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-CCTrCH-InformationAddList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF DL-CCTrCH-InformationAddItem-RL-ReconfPrepTDD DL-CCTrCH-InformationAddItem-RL-ReconfPrepTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, tFCS TFCS, tFCI-Coding TFCI-Coding, punctureLimit PunctureLimit, cCTrCH-TPCList CCTrCH-TPCAddList-RL-ReconfPrepTDD OPTIONAL, dl-DPCH-InformationList DL-DPCH-InformationAddList-RL-ReconfPrepTDD OPTIONAL, -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationAddList-RL-ReconfPrepTDD iE-Extensions ProtocolExtensionContainer { { DL-CCTrCH-InformationAddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-CCTrCH-InformationAddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD CRITICALITY reject EXTENSION DL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationAddList-RL-ReconfPrepTDD { ID id-CCTrCH-Initial-DL-Power-RL-ReconfPrepTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| -- This DL Power information is the for the first RL repetition, DL power information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationAddList-RL-ReconfPrepTDD { ID id-TDD-TPC-DownlinkStepSize-InformationAdd-RL-ReconfPrepTDD CRITICALITY reject EXTENSION TDD-TPC-DownlinkStepSize PRESENCE optional}| -- This DL step size is the for the first RL repetition, DL step size information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationAddList-RL-ReconfPrepTDD { ID id-CCTrCH-Maximum-DL-Power-InformationAdd-RL-ReconfPrepTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| -- This DL Power information is the for the first RL repetition, DL power information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationAddList-RL-ReconfPrepTDD { ID id-CCTrCH-Minimum-DL-Power-InformationAdd-RL-ReconfPrepTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| -- This DL Power information is the for the first RL repetition, DL power information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationAddList-RL-ReconfPrepTDD { ID id-RL-ID CRITICALITY ignore EXTENSION RL-ID PRESENCE optional }| -- This is the RL ID for the first RL repetition { ID id-multipleRL-dl-DPCH-InformationList CRITICALITY reject EXTENSION MultipleRL-DL-DPCH-InformationAddList-RL-ReconfPrepTDD PRESENCE optional }| -- This DPCH Information is the for the 2nd and beyond RL repetition, { ID id-DL-DPCH-768-InformationAddItem-RL-ReconfPrepTDD CRITICALITY reject EXTENSION DL-DPCH-768-InformationAddList-RL-ReconfPrepTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only ... } CCTrCH-TPCAddList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF CCTrCH-TPCAddItem-RL-ReconfPrepTDD -- Applicable to 3.84Mcps TDD and 7.68Mcps TDD only CCTrCH-TPCAddItem-RL-ReconfPrepTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, iE-Extensions ProtocolExtensionContainer { { CCTrCH-TPCAddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } CCTrCH-TPCAddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-DPCH-InformationAddList-RL-ReconfPrepTDD ::= ProtocolIE-Single-Container {{ DL-DPCH-InformationAddListIEs-RL-ReconfPrepTDD }} DL-DPCH-InformationAddListIEs-RL-ReconfPrepTDD NBAP-PROTOCOL-IES ::= { { ID id-DL-DPCH-InformationAddListIE-RL-ReconfPrepTDD CRITICALITY reject TYPE DL-DPCH-InformationAddItem-RL-ReconfPrepTDD PRESENCE mandatory } } DL-DPCH-InformationAddItem-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-Timeslot-Information DL-Timeslot-Information, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-InformationAddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-InformationAddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-Timeslot-InformationLCR DL-TimeslotLCR-Information, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-LCR-InformationAddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-LCR-InformationAddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MultipleRL-DL-DPCH-InformationAddList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfRLs-1)) OF MultipleRL-DL-DPCH-InformationAddListIE-RL-ReconfPrepTDD --Includes the 2nd through the max number of radio link information repetitions. MultipleRL-DL-DPCH-InformationAddListIE-RL-ReconfPrepTDD ::= SEQUENCE { dl-DPCH-InformationList DL-DPCH-InformationAddList-RL-ReconfPrepTDD OPTIONAL, dl-DPCH-InformationListLCR DL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD OPTIONAL, cCTrCH-Initial-DL-Power DL-Power OPTIONAL, tDD-TPC-DownlinkStepSize TDD-TPC-DownlinkStepSize OPTIONAL, cCTrCH-Maximum-DL-Power-InformationAdd-RL-ReconfPrepTDD DL-Power OPTIONAL, cCTrCH-Minimum-DL-Power-InformationAdd-RL-ReconfPrepTDD DL-Power OPTIONAL, rL-ID RL-ID OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MultipleRL-DL-DPCH-InformationAddListIE-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } MultipleRL-DL-DPCH-InformationAddListIE-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-DPCH-768-InformationAddList-RL-ReconfPrepTDD CRITICALITY reject EXTENSION DL-DPCH-768-InformationAddList-RL-ReconfPrepTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only ... } DL-DPCH-768-InformationAddList-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-Timeslot-Information768 DL-Timeslot768-Information, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-768-InformationAddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-768-InformationAddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF DL-CCTrCH-InformationModifyItem-RL-ReconfPrepTDD DL-CCTrCH-InformationModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, tFCS TFCS OPTIONAL, tFCI-Coding TFCI-Coding OPTIONAL, punctureLimit PunctureLimit OPTIONAL, cCTrCH-TPCList CCTrCH-TPCModifyList-RL-ReconfPrepTDD OPTIONAL, dl-DPCH-InformationAddList DL-DPCH-InformationModify-AddList-RL-ReconfPrepTDD OPTIONAL, -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationModifyList-RL-ReconfPrepTDD dl-DPCH-InformationModifyList DL-DPCH-InformationModify-ModifyList-RL-ReconfPrepTDD OPTIONAL, -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationModifyList-RL-ReconfPrepTDD dl-DPCH-InformationDeleteList DL-DPCH-InformationModify-DeleteList-RL-ReconfPrepTDD OPTIONAL, -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationModifyList-RL-ReconfPrepTDD iE-Extensions ProtocolExtensionContainer { { DL-CCTrCH-InformationModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-CCTrCH-InformationModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD CRITICALITY reject EXTENSION DL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only -- This DPCH Information is the for the first RL repetition, DPCH information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationModifyList-RL-ReconfPrepTDD { ID id-TDD-TPC-DownlinkStepSize-InformationModify-RL-ReconfPrepTDD CRITICALITY reject EXTENSION TDD-TPC-DownlinkStepSize PRESENCE optional}| -- This Step Size Information is the for the first RL repetition, step size information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationModifyList-RL-ReconfPrepTDD { ID id-CCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfPrepTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| -- This power Information is the for the first RL repetition, power information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationModifyList-RL-ReconfPrepTDD { ID id-CCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfPrepTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| -- This power Information is the for the first RL repetition, power information for RL repetitions 2 and on, should be defined in MultipleRL-DL-DPCH-InformationModifyList-RL-ReconfPrepTDD { ID id-RL-ID CRITICALITY ignore EXTENSION RL-ID PRESENCE optional }| -- This is the RL ID for the first RL repetition { ID id-multipleRL-dl-DPCH-InformationModifyList CRITICALITY reject EXTENSION MultipleRL-DL-DPCH-InformationModifyList-RL-ReconfPrepTDD PRESENCE optional }| -- This DPCH Information is the for the 2nd and beyond RL repetitions, { ID id-DL-DPCH-768-InformationModify-AddItem-RL-ReconfPrepTDD CRITICALITY reject EXTENSION DL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only first radio link ... } CCTrCH-TPCModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF CCTrCH-TPCModifyItem-RL-ReconfPrepTDD CCTrCH-TPCModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, iE-Extensions ProtocolExtensionContainer { { CCTrCH-TPCModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } CCTrCH-TPCModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-DPCH-InformationModify-AddList-RL-ReconfPrepTDD ::= ProtocolIE-Single-Container {{ DL-DPCH-InformationModify-AddListIEs-RL-ReconfPrepTDD }} -- Applicable to 3.84Mcps TDD only DL-DPCH-InformationModify-AddListIEs-RL-ReconfPrepTDD NBAP-PROTOCOL-IES ::= { { ID id-DL-DPCH-InformationModify-AddListIE-RL-ReconfPrepTDD CRITICALITY reject TYPE DL-DPCH-InformationModify-AddItem-RL-ReconfPrepTDD PRESENCE mandatory } } DL-DPCH-InformationModify-AddItem-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-Timeslot-Information DL-Timeslot-Information, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-DPCH-InformationModify-ModifyList-RL-ReconfPrepTDD ::= ProtocolIE-Single-Container {{ DL-DPCH-InformationModify-ModifyListIEs-RL-ReconfPrepTDD }} DL-DPCH-InformationModify-ModifyListIEs-RL-ReconfPrepTDD NBAP-PROTOCOL-IES ::= { { ID id-DL-DPCH-InformationModify-ModifyListIE-RL-ReconfPrepTDD CRITICALITY reject TYPE DL-DPCH-InformationModify-ModifyItem-RL-ReconfPrepTDD PRESENCE mandatory } } DL-DPCH-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod OPTIONAL, repetitionLength RepetitionLength OPTIONAL, tdd-DPCHOffset TDD-DPCHOffset OPTIONAL, dL-Timeslot-InformationAddModify-ModifyList-RL-ReconfPrepTDD DL-Timeslot-InformationModify-ModifyList-RL-ReconfPrepTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD CRITICALITY reject EXTENSION DL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD PRESENCE optional }| { ID id-DL-Timeslot-768-InformationModify-ModifyList-RL-ReconfPrepTDD CRITICALITY reject EXTENSION DL-Timeslot-768-InformationModify-ModifyList-RL-ReconfPrepTDD PRESENCE optional }, ... } DL-Timeslot-InformationModify-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfDLTSs)) OF DL-Timeslot-InformationModify-ModifyItem-RL-ReconfPrepTDD DL-Timeslot-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, dL-Code-InformationModify-ModifyList-RL-ReconfPrepTDD DL-Code-InformationModify-ModifyList-RL-ReconfPrepTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-Timeslot-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Code-InformationModify-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (0..maxNrOfDPCHs)) OF DL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD DL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { dPCH-ID DPCH-ID, tdd-ChannelisationCode TDD-ChannelisationCode OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-Code-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfDLTSLCRs)) OF DL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD DL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, dL-Code-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD DL-Code-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Maximum-DL-Power-Modify-LCR-InformationModify-RL-ReconfPrepTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-Minimum-DL-Power-Modify-LCR-InformationModify-RL-ReconfPrepTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }, -- Applicable to 1.28Mcps TDD only ... } DL-Code-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfDPCHLCRs)) OF DL-Code-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD DL-Code-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { dPCH-ID DPCH-ID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-Code-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-Code-LCR-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-DPCH-TimeSlotFormat-LCR-ModifyItem-RL-ReconfPrepTDD CRITICALITY reject EXTENSION TDD-DL-DPCH-TimeSlotFormat-LCR PRESENCE optional}, ... } DL-Timeslot-768-InformationModify-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfDLTSs)) OF DL-Timeslot-768-InformationModify-ModifyItem-RL-ReconfPrepTDD DL-Timeslot-768-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, dL-Code-768-InformationModify-ModifyList-RL-ReconfPrepTDD DL-Code-768-InformationModify-ModifyList-RL-ReconfPrepTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot-768-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-Timeslot-768-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Code-768-InformationModify-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfDPCHs768)) OF DL-Code-768-InformationModify-ModifyItem-RL-ReconfPrepTDD DL-Code-768-InformationModify-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { dPCH-ID768 DPCH-ID768, tdd-ChannelisationCode768 TDD-ChannelisationCode768 OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-Code-768-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-Code-768-InformationModify-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-DPCH-InformationModify-DeleteList-RL-ReconfPrepTDD ::= ProtocolIE-Single-Container {{ DL-DPCH-InformationModify-DeleteListIEs-RL-ReconfPrepTDD }} DL-DPCH-InformationModify-DeleteListIEs-RL-ReconfPrepTDD NBAP-PROTOCOL-IES ::= { { ID id-DL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD CRITICALITY reject TYPE DL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD PRESENCE mandatory } } DL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfDPCHs)) OF DL-DPCH-InformationModify-DeleteItem-RL-ReconfPrepTDD DL-DPCH-InformationModify-DeleteItem-RL-ReconfPrepTDD ::= SEQUENCE { dPCH-ID DPCH-ID, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-InformationModify-DeleteItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-InformationModify-DeleteItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-Timeslot-InformationLCR DL-TimeslotLCR-Information, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-LCR-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-LCR-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MultipleRL-DL-DPCH-InformationModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfRLs-1)) OF MultipleRL-DL-DPCH-InformationModifyListIE-RL-ReconfPrepTDD --Includes the 2nd through the max number of radio link information repetitions. MultipleRL-DL-DPCH-InformationModifyListIE-RL-ReconfPrepTDD ::= SEQUENCE { dl-DPCH-InformationAddList DL-DPCH-InformationModify-AddList-RL-ReconfPrepTDD OPTIONAL, dl-DPCH-InformationModifyList DL-DPCH-InformationModify-ModifyList-RL-ReconfPrepTDD OPTIONAL, dl-DPCH-InformationDeleteList DL-DPCH-InformationModify-DeleteList-RL-ReconfPrepTDD OPTIONAL, dl-DPCH-InformationAddListLCR DL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD OPTIONAL, tDD-TPC-DownlinkStepSize-InformationModify-RL-ReconfPrepTDD TDD-TPC-DownlinkStepSize OPTIONAL, cCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfPrepTDD DL-Power OPTIONAL, cCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfPrepTDD DL-Power OPTIONAL, rL-ID RL-ID OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MultipleRL-DL-DPCH-InformationModifyListIE-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } MultipleRL-DL-DPCH-InformationModifyListIE-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD CRITICALITY reject EXTENSION DL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD PRESENCE optional }, -- Applicable to 7.68Mcps TDD only ... } DL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-DPCHOffset TDD-DPCHOffset, dL-Timeslot-Information768 DL-Timeslot768-Information, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-768-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-768-InformationModify-AddItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF DL-CCTrCH-InformationDeleteItem-RL-ReconfPrepTDD DL-CCTrCH-InformationDeleteItem-RL-ReconfPrepTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, iE-Extensions ProtocolExtensionContainer { { DL-CCTrCH-InformationDeleteItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DL-CCTrCH-InformationDeleteItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DCH-DeleteList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-DeleteItem-RL-ReconfPrepTDD DCH-DeleteItem-RL-ReconfPrepTDD ::= SEQUENCE { dCH-ID DCH-ID, iE-Extensions ProtocolExtensionContainer { { DCH-DeleteItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DCH-DeleteItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DSCH-Information-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfDSCHs)) OF DSCH-Information-ModifyItem-RL-ReconfPrepTDD DSCH-Information-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { dSCH-ID DSCH-ID, cCTrCH-ID CCTrCH-ID OPTIONAL, -- DL CCTrCH in which the DSCH is mapped transportFormatSet TransportFormatSet OPTIONAL, allocationRetentionPriority AllocationRetentionPriority OPTIONAL, frameHandlingPriority FrameHandlingPriority OPTIONAL, toAWS ToAWS OPTIONAL, toAWE ToAWE OPTIONAL, transportBearerRequestIndicator TransportBearerRequestIndicator, iE-Extensions ProtocolExtensionContainer { { DSCH-Information-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DSCH-Information-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-bindingID CRITICALITY ignore EXTENSION BindingID PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-transportlayeraddress CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } DSCH-Information-DeleteList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfDSCHs)) OF DSCH-Information-DeleteItem-RL-ReconfPrepTDD DSCH-Information-DeleteItem-RL-ReconfPrepTDD ::= SEQUENCE { dSCH-ID DSCH-ID, iE-Extensions ProtocolExtensionContainer { { DSCH-Information-DeleteItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } DSCH-Information-DeleteItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } USCH-Information-ModifyList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfUSCHs)) OF USCH-Information-ModifyItem-RL-ReconfPrepTDD USCH-Information-ModifyItem-RL-ReconfPrepTDD ::= SEQUENCE { uSCH-ID USCH-ID, transportFormatSet TransportFormatSet OPTIONAL, allocationRetentionPriority AllocationRetentionPriority OPTIONAL, cCTrCH-ID CCTrCH-ID OPTIONAL, -- UL CCTrCH in which the USCH is mapped transportBearerRequestIndicator TransportBearerRequestIndicator, iE-Extensions ProtocolExtensionContainer { { USCH-Information-ModifyItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } USCH-Information-ModifyItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-bindingID CRITICALITY ignore EXTENSION BindingID PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-transportlayeraddress CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional }| -- Shall be ignored if bearer establishment with ALCAP. { ID id-TnlQos CRITICALITY ignore EXTENSION TnlQos PRESENCE optional }, ... } USCH-Information-DeleteList-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfUSCHs)) OF USCH-Information-DeleteItem-RL-ReconfPrepTDD USCH-Information-DeleteItem-RL-ReconfPrepTDD ::= SEQUENCE { uSCH-ID USCH-ID, iE-Extensions ProtocolExtensionContainer { { USCH-Information-DeleteItem-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } USCH-Information-DeleteItem-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } MultipleRL-Information-RL-ReconfPrepTDD ::= SEQUENCE (SIZE (1..maxNrOfRLs-1)) OF RL-Information-RL-ReconfPrepTDD --Includes the 2nd through the max number of radio link information repetitions. RL-Information-RL-ReconfPrepTDD ::= SEQUENCE { rL-ID RL-ID, maxDL-Power DL-Power OPTIONAL, minDL-Power DL-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-Information-RL-ReconfPrepTDD-ExtIEs} } OPTIONAL, ... } RL-Information-RL-ReconfPrepTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-InitDL-Power CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-RL-Specific-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-DCH-Info PRESENCE optional }| { ID id-UL-Synchronisation-Parameters-LCR CRITICALITY ignore EXTENSION UL-Synchronisation-Parameters-LCR PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD { ID id-TimeslotISCP-LCR-InfoList-RL-ReconfPrepTDD CRITICALITY ignore EXTENSION DL-TimeslotISCPInfoLCR PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-UARFCNforNt CRITICALITY reject EXTENSION UARFCN PRESENCE optional }, -- Applicable to 1.28Mcps TDD when using multiple frequencies ... } -- ************************************************************** -- -- RADIO LINK RECONFIGURATION READY -- -- ************************************************************** RadioLinkReconfigurationReady ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkReconfigurationReady-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkReconfigurationReady-Extensions}} OPTIONAL, ... } RadioLinkReconfigurationReady-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-RL-InformationResponseList-RL-ReconfReady CRITICALITY ignore TYPE RL-InformationResponseList-RL-ReconfReady PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkReconfigurationReady-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-TargetCommunicationControlPortID CRITICALITY ignore EXTENSION CommunicationControlPortID PRESENCE optional }| { ID id-HSDSCH-FDD-Information-Response CRITICALITY ignore EXTENSION HSDSCH-FDD-Information-Response PRESENCE optional }| -- FDD only { ID id-HSDSCH-TDD-Information-Response CRITICALITY ignore EXTENSION HSDSCH-TDD-Information-Response PRESENCE optional }| -- TDD only { ID id-E-DCH-Information-Response CRITICALITY ignore EXTENSION E-DCH-Information-Response PRESENCE optional }| { ID id-MAChs-ResetIndicator CRITICALITY ignore EXTENSION MAChs-ResetIndicator PRESENCE optional }| { ID id-Fast-Reconfiguration-Permission CRITICALITY ignore EXTENSION Fast-Reconfiguration-Permission PRESENCE optional }| { ID id-ContinuousPacketConnectivityHS-SCCH-less-Information-Response CRITICALITY ignore EXTENSION ContinuousPacketConnectivityHS-SCCH-less-Information-Response PRESENCE optional }| { ID id-Additional-HS-Cell-Information-Response CRITICALITY ignore EXTENSION Additional-HS-Cell-Information-Response-List PRESENCE optional }| { ID id-ContinuousPacketConnectivity-DRX-Information-ResponseLCR CRITICALITY ignore EXTENSION ContinuousPacketConnectivity-DRX-Information-ResponseLCR PRESENCE optional }| { ID id-HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR CRITICALITY ignore EXTENSION HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR PRESENCE optional }| { ID id-E-DCH-Semi-PersistentScheduling-Information-ResponseLCR CRITICALITY ignore EXTENSION E-DCH-Semi-PersistentScheduling-Information-ResponseLCR PRESENCE optional}| { ID id-Additional-EDCH-Cell-Information-ResponseRLReconf CRITICALITY ignore EXTENSION Additional-EDCH-Cell-Information-Response-RLReconf-List PRESENCE optional }, ... } RL-InformationResponseList-RL-ReconfReady ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{ RL-InformationResponseItemIE-RL-ReconfReady}} RL-InformationResponseItemIE-RL-ReconfReady NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationResponseItem-RL-ReconfReady CRITICALITY ignore TYPE RL-InformationResponseItem-RL-ReconfReady PRESENCE mandatory } } RL-InformationResponseItem-RL-ReconfReady ::= SEQUENCE { rL-ID RL-ID, dCH-InformationResponseList-RL-ReconfReady DCH-InformationResponseList-RL-ReconfReady OPTIONAL, dSCH-InformationResponseList-RL-ReconfReady DSCH-InformationResponseList-RL-ReconfReady OPTIONAL, -- TDD only uSCH-InformationResponseList-RL-ReconfReady USCH-InformationResponseList-RL-ReconfReady OPTIONAL, -- TDD only not-Used-tFCI2-BearerInformationResponse NULL OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-InformationResponseItem-RL-ReconfReady-ExtIEs} } OPTIONAL, ... } RL-InformationResponseItem-RL-ReconfReady-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-PowerBalancing-UpdatedIndicator CRITICALITY ignore EXTENSION DL-PowerBalancing-UpdatedIndicator PRESENCE optional }| { ID id-E-DCH-RL-Set-ID CRITICALITY ignore EXTENSION RL-Set-ID PRESENCE optional }| { ID id-E-DCH-FDD-DL-Control-Channel-Information CRITICALITY ignore EXTENSION E-DCH-FDD-DL-Control-Channel-Information PRESENCE optional }| { ID id-E-DCH-FDD-Information-Response CRITICALITY ignore EXTENSION E-DCH-FDD-Information-Response PRESENCE optional }, ... } DCH-InformationResponseList-RL-ReconfReady ::= ProtocolIE-Single-Container {{ DCH-InformationResponseListIEs-RL-ReconfReady }} DCH-InformationResponseListIEs-RL-ReconfReady NBAP-PROTOCOL-IES ::= { { ID id-DCH-InformationResponse CRITICALITY ignore TYPE DCH-InformationResponse PRESENCE mandatory } } DSCH-InformationResponseList-RL-ReconfReady ::= ProtocolIE-Single-Container {{ DSCH-InformationResponseListIEs-RL-ReconfReady }} DSCH-InformationResponseListIEs-RL-ReconfReady NBAP-PROTOCOL-IES ::= { { ID id-DSCH-InformationResponse CRITICALITY ignore TYPE DSCH-InformationResponse PRESENCE mandatory } } USCH-InformationResponseList-RL-ReconfReady ::= ProtocolIE-Single-Container {{ USCH-InformationResponseListIEs-RL-ReconfReady }} USCH-InformationResponseListIEs-RL-ReconfReady NBAP-PROTOCOL-IES ::= { { ID id-USCH-InformationResponse CRITICALITY ignore TYPE USCH-InformationResponse PRESENCE mandatory } } -- ************************************************************** -- -- RADIO LINK RECONFIGURATION FAILURE -- -- ************************************************************** RadioLinkReconfigurationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkReconfigurationFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkReconfigurationFailure-Extensions}} OPTIONAL, ... } RadioLinkReconfigurationFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-CauseLevel-RL-ReconfFailure CRITICALITY ignore TYPE CauseLevel-RL-ReconfFailure PRESENCE mandatory } | { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkReconfigurationFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CauseLevel-RL-ReconfFailure ::= CHOICE { generalCause GeneralCauseList-RL-ReconfFailure, rLSpecificCause RLSpecificCauseList-RL-ReconfFailure, ... } GeneralCauseList-RL-ReconfFailure ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { { GeneralCauseItem-RL-ReconfFailure-ExtIEs} } OPTIONAL, ... } GeneralCauseItem-RL-ReconfFailure-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RLSpecificCauseList-RL-ReconfFailure ::= SEQUENCE { rL-ReconfigurationFailureList-RL-ReconfFailure RL-ReconfigurationFailureList-RL-ReconfFailure OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RLSpecificCauseItem-RL-ReconfFailure-ExtIEs} } OPTIONAL, ... } RLSpecificCauseItem-RL-ReconfFailure-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-ReconfigurationFailureList-RL-ReconfFailure ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{ RL-ReconfigurationFailureItemIE-RL-ReconfFailure}} RL-ReconfigurationFailureItemIE-RL-ReconfFailure NBAP-PROTOCOL-IES ::= { { ID id-RL-ReconfigurationFailureItem-RL-ReconfFailure CRITICALITY ignore TYPE RL-ReconfigurationFailureItem-RL-ReconfFailure PRESENCE mandatory} } RL-ReconfigurationFailureItem-RL-ReconfFailure ::= SEQUENCE { rL-ID RL-ID, cause Cause, iE-Extensions ProtocolExtensionContainer { { RL-ReconfigurationFailureItem-RL-ReconfFailure-ExtIEs} } OPTIONAL, ... } RL-ReconfigurationFailureItem-RL-ReconfFailure-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK RECONFIGURATION COMMIT -- -- ************************************************************** RadioLinkReconfigurationCommit ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkReconfigurationCommit-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkReconfigurationCommit-Extensions}} OPTIONAL, ... } RadioLinkReconfigurationCommit-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE mandatory } | { ID id-CFN CRITICALITY ignore TYPE CFN PRESENCE mandatory }| { ID id-Active-Pattern-Sequence-Information CRITICALITY ignore TYPE Active-Pattern-Sequence-Information PRESENCE optional }, -- FDD only ... } RadioLinkReconfigurationCommit-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-Fast-Reconfiguration-Mode CRITICALITY reject EXTENSION Fast-Reconfiguration-Mode PRESENCE optional },--FDD only ... } -- ************************************************************** -- -- RADIO LINK RECONFIGURATION CANCEL -- -- ************************************************************** RadioLinkReconfigurationCancel ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkReconfigurationCancel-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkReconfigurationCancel-Extensions}} OPTIONAL, ... } RadioLinkReconfigurationCancel-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE mandatory }, ... } RadioLinkReconfigurationCancel-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK RECONFIGURATION REQUEST FDD -- -- ************************************************************** RadioLinkReconfigurationRequestFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkReconfigurationRequestFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkReconfigurationRequestFDD-Extensions}} OPTIONAL, ... } RadioLinkReconfigurationRequestFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY reject TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-UL-DPCH-Information-RL-ReconfRqstFDD CRITICALITY reject TYPE UL-DPCH-Information-RL-ReconfRqstFDD PRESENCE optional }| { ID id-DL-DPCH-Information-RL-ReconfRqstFDD CRITICALITY reject TYPE DL-DPCH-Information-RL-ReconfRqstFDD PRESENCE optional }| { ID id-FDD-DCHs-to-Modify CRITICALITY reject TYPE FDD-DCHs-to-Modify PRESENCE optional }| { ID id-DCHs-to-Add-FDD CRITICALITY reject TYPE DCH-FDD-Information PRESENCE optional }| { ID id-DCH-DeleteList-RL-ReconfRqstFDD CRITICALITY reject TYPE DCH-DeleteList-RL-ReconfRqstFDD PRESENCE optional }| { ID id-RL-InformationList-RL-ReconfRqstFDD CRITICALITY reject TYPE RL-InformationList-RL-ReconfRqstFDD PRESENCE optional }| { ID id-Transmission-Gap-Pattern-Sequence-Information CRITICALITY reject TYPE Transmission-Gap-Pattern-Sequence-Information PRESENCE optional }, ... } RadioLinkReconfigurationRequestFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-SignallingBearerRequestIndicator CRITICALITY reject EXTENSION SignallingBearerRequestIndicator PRESENCE optional }| { ID id-HSDSCH-FDD-Information CRITICALITY reject EXTENSION HSDSCH-FDD-Information PRESENCE optional }| { ID id-HSDSCH-Information-to-Modify-Unsynchronised CRITICALITY reject EXTENSION HSDSCH-Information-to-Modify-Unsynchronised PRESENCE optional }| { ID id-HSDSCH-MACdFlows-to-Add CRITICALITY reject EXTENSION HSDSCH-MACdFlows-Information PRESENCE optional }| { ID id-HSDSCH-MACdFlows-to-Delete CRITICALITY reject EXTENSION HSDSCH-MACdFlows-to-Delete PRESENCE optional }| { ID id-HSDSCH-RNTI CRITICALITY reject EXTENSION HSDSCH-RNTI PRESENCE conditional }| -- The IE shall be present if HS-PDSCH RL ID IE is present. { ID id-HSPDSCH-RL-ID CRITICALITY reject EXTENSION RL-ID PRESENCE optional }| { ID id-E-DPCH-Information-RL-ReconfRqstFDD CRITICALITY reject EXTENSION E-DPCH-Information-RL-ReconfRqstFDD PRESENCE optional }| { ID id-E-DCH-FDD-Information CRITICALITY reject EXTENSION E-DCH-FDD-Information PRESENCE optional }| { ID id-E-DCH-FDD-Information-to-Modify CRITICALITY reject EXTENSION E-DCH-FDD-Information-to-Modify PRESENCE optional }| { ID id-E-DCH-MACdFlows-to-Add CRITICALITY reject EXTENSION E-DCH-MACdFlows-Information PRESENCE optional }| { ID id-E-DCH-MACdFlows-to-Delete CRITICALITY reject EXTENSION E-DCH-MACdFlows-to-Delete PRESENCE optional }| { ID id-Serving-E-DCH-RL-ID CRITICALITY reject EXTENSION Serving-E-DCH-RL-ID PRESENCE optional }| { ID id-CPC-Information CRITICALITY reject EXTENSION CPC-Information PRESENCE optional }| { ID id-NoOfTargetCellHS-SCCH-Order CRITICALITY ignore EXTENSION NoOfTargetCellHS-SCCH-Order PRESENCE optional}| { ID id-Additional-HS-Cell-Information-RL-Reconf-Req CRITICALITY reject EXTENSION Additional-HS-Cell-Information-RL-Reconf-Req PRESENCE optional }| { ID id-UE-AggregateMaximumBitRate CRITICALITY ignore EXTENSION UE-AggregateMaximumBitRate PRESENCE optional }| { ID id-Additional-EDCH-Cell-Information-RL-Reconf-Req CRITICALITY reject EXTENSION Additional-EDCH-Cell-Information-RL-Reconf-Req PRESENCE optional }, ... } Additional-HS-Cell-Information-RL-Reconf-Req ::= SEQUENCE (SIZE (1..maxNrOfHSDSCH-1)) OF Additional-HS-Cell-Information-RL-Reconf-Req-ItemIEs Additional-HS-Cell-Information-RL-Reconf-Req-ItemIEs ::=SEQUENCE{ hSPDSCH-RL-ID RL-ID, c-ID C-ID OPTIONAL, hS-DSCH-FDD-Secondary-Serving-Information HS-DSCH-FDD-Secondary-Serving-Information OPTIONAL, hS-DSCH-FDD-Secondary-Serving-Information-To-Modify-Unsynchronised HS-DSCH-FDD-Secondary-Serving-Information-To-Modify-Unsynchronised OPTIONAL, hS-DSCH-Secondary-Serving-Remove HS-DSCH-Secondary-Serving-Remove OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Additional-HS-Cell-Information-RL-Reconf-Req-ExtIEs} } OPTIONAL, ... } Additional-HS-Cell-Information-RL-Reconf-Req-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-Cell-Information-RL-Reconf-Req ::=SEQUENCE{ setup-Or-ConfigurationChange-Or-Removal-Of-EDCH-On-secondary-UL-Frequency Setup-Or-ConfigurationChange-Or-Removal-Of-EDCH-On-secondary-UL-Frequency, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-Cell-Information-RL-Reconf-Req-ExtIEs} } OPTIONAL, ... } Additional-EDCH-Cell-Information-RL-Reconf-Req-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-DPCH-Information-RL-ReconfRqstFDD ::= SEQUENCE { ul-TFCS TFCS OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-DPCH-Information-RL-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } UL-DPCH-Information-RL-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-DPDCH-Indicator-For-E-DCH-Operation CRITICALITY reject EXTENSION UL-DPDCH-Indicator-For-E-DCH-Operation PRESENCE optional }, ... } DL-DPCH-Information-RL-ReconfRqstFDD ::= SEQUENCE { dl-TFCS TFCS OPTIONAL, tFCI-SignallingMode TFCI-SignallingMode OPTIONAL, limitedPowerIncrease LimitedPowerIncrease OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-Information-RL-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-Information-RL-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DCH-DeleteList-RL-ReconfRqstFDD ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-DeleteItem-RL-ReconfRqstFDD DCH-DeleteItem-RL-ReconfRqstFDD ::= SEQUENCE { dCH-ID DCH-ID, iE-Extensions ProtocolExtensionContainer { { DCH-DeleteItem-RL-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } DCH-DeleteItem-RL-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationList-RL-ReconfRqstFDD ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{ RL-InformationItemIE-RL-ReconfRqstFDD}} RL-InformationItemIE-RL-ReconfRqstFDD NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationItem-RL-ReconfRqstFDD CRITICALITY reject TYPE RL-InformationItem-RL-ReconfRqstFDD PRESENCE mandatory } } RL-InformationItem-RL-ReconfRqstFDD ::= SEQUENCE { rL-ID RL-ID, maxDL-Power DL-Power OPTIONAL, minDL-Power DL-Power OPTIONAL, dl-CodeInformation FDD-DL-CodeInformation OPTIONAL, -- The IE shall be present if the Transmission Gap Pattern Sequence Information IE is included and the indicated Downlink Compressed Mode method for at least one of the included Transmission Gap Pattern Sequence is set to "SF/2". iE-Extensions ProtocolExtensionContainer { { RL-InformationItem-RL-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } RL-InformationItem-RL-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DLReferencePower CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| { ID id-RL-Specific-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-DCH-Info PRESENCE optional }| { ID id-E-DCH-RL-Indication CRITICALITY reject EXTENSION E-DCH-RL-Indication PRESENCE optional }| { ID id-RL-Specific-E-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-E-DCH-Info PRESENCE optional }| { ID id-F-DPCH-SlotFormat CRITICALITY reject EXTENSION F-DPCH-SlotFormat PRESENCE optional }, ... } E-DPCH-Information-RL-ReconfRqstFDD ::= SEQUENCE { maxSet-E-DPDCHs Max-Set-E-DPDCHs OPTIONAL, ul-PunctureLimit PunctureLimit OPTIONAL, e-TFCS-Information E-TFCS-Information OPTIONAL, e-TTI E-TTI OPTIONAL, e-DPCCH-PO E-DPCCH-PO OPTIONAL, e-RGCH-2-IndexStepThreshold E-RGCH-2-IndexStepThreshold OPTIONAL, e-RGCH-3-IndexStepThreshold E-RGCH-3-IndexStepThreshold OPTIONAL, hARQ-Info-for-E-DCH HARQ-Info-for-E-DCH OPTIONAL, hSDSCH-Configured-Indicator HSDSCH-Configured-Indicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-DPCH-Information-RL-ReconfRqstFDD-ExtIEs} } OPTIONAL, ... } E-DPCH-Information-RL-ReconfRqstFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-MinimumReducedE-DPDCH-GainFactor CRITICALITY ignore EXTENSION MinimumReducedE-DPDCH-GainFactor PRESENCE optional }, ... } -- ************************************************************** -- -- RADIO LINK RECONFIGURATION REQUEST TDD -- -- ************************************************************** RadioLinkReconfigurationRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkReconfigurationRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkReconfigurationRequestTDD-Extensions}} OPTIONAL, ... } RadioLinkReconfigurationRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY reject TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-UL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD CRITICALITY notify TYPE UL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD PRESENCE optional } | { ID id-UL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD CRITICALITY notify TYPE UL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD PRESENCE optional } | { ID id-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD CRITICALITY notify TYPE DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD PRESENCE optional } | { ID id-DL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD CRITICALITY notify TYPE DL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD PRESENCE optional } | { ID id-TDD-DCHs-to-Modify CRITICALITY reject TYPE TDD-DCHs-to-Modify PRESENCE optional }| { ID id-DCHs-to-Add-TDD CRITICALITY reject TYPE DCH-TDD-Information PRESENCE optional }| { ID id-DCH-DeleteList-RL-ReconfRqstTDD CRITICALITY reject TYPE DCH-DeleteList-RL-ReconfRqstTDD PRESENCE optional }| { ID id-RL-Information-RL-ReconfRqstTDD CRITICALITY reject TYPE RL-Information-RL-ReconfRqstTDD PRESENCE optional }, -- This RL-Information-RL-ReconfRqstTDD is the first RL information repetition in the RL-Information List. Repetition 2 and on, should be defined in Multiple-RL-Information-RL-ReconfRqstTDD, ... } RadioLinkReconfigurationRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-SignallingBearerRequestIndicator CRITICALITY reject EXTENSION SignallingBearerRequestIndicator PRESENCE optional }| { ID id-multiple-RL-Information-RL-ReconfRqstTDD CRITICALITY reject EXTENSION Multiple-RL-Information-RL-ReconfRqstTDD PRESENCE optional }| --Includes the 2nd through the max number of radio link information repetitions. { ID id-HSDSCH-TDD-Information CRITICALITY reject EXTENSION HSDSCH-TDD-Information PRESENCE optional }| { ID id-HSDSCH-Information-to-Modify-Unsynchronised CRITICALITY reject EXTENSION HSDSCH-Information-to-Modify-Unsynchronised PRESENCE optional }| { ID id-HSDSCH-MACdFlows-to-Add CRITICALITY reject EXTENSION HSDSCH-MACdFlows-Information PRESENCE optional }| { ID id-HSDSCH-MACdFlows-to-Delete CRITICALITY reject EXTENSION HSDSCH-MACdFlows-to-Delete PRESENCE optional }| { ID id-HSDSCH-RNTI CRITICALITY reject EXTENSION HSDSCH-RNTI PRESENCE conditional }| -- The IE shall be present if HS-PDSCH RL ID IE is present. { ID id-HSPDSCH-RL-ID CRITICALITY reject EXTENSION RL-ID PRESENCE optional }| { ID id-E-DCH-Information-Reconfig CRITICALITY reject EXTENSION E-DCH-Information-Reconfig PRESENCE optional }| { ID id-E-DCH-Serving-RL-ID CRITICALITY reject EXTENSION RL-ID PRESENCE optional }| { ID id-E-DCH-768-Information-Reconfig CRITICALITY reject EXTENSION E-DCH-768-Information-Reconfig PRESENCE optional }| { ID id-E-DCH-LCR-Information-Reconfig CRITICALITY reject EXTENSION E-DCH-LCR-Information-Reconfig PRESENCE optional }| { ID id-PowerControlGAP CRITICALITY ignore EXTENSION ControlGAP PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-CPC-InformationLCR CRITICALITY reject EXTENSION CPC-InformationLCR PRESENCE optional }| { ID id-IdleIntervalInformation CRITICALITY ignore EXTENSION IdleIntervalInformation PRESENCE optional }| { ID id-UE-Selected-MBMS-Service-Information CRITICALITY ignore EXTENSION UE-Selected-MBMS-Service-Information PRESENCE optional }| { ID id-HSSCCH-TPC-StepSize CRITICALITY ignore EXTENSION TDD-TPC-DownlinkStepSize PRESENCE optional }| { ID id-DCH-MeasurementOccasion-Information CRITICALITY reject EXTENSION DCH-MeasurementOccasion-Information PRESENCE optional}, ... } UL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF ProtocolIE-Single-Container {{ UL-CCTrCH-InformationModifyItemIE-RL-ReconfRqstTDD}} UL-CCTrCH-InformationModifyItemIE-RL-ReconfRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-UL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD CRITICALITY notify TYPE UL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD PRESENCE mandatory} } UL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, tFCS TFCS OPTIONAL, punctureLimit PunctureLimit OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } UL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UL-SIRTarget CRITICALITY reject EXTENSION UL-SIR PRESENCE optional }, -- Applicable to 1.28Mcps TDD only ... } UL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF ProtocolIE-Single-Container {{ UL-CCTrCH-InformationDeleteItemIE-RL-ReconfRqstTDD}} UL-CCTrCH-InformationDeleteItemIE-RL-ReconfRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-UL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD CRITICALITY notify TYPE UL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD PRESENCE mandatory } } UL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, iE-Extensions ProtocolExtensionContainer { { UL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } UL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF ProtocolIE-Single-Container {{ DL-CCTrCH-InformationModifyItemIE-RL-ReconfRqstTDD}} DL-CCTrCH-InformationModifyItemIE-RL-ReconfRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-DL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD CRITICALITY notify TYPE DL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD PRESENCE mandatory } } DL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, tFCS TFCS OPTIONAL, punctureLimit PunctureLimit OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } DL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-DPCH-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD CRITICALITY ignore EXTENSION DL-DPCH-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only -- This DPCH LCR Information is the for the first RL repetition, DPCH LCR information for RL repetitions 2 and on, should be defined in MultipleRL-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD. { ID id-CCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfRqstTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| -- This power Information is the for the first RL repetition, power information for RL repetitions 2 and on, should be defined in MultipleRL-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD. { ID id-CCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfRqstTDD CRITICALITY ignore EXTENSION DL-Power PRESENCE optional }| -- This power Information is the for the first RL repetition, power information for RL repetitions 2 and on, should be defined in MultipleRL-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD. { ID id-RL-ID CRITICALITY ignore EXTENSION RL-ID PRESENCE optional }| -- This is the RL ID for the first RL repetition. { ID id-multipleRL-dl-CCTrCH-InformationModifyList-RL-ReconfRqstTDD CRITICALITY reject EXTENSION MultipleRL-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD PRESENCE optional }, -- This CCTrCH Information is the for the 2nd and beyond RL repetitions. ... } MultipleRL-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfRLs-1)) OF MultipleRL-DL-CCTrCH-InformationModifyListIE-RL-ReconfRqstTDD --Includes the 2nd through the max number of radio link information repetitions. MultipleRL-DL-CCTrCH-InformationModifyListIE-RL-ReconfRqstTDD ::= SEQUENCE { dl-DPCH-LCR-InformationModifyList DL-DPCH-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD OPTIONAL, cCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfRqstTDD DL-Power OPTIONAL, cCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfRqstTDD DL-Power OPTIONAL, rL-ID RL-ID OPTIONAL, ... } DL-DPCH-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD ::= SEQUENCE { dL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD DL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-DPCH-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } DL-DPCH-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfDLTSLCRs)) OF DL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfRqstTDD DL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfRqstTDD ::= SEQUENCE { timeSlotLCR TimeSlotLCR, maxPowerLCR DL-Power OPTIONAL, minPowerLCR DL-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } DL-Timeslot-LCR-InformationModify-ModifyItem-RL-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF ProtocolIE-Single-Container {{ DL-CCTrCH-InformationDeleteItemIE-RL-ReconfRqstTDD}} DL-CCTrCH-InformationDeleteItemIE-RL-ReconfRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-DL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD CRITICALITY notify TYPE DL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD PRESENCE mandatory } } DL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, iE-Extensions ProtocolExtensionContainer { { DL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } DL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DCH-DeleteList-RL-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-DeleteItem-RL-ReconfRqstTDD DCH-DeleteItem-RL-ReconfRqstTDD ::= SEQUENCE { dCH-ID DCH-ID, iE-Extensions ProtocolExtensionContainer { { DCH-DeleteItem-RL-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } DCH-DeleteItem-RL-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Multiple-RL-Information-RL-ReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfRLs-1)) OF RL-Information-RL-ReconfRqstTDD --Includes the 2nd through the max number of radio link information repetitions. RL-Information-RL-ReconfRqstTDD ::= SEQUENCE { rL-ID RL-ID, maxDL-Power DL-Power OPTIONAL, minDL-Power DL-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-InformationItem-RL-ReconfRqstTDD-ExtIEs} } OPTIONAL, ... } RL-InformationItem-RL-ReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-RL-Specific-DCH-Info CRITICALITY ignore EXTENSION RL-Specific-DCH-Info PRESENCE optional }| { ID id-UL-Synchronisation-Parameters-LCR CRITICALITY ignore EXTENSION UL-Synchronisation-Parameters-LCR PRESENCE optional }, -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD ... } -- ************************************************************** -- -- RADIO LINK RECONFIGURATION RESPONSE -- -- ************************************************************** RadioLinkReconfigurationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkReconfigurationResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkReconfigurationResponse-Extensions}} OPTIONAL, ... } RadioLinkReconfigurationResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-RL-InformationResponseList-RL-ReconfRsp CRITICALITY ignore TYPE RL-InformationResponseList-RL-ReconfRsp PRESENCE optional } | { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkReconfigurationResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-TargetCommunicationControlPortID CRITICALITY ignore EXTENSION CommunicationControlPortID PRESENCE optional }| { ID id-HSDSCH-FDD-Information-Response CRITICALITY ignore EXTENSION HSDSCH-FDD-Information-Response PRESENCE optional }| -- FDD only { ID id-HSDSCH-TDD-Information-Response CRITICALITY ignore EXTENSION HSDSCH-TDD-Information-Response PRESENCE optional }| -- TDD only { ID id-E-DCH-Information-Response CRITICALITY ignore EXTENSION E-DCH-Information-Response PRESENCE optional }| { ID id-MAChs-ResetIndicator CRITICALITY ignore EXTENSION MAChs-ResetIndicator PRESENCE optional }| { ID id-ContinuousPacketConnectivityHS-SCCH-less-Information-Response CRITICALITY ignore EXTENSION ContinuousPacketConnectivityHS-SCCH-less-Information-Response PRESENCE optional }| { ID id-Additional-HS-Cell-Information-Response CRITICALITY ignore EXTENSION Additional-HS-Cell-Information-Response-List PRESENCE optional }| { ID id-ContinuousPacketConnectivity-DRX-Information-ResponseLCR CRITICALITY ignore EXTENSION ContinuousPacketConnectivity-DRX-Information-ResponseLCR PRESENCE optional }| { ID id-HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR CRITICALITY ignore EXTENSION HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR PRESENCE optional }| { ID id-E-DCH-Semi-PersistentScheduling-Information-ResponseLCR CRITICALITY ignore EXTENSION E-DCH-Semi-PersistentScheduling-Information-ResponseLCR PRESENCE optional}| { ID id-Additional-EDCH-Cell-Information-ResponseRLReconf CRITICALITY ignore EXTENSION Additional-EDCH-Cell-Information-Response-RLReconf-List PRESENCE optional }, ... } RL-InformationResponseList-RL-ReconfRsp ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{RL-InformationResponseItemIE-RL-ReconfRsp}} RL-InformationResponseItemIE-RL-ReconfRsp NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationResponseItem-RL-ReconfRsp CRITICALITY ignore TYPE RL-InformationResponseItem-RL-ReconfRsp PRESENCE mandatory } } RL-InformationResponseItem-RL-ReconfRsp ::= SEQUENCE { rL-ID RL-ID, dCH-InformationResponseList-RL-ReconfRsp DCH-InformationResponseList-RL-ReconfRsp OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-InformationResponseItem-RL-ReconfRsp-ExtIEs} } OPTIONAL, ... } RL-InformationResponseItem-RL-ReconfRsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DL-PowerBalancing-UpdatedIndicator CRITICALITY ignore EXTENSION DL-PowerBalancing-UpdatedIndicator PRESENCE optional }| -- FDD only { ID id-E-DCH-RL-Set-ID CRITICALITY ignore EXTENSION RL-Set-ID PRESENCE optional }| { ID id-E-DCH-FDD-DL-Control-Channel-Information CRITICALITY ignore EXTENSION E-DCH-FDD-DL-Control-Channel-Information PRESENCE optional }| { ID id-E-DCH-FDD-Information-Response CRITICALITY ignore EXTENSION E-DCH-FDD-Information-Response PRESENCE optional }, ... } DCH-InformationResponseList-RL-ReconfRsp::= ProtocolIE-Single-Container {{ DCH-InformationResponseListIEs-RL-ReconfRsp }} DCH-InformationResponseListIEs-RL-ReconfRsp NBAP-PROTOCOL-IES ::= { { ID id-DCH-InformationResponse CRITICALITY ignore TYPE DCH-InformationResponse PRESENCE mandatory } } -- ************************************************************** -- -- RADIO LINK DELETION REQUEST -- -- ************************************************************** RadioLinkDeletionRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkDeletionRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkDeletionRequest-Extensions}} OPTIONAL, ... } RadioLinkDeletionRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY reject TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-CRNC-CommunicationContextID CRITICALITY reject TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-RL-informationList-RL-DeletionRqst CRITICALITY notify TYPE RL-informationList-RL-DeletionRqst PRESENCE mandatory }, ... } RadioLinkDeletionRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } RL-informationList-RL-DeletionRqst ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{RL-informationItemIE-RL-DeletionRqst}} RL-informationItemIE-RL-DeletionRqst NBAP-PROTOCOL-IES ::= { { ID id-RL-informationItem-RL-DeletionRqst CRITICALITY notify TYPE RL-informationItem-RL-DeletionRqst PRESENCE mandatory } } RL-informationItem-RL-DeletionRqst ::= SEQUENCE { rL-ID RL-ID, iE-Extensions ProtocolExtensionContainer { { RL-informationItem-RL-DeletionRqst-ExtIEs} } OPTIONAL, ... } RL-informationItem-RL-DeletionRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK DELETION RESPONSE -- -- ************************************************************** RadioLinkDeletionResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkDeletionResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkDeletionResponse-Extensions}} OPTIONAL, ... } RadioLinkDeletionResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } RadioLinkDeletionResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- DL POWER CONTROL REQUEST FDD -- -- ************************************************************** DL-PowerControlRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{DL-PowerControlRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{DL-PowerControlRequest-Extensions}} OPTIONAL, ... } DL-PowerControlRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-PowerAdjustmentType CRITICALITY ignore TYPE PowerAdjustmentType PRESENCE mandatory }| { ID id-DLReferencePower CRITICALITY ignore TYPE DL-Power PRESENCE conditional }| -- This IE shall be present if the Adjustment Type IE is set to 'Common' { ID id-InnerLoopDLPCStatus CRITICALITY ignore TYPE InnerLoopDLPCStatus PRESENCE optional }| { ID id-DLReferencePowerList-DL-PC-Rqst CRITICALITY ignore TYPE DL-ReferencePowerInformationList-DL-PC-Rqst PRESENCE conditional }| -- This IE shall be present if the Adjustment Type IE is set to 'Individual' { ID id-MaxAdjustmentStep CRITICALITY ignore TYPE MaxAdjustmentStep PRESENCE conditional }| -- This IE shall be present if the Adjustment Type IE is set to 'Common' or 'Individual' { ID id-AdjustmentPeriod CRITICALITY ignore TYPE AdjustmentPeriod PRESENCE conditional }| -- This IE shall be present if the Adjustment Type IE is set to 'Common' or 'Individual' { ID id-AdjustmentRatio CRITICALITY ignore TYPE ScaledAdjustmentRatio PRESENCE conditional }, -- This IE shall be present if the Adjustment Type IE is set to 'Common' or 'Individual' ... } DL-PowerControlRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } DL-ReferencePowerInformationList-DL-PC-Rqst ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{DL-ReferencePowerInformationItemIE-DL-PC-Rqst }} DL-ReferencePowerInformationItemIE-DL-PC-Rqst NBAP-PROTOCOL-IES ::= { { ID id-DL-ReferencePowerInformationItem-DL-PC-Rqst CRITICALITY ignore TYPE DL-ReferencePowerInformationItem-DL-PC-Rqst PRESENCE mandatory } } DL-ReferencePowerInformationItem-DL-PC-Rqst ::= SEQUENCE { rL-ID RL-ID, dl-ReferencePower DL-Power, iE-Extensions ProtocolExtensionContainer { { DL-ReferencePowerInformationItem-DL-PC-Rqst-ExtIEs } } OPTIONAL, ... } DL-ReferencePowerInformationItem-DL-PC-Rqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- DL POWER TIMESLOT CONTROL REQUEST TDD -- -- ************************************************************** DL-PowerTimeslotControlRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{DL-PowerTimeslotControlRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{DL-PowerTimeslotControlRequest-Extensions}} OPTIONAL, ... } DL-PowerTimeslotControlRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE mandatory } | { ID id-TimeslotISCPInfo CRITICALITY ignore TYPE DL-TimeslotISCPInfo PRESENCE optional }, -- Mandatory for 3.84Mcps TDD and 7.68Mcps TDD, Not Applicable to 1.28Mcps TDD ... } DL-PowerTimeslotControlRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-TimeslotISCPInfoList-LCR-DL-PC-RqstTDD CRITICALITY ignore EXTENSION DL-TimeslotISCPInfoLCR PRESENCE optional }| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD { ID id-PrimCCPCH-RSCP-DL-PC-RqstTDD CRITICALITY ignore EXTENSION PrimaryCCPCH-RSCP PRESENCE optional }| { ID id-PrimaryCCPCH-RSCP-Delta CRITICALITY ignore EXTENSION PrimaryCCPCH-RSCP-Delta PRESENCE optional }, ... } -- ************************************************************** -- -- DEDICATED MEASUREMENT INITIATION REQUEST -- -- ************************************************************** DedicatedMeasurementInitiationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{DedicatedMeasurementInitiationRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{DedicatedMeasurementInitiationRequest-Extensions}} OPTIONAL, ... } DedicatedMeasurementInitiationRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY reject TYPE NodeB-CommunicationContextID PRESENCE mandatory } | { ID id-MeasurementID CRITICALITY reject TYPE MeasurementID PRESENCE mandatory } | { ID id-DedicatedMeasurementObjectType-DM-Rqst CRITICALITY reject TYPE DedicatedMeasurementObjectType-DM-Rqst PRESENCE mandatory } | { ID id-DedicatedMeasurementType CRITICALITY reject TYPE DedicatedMeasurementType PRESENCE mandatory } | { ID id-MeasurementFilterCoefficient CRITICALITY reject TYPE MeasurementFilterCoefficient PRESENCE optional } | { ID id-ReportCharacteristics CRITICALITY reject TYPE ReportCharacteristics PRESENCE mandatory } | { ID id-CFNReportingIndicator CRITICALITY reject TYPE FNReportingIndicator PRESENCE mandatory } | { ID id-CFN CRITICALITY reject TYPE CFN PRESENCE optional } , ... } DedicatedMeasurementInitiationRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-NumberOfReportedCellPortions CRITICALITY reject EXTENSION NumberOfReportedCellPortions PRESENCE conditional }| -- The IE shall be present if the Dedicated Measurement Type IE is set to "Best Cell Portions", FDD only. { ID id-MeasurementRecoveryBehavior CRITICALITY ignore EXTENSION MeasurementRecoveryBehavior PRESENCE optional }| { ID id-AlternativeFormatReportingIndicator CRITICALITY ignore EXTENSION AlternativeFormatReportingIndicator PRESENCE optional }| { ID id-NumberOfReportedCellPortionsLCR CRITICALITY reject EXTENSION NumberOfReportedCellPortionsLCR PRESENCE conditional }, -- The IE shall be present if the Dedicated Measurement Type IE is set to "Best Cell Portions LCR", 1.28Mcps only. ... } DedicatedMeasurementObjectType-DM-Rqst ::= CHOICE { rL RL-DM-Rqst, rLS RL-Set-DM-Rqst, -- for FDD only all-RL AllRL-DM-Rqst, all-RLS AllRL-Set-DM-Rqst, -- for FDD only ... } RL-DM-Rqst ::= SEQUENCE { rL-InformationList RL-InformationList-DM-Rqst, iE-Extensions ProtocolExtensionContainer { { RLItem-DM-Rqst-ExtIEs } } OPTIONAL, ... } RLItem-DM-Rqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationList-DM-Rqst ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{ RL-InformationItemIE-DM-Rqst }} RL-InformationItemIE-DM-Rqst NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationItem-DM-Rqst CRITICALITY reject TYPE RL-InformationItem-DM-Rqst PRESENCE mandatory } } RL-InformationItem-DM-Rqst ::= SEQUENCE { rL-ID RL-ID, dPCH-ID DPCH-ID OPTIONAL, -- for TDD only iE-Extensions ProtocolExtensionContainer { { RL-InformationItem-DM-Rqst-ExtIEs } } OPTIONAL, ... } RL-InformationItem-DM-Rqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-PUSCH-Info-DM-Rqst CRITICALITY reject EXTENSION PUSCH-Info-DM-Rqst PRESENCE optional}| -- TDD only { ID id-HSSICH-Info-DM-Rqst CRITICALITY reject EXTENSION HSSICH-Info-DM-Rqst PRESENCE optional}| -- TDD only { ID id-DPCH-ID768-DM-Rqst CRITICALITY reject EXTENSION DPCH-ID768 PRESENCE optional}| -- 7.68Mcps TDD only { ID id-HSSICH-InfoExt-DM-Rqst CRITICALITY reject EXTENSION HSSICH-InfoExt-DM-Rqst PRESENCE optional}, -- 1.28Mcps TDD only, used if the HS-SICH identity has a value larger than 31 ... } PUSCH-Info-DM-Rqst ::= SEQUENCE (SIZE (1..maxNrOfPUSCHs)) OF PUSCH-ID HSSICH-Info-DM-Rqst ::= SEQUENCE (SIZE (1..maxNrOfHSSICHs)) OF HS-SICH-ID HSSICH-InfoExt-DM-Rqst::= SEQUENCE (SIZE (1..maxNrOfHSSICHs)) OF Extended-HS-SICH-ID -- 1.28Mcps TDD only, used if the HS-SICH identity has a value larger than 31 RL-Set-DM-Rqst ::= SEQUENCE { rL-Set-InformationList-DM-Rqst RL-Set-InformationList-DM-Rqst, iE-Extensions ProtocolExtensionContainer { { RL-SetItem-DM-Rqst-ExtIEs } } OPTIONAL, ... } RL-SetItem-DM-Rqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Set-InformationList-DM-Rqst ::= SEQUENCE (SIZE(1..maxNrOfRLSets)) OF RL-Set-InformationItem-DM-Rqst RL-Set-InformationItem-DM-Rqst ::= SEQUENCE { rL-Set-ID RL-Set-ID, iE-Extensions ProtocolExtensionContainer { { RL-Set-InformationItem-DM-Rqst-ExtIEs} } OPTIONAL, ... } RL-Set-InformationItem-DM-Rqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } AllRL-DM-Rqst ::= NULL AllRL-Set-DM-Rqst ::= NULL -- ************************************************************** -- -- DEDICATED MEASUREMENT INITIATION RESPONSE -- -- ************************************************************** DedicatedMeasurementInitiationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{DedicatedMeasurementInitiationResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{DedicatedMeasurementInitiationResponse-Extensions}} OPTIONAL, ... } DedicatedMeasurementInitiationResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-MeasurementID CRITICALITY ignore TYPE MeasurementID PRESENCE mandatory } | { ID id-DedicatedMeasurementObjectType-DM-Rsp CRITICALITY ignore TYPE DedicatedMeasurementObjectType-DM-Rsp PRESENCE optional } | { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } DedicatedMeasurementInitiationResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-MeasurementRecoverySupportIndicator CRITICALITY ignore EXTENSION MeasurementRecoverySupportIndicator PRESENCE optional}, ... } DedicatedMeasurementObjectType-DM-Rsp ::= CHOICE { rL RL-DM-Rsp, rLS RL-Set-DM-Rsp, -- for FDD only all-RL RL-DM-Rsp, all-RLS RL-Set-DM-Rsp, -- for FDD only ... } RL-DM-Rsp ::= SEQUENCE { rL-InformationList-DM-Rsp RL-InformationList-DM-Rsp, iE-Extensions ProtocolExtensionContainer { { RLItem-DM-Rsp-ExtIEs } } OPTIONAL, ... } RLItem-DM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationList-DM-Rsp ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{ RL-InformationItemIE-DM-Rsp }} RL-InformationItemIE-DM-Rsp NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationItem-DM-Rsp CRITICALITY ignore TYPE RL-InformationItem-DM-Rsp PRESENCE mandatory } } RL-InformationItem-DM-Rsp ::= SEQUENCE { rL-ID RL-ID, dPCH-ID DPCH-ID OPTIONAL, -- for TDD only dedicatedMeasurementValue DedicatedMeasurementValue, cFN CFN OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-InformationItem-DM-Rsp-ExtIEs } } OPTIONAL, ... } RL-InformationItem-DM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-PUSCH-Info-DM-Rsp CRITICALITY reject EXTENSION PUSCH-Info-DM-Rsp PRESENCE optional}| -- TDD only -- This PUSCH Information is the for the first PUSCH repetition, PUSCH information for PUSCH repetitions 2 and on, should be defined in Multiple-PUSCH-InfoList-DM-Rsp. { ID id-HSSICH-Info-DM-Rsp CRITICALITY reject EXTENSION HS-SICH-ID PRESENCE optional}| -- TDD only { ID id-multiple-DedicatedMeasurementValueList-TDD-DM-Rsp CRITICALITY ignore EXTENSION Multiple-DedicatedMeasurementValueList-TDD-DM-Rsp PRESENCE optional }| -- Applicable to 3.84Mcps TDD only. This list of dedicated measurement values is used for the 2nd and beyond measurements of a RL when multiple dedicated measurement values need to be reported. { ID id-multiple-DedicatedMeasurementValueList-LCR-TDD-DM-Rsp CRITICALITY ignore EXTENSION Multiple-DedicatedMeasurementValueList-LCR-TDD-DM-Rsp PRESENCE optional }| -- Applicable to 1.28Mcps TDD only. This list of dedicated measurement values is used for the 2nd and beyond measurements of a RL when multiple dedicated measurement values need to be reported. { ID id-multiple-PUSCH-InfoList-DM-Rsp CRITICALITY ignore EXTENSION Multiple-PUSCH-InfoList-DM-Rsp PRESENCE optional }| -- TDD only, This PUSCH information is the for the 2nd and beyond PUSCH repetitions. { ID id-multiple-HSSICHMeasurementValueList-TDD-DM-Rsp CRITICALITY ignore EXTENSION Multiple-HSSICHMeasurementValueList-TDD-DM-Rsp PRESENCE optional }| -- TDD only. This list of HS-SICH measurement values is used for the 2nd and beyond measurements of a RL when multiple HS-SICH measurement values need to be reported. { ID id-DPCH-ID768-DM-Rsp CRITICALITY reject EXTENSION DPCH-ID768 PRESENCE optional}| -- 7.68Mcps TDD only { ID id-multiple-DedicatedMeasurementValueList-768-TDD-DM-Rsp CRITICALITY ignore EXTENSION Multiple-DedicatedMeasurementValueList-768-TDD-DM-Rsp PRESENCE optional }| -- Applicable to 7.68Mcps TDD only. This list of dedicated measurement values is used for the 2nd and beyond measurements of a RL when multiple dedicated measurement values need to be reported. {ID id-Extended-HS-SICH-ID CRITICALITY reject EXTENSION Extended-HS-SICH-ID PRESENCE optional}, -- 1.28Mcps TDD only, used if the HS-SICH identity has a value larger than 31 ... } PUSCH-Info-DM-Rsp ::= SEQUENCE (SIZE (1..maxNrOfPUSCHs)) OF PUSCH-ID Multiple-PUSCH-InfoList-DM-Rsp ::= SEQUENCE (SIZE (1.. maxNrOfPUSCHs-1)) OF Multiple-PUSCH-InfoListIE-DM-Rsp -- Includes the 2nd through the max number of PUSCH information repetitions. Multiple-PUSCH-InfoListIE-DM-Rsp ::= SEQUENCE { pUSCH-ID PUSCH-ID OPTIONAL, dedicatedMeasurementValue DedicatedMeasurementValue OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Multiple-PUSCH-InfoListIE-DM-Rsp-ExtIEs} } OPTIONAL, ... } Multiple-PUSCH-InfoListIE-DM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Multiple-DedicatedMeasurementValueList-TDD-DM-Rsp ::= SEQUENCE (SIZE (1.. maxNrOfDPCHsPerRL-1)) OF Multiple-DedicatedMeasurementValueItem-TDD-DM-Rsp Multiple-DedicatedMeasurementValueItem-TDD-DM-Rsp ::= SEQUENCE { dPCH-ID DPCH-ID, dedicatedMeasurementValue DedicatedMeasurementValue, iE-Extensions ProtocolExtensionContainer { { Multiple-DedicatedMeasurementValueItem-TDD-DM-Rsp-ExtIEs} } OPTIONAL, ... } Multiple-DedicatedMeasurementValueItem-TDD-DM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Multiple-DedicatedMeasurementValueList-LCR-TDD-DM-Rsp ::= SEQUENCE (SIZE (1.. maxNrOfDPCHsLCRPerRL-1)) OF Multiple-DedicatedMeasurementValueItem-LCR-TDD-DM-Rsp Multiple-DedicatedMeasurementValueItem-LCR-TDD-DM-Rsp ::= SEQUENCE { dPCH-ID DPCH-ID, dedicatedMeasurementValue DedicatedMeasurementValue, iE-Extensions ProtocolExtensionContainer { { Multiple-DedicatedMeasurementValueItem-LCR-TDD-DM-Rsp-ExtIEs} } OPTIONAL, ... } Multiple-DedicatedMeasurementValueItem-LCR-TDD-DM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Multiple-HSSICHMeasurementValueList-TDD-DM-Rsp ::= SEQUENCE (SIZE (1.. maxNrOfHSSICHs-1)) OF Multiple-HSSICHMeasurementValueItem-TDD-DM-Rsp Multiple-HSSICHMeasurementValueItem-TDD-DM-Rsp ::= SEQUENCE { hsSICH-ID HS-SICH-ID, dedicatedMeasurementValue DedicatedMeasurementValue, iE-Extensions ProtocolExtensionContainer { { Multiple-HSSICHMeasurementValueItem-TDD-DM-Rsp-ExtIEs} } OPTIONAL, ... } Multiple-HSSICHMeasurementValueItem-TDD-DM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-HS-SICH-ID CRITICALITY ignore EXTENSION Extended-HS-SICH-ID PRESENCE optional}, -- 1.28Mcps TDD only, used if the HS-SICH identity has a value larger than 31 ... } Multiple-DedicatedMeasurementValueList-768-TDD-DM-Rsp ::= SEQUENCE (SIZE (1.. maxNrOfDPCHs768PerRL-1)) OF Multiple-DedicatedMeasurementValueItem-768-TDD-DM-Rsp Multiple-DedicatedMeasurementValueItem-768-TDD-DM-Rsp ::= SEQUENCE { dPCH-ID768 DPCH-ID768, dedicatedMeasurementValue DedicatedMeasurementValue, iE-Extensions ProtocolExtensionContainer { { Multiple-DedicatedMeasurementValueItem-768-TDD-DM-Rsp-ExtIEs} } OPTIONAL, ... } Multiple-DedicatedMeasurementValueItem-768-TDD-DM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Set-DM-Rsp ::= SEQUENCE { rL-Set-InformationList-DM-Rsp RL-Set-InformationList-DM-Rsp, iE-Extensions ProtocolExtensionContainer { { RL-SetItem-DM-Rsp-ExtIEs } } OPTIONAL, ... } RL-SetItem-DM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Set-InformationList-DM-Rsp ::= SEQUENCE (SIZE (1..maxNrOfRLSets)) OF ProtocolIE-Single-Container {{ RL-Set-InformationItemIE-DM-Rsp }} RL-Set-InformationItemIE-DM-Rsp NBAP-PROTOCOL-IES ::= { { ID id-RL-Set-InformationItem-DM-Rsp CRITICALITY ignore TYPE RL-Set-InformationItem-DM-Rsp PRESENCE mandatory} } RL-Set-InformationItem-DM-Rsp ::= SEQUENCE { rL-Set-ID RL-Set-ID, dedicatedMeasurementValue DedicatedMeasurementValue, cFN CFN OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RL-Set-InformationItem-DM-Rsp-ExtIEs} } OPTIONAL, ... } RL-Set-InformationItem-DM-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- DEDICATED MEASUREMENT INITIATION FAILURE -- -- ************************************************************** DedicatedMeasurementInitiationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{DedicatedMeasurementInitiationFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{DedicatedMeasurementInitiationFailure-Extensions}} OPTIONAL, ... } DedicatedMeasurementInitiationFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-MeasurementID CRITICALITY ignore TYPE MeasurementID PRESENCE mandatory } | { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory } | { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } DedicatedMeasurementInitiationFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- DEDICATED MEASUREMENT REPORT -- -- ************************************************************** DedicatedMeasurementReport ::= SEQUENCE { protocolIEs ProtocolIE-Container {{DedicatedMeasurementReport-IEs}}, protocolExtensions ProtocolExtensionContainer {{DedicatedMeasurementReport-Extensions}} OPTIONAL, ... } DedicatedMeasurementReport-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-MeasurementID CRITICALITY ignore TYPE MeasurementID PRESENCE mandatory } | { ID id-DedicatedMeasurementObjectType-DM-Rprt CRITICALITY ignore TYPE DedicatedMeasurementObjectType-DM-Rprt PRESENCE mandatory } , ... } DedicatedMeasurementReport-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-MeasurementRecoveryReportingIndicator CRITICALITY ignore EXTENSION MeasurementRecoveryReportingIndicator PRESENCE optional }, ... } DedicatedMeasurementObjectType-DM-Rprt ::= CHOICE { rL RL-DM-Rprt, rLS RL-Set-DM-Rprt, -- for FDD only all-RL RL-DM-Rprt, all-RLS RL-Set-DM-Rprt, -- for FDD only ... } RL-DM-Rprt ::= SEQUENCE { rL-InformationList-DM-Rprt RL-InformationList-DM-Rprt, iE-Extensions ProtocolExtensionContainer { { RLItem-DM-Rprt-ExtIEs } } OPTIONAL, ... } RLItem-DM-Rprt-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationList-DM-Rprt ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{ RL-InformationItemIE-DM-Rprt }} RL-InformationItemIE-DM-Rprt NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationItem-DM-Rprt CRITICALITY ignore TYPE RL-InformationItem-DM-Rprt PRESENCE mandatory } } RL-InformationItem-DM-Rprt ::= SEQUENCE { rL-ID RL-ID, dPCH-ID DPCH-ID OPTIONAL, -- for TDD only dedicatedMeasurementValueInformation DedicatedMeasurementValueInformation, iE-Extensions ProtocolExtensionContainer { { RL-InformationItem-DM-Rprt-ExtIEs } } OPTIONAL, ... } RL-InformationItem-DM-Rprt-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-PUSCH-Info-DM-Rprt CRITICALITY reject EXTENSION PUSCH-Info-DM-Rprt PRESENCE optional}| -- TDD only -- This PUSCH Information is the for the first PUSCH repetition, PUSCH information for PUSCH repetitions 2 and on, should be defined in Multiple-PUSCH-InfoList-DM-Rprt. {ID id-HSSICH-Info-DM-Rprt CRITICALITY reject EXTENSION HS-SICH-ID PRESENCE optional}| -- TDD only { ID id-multiple-PUSCH-InfoList-DM-Rprt CRITICALITY ignore EXTENSION Multiple-PUSCH-InfoList-DM-Rprt PRESENCE optional }| -- TDD only, This PUSCH information is the for the 2nd and beyond PUSCH repetitions. { ID id-DPCH-ID768-DM-Rprt CRITICALITY reject EXTENSION DPCH-ID768 PRESENCE optional}| -- 7.68Mcps TDD only { ID id-Extended-HS-SICH-ID CRITICALITY ignore EXTENSION Extended-HS-SICH-ID PRESENCE optional}, -- 1.28Mcps TDD only, used if the HS-SICH identity has a value larger than 31 ... } PUSCH-Info-DM-Rprt ::= SEQUENCE (SIZE (0..maxNrOfPUSCHs)) OF PUSCH-ID Multiple-PUSCH-InfoList-DM-Rprt ::= SEQUENCE (SIZE (1.. maxNrOfPUSCHs-1)) OF Multiple-PUSCH-InfoListIE-DM-Rprt -- Includes the 2nd through the max number of PUSCH information repetitions. Multiple-PUSCH-InfoListIE-DM-Rprt ::= SEQUENCE { pUSCH-ID PUSCH-ID OPTIONAL, dedicatedMeasurementValue DedicatedMeasurementValue OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Multiple-PUSCH-InfoListIE-DM-Rprt-ExtIEs} } OPTIONAL, ... } Multiple-PUSCH-InfoListIE-DM-Rprt-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Set-DM-Rprt ::= SEQUENCE { rL-Set-InformationList-DM-Rprt RL-Set-InformationList-DM-Rprt, iE-Extensions ProtocolExtensionContainer { { RL-SetItem-DM-Rprt-ExtIEs } } OPTIONAL, ... } RL-SetItem-DM-Rprt-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Set-InformationList-DM-Rprt ::= SEQUENCE (SIZE (1..maxNrOfRLSets)) OF ProtocolIE-Single-Container {{ RL-Set-InformationItemIE-DM-Rprt }} RL-Set-InformationItemIE-DM-Rprt NBAP-PROTOCOL-IES ::= { { ID id-RL-Set-InformationItem-DM-Rprt CRITICALITY ignore TYPE RL-Set-InformationItem-DM-Rprt PRESENCE mandatory } } RL-Set-InformationItem-DM-Rprt ::= SEQUENCE { rL-Set-ID RL-Set-ID, dedicatedMeasurementValueInformation DedicatedMeasurementValueInformation, iE-Extensions ProtocolExtensionContainer { { RL-Set-InformationItem-DM-Rprt-ExtIEs} } OPTIONAL, ... } RL-Set-InformationItem-DM-Rprt-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- DEDICATED MEASUREMENT TERMINATION REQUEST -- -- ************************************************************** DedicatedMeasurementTerminationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{DedicatedMeasurementTerminationRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{DedicatedMeasurementTerminationRequest-Extensions}} OPTIONAL, ... } DedicatedMeasurementTerminationRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE mandatory } | { ID id-MeasurementID CRITICALITY ignore TYPE MeasurementID PRESENCE mandatory }, ... } DedicatedMeasurementTerminationRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- DEDICATED MEASUREMENT FAILURE INDICATION -- -- ************************************************************** DedicatedMeasurementFailureIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{DedicatedMeasurementFailureIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{DedicatedMeasurementFailureIndication-Extensions}} OPTIONAL, ... } DedicatedMeasurementFailureIndication-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-MeasurementID CRITICALITY ignore TYPE MeasurementID PRESENCE mandatory } | { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } DedicatedMeasurementFailureIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK FAILURE INDICATION -- -- ************************************************************** RadioLinkFailureIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkFailureIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkFailureIndication-Extensions}} OPTIONAL, ... } RadioLinkFailureIndication-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-Reporting-Object-RL-FailureInd CRITICALITY ignore TYPE Reporting-Object-RL-FailureInd PRESENCE mandatory } , ... } RadioLinkFailureIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } Reporting-Object-RL-FailureInd ::= CHOICE { rL RL-RL-FailureInd, rL-Set RL-Set-RL-FailureInd, --FDD only ..., cCTrCH CCTrCH-RL-FailureInd --TDD only } RL-RL-FailureInd ::= SEQUENCE { rL-InformationList-RL-FailureInd RL-InformationList-RL-FailureInd, iE-Extensions ProtocolExtensionContainer { { RLItem-RL-FailureInd-ExtIEs } } OPTIONAL, ... } RLItem-RL-FailureInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationList-RL-FailureInd ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{ RL-InformationItemIE-RL-FailureInd}} RL-InformationItemIE-RL-FailureInd NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationItem-RL-FailureInd CRITICALITY ignore TYPE RL-InformationItem-RL-FailureInd PRESENCE mandatory } } RL-InformationItem-RL-FailureInd ::= SEQUENCE { rL-ID RL-ID, cause Cause, iE-Extensions ProtocolExtensionContainer { { RL-InformationItem-RL-FailureInd-ExtIEs } } OPTIONAL, ... } RL-InformationItem-RL-FailureInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Set-RL-FailureInd ::= SEQUENCE { rL-Set-InformationList-RL-FailureInd RL-Set-InformationList-RL-FailureInd, iE-Extensions ProtocolExtensionContainer { { RL-SetItem-RL-FailureInd-ExtIEs } } OPTIONAL, ... } RL-SetItem-RL-FailureInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Set-InformationList-RL-FailureInd ::= SEQUENCE (SIZE (1..maxNrOfRLSets)) OF ProtocolIE-Single-Container {{ RL-Set-InformationItemIE-RL-FailureInd }} RL-Set-InformationItemIE-RL-FailureInd NBAP-PROTOCOL-IES ::= { { ID id-RL-Set-InformationItem-RL-FailureInd CRITICALITY ignore TYPE RL-Set-InformationItem-RL-FailureInd PRESENCE mandatory } } RL-Set-InformationItem-RL-FailureInd ::= SEQUENCE { rL-Set-ID RL-Set-ID, cause Cause, iE-Extensions ProtocolExtensionContainer { { RL-Set-InformationItem-RL-FailureInd-ExtIEs} } OPTIONAL, ... } RL-Set-InformationItem-RL-FailureInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CCTrCH-RL-FailureInd ::= SEQUENCE { rL-ID RL-ID, cCTrCH-InformationList-RL-FailureInd CCTrCH-InformationList-RL-FailureInd, iE-Extensions ProtocolExtensionContainer { { CCTrCHItem-RL-FailureInd-ExtIEs } } OPTIONAL, ... } CCTrCHItem-RL-FailureInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CCTrCH-InformationList-RL-FailureInd ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF ProtocolIE-Single-Container {{ CCTrCH-InformationItemIE-RL-FailureInd}} CCTrCH-InformationItemIE-RL-FailureInd NBAP-PROTOCOL-IES ::= { { ID id-CCTrCH-InformationItem-RL-FailureInd CRITICALITY ignore TYPE CCTrCH-InformationItem-RL-FailureInd PRESENCE mandatory } } CCTrCH-InformationItem-RL-FailureInd ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, cause Cause, iE-Extensions ProtocolExtensionContainer { { CCTrCH-InformationItem-RL-FailureInd-ExtIEs } } OPTIONAL, ... } CCTrCH-InformationItem-RL-FailureInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK PREEMPTION REQUIRED INDICATION -- -- ************************************************************** RadioLinkPreemptionRequiredIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkPreemptionRequiredIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkPreemptionRequiredIndication-Extensions}} OPTIONAL, ... } RadioLinkPreemptionRequiredIndication-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-RL-InformationList-RL-PreemptRequiredInd CRITICALITY ignore TYPE RL-InformationList-RL-PreemptRequiredInd PRESENCE optional }, ... } RadioLinkPreemptionRequiredIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationList-RL-PreemptRequiredInd ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container { {RL-InformationItemIE-RL-PreemptRequiredInd}} RL-InformationItemIE-RL-PreemptRequiredInd NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationItem-RL-PreemptRequiredInd CRITICALITY ignore TYPE RL-InformationItem-RL-PreemptRequiredInd PRESENCE mandatory }, ... } RL-InformationItem-RL-PreemptRequiredInd::= SEQUENCE { rL-ID RL-ID, iE-Extensions ProtocolExtensionContainer { {RL-InformationItem-RL-PreemptRequiredInd-ExtIEs} } OPTIONAL, ... } RL-InformationItem-RL-PreemptRequiredInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK RESTORE INDICATION -- -- ************************************************************** RadioLinkRestoreIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkRestoreIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkRestoreIndication-Extensions}} OPTIONAL, ... } RadioLinkRestoreIndication-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-Reporting-Object-RL-RestoreInd CRITICALITY ignore TYPE Reporting-Object-RL-RestoreInd PRESENCE mandatory }, ... } RadioLinkRestoreIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } Reporting-Object-RL-RestoreInd ::= CHOICE { rL RL-RL-RestoreInd, --TDD only rL-Set RL-Set-RL-RestoreInd, --FDD only ..., cCTrCH CCTrCH-RL-RestoreInd --TDD only } RL-RL-RestoreInd ::= SEQUENCE { rL-InformationList-RL-RestoreInd RL-InformationList-RL-RestoreInd, iE-Extensions ProtocolExtensionContainer { { RLItem-RL-RestoreInd-ExtIEs } } OPTIONAL, ... } RLItem-RL-RestoreInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-InformationList-RL-RestoreInd ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container {{RL-InformationItemIE-RL-RestoreInd}} RL-InformationItemIE-RL-RestoreInd NBAP-PROTOCOL-IES ::= { { ID id-RL-InformationItem-RL-RestoreInd CRITICALITY ignore TYPE RL-InformationItem-RL-RestoreInd PRESENCE mandatory} } RL-InformationItem-RL-RestoreInd ::= SEQUENCE { rL-ID RL-ID, iE-Extensions ProtocolExtensionContainer { { RL-InformationItem-RL-RestoreInd-ExtIEs } } OPTIONAL, ... } RL-InformationItem-RL-RestoreInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Set-RL-RestoreInd ::= SEQUENCE { rL-Set-InformationList-RL-RestoreInd RL-Set-InformationList-RL-RestoreInd, iE-Extensions ProtocolExtensionContainer { { RL-SetItem-RL-RestoreInd-ExtIEs } } OPTIONAL, ... } RL-SetItem-RL-RestoreInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } RL-Set-InformationList-RL-RestoreInd ::= SEQUENCE (SIZE (1..maxNrOfRLSets)) OF ProtocolIE-Single-Container {{ RL-Set-InformationItemIE-RL-RestoreInd }} RL-Set-InformationItemIE-RL-RestoreInd NBAP-PROTOCOL-IES ::= { { ID id-RL-Set-InformationItem-RL-RestoreInd CRITICALITY ignore TYPE RL-Set-InformationItem-RL-RestoreInd PRESENCE mandatory } } RL-Set-InformationItem-RL-RestoreInd ::= SEQUENCE { rL-Set-ID RL-Set-ID, iE-Extensions ProtocolExtensionContainer { { RL-Set-InformationItem-RL-RestoreInd-ExtIEs} } OPTIONAL, ... } RL-Set-InformationItem-RL-RestoreInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CCTrCH-RL-RestoreInd ::= SEQUENCE { rL-ID RL-ID, cCTrCH-InformationList-RL-RestoreInd CCTrCH-InformationList-RL-RestoreInd, iE-Extensions ProtocolExtensionContainer { { CCTrCHItem-RL-RestoreInd-ExtIEs } } OPTIONAL, ... } CCTrCHItem-RL-RestoreInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CCTrCH-InformationList-RL-RestoreInd ::= SEQUENCE (SIZE (1..maxNrOfCCTrCHs)) OF ProtocolIE-Single-Container {{ CCTrCH-InformationItemIE-RL-RestoreInd}} CCTrCH-InformationItemIE-RL-RestoreInd NBAP-PROTOCOL-IES ::= { { ID id-CCTrCH-InformationItem-RL-RestoreInd CRITICALITY ignore TYPE CCTrCH-InformationItem-RL-RestoreInd PRESENCE mandatory } } CCTrCH-InformationItem-RL-RestoreInd ::= SEQUENCE { cCTrCH-ID CCTrCH-ID, iE-Extensions ProtocolExtensionContainer { { CCTrCH-InformationItem-RL-RestoreInd-ExtIEs } } OPTIONAL, ... } CCTrCH-InformationItem-RL-RestoreInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- COMPRESSED MODE COMMAND FDD -- -- ************************************************************** CompressedModeCommand ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CompressedModeCommand-IEs}}, protocolExtensions ProtocolExtensionContainer {{CompressedModeCommand-Extensions}} OPTIONAL, ... } CompressedModeCommand-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE mandatory } | { ID id-Active-Pattern-Sequence-Information CRITICALITY ignore TYPE Active-Pattern-Sequence-Information PRESENCE mandatory }, ... } CompressedModeCommand-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- ERROR INDICATION -- -- ************************************************************** ErrorIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{ErrorIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{ErrorIndication-Extensions}} OPTIONAL, ... } ErrorIndication-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE optional } | { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE optional } | { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE optional } | { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } ErrorIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- PRIVATE MESSAGE -- -- ************************************************************** PrivateMessage ::= SEQUENCE { privateIEs PrivateIE-Container {{PrivateMessage-IEs}}, ... } PrivateMessage-IEs NBAP-PRIVATE-IES ::= { ... } -- ************************************************************** -- -- PHYSICAL SHARED CHANNEL RECONFIGURATION REQUEST FDD -- -- ************************************************************** PhysicalSharedChannelReconfigurationRequestFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{PhysicalSharedChannelReconfigurationRequestFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{PhysicalSharedChannelReconfigurationRequestFDD-Extensions}} OPTIONAL, ... } PhysicalSharedChannelReconfigurationRequestFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-ConfigurationGenerationID CRITICALITY reject TYPE ConfigurationGenerationID PRESENCE mandatory }| { ID id-SFN CRITICALITY reject TYPE SFN PRESENCE optional }| { ID id-HS-PDSCH-HS-SCCH-E-AGCH-E-RGCH-E-HICH-MaxPower-PSCH-ReconfRqst CRITICALITY reject TYPE MaximumTransmissionPower PRESENCE optional }| { ID id-HS-PDSCH-HS-SCCH-ScramblingCode-PSCH-ReconfRqst CRITICALITY reject TYPE DL-ScramblingCode PRESENCE optional }| { ID id-HS-PDSCH-FDD-Code-Information-PSCH-ReconfRqst CRITICALITY reject TYPE HS-PDSCH-FDD-Code-Information PRESENCE optional }| { ID id-HS-SCCH-FDD-Code-Information-PSCH-ReconfRqst CRITICALITY reject TYPE HS-SCCH-FDD-Code-Information PRESENCE optional }, ... } PhysicalSharedChannelReconfigurationRequestFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-AGCH-And-E-RGCH-E-HICH-FDD-Scrambling-Code CRITICALITY reject EXTENSION DL-ScramblingCode PRESENCE optional }| { ID id-E-AGCH-FDD-Code-Information CRITICALITY reject EXTENSION E-AGCH-FDD-Code-Information PRESENCE optional }| { ID id-E-RGCH-E-HICH-FDD-Code-Information CRITICALITY reject EXTENSION E-RGCH-E-HICH-FDD-Code-Information PRESENCE optional }| {ID id-HSDPA-And-EDCH-CellPortion-Information-PSCH-ReconfRqst CRITICALITY reject EXTENSION HSDPA-And-EDCH-CellPortion-InformationList-PSCH-ReconfRqst PRESENCE optional }| {ID id-Maximum-Target-ReceivedTotalWideBandPower CRITICALITY reject EXTENSION Maximum-Target-ReceivedTotalWideBandPower PRESENCE optional }| {ID id-Reference-ReceivedTotalWideBandPower CRITICALITY ignore EXTENSION Reference-ReceivedTotalWideBandPower PRESENCE optional }| {ID id-Target-NonServing-EDCH-To-Total-EDCH-Power-Ratio CRITICALITY reject EXTENSION Target-NonServing-EDCH-To-Total-EDCH-Power-Ratio PRESENCE optional }| { ID id-HSDSCH-Common-System-InformationFDD CRITICALITY reject EXTENSION HSDSCH-Common-System-InformationFDD PRESENCE optional }| { ID id-Common-MACFlows-to-DeleteFDD CRITICALITY reject EXTENSION Common-MACFlows-to-DeleteFDD PRESENCE optional }| { ID id-HSDSCH-Paging-System-InformationFDD CRITICALITY reject EXTENSION HSDSCH-Paging-System-InformationFDD PRESENCE optional }| { ID id-Paging-MACFlows-to-DeleteFDD CRITICALITY reject EXTENSION Paging-MACFlows-to-DeleteFDD PRESENCE optional }| { ID id-Common-EDCH-System-InformationFDD CRITICALITY reject EXTENSION Common-EDCH-System-InformationFDD PRESENCE optional }| { ID id-Common-UL-MACFlows-to-DeleteFDD CRITICALITY reject EXTENSION Common-MACFlows-to-DeleteFDD PRESENCE optional }| { ID id-Common-EDCH-MACdFlows-to-DeleteFDD CRITICALITY reject EXTENSION E-DCH-MACdFlows-to-Delete PRESENCE optional }| { ID id-Enhanced-UE-DRX-InformationFDD CRITICALITY reject EXTENSION Enhanced-UE-DRX-InformationFDD PRESENCE optional }, ... } HSDPA-And-EDCH-CellPortion-InformationList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfCellPortionsPerCell)) OF HSDPA-And-EDCH-CellPortion-InformationItem-PSCH-ReconfRqst HSDPA-And-EDCH-CellPortion-InformationItem-PSCH-ReconfRqst::= SEQUENCE { cellPortionID CellPortionID, hS-PDSCH-HS-SCCH-ScramblingCode-PSCH-ReconfRqst DL-ScramblingCode OPTIONAL, hS-PDSCH-FDD-Code-Information-PSCH-ReconfRqst HS-PDSCH-FDD-Code-Information OPTIONAL, hS-SCCH-FDD-Code-Information-PSCH-ReconfRqst HS-SCCH-FDD-Code-Information OPTIONAL, hS-PDSCH-HS-SCCH-E-AGCH-E-RGCH-E-HICH-MaxPower-PSCH-ReconfRqst MaximumTransmissionPower OPTIONAL, e-AGCH-And-E-RGCH-E-HICH-FDD-Scrambling-Code DL-ScramblingCode OPTIONAL, e-AGCH-FDD-Code-Information E-AGCH-FDD-Code-Information OPTIONAL, e-RGCH-E-HICH-FDD-Code-Information E-RGCH-E-HICH-FDD-Code-Information OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HSDPA-And-EDCH-CellPortion-InformationItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HSDPA-And-EDCH-CellPortion-InformationItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- PHYSICAL SHARED CHANNEL RECONFIGURATION REQUEST TDD -- -- ************************************************************** PhysicalSharedChannelReconfigurationRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{PhysicalSharedChannelReconfigurationRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{PhysicalSharedChannelReconfigurationRequestTDD-Extensions}} OPTIONAL, ... } PhysicalSharedChannelReconfigurationRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-SFN CRITICALITY reject TYPE SFN PRESENCE optional }| { ID id-PDSCHSets-AddList-PSCH-ReconfRqst CRITICALITY reject TYPE PDSCHSets-AddList-PSCH-ReconfRqst PRESENCE optional }| { ID id-PDSCHSets-ModifyList-PSCH-ReconfRqst CRITICALITY reject TYPE PDSCHSets-ModifyList-PSCH-ReconfRqst PRESENCE optional }| { ID id-PDSCHSets-DeleteList-PSCH-ReconfRqst CRITICALITY reject TYPE PDSCHSets-DeleteList-PSCH-ReconfRqst PRESENCE optional }| { ID id-PUSCHSets-AddList-PSCH-ReconfRqst CRITICALITY reject TYPE PUSCHSets-AddList-PSCH-ReconfRqst PRESENCE optional }| { ID id-PUSCHSets-ModifyList-PSCH-ReconfRqst CRITICALITY reject TYPE PUSCHSets-ModifyList-PSCH-ReconfRqst PRESENCE optional }| { ID id-PUSCHSets-DeleteList-PSCH-ReconfRqst CRITICALITY reject TYPE PUSCHSets-DeleteList-PSCH-ReconfRqst PRESENCE optional }, ... } PhysicalSharedChannelReconfigurationRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-HS-PDSCH-TDD-Information-PSCH-ReconfRqst CRITICALITY reject EXTENSION HS-PDSCH-TDD-Information-PSCH-ReconfRqst PRESENCE optional } | { ID id-Add-To-HS-SCCH-Resource-Pool-PSCH-ReconfRqst CRITICALITY reject EXTENSION Add-To-HS-SCCH-Resource-Pool-PSCH-ReconfRqst PRESENCE optional } | { ID id-Modify-HS-SCCH-Resource-Pool-PSCH-ReconfRqst CRITICALITY reject EXTENSION Modify-HS-SCCH-Resource-Pool-PSCH-ReconfRqst PRESENCE optional } | { ID id-Delete-From-HS-SCCH-Resource-Pool-PSCH-ReconfRqst CRITICALITY reject EXTENSION Delete-From-HS-SCCH-Resource-Pool-PSCH-ReconfRqst PRESENCE optional } | { ID id-ConfigurationGenerationID CRITICALITY reject EXTENSION ConfigurationGenerationID PRESENCE optional }| { ID id-E-PUCH-Information-PSCH-ReconfRqst CRITICALITY reject EXTENSION E-PUCH-Information-PSCH-ReconfRqst PRESENCE optional }| { ID id-Add-To-E-AGCH-Resource-Pool-PSCH-ReconfRqst CRITICALITY reject EXTENSION Add-To-E-AGCH-Resource-Pool-PSCH-ReconfRqst PRESENCE optional } | { ID id-Modify-E-AGCH-Resource-Pool-PSCH-ReconfRqst CRITICALITY reject EXTENSION Modify-E-AGCH-Resource-Pool-PSCH-ReconfRqst PRESENCE optional } | { ID id-Delete-From-E-AGCH-Resource-Pool-PSCH-ReconfRqst CRITICALITY reject EXTENSION Delete-From-E-AGCH-Resource-Pool-PSCH-ReconfRqst PRESENCE optional } | { ID id-E-HICH-Information-PSCH-ReconfRqst CRITICALITY reject EXTENSION E-HICH-Information-PSCH-ReconfRqst PRESENCE optional }| { ID id-Maximum-Generated-ReceivedTotalWideBandPowerInOtherCells CRITICALITY reject EXTENSION Maximum-Generated-ReceivedTotalWideBandPowerInOtherCells PRESENCE optional }|-- Applicable to 3.84Mcps TDD or 7.68Mcps TDD. { ID id-E-PUCH-Information-768-PSCH-ReconfRqst CRITICALITY reject EXTENSION E-PUCH-Information-768-PSCH-ReconfRqst PRESENCE optional }| { ID id-Add-To-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst CRITICALITY reject EXTENSION Add-To-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst PRESENCE optional } | { ID id-Modify-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst CRITICALITY reject EXTENSION Modify-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst PRESENCE optional } | { ID id-E-HICH-Information-768-PSCH-ReconfRqst CRITICALITY reject EXTENSION E-HICH-Information-768-PSCH-ReconfRqst PRESENCE optional }| { ID id-E-PUCH-Information-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION E-PUCH-Information-LCR-PSCH-ReconfRqst PRESENCE optional }| { ID id-Add-To-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION Add-To-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst PRESENCE optional }| { ID id-Modify-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION Modify-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst PRESENCE optional }| { ID id-Add-To-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION Add-To-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst PRESENCE optional }| { ID id-Modify-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION Modify-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst PRESENCE optional }| { ID id-Delete-From-E-HICH-Resource-Pool-PSCH-ReconfRqst CRITICALITY reject EXTENSION Delete-From-E-HICH-Resource-Pool-PSCH-ReconfRqst PRESENCE optional }| { ID id-SYNC-UL-Partition-LCR CRITICALITY reject EXTENSION SYNC-UL-Partition-LCR PRESENCE optional }| -- Applicable to 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD. { ID id-Maximum-Target-ReceivedTotalWideBandPower-LCR CRITICALITY reject EXTENSION Maximum-Target-ReceivedTotalWideBandPower-LCR PRESENCE optional }| -- Applicable to 1.28Mcps TDD only. { ID id-Delete-From-HS-SCCH-Resource-PoolExt-PSCH-ReconfRqst CRITICALITY reject EXTENSION Delete-From-HS-SCCH-Resource-PoolExt-PSCH-ReconfRqst PRESENCE optional }| -- Applicable to 1.28Mcps TDD only, used when there are more than maxNrOfHSSCCHs HS-SCCHs in the message. { ID id-HSDSCH-Common-System-InformationLCR CRITICALITY reject EXTENSION HSDSCH-Common-System-InformationLCR PRESENCE optional }| { ID id-Common-MACFlows-to-DeleteLCR CRITICALITY reject EXTENSION Common-MACFlows-to-DeleteLCR PRESENCE optional }| { ID id-HSDSCH-Paging-System-InformationLCR CRITICALITY reject EXTENSION HSDSCH-Paging-System-InformationLCR PRESENCE optional }| { ID id-Paging-MACFlows-to-DeleteLCR CRITICALITY reject EXTENSION Paging-MACFlows-to-DeleteLCR PRESENCE optional }| { ID id-Common-EDCH-System-InformationLCR CRITICALITY reject EXTENSION Common-EDCH-System-InformationLCR PRESENCE optional }| { ID id-Common-UL-MACFlows-to-DeleteLCR CRITICALITY reject EXTENSION Common-MACFlows-to-DeleteLCR PRESENCE optional }| { ID id-Common-EDCH-MACdFlows-to-DeleteLCR CRITICALITY reject EXTENSION E-DCH-MACdFlows-to-DeleteLCR PRESENCE optional }| { ID id-Enhanced-UE-DRX-InformationLCR CRITICALITY reject EXTENSION Enhanced-UE-DRX-InformationLCR PRESENCE optional }| { ID id-Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst PRESENCE optional }| { ID id-Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst PRESENCE optional }| { ID id-Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst PRESENCE optional }| { ID id-PowerControlGAP-For-CellFACHLCR CRITICALITY ignore EXTENSION ControlGAP PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-Max-RTWP-perUARFCN-Information-LCR-PSCH-ReconfRqst CRITICALITY ignore EXTENSION Max-RTWP-perUARFCN-Information-LCR-PSCH-ReconfRqst PRESENCE optional }| { ID id-Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext CRITICALITY reject EXTENSION Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext PRESENCE optional }| { ID id-Out-of-Sychronization-Window CRITICALITY reject EXTENSION Out-of-Sychronization-Window PRESENCE optional }, ... } PDSCHSets-AddList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPDSCHSets)) OF PDSCHSets-AddItem-PSCH-ReconfRqst PDSCHSets-AddItem-PSCH-ReconfRqst ::= SEQUENCE { pDSCHSet-ID PDSCHSet-ID, pDSCH-InformationList PDSCH-Information-AddList-PSCH-ReconfRqst OPTIONAL, -- Mandatory for 3.84Mcps TDD. Not Applicable to 1.28Mcps TDD or 7.68Mcps TDD iE-Extensions ProtocolExtensionContainer { {PDSCHSets-AddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PDSCHSets-AddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-PDSCH-AddInformation-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION PDSCH-AddInformation-LCR-AddItem-PSCH-ReconfRqst PRESENCE optional}| -- Mandatory for 1.28Mcps TDD. Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD. {ID id-PDSCH-AddInformation-768-PSCH-ReconfRqst CRITICALITY reject EXTENSION PDSCH-AddInformation-768-AddItem-PSCH-ReconfRqst PRESENCE optional}, -- Mandatory for 7.68 Mcps TDD. Not Applicable to 3.84Mcps TDD or 1.28 Mcps TDD. ... } PDSCH-Information-AddList-PSCH-ReconfRqst ::= ProtocolIE-Single-Container {{ PDSCH-Information-AddListIEs-PSCH-ReconfRqst }} -- Mandatory for 3.84Mcps TDD, Not Applicable to 1.28Mcps TDD or 7.68Mcps TDD PDSCH-Information-AddListIEs-PSCH-ReconfRqst NBAP-PROTOCOL-IES ::= { {ID id-PDSCH-Information-AddListIE-PSCH-ReconfRqst CRITICALITY reject TYPE PDSCH-Information-AddItem-PSCH-ReconfRqst PRESENCE mandatory} } PDSCH-Information-AddItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, dL-Timeslot-InformationAddList-PSCH-ReconfRqst DL-Timeslot-InformationAddList-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { {PDSCH-Information-AddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PDSCH-Information-AddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Timeslot-InformationAddList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfDLTSs)) OF DL-Timeslot-InformationAddItem-PSCH-ReconfRqst DL-Timeslot-InformationAddItem-PSCH-ReconfRqst ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType, tFCI-Presence TFCI-Presence, dL-Code-InformationAddList-PSCH-ReconfRqst DL-Code-InformationAddList-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot-InformationAddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Timeslot-InformationAddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Code-InformationAddList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPDSCHs)) OF DL-Code-InformationAddItem-PSCH-ReconfRqst DL-Code-InformationAddItem-PSCH-ReconfRqst ::= SEQUENCE { pDSCH-ID PDSCH-ID, tdd-ChannelisationCode TDD-ChannelisationCode, iE-Extensions ProtocolExtensionContainer { { DL-Code-InformationAddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Code-InformationAddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PDSCH-AddInformation-LCR-AddItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, dL-Timeslot-InformationAddList-LCR-PSCH-ReconfRqst DL-Timeslot-InformationAddList-LCR-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { {PDSCH-AddInformation-LCR-AddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PDSCH-AddInformation-LCR-AddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-Tstd-indicator CRITICALITY reject EXTENSION TSTD-Indicator PRESENCE optional }, -- Applicable to 1.28Mcps TDD only ... } DL-Timeslot-InformationAddList-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfDLTSLCRs)) OF DL-Timeslot-InformationAddItem-LCR-PSCH-ReconfRqst DL-Timeslot-InformationAddItem-LCR-PSCH-ReconfRqst ::= SEQUENCE { timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, tFCI-Presence TFCI-Presence, dL-Code-InformationAddList-LCR-PSCH-ReconfRqst DL-Code-InformationAddList-LCR-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot-InformationAddItem-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Timeslot-InformationAddItem-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Code-InformationAddList-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPDSCHs)) OF DL-Code-InformationAddItem-LCR-PSCH-ReconfRqst DL-Code-InformationAddItem-LCR-PSCH-ReconfRqst ::= SEQUENCE { pDSCH-ID PDSCH-ID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, iE-Extensions ProtocolExtensionContainer { { DL-Code-InformationAddItem-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Code-InformationAddItem-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-PDSCH-Timeslot-Format-PSCH-ReconfRqst-LCR CRITICALITY reject EXTENSION TDD-DL-DPCH-TimeSlotFormat-LCR PRESENCE optional}, ... } PDSCH-AddInformation-768-AddItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, dL-Timeslot-InformationAddList-768-PSCH-ReconfRqst DL-Timeslot-InformationAddList-768-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { {PDSCH-AddInformation-768-AddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PDSCH-AddInformation-768-AddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Timeslot-InformationAddList-768-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfDLTSs)) OF DL-Timeslot-InformationAddItem-768-PSCH-ReconfRqst DL-Timeslot-InformationAddItem-768-PSCH-ReconfRqst ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tFCI-Presence TFCI-Presence, dL-Code-InformationAddList-768-PSCH-ReconfRqst DL-Code-InformationAddList-768-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot-InformationAddItem-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Timeslot-InformationAddItem-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Code-InformationAddList-768-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPDSCHs)) OF DL-Code-InformationAddItem-768-PSCH-ReconfRqst DL-Code-InformationAddItem-768-PSCH-ReconfRqst ::= SEQUENCE { pDSCH-ID768 PDSCH-ID768, tdd-ChannelisationCode768 TDD-ChannelisationCode768, iE-Extensions ProtocolExtensionContainer { { DL-Code-InformationAddItem-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Code-InformationAddItem-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PDSCHSets-ModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPDSCHSets)) OF PDSCHSets-ModifyItem-PSCH-ReconfRqst PDSCHSets-ModifyItem-PSCH-ReconfRqst ::= SEQUENCE { pDSCHSet-ID PDSCHSet-ID, pDSCH-InformationList PDSCH-Information-ModifyList-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { {PDSCHSets-ModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PDSCHSets-ModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-PDSCH-ModifyInformation-768-PSCH-ReconfRqst CRITICALITY reject EXTENSION PDSCH-ModifyInformation-768-ModifyItem-PSCH-ReconfRqst PRESENCE optional}, -- For 7.68 Mcps TDD. Not Applicable to 3.84Mcps TDD or 1.28 Mcps TDD. ... } PDSCH-Information-ModifyList-PSCH-ReconfRqst ::= ProtocolIE-Single-Container {{ PDSCH-Information-ModifyListIEs-PSCH-ReconfRqst }} PDSCH-Information-ModifyListIEs-PSCH-ReconfRqst NBAP-PROTOCOL-IES ::= { {ID id-PDSCH-Information-ModifyListIE-PSCH-ReconfRqst CRITICALITY reject TYPE PDSCH-Information-ModifyItem-PSCH-ReconfRqst PRESENCE optional}| {ID id-PDSCH-ModifyInformation-LCR-PSCH-ReconfRqst CRITICALITY reject TYPE PDSCH-ModifyInformation-LCR-ModifyItem-PSCH-ReconfRqst PRESENCE optional} } PDSCH-Information-ModifyItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod OPTIONAL, repetitionLength RepetitionLength OPTIONAL, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset OPTIONAL, dL-Timeslot-InformationModifyList-PSCH-ReconfRqst DL-Timeslot-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PDSCH-Information-ModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PDSCH-Information-ModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Timeslot-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfDLTSs)) OF DL-Timeslot-InformationModifyItem-PSCH-ReconfRqst DL-Timeslot-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, dL-Code-InformationModifyList-PSCH-ReconfRqst DL-Code-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Timeslot-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Code-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPDSCHs)) OF DL-Code-InformationModifyItem-PSCH-ReconfRqst DL-Code-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { pDSCH-ID PDSCH-ID, tdd-ChannelisationCode TDD-ChannelisationCode, iE-Extensions ProtocolExtensionContainer { { DL-Code-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Code-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PDSCH-ModifyInformation-LCR-ModifyItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod OPTIONAL, repetitionLength RepetitionLength OPTIONAL, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset OPTIONAL, dL-Timeslot-LCR-InformationModifyList-PSCH-ReconfRqst DL-Timeslot-LCR-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PDSCH-ModifyInformation-LCR-ModifyListIE-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PDSCH-ModifyInformation-LCR-ModifyListIE-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Timeslot-LCR-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfDLTSLCRs)) OF DL-Timeslot-LCR-InformationModifyItem-PSCH-ReconfRqst DL-Timeslot-LCR-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, dL-Code-LCR-InformationModifyList-PSCH-ReconfRqst DL-Code-LCR-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot-LCR-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Timeslot-LCR-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Code-LCR-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPDSCHs)) OF DL-Code-LCR-InformationModifyItem-PSCH-ReconfRqst DL-Code-LCR-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { pDSCH-ID PDSCH-ID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, iE-Extensions ProtocolExtensionContainer { { DL-Code-LCR-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Code-LCR-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-PDSCH-Timeslot-Format-PSCH-ReconfRqst-LCR CRITICALITY reject EXTENSION TDD-DL-DPCH-TimeSlotFormat-LCR PRESENCE optional}, ... } PDSCH-ModifyInformation-768-ModifyItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod OPTIONAL, repetitionLength RepetitionLength OPTIONAL, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset OPTIONAL, dL-Timeslot-768-InformationModifyList-PSCH-ReconfRqst DL-Timeslot-768-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PDSCH-ModifyInformation-768-ModifyListIE-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PDSCH-ModifyInformation-768-ModifyListIE-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Timeslot-768-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfDLTSs)) OF DL-Timeslot-768-InformationModifyItem-PSCH-ReconfRqst DL-Timeslot-768-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768 OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, dL-Code-768-InformationModifyList-PSCH-ReconfRqst DL-Code-768-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-Timeslot-768-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Timeslot-768-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-Code-768-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPDSCHs)) OF DL-Code-768-InformationModifyItem-PSCH-ReconfRqst DL-Code-768-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { pDSCH-ID768 PDSCH-ID768, tdd-ChannelisationCode768 TDD-ChannelisationCode768, iE-Extensions ProtocolExtensionContainer { { DL-Code-768-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-Code-768-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PDSCHSets-DeleteList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPDSCHSets)) OF PDSCHSets-DeleteItem-PSCH-ReconfRqst PDSCHSets-DeleteItem-PSCH-ReconfRqst ::= SEQUENCE { pDSCHSet-ID PDSCHSet-ID, iE-Extensions ProtocolExtensionContainer { {PDSCHSets-DeleteItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PDSCHSets-DeleteItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PUSCHSets-AddList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPUSCHSets)) OF PUSCHSets-AddItem-PSCH-ReconfRqst PUSCHSets-AddItem-PSCH-ReconfRqst ::= SEQUENCE { pUSCHSet-ID PUSCHSet-ID, pUSCH-InformationList PUSCH-Information-AddList-PSCH-ReconfRqst OPTIONAL, -- Mandatory for 3.84Mcps TDD, Not Applicable to 1.28Mcps TDD or 7.68Mcps TDD iE-Extensions ProtocolExtensionContainer { {PUSCHSets-AddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PUSCHSets-AddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-PUSCH-AddInformation-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION PUSCH-AddInformation-LCR-AddItem-PSCH-ReconfRqst PRESENCE optional}| -- Mandatory for 1.28Mcps TDD, Not Applicable to 3.84Mcps TDD or 7.68Mcps TDD { ID id-PUSCH-AddInformation-768-PSCH-ReconfRqst CRITICALITY reject EXTENSION PUSCH-AddInformation-768-AddItem-PSCH-ReconfRqst PRESENCE optional}, -- Mandatory for 7.68 Mcps TDD. Not Applicable to 3.84Mcps TDD or 1.28 Mcps TDD. ... } PUSCH-Information-AddList-PSCH-ReconfRqst ::= ProtocolIE-Single-Container {{ PUSCH-Information-AddListIEs-PSCH-ReconfRqst }} PUSCH-Information-AddListIEs-PSCH-ReconfRqst NBAP-PROTOCOL-IES ::= { { ID id-PUSCH-Information-AddListIE-PSCH-ReconfRqst CRITICALITY reject TYPE PUSCH-Information-AddItem-PSCH-ReconfRqst PRESENCE mandatory } } PUSCH-Information-AddItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, uL-Timeslot-InformationAddList-PSCH-ReconfRqst UL-Timeslot-InformationAddList-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { {PUSCH-Information-AddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PUSCH-Information-AddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Timeslot-InformationAddList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfULTSs)) OF UL-Timeslot-InformationAddItem-PSCH-ReconfRqst UL-Timeslot-InformationAddItem-PSCH-ReconfRqst ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType, tFCI-Presence TFCI-Presence, uL-Code-InformationAddList-PSCH-ReconfRqst UL-Code-InformationAddList-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { UL-Timeslot-InformationAddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Timeslot-InformationAddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Code-InformationAddList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPUSCHs)) OF UL-Code-InformationAddItem-PSCH-ReconfRqst UL-Code-InformationAddItem-PSCH-ReconfRqst ::= SEQUENCE { pUSCH-ID PUSCH-ID, tdd-ChannelisationCode TDD-ChannelisationCode, iE-Extensions ProtocolExtensionContainer { { UL-Code-InformationAddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Code-InformationAddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PUSCH-AddInformation-LCR-AddItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, uL-Timeslot-InformationAddList-LCR-PSCH-ReconfRqst UL-Timeslot-InformationAddList-LCR-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { {PUSCH-AddInformation-LCR-AddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PUSCH-AddInformation-LCR-AddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Timeslot-InformationAddList-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfULTSLCRs)) OF UL-Timeslot-InformationAddItem-LCR-PSCH-ReconfRqst UL-Timeslot-InformationAddItem-LCR-PSCH-ReconfRqst ::= SEQUENCE { timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, tFCI-Presence TFCI-Presence, uL-Code-InformationAddList-LCR-PSCH-ReconfRqst UL-Code-InformationAddList-LCR-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { UL-Timeslot-InformationAddItem-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Timeslot-InformationAddItem-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Code-InformationAddList-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPUSCHs)) OF UL-Code-InformationAddItem-LCR-PSCH-ReconfRqst UL-Code-InformationAddItem-LCR-PSCH-ReconfRqst ::= SEQUENCE { pUSCH-ID PUSCH-ID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, iE-Extensions ProtocolExtensionContainer { { UL-Code-InformationAddItem-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Code-InformationAddItem-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-PUSCH-Timeslot-Format-PSCH-ReconfRqst-LCR CRITICALITY reject EXTENSION TDD-UL-DPCH-TimeSlotFormat-LCR PRESENCE optional}, ... } PUSCH-AddInformation-768-AddItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod, repetitionLength RepetitionLength, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset, uL-Timeslot-InformationAddList-768-PSCH-ReconfRqst UL-Timeslot-InformationAddList-768-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { {PUSCH-AddInformation-768-AddItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PUSCH-AddInformation-768-AddItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Timeslot-InformationAddList-768-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfULTSs)) OF UL-Timeslot-InformationAddItem-768-PSCH-ReconfRqst UL-Timeslot-InformationAddItem-768-PSCH-ReconfRqst ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tFCI-Presence TFCI-Presence, uL-Code-InformationAddList-768-PSCH-ReconfRqst UL-Code-InformationAddList-768-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { UL-Timeslot-InformationAddItem-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Timeslot-InformationAddItem-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Code-InformationAddList-768-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPUSCHs)) OF UL-Code-InformationAddItem-768-PSCH-ReconfRqst UL-Code-InformationAddItem-768-PSCH-ReconfRqst ::= SEQUENCE { pUSCH-ID PUSCH-ID, tdd-ChannelisationCode768 TDD-ChannelisationCode768, iE-Extensions ProtocolExtensionContainer { { UL-Code-InformationAddItem-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Code-InformationAddItem-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PUSCHSets-ModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPUSCHSets)) OF PUSCHSets-ModifyItem-PSCH-ReconfRqst PUSCHSets-ModifyItem-PSCH-ReconfRqst ::= SEQUENCE { pUSCHSet-ID PUSCHSet-ID, pUSCH-InformationList PUSCH-Information-ModifyList-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { {PUSCHSets-ModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PUSCHSets-ModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { {ID id-PUSCH-ModifyInformation-768-PSCH-ReconfRqst CRITICALITY reject EXTENSION PUSCH-ModifyInformation-768-ModifyItem-PSCH-ReconfRqst PRESENCE optional}, -- For 7.68 Mcps TDD. Not Applicable to 3.84Mcps TDD or 1.28 Mcps TDD. ... } PUSCH-Information-ModifyList-PSCH-ReconfRqst ::= ProtocolIE-Single-Container {{ PUSCH-Information-ModifyListIEs-PSCH-ReconfRqst }} PUSCH-Information-ModifyListIEs-PSCH-ReconfRqst NBAP-PROTOCOL-IES ::= { {ID id-PUSCH-Information-ModifyListIE-PSCH-ReconfRqst CRITICALITY reject TYPE PUSCH-Information-ModifyItem-PSCH-ReconfRqst PRESENCE optional}| {ID id-PUSCH-ModifyInformation-LCR-PSCH-ReconfRqst CRITICALITY reject TYPE PUSCH-ModifyInformation-LCR-ModifyItem-PSCH-ReconfRqst PRESENCE optional} } PUSCH-Information-ModifyItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod OPTIONAL, repetitionLength RepetitionLength OPTIONAL, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset OPTIONAL, uL-Timeslot-InformationModifyList-PSCH-ReconfRqst UL-Timeslot-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PUSCH-Information-ModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PUSCH-Information-ModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Timeslot-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfULTSs)) OF UL-Timeslot-InformationModifyItem-PSCH-ReconfRqst UL-Timeslot-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, uL-Code-InformationModifyList-PSCH-ReconfRqst UL-Code-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-Timeslot-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Timeslot-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Code-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPUSCHs)) OF UL-Code-InformationModifyItem-PSCH-ReconfRqst UL-Code-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { pUSCH-ID PUSCH-ID, tdd-ChannelisationCode TDD-ChannelisationCode, iE-Extensions ProtocolExtensionContainer { { UL-Code-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Code-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PUSCH-ModifyInformation-LCR-ModifyItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod OPTIONAL, repetitionLength RepetitionLength OPTIONAL, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset OPTIONAL, uL-Timeslot-InformationModifyList-LCR-PSCH-ReconfRqst UL-Timeslot-LCR-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PUSCH-ModifyInformation-LCR-ModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PUSCH-ModifyInformation-LCR-ModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Timeslot-LCR-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfULTSLCRs)) OF UL-Timeslot-LCR-InformationModifyItem-PSCH-ReconfRqst UL-Timeslot-LCR-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, uL-Code-LCR-InformationModifyList-PSCH-ReconfRqst UL-Code-LCR-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-Timeslot-LCR-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Timeslot-LCR-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Code-LCR-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPUSCHs)) OF UL-Code-LCR-InformationModifyItem-PSCH-ReconfRqst UL-Code-LCR-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { pUSCH-ID PUSCH-ID, tdd-ChannelisationCodeLCR TDD-ChannelisationCodeLCR, iE-Extensions ProtocolExtensionContainer { { UL-Code-LCR-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Code-LCR-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-PUSCH-Timeslot-Format-PSCH-ReconfRqst-LCR CRITICALITY reject EXTENSION TDD-UL-DPCH-TimeSlotFormat-LCR PRESENCE optional}, ... } PUSCH-ModifyInformation-768-ModifyItem-PSCH-ReconfRqst ::= SEQUENCE { repetitionPeriod RepetitionPeriod OPTIONAL, repetitionLength RepetitionLength OPTIONAL, tdd-PhysicalChannelOffset TDD-PhysicalChannelOffset OPTIONAL, uL-Timeslot-InformationModifyList-768-PSCH-ReconfRqst UL-Timeslot-768-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PUSCH-ModifyInformation-768-ModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PUSCH-ModifyInformation-768-ModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Timeslot-768-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfULTSs)) OF UL-Timeslot-768-InformationModifyItem-PSCH-ReconfRqst UL-Timeslot-768-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768 OPTIONAL, tFCI-Presence TFCI-Presence OPTIONAL, uL-Code-768-InformationModifyList-PSCH-ReconfRqst UL-Code-768-InformationModifyList-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UL-Timeslot-768-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Timeslot-768-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } UL-Code-768-InformationModifyList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPUSCHs)) OF UL-Code-768-InformationModifyItem-PSCH-ReconfRqst UL-Code-768-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { pUSCH-ID PUSCH-ID, tdd-ChannelisationCode768 TDD-ChannelisationCode768, iE-Extensions ProtocolExtensionContainer { { UL-Code-768-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } UL-Code-768-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } PUSCHSets-DeleteList-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfPUSCHSets)) OF PUSCHSets-DeleteItem-PSCH-ReconfRqst PUSCHSets-DeleteItem-PSCH-ReconfRqst ::= SEQUENCE { pUSCHSet-ID PUSCHSet-ID, iE-Extensions ProtocolExtensionContainer { {PUSCHSets-DeleteItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } PUSCHSets-DeleteItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-PDSCH-TDD-Information-PSCH-ReconfRqst ::= SEQUENCE { dL-HS-PDSCH-Timeslot-Information-PSCH-ReconfRqst DL-HS-PDSCH-Timeslot-Information-PSCH-ReconfRqst OPTIONAL, dL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst DL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst OPTIONAL, -- This HS-PDSCH Timeslot Information is for the first Frequency repetition, HS-PDSCH Timeslot information for Frequency repetitions 2 and on, should be defined in MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst iE-Extensions ProtocolExtensionContainer { { HS-PDSCH-TDD-Information-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-PDSCH-TDD-Information-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-dL-HS-PDSCH-Timeslot-Information-768-PSCH-ReconfRqst CRITICALITY reject EXTENSION DL-HS-PDSCH-Timeslot-Information-768-PSCH-ReconfRqst PRESENCE optional }| -- For 7.68 Mcps TDD. Not Applicable to 3.84Mcps TDD or 1.28 Mcps TDD. { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional }| -- This is the UARFCN for the first Frequency repetition. Mandatory for 1.28Mcps TDD when using multiple frequencies. { ID id-multipleFreq-dL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst PRESENCE optional }, -- Applicable to 1.28Mcps TDD when using multiple frequencies, This Information is for the 2nd and beyond Frequency repetition ... } DL-HS-PDSCH-Timeslot-Information-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfDLTSs)) OF DL-HS-PDSCH-Timeslot-InformationItem-PSCH-ReconfRqst DL-HS-PDSCH-Timeslot-InformationItem-PSCH-ReconfRqst::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType, dl-HS-PDSCH-Codelist-PSCH-ReconfRqst DL-HS-PDSCH-Codelist-PSCH-ReconfRqst, maxHSDSCH-HSSCCH-Power MaximumTransmissionPower OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-HS-PDSCH-Timeslot-InformationItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-HS-PDSCH-Timeslot-InformationItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-HS-PDSCH-Codelist-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfHSPDSCHs)) OF TDD-ChannelisationCode DL-HS-PDSCH-Timeslot-Information-768-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfDLTSs)) OF DL-HS-PDSCH-Timeslot-InformationItem-768-PSCH-ReconfRqst DL-HS-PDSCH-Timeslot-InformationItem-768-PSCH-ReconfRqst::= SEQUENCE { timeSlot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, dl-HS-PDSCH-Codelist-768-PSCH-ReconfRqst DL-HS-PDSCH-Codelist-768-PSCH-ReconfRqst, maxHSDSCH-HSSCCH-Power MaximumTransmissionPower OPTIONAL, iE-Extensions ProtocolExtensionContainer { { DL-HS-PDSCH-Timeslot-InformationItem-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } DL-HS-PDSCH-Timeslot-InformationItem-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DL-HS-PDSCH-Codelist-768-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfHSPDSCHs768)) OF TDD-ChannelisationCode768 MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxFrequencyinCell-1)) OF ProtocolIE-Single-Container{{ MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCRItemIE-PSCH-ReconfRqst}} -- Includes the 2nd through the max number of frequency repetitions. MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCRItemIE-PSCH-ReconfRqst NBAP-PROTOCOL-IES ::= { { ID id-MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst CRITICALITY reject TYPE MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst PRESENCE optional } } MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst ::= SEQUENCE { dL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst DL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst OPTIONAL, uARFCN UARFCN, iE-Extensions ProtocolExtensionContainer { { MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Add-To-HS-SCCH-Resource-Pool-PSCH-ReconfRqst::= SEQUENCE { hS-SCCH-Information-PSCH-ReconfRqst HS-SCCH-Information-PSCH-ReconfRqst OPTIONAL, hS-SCCH-Information-LCR-PSCH-ReconfRqst HS-SCCH-Information-LCR-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Add-To-HS-SCCH-Resource-Pool-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Add-To-HS-SCCH-Resource-Pool-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-hS-SCCH-Information-768-PSCH-ReconfRqst CRITICALITY reject EXTENSION HS-SCCH-Information-768-PSCH-ReconfRqst PRESENCE optional }| -- 7.68 Mcps TDD. Not Applicable to 3.84Mcps TDD or 1.28 Mcps TDD. { ID id-HS-SCCH-InformationExt-LCR-PSCH-ReconfRqst CRITICALITY ignore EXTENSION HS-SCCH-InformationExt-LCR-PSCH-ReconfRqst PRESENCE optional }, -- Applicable to 1.28Mcps TDD only, used when there are more than maxNrOfHSSCCHs HS-SCCHs in the message. ... } HS-SCCH-Information-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfHSSCCHs)) OF HS-SCCH-InformationItem-PSCH-ReconfRqst HS-SCCH-InformationItem-PSCH-ReconfRqst ::= SEQUENCE { hS-SCCH-ID HS-SCCH-ID, timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType, tdd-ChannelisationCode TDD-ChannelisationCode, hS-SCCH-MaxPower DL-Power, hS-SICH-Information HS-SICH-Information-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { HS-SCCH-InformationItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SCCH-InformationItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SICH-Information-PSCH-ReconfRqst ::= SEQUENCE { hsSICH-ID HS-SICH-ID, timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType, tdd-ChannelisationCode TDD-ChannelisationCode, iE-Extensions ProtocolExtensionContainer { { HS-SICH-Information-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SICH-Information-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SCCH-Information-LCR-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfHSSCCHs)) OF HS-SCCH-InformationItem-LCR-PSCH-ReconfRqst HS-SCCH-InformationItem-LCR-PSCH-ReconfRqst ::= SEQUENCE { hS-SCCH-ID HS-SCCH-ID, timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, first-TDD-ChannelisationCode TDD-ChannelisationCode, second-TDD-ChannelisationCode TDD-ChannelisationCode, hS-SCCH-MaxPower DL-Power, hS-SICH-Information-LCR HS-SICH-Information-LCR-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { HS-SCCH-InformationItem-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SCCH-InformationItem-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-HS-SCCH-ID CRITICALITY ignore EXTENSION Extended-HS-SCCH-ID PRESENCE optional}| -- used if the HS-SCCH identity has a value larger than 31 { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional}| -- Mandatory for 1.28Mcps TDD when using multiple frequencies { ID id-HSSICH-ReferenceSignal-InformationLCR CRITICALITY ignore EXTENSION HSSICH-ReferenceSignal-InformationLCR PRESENCE optional}, ... } HS-SICH-Information-LCR-PSCH-ReconfRqst ::= SEQUENCE { hsSICH-ID HS-SICH-ID, timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, tdd-ChannelisationCode TDD-ChannelisationCode, iE-Extensions ProtocolExtensionContainer { { HS-SICH-Information-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SICH-Information-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-HS-SICH-ID CRITICALITY ignore EXTENSION Extended-HS-SICH-ID PRESENCE optional}, -- used if the HS-SICH identity has a value larger than 31 ... } HS-SCCH-Information-768-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfHSSCCHs)) OF HS-SCCH-InformationItem-768-PSCH-ReconfRqst HS-SCCH-InformationItem-768-PSCH-ReconfRqst ::= SEQUENCE { hS-SCCH-ID HS-SCCH-ID, timeSlot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tdd-ChannelisationCode768 TDD-ChannelisationCode768, hS-SCCH-MaxPower DL-Power, hS-SICH-Information-768 HS-SICH-Information-768-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { HS-SCCH-InformationItem-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SCCH-InformationItem-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SICH-Information-768-PSCH-ReconfRqst ::= SEQUENCE { hsSICH-ID HS-SICH-ID, timeSlot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tdd-ChannelisationCode768 TDD-ChannelisationCode768, iE-Extensions ProtocolExtensionContainer { { HS-SICH-Information-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SICH-Information-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SCCH-InformationExt-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfHSSCCHsinExt)) OF HS-SCCH-InformationItem-LCR-PSCH-ReconfRqst Modify-HS-SCCH-Resource-Pool-PSCH-ReconfRqst::= SEQUENCE { hS-SCCH-InformationModify-PSCH-ReconfRqst HS-SCCH-InformationModify-PSCH-ReconfRqst OPTIONAL, hS-SCCH-InformationModify-LCR-PSCH-ReconfRqst HS-SCCH-InformationModify-LCR-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Modify-HS-SCCH-Resource-Pool-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Modify-HS-SCCH-Resource-Pool-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-hS-SCCH-InformationModify-768-PSCH-ReconfRqst CRITICALITY reject EXTENSION HS-SCCH-InformationModify-768-PSCH-ReconfRqst PRESENCE optional }| -- 7.68 Mcps TDD. Not Applicable to 3.84Mcps TDD or 1.28 Mcps TDD. { ID id-HS-SCCH-InformationModifyExt-LCR-PSCH-ReconfRqst CRITICALITY ignore EXTENSION HS-SCCH-InformationModifyExt-LCR-PSCH-ReconfRqst PRESENCE optional }, -- Applicable to 1.28Mcps TDD only, used when there are more than maxNrOfHSSCCHs HS-SCCHs in the message. ... } HS-SCCH-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { hS-SCCH-ID HS-SCCH-ID, timeSlot TimeSlot OPTIONAL, midambleShiftAndBurstType MidambleShiftAndBurstType OPTIONAL, tdd-ChannelisationCode TDD-ChannelisationCode OPTIONAL, hS-SCCH-MaxPower DL-Power OPTIONAL, hS-SICH-Information HS-SICH-InformationModify-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-SCCH-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SCCH-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SICH-InformationModify-PSCH-ReconfRqst ::= SEQUENCE { hsSICH-ID HS-SICH-ID, timeSlot TimeSlot OPTIONAL, midambleShiftAndBurstType MidambleShiftAndBurstType OPTIONAL, tdd-ChannelisationCode TDD-ChannelisationCode OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-SICH-InformationModify-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SICH-InformationModify-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SCCH-InformationModify-LCR-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfHSSCCHs)) OF HS-SCCH-InformationModifyItem-LCR-PSCH-ReconfRqst HS-SCCH-InformationModifyItem-LCR-PSCH-ReconfRqst ::= SEQUENCE { hS-SCCH-ID HS-SCCH-ID, timeSlotLCR TimeSlotLCR OPTIONAL, midambleShiftLCR MidambleShiftLCR OPTIONAL, first-TDD-ChannelisationCode TDD-ChannelisationCode OPTIONAL, second-TDD-ChannelisationCode TDD-ChannelisationCode OPTIONAL, hS-SCCH-MaxPower DL-Power OPTIONAL, hS-SICH-Information-LCR HS-SICH-InformationModify-LCR-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-SCCH-InformationModifyItem-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SCCH-InformationModifyItem-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-HS-SCCH-ID CRITICALITY ignore EXTENSION Extended-HS-SCCH-ID PRESENCE optional}| -- used if the HS-SCCH identity has a value larger than 31 { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional}| -- Applicable to 1.28Mcps TDD when using multiple frequencies { ID id-HSSICH-ReferenceSignal-InformationModifyLCR CRITICALITY reject EXTENSION HSSICH-ReferenceSignal-InformationModifyLCR PRESENCE optional}, ... } HS-SCCH-InformationModifyExt-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfHSSCCHsinExt)) OF HS-SCCH-InformationModifyItem-LCR-PSCH-ReconfRqst HS-SICH-InformationModify-LCR-PSCH-ReconfRqst ::= SEQUENCE { hsSICH-ID HS-SICH-ID, timeSlotLCR TimeSlotLCR OPTIONAL, midambleShiftLCR MidambleShiftLCR OPTIONAL, tdd-ChannelisationCode TDD-ChannelisationCode OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-SICH-InformationModify-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SICH-InformationModify-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-HS-SICH-ID CRITICALITY ignore EXTENSION Extended-HS-SICH-ID PRESENCE optional }, -- used if the HS-SICH identity has a value larger than 31 ... } HS-SCCH-InformationModify-768-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfHSSCCHs)) OF HS-SCCH-InformationModifyItem-768-PSCH-ReconfRqst HS-SCCH-InformationModifyItem-768-PSCH-ReconfRqst ::= SEQUENCE { hS-SCCH-ID HS-SCCH-ID, timeSlot TimeSlot OPTIONAL, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tdd-ChannelisationCode768 TDD-ChannelisationCode768, hS-SCCH-MaxPower DL-Power OPTIONAL, hS-SICH-Information-768 HS-SICH-InformationModify-768-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HS-SCCH-InformationModifyItem-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SCCH-InformationModifyItem-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SICH-InformationModify-768-PSCH-ReconfRqst ::= SEQUENCE { hsSICH-ID HS-SICH-ID, timeSlot TimeSlot OPTIONAL, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tdd-ChannelisationCode768 TDD-ChannelisationCode768, iE-Extensions ProtocolExtensionContainer { { HS-SICH-InformationModify-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } HS-SICH-InformationModify-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HS-SCCH-InformationModify-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfHSSCCHs)) OF HS-SCCH-InformationModifyItem-PSCH-ReconfRqst Delete-From-HS-SCCH-Resource-Pool-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfHSSCCHs)) OF Delete-From-HS-SCCH-Resource-PoolItem-PSCH-ReconfRqst Delete-From-HS-SCCH-Resource-PoolItem-PSCH-ReconfRqst ::= SEQUENCE { hS-SCCH-ID HS-SCCH-ID, iE-Extensions ProtocolExtensionContainer { { Delete-From-HS-SCCH-Resource-PoolItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Delete-From-HS-SCCH-Resource-PoolItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-HS-SCCH-ID CRITICALITY ignore EXTENSION Extended-HS-SCCH-ID PRESENCE optional }, -- used if the HS-SCCH identity has a value larger than 31 ... } E-PUCH-Information-PSCH-ReconfRqst ::= SEQUENCE { lTGI-Presence LTGI-Presence, sNPL-Reporting-Type SNPL-Reporting-Type, midambleShiftAndBurstType MidambleShiftAndBurstType, e-PUCH-Timeslot-Info E-PUCH-Timeslot-Info, iE-Extensions ProtocolExtensionContainer { { E-PUCH-Information-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-PUCH-Information-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-PUCH-Timeslot-Info ::= SEQUENCE (SIZE (1..maxNrOfE-PUCHSlots)) OF TimeSlot Add-To-E-AGCH-Resource-Pool-PSCH-ReconfRqst::= SEQUENCE { e-AGCH-Information-PSCH-ReconfRqst E-AGCH-Information-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Add-To-E-AGCH-Resource-Pool-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Add-To-E-AGCH-Resource-Pool-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-AGCH-Information-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfEAGCHs)) OF E-AGCH-InformationItem-PSCH-ReconfRqst E-AGCH-InformationItem-PSCH-ReconfRqst ::= SEQUENCE { e-AGCH-ID E-AGCH-Id, timeSlot TimeSlot, midambleShiftAndBurstType MidambleShiftAndBurstType, tdd-ChannelisationCode TDD-ChannelisationCode, e-AGCH-MaxPower DL-Power, iE-Extensions ProtocolExtensionContainer { { E-AGCH-InformationItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-AGCH-InformationItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Modify-E-AGCH-Resource-Pool-PSCH-ReconfRqst::= SEQUENCE { e-AGCH-InformationModify-PSCH-ReconfRqst E-AGCH-InformationModify-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Modify-E-AGCH-Resource-Pool-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Modify-E-AGCH-Resource-Pool-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-AGCH-InformationModify-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfEAGCHs)) OF E-AGCH-InformationModifyItem-PSCH-ReconfRqst E-AGCH-InformationModifyItem-PSCH-ReconfRqst ::= SEQUENCE { e-AGCH-ID E-AGCH-Id, timeSlot TimeSlot OPTIONAL, midambleShiftAndBurstType MidambleShiftAndBurstType OPTIONAL, tdd-ChannelisationCode TDD-ChannelisationCode OPTIONAL, e-AGCH-MaxPower DL-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-AGCH-InformationModifyItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-AGCH-InformationModifyItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Delete-From-E-AGCH-Resource-Pool-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfEAGCHs)) OF Delete-From-E-AGCH-Resource-PoolItem-PSCH-ReconfRqst Delete-From-E-AGCH-Resource-PoolItem-PSCH-ReconfRqst ::= SEQUENCE { e-AGCH-ID E-AGCH-Id, iE-Extensions ProtocolExtensionContainer { { Delete-From-E-AGCH-Resource-PoolItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Delete-From-E-AGCH-Resource-PoolItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-HICH-Information-PSCH-ReconfRqst ::= SEQUENCE { midambleShiftAndBurstType MidambleShiftAndBurstType, tdd-ChannelisationCode TDD-ChannelisationCode, e-HICH-MaxPower DL-Power, iE-Extensions ProtocolExtensionContainer { { E-HICH-Information-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-HICH-Information-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-PUCH-Information-768-PSCH-ReconfRqst ::= SEQUENCE { lTGI-Presence LTGI-Presence, sNPL-Reporting-Type SNPL-Reporting-Type, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, e-PUCH-Timeslot-Info E-PUCH-Timeslot-Info, iE-Extensions ProtocolExtensionContainer { { E-PUCH-Information-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-PUCH-Information-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Add-To-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst::= SEQUENCE { e-AGCH-Information-768-PSCH-ReconfRqst E-AGCH-Information-768-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Add-To-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Add-To-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-AGCH-Information-768-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfEAGCHs)) OF E-AGCH-InformationItem-768-PSCH-ReconfRqst E-AGCH-InformationItem-768-PSCH-ReconfRqst ::= SEQUENCE { e-AGCH-ID E-AGCH-Id, timeSlot TimeSlot, midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tdd-ChannelisationCode768 TDD-ChannelisationCode768, e-AGCH-MaxPower DL-Power, iE-Extensions ProtocolExtensionContainer { { E-AGCH-InformationItem-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-AGCH-InformationItem-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Modify-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst::= SEQUENCE { e-AGCH-InformationModify-768-PSCH-ReconfRqst E-AGCH-InformationModify-768-PSCH-ReconfRqst OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Modify-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Modify-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-AGCH-InformationModify-768-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfEAGCHs)) OF E-AGCH-InformationModifyItem-768-PSCH-ReconfRqst E-AGCH-InformationModifyItem-768-PSCH-ReconfRqst ::= SEQUENCE { e-AGCH-ID E-AGCH-Id, timeSlot TimeSlot OPTIONAL, midambleShiftAndBurstType768 MidambleShiftAndBurstType768 OPTIONAL, tdd-ChannelisationCode768 TDD-ChannelisationCode768 OPTIONAL, e-AGCH-MaxPower DL-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-AGCH-InformationModifyItem-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-AGCH-InformationModifyItem-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-HICH-Information-768-PSCH-ReconfRqst ::= SEQUENCE { midambleShiftAndBurstType768 MidambleShiftAndBurstType768, tdd-ChannelisationCode768 TDD-ChannelisationCode768, e-HICH-MaxPower DL-Power, iE-Extensions ProtocolExtensionContainer { { E-HICH-Information-768-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-HICH-Information-768-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-PUCH-Information-LCR-PSCH-ReconfRqst ::= SEQUENCE { lTGI-Presence LTGI-Presence, sNPL-Reporting-Type SNPL-Reporting-Type, e-PUCH-Timeslot-InfoLCR E-PUCH-Timeslot-InfoLCR OPTIONAL, -- This E-PUCH Timeslot Information is for the first Frequency repetition, E-PUCH timeslot information for Frequency repetitions 2 and on, should be defined in MultipleFreq-E-PUCH-Timeslot-InformationList-LCR-PSCH-ReconfRqst. iE-Extensions ProtocolExtensionContainer { { E-PUCH-Information-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-PUCH-Information-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional}| -- This is the UARFCN for the first Frequency repetition. Mandatory for 1.28Mcps TDD when using multiple frequencies. { ID id-MultipleFreq-E-PUCH-Timeslot-InformationList-LCR-PSCH-ReconfRqst CRITICALITY reject EXTENSION MultipleFreq-E-PUCH-Timeslot-InformationList-LCR-PSCH-ReconfRqst PRESENCE optional }, -- Applicable to 1.28Mcps TDD when using multiple frequencies.This E-PUCH Information is for the 2nd and beyond frequencies. ... } E-PUCH-Timeslot-InfoLCR ::= SEQUENCE (SIZE (1..maxNrOfE-PUCHSlotsLCR)) OF E-PUCH-Timeslot-Item-InfoLCR E-PUCH-Timeslot-Item-InfoLCR ::= SEQUENCE { timeSlot TimeSlotLCR, midambleShiftAndBurstType MidambleShiftLCR, e-PUCH-Codelist-LCR E-PUCH-Codelist-LCR, iE-Extensions ProtocolExtensionContainer { { E-PUCH-Timeslot-Item-InfoLCR-ExtIEs} } OPTIONAL, ... } E-PUCH-Timeslot-Item-InfoLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-PUCH-Codelist-LCR ::= SEQUENCE (SIZE (1..maxNrOfEPUCHcodes)) OF TDD-ChannelisationCode Add-To-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst ::= SEQUENCE { e-AGCH-Information-LCR-PSCH-ReconfRqst E-AGCH-Information-LCR-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { Add-To-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Add-To-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-AGCH-Information-LCR-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfEAGCHs)) OF E-AGCH-InformationItem-LCR-PSCH-ReconfRqst E-AGCH-InformationItem-LCR-PSCH-ReconfRqst ::= SEQUENCE { e-AGCH-ID E-AGCH-Id, timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, first-TDD-ChannelisationCode TDD-ChannelisationCode, second-TDD-ChannelisationCode TDD-ChannelisationCode, e-AGCH-MaxPower DL-Power, iE-Extensions ProtocolExtensionContainer { { E-AGCH-InformationItem-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-AGCH-InformationItem-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional}, -- Mandatory for 1.28Mcps TDD when using multiple frequencies ... } Modify-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst::= SEQUENCE { e-AGCH-InformationModify-LCR-PSCH-ReconfRqst E-AGCH-InformationModify-LCR-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { Modify-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Modify-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-AGCH-InformationModify-LCR-PSCH-ReconfRqst::= SEQUENCE (SIZE (1..maxNrOfEAGCHs)) OF E-AGCH-InformationModifyItem-LCR-PSCH-ReconfRqst E-AGCH-InformationModifyItem-LCR-PSCH-ReconfRqst ::= SEQUENCE { e-AGCH-ID E-AGCH-Id, timeSlotLCR TimeSlotLCR OPTIONAL, midambleShiftLCR MidambleShiftLCR OPTIONAL, first-TDD-ChannelisationCode TDD-ChannelisationCode OPTIONAL, second-TDD-ChannelisationCode TDD-ChannelisationCode OPTIONAL, e-AGCH-MaxPower DL-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-AGCH-InformationModifyItem-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-AGCH-InformationModifyItem-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional}, -- Mandatory for 1.28Mcps TDD when using multiple frequencies ... } Add-To-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst ::= SEQUENCE { e-HICH-Information-LCR-PSCH-ReconfRqst E-HICH-Information-LCR-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { Add-To-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Add-To-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-HICH-Information-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfEHICHs)) OF E-HICH-InformationItem-LCR-PSCH-ReconfRqst E-HICH-InformationItem-LCR-PSCH-ReconfRqst ::= SEQUENCE { e-HICH-ID-TDD E-HICH-ID-TDD, e-HICH-Type E-HICH-Type, tdd-ChannelisationCode TDD-ChannelisationCode, timeSlotLCR TimeSlotLCR, midambleShiftLCR MidambleShiftLCR, e-HICH-MaxPower DL-Power, iE-Extensions ProtocolExtensionContainer { { E-HICH-InformationItem-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-HICH-InformationItem-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-E-HICH-ID-TDD CRITICALITY ignore EXTENSION Extended-E-HICH-ID-TDD PRESENCE optional}| -- Applicable to 1.28Mcps TDD only when the E-HICH identity has a value larger than 31. { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional}, -- Mandatory for 1.28Mcps TDD when using multiple frequencies ... } Modify-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst ::= SEQUENCE { e-HICH-InformationModify-LCR-PSCH-ReconfRqst E-HICH-InformationModify-LCR-PSCH-ReconfRqst, iE-Extensions ProtocolExtensionContainer { { Modify-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Modify-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-HICH-InformationModify-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxNrOfEHICHs)) OF E-HICH-InformationModifyItem-LCR-PSCH-ReconfRqst E-HICH-InformationModifyItem-LCR-PSCH-ReconfRqst ::= SEQUENCE { e-HICH-ID-TDD E-HICH-ID-TDD, e-HICH-Type E-HICH-Type OPTIONAL, tdd-ChannelisationCode TDD-ChannelisationCode OPTIONAL, timeSlotLCR TimeSlotLCR OPTIONAL, midambleShiftLCR MidambleShiftLCR OPTIONAL, e-HICH-MaxPower DL-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-HICH-InformationModifyItem-LCR-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } E-HICH-InformationModifyItem-LCR-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-E-HICH-ID-TDD CRITICALITY ignore EXTENSION Extended-E-HICH-ID-TDD PRESENCE optional}| --Applicable to 1.28Mcps TDD only when the E-HICH identity has a value larger than 31. { ID id-UARFCNforNt CRITICALITY ignore EXTENSION UARFCN PRESENCE optional}, -- Mandatory for 1.28Mcps TDD when using multiple frequencies ... } Delete-From-E-HICH-Resource-Pool-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfEHICHs)) OF Delete-From-E-HICH-Resource-PoolItem-PSCH-ReconfRqst Delete-From-E-HICH-Resource-PoolItem-PSCH-ReconfRqst ::= SEQUENCE { e-HICH-ID-TDD E-HICH-ID-TDD, iE-Extensions ProtocolExtensionContainer { { Delete-From-E-HICH-Resource-PoolItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } Delete-From-E-HICH-Resource-PoolItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Extended-E-HICH-ID-TDD CRITICALITY ignore EXTENSION Extended-E-HICH-ID-TDD PRESENCE optional}, -- Applicable to 1.28Mcps TDD only when the E-HICH identity has a value larger than 31. ... } SYNC-UL-Partition-LCR ::= SEQUENCE { eRUCCH-SYNC-UL-codes-bitmap BIT STRING (SIZE (8)), iE-Extensions ProtocolExtensionContainer { { SYNC-UL-Partition-LCR-ExtIEs} } OPTIONAL, ... } SYNC-UL-Partition-LCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Delete-From-HS-SCCH-Resource-PoolExt-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1.. maxNrOfHSSCCHsinExt)) OF Delete-From-HS-SCCH-Resource-PoolItem-PSCH-ReconfRqst MultipleFreq-E-PUCH-Timeslot-InformationList-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxFrequencyinCell-1)) OF ProtocolIE-Single-Container {{ MultipleFreq-E-PUCH-Timeslot-InformationItemIE-LCR-PSCH-ReconfRqst}} --Includes the 2nd through the max number of frequencies information repetitions. MultipleFreq-E-PUCH-Timeslot-InformationItemIE-LCR-PSCH-ReconfRqst NBAP-PROTOCOL-IES ::= { { ID id-MultipleFreq-E-PUCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst CRITICALITY ignore TYPE MultipleFreq-E-PUCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst PRESENCE optional } } MultipleFreq-E-PUCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst ::= SEQUENCE { e-PUCH-Timeslot-InfoLCR E-PUCH-Timeslot-InfoLCR OPTIONAL, uARFCN UARFCN, iE-Extensions ProtocolExtensionContainer { { MultipleFreq-E-PUCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst-ExtIEs} } OPTIONAL, ... } MultipleFreq-E-PUCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Max-RTWP-perUARFCN-Information-LCR-PSCH-ReconfRqst ::= SEQUENCE (SIZE (1..maxFrequencyinCell)) OF Max-RTWP-perUARFCN-Information-LCR-PSCH-ReconfRqst-Item Max-RTWP-perUARFCN-Information-LCR-PSCH-ReconfRqst-Item ::= SEQUENCE { uARFCN UARFCN, maximum-Target-ReceivedTotalWideBandPower-LCR Maximum-Target-ReceivedTotalWideBandPower-LCR, iE-Extensions ProtocolExtensionContainer { { Max-RTWP-perUARFCN-Information-LCR-PSCH-ReconfRqst-Item-ExtIEs} } OPTIONAL, ... } Max-RTWP-perUARFCN-Information-LCR-PSCH-ReconfRqst-Item-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- PHYSICAL SHARED CHANNEL RECONFIGURATION RESPONSE -- -- ************************************************************** PhysicalSharedChannelReconfigurationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{PhysicalSharedChannelReconfigurationResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{PhysicalSharedChannelReconfigurationResponse-Extensions}} OPTIONAL, ... } PhysicalSharedChannelReconfigurationResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } PhysicalSharedChannelReconfigurationResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-HICH-TimeOffset CRITICALITY reject EXTENSION E-HICH-TimeOffset PRESENCE optional }| { ID id-E-HICH-TimeOffsetLCR CRITICALITY reject EXTENSION E-HICH-TimeOffsetLCR PRESENCE optional }| { ID id-HSDSCH-Common-System-Information-ResponseFDD CRITICALITY ignore EXTENSION HSDSCH-Common-System-Information-ResponseFDD PRESENCE optional }| { ID id-HSDSCH-Paging-System-Information-ResponseFDD CRITICALITY ignore EXTENSION HSDSCH-Paging-System-Information-ResponseFDD PRESENCE optional }| { ID id-UARFCNforNt CRITICALITY reject EXTENSION UARFCN PRESENCE optional}| -- Applicable to 1.28Mcps TDD when using multiple frequencies. This is the UARFCN for the first Frequency repetition. { ID id-E-HICH-TimeOffset-Extension CRITICALITY reject EXTENSION E-HICH-TimeOffset-ExtensionLCR PRESENCE optional }| -- Applicable to 1.28Mcps TDD when using multiple frequencies. This E-HICH-TimeOffset-ExtensionLCR is the E-HICH Time Offset LCR for the 2nd and beyond frequencies. { ID id-Common-EDCH-System-Information-ResponseFDD CRITICALITY ignore EXTENSION Common-EDCH-System-Information-ResponseFDD PRESENCE optional }| -- FDD only { ID id-HSDSCH-Common-System-Information-ResponseLCR CRITICALITY ignore EXTENSION HSDSCH-Common-System-Information-ResponseLCR PRESENCE optional }| { ID id-HSDSCH-Paging-System-Information-ResponseLCR CRITICALITY ignore EXTENSION HSDSCH-Paging-System-Information-ResponseLCR PRESENCE optional }| { ID id-Common-EDCH-System-Information-ResponseLCR CRITICALITY ignore EXTENSION Common-EDCH-System-Information-ResponseLCR PRESENCE optional }, ... } E-HICH-TimeOffset-ExtensionLCR ::= SEQUENCE (SIZE (1..maxFrequencyinCell-1)) OF ProtocolIE-Single-Container{{ Multiple-E-HICH-TimeOffsetLCR }} Multiple-E-HICH-TimeOffsetLCR NBAP-PROTOCOL-IES ::= { { ID id-MultipleFreq-E-HICH-TimeOffsetLCR CRITICALITY reject TYPE MultipleFreq-E-HICH-TimeOffsetLCR PRESENCE optional } } MultipleFreq-E-HICH-TimeOffsetLCR ::= SEQUENCE { e-HICH-TimeOffsetLCR E-HICH-TimeOffsetLCR, uARFCN UARFCN, iE-Extensions ProtocolExtensionContainer { { MultipleFreq-E-HICH-TimeOffsetLCR-ExtIEs} } OPTIONAL, ... } MultipleFreq-E-HICH-TimeOffsetLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- PHYSICAL SHARED CHANNEL RECONFIGURATION FAILURE -- -- ************************************************************** PhysicalSharedChannelReconfigurationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{PhysicalSharedChannelReconfigurationFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{PhysicalSharedChannelReconfigurationFailure-Extensions}} OPTIONAL, ... } PhysicalSharedChannelReconfigurationFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-CauseLevel-PSCH-ReconfFailure CRITICALITY ignore TYPE CauseLevel-PSCH-ReconfFailure PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } PhysicalSharedChannelReconfigurationFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-HICH-TimeOffset-ReconfFailureTDD CRITICALITY ignore EXTENSION E-HICH-TimeOffset-ReconfFailureTDD PRESENCE optional }| { ID id-Common-System-Information-ResponseLCR CRITICALITY ignore EXTENSION Common-System-Information-ResponseLCR PRESENCE optional }, ... } CauseLevel-PSCH-ReconfFailure ::= CHOICE { generalCause GeneralCauseList-PSCH-ReconfFailure, setSpecificCause SetSpecificCauseList-PSCH-ReconfFailureTDD, ..., extension-CauseLevel-PSCH-ReconfFailure Extension-CauseLevel-PSCH-ReconfFailure } GeneralCauseList-PSCH-ReconfFailure ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { { GeneralCauseItem-PSCH-ReconfFailure-ExtIEs} } OPTIONAL, ... } GeneralCauseItem-PSCH-ReconfFailure-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SetSpecificCauseList-PSCH-ReconfFailureTDD ::= SEQUENCE { unsuccessful-PDSCHSetList-PSCH-ReconfFailureTDD Unsuccessful-PDSCHSetList-PSCH-ReconfFailureTDD OPTIONAL, unsuccessful-PUSCHSetList-PSCH-ReconfFailureTDD Unsuccessful-PUSCHSetList-PSCH-ReconfFailureTDD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SetSpecificCauseItem-PSCH-ReconfFailureTDD-ExtIEs} } OPTIONAL, ... } SetSpecificCauseItem-PSCH-ReconfFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Unsuccessful-PDSCHSetList-PSCH-ReconfFailureTDD ::= SEQUENCE (SIZE (0.. maxNrOfPDSCHSets)) OF ProtocolIE-Single-Container {{ Unsuccessful-PDSCHSetItemIE-PSCH-ReconfFailureTDD }} Unsuccessful-PDSCHSetItemIE-PSCH-ReconfFailureTDD NBAP-PROTOCOL-IES ::= { { ID id-Unsuccessful-PDSCHSetItem-PSCH-ReconfFailureTDD CRITICALITY ignore TYPE Unsuccessful-PDSCHSetItem-PSCH-ReconfFailureTDD PRESENCE mandatory} } Unsuccessful-PDSCHSetItem-PSCH-ReconfFailureTDD ::= SEQUENCE { pDSCHSet-ID PDSCHSet-ID, cause Cause, iE-Extensions ProtocolExtensionContainer { {Unsuccessful-PDSCHSetItem-PSCH-ReconfFailureTDD-ExtIEs} } OPTIONAL, ... } Unsuccessful-PDSCHSetItem-PSCH-ReconfFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Unsuccessful-PUSCHSetList-PSCH-ReconfFailureTDD ::= SEQUENCE (SIZE (0.. maxNrOfPUSCHSets)) OF ProtocolIE-Single-Container {{ Unsuccessful-PUSCHSetItemIE-PSCH-ReconfFailureTDD }} Unsuccessful-PUSCHSetItemIE-PSCH-ReconfFailureTDD NBAP-PROTOCOL-IES ::= { { ID id-Unsuccessful-PUSCHSetItem-PSCH-ReconfFailureTDD CRITICALITY ignore TYPE Unsuccessful-PUSCHSetItem-PSCH-ReconfFailureTDD PRESENCE mandatory} } Unsuccessful-PUSCHSetItem-PSCH-ReconfFailureTDD ::= SEQUENCE { pUSCHSet-ID PUSCHSet-ID, cause Cause, iE-Extensions ProtocolExtensionContainer { {Unsuccessful-PUSCHSetItem-PSCH-ReconfFailureTDD-ExtIEs} } OPTIONAL, ... } Unsuccessful-PUSCHSetItem-PSCH-ReconfFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Extension-CauseLevel-PSCH-ReconfFailure ::= ProtocolIE-Single-Container {{ Extension-CauseLevel-PSCH-ReconfFailureIE }} Extension-CauseLevel-PSCH-ReconfFailureIE NBAP-PROTOCOL-IES ::= { { ID id-UARFCNSpecificCauseList CRITICALITY ignore TYPE UARFCNSpecificCauseList-PSCH-ReconfFailureTDD PRESENCE mandatory } } UARFCNSpecificCauseList-PSCH-ReconfFailureTDD ::= SEQUENCE (SIZE (0.. maxFrequencyinCell)) OF ProtocolIE-Single-Container {{ Unsuccessful-UARFCNItemIE-PSCH-ReconfFailureTDD }} Unsuccessful-UARFCNItemIE-PSCH-ReconfFailureTDD NBAP-PROTOCOL-IES ::= { { ID id-Unsuccessful-UARFCNItem-PSCH-ReconfFailureTDD CRITICALITY ignore TYPE Unsuccessful-UARFCNItem-PSCH-ReconfFailureTDD PRESENCE mandatory } } Unsuccessful-UARFCNItem-PSCH-ReconfFailureTDD ::= SEQUENCE { uARFCN UARFCN, -- Used for 1.28 Mcps TDD to indicate the carrier on which HSDPA or HSUPA resources configuration failure occurs. cause Cause, iE-Extensions ProtocolExtensionContainer { {Unsuccessful-UARFCNItem-PSCH-ReconfFailureTDD-ExtIEs} } OPTIONAL, ... } Unsuccessful-UARFCNItem-PSCH-ReconfFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-HS-Cause CRITICALITY ignore EXTENSION Cause PRESENCE optional}| -- Used to indicate the cause of HSDPA related configuration failure. { ID id-E-Cause CRITICALITY ignore EXTENSION Cause PRESENCE optional}, -- Used to indicate the cause of E-DCH related configuration failure. ... } E-HICH-TimeOffset-ReconfFailureTDD ::= SEQUENCE (SIZE (1..maxFrequencyinCell)) OF ProtocolIE-Single-Container{{ Multiple-E-HICH-TimeOffsetLCR }} Common-System-Information-ResponseLCR::= SEQUENCE { hSDSCH-Common-System-Information-ResponseLCR HSDSCH-Common-System-Information-ResponseLCR, hSDSCH-Paging-System-Information-ResponseLCR HSDSCH-Paging-System-Information-ResponseLCR OPTIONAL, common-EDCH-System-Information-ResponseLCR Common-EDCH-System-Information-ResponseLCR, iE-Extensions ProtocolExtensionContainer { { Common-System-Information-ResponseLCR-ExtIEs } } OPTIONAL, ... } Common-System-Information-ResponseLCR-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RESET REQUEST -- -- ************************************************************** ResetRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{ResetRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{ResetRequest-Extensions}} OPTIONAL, ... } ResetRequest-IEs NBAP-PROTOCOL-IES ::= { {ID id-ResetIndicator CRITICALITY ignore TYPE ResetIndicator PRESENCE mandatory}, ... } ResetRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } ResetIndicator ::= CHOICE { communicationContext CommunicationContextList-Reset, communicationControlPort CommunicationControlPortList-Reset, nodeB NULL, ... } CommunicationContextList-Reset ::= SEQUENCE { communicationContextInfoList-Reset CommunicationContextInfoList-Reset, iE-Extensions ProtocolExtensionContainer { {CommunicationContextItem-Reset-ExtIEs} } OPTIONAL, ... } CommunicationContextItem-Reset-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CommunicationContextInfoList-Reset ::= SEQUENCE (SIZE (1.. maxCommunicationContext)) OF ProtocolIE-Single-Container {{ CommunicationContextInfoItemIE-Reset }} CommunicationContextInfoItemIE-Reset NBAP-PROTOCOL-IES ::= { {ID id-CommunicationContextInfoItem-Reset CRITICALITY reject TYPE CommunicationContextInfoItem-Reset PRESENCE mandatory} } CommunicationContextInfoItem-Reset ::= SEQUENCE { communicationContextType-Reset CommunicationContextType-Reset, iE-Extensions ProtocolExtensionContainer { { CommunicationContextInfoItem-Reset-ExtIEs} } OPTIONAL, ... } CommunicationContextInfoItem-Reset-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CommunicationContextType-Reset ::= CHOICE { cRNC-CommunicationContextID CRNC-CommunicationContextID, nodeB-CommunicationContextID NodeB-CommunicationContextID, ... } CommunicationControlPortList-Reset ::= SEQUENCE { communicationControlPortInfoList-Reset CommunicationControlPortInfoList-Reset, iE-Extensions ProtocolExtensionContainer { {CommunicationControlPortItem-Reset-ExtIEs} } OPTIONAL, ... } CommunicationControlPortItem-Reset-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CommunicationControlPortInfoList-Reset ::= SEQUENCE (SIZE (1.. maxCCPinNodeB)) OF ProtocolIE-Single-Container {{CommunicationControlPortInfoItemIE-Reset }} CommunicationControlPortInfoItemIE-Reset NBAP-PROTOCOL-IES ::= { {ID id-CommunicationControlPortInfoItem-Reset CRITICALITY reject TYPE CommunicationControlPortInfoItem-Reset PRESENCE mandatory} } CommunicationControlPortInfoItem-Reset ::= SEQUENCE { communicationControlPortID CommunicationControlPortID, iE-Extensions ProtocolExtensionContainer { {CommunicationControlPortInfoItem-Reset-ExtIEs} } OPTIONAL, ... } CommunicationControlPortInfoItem-Reset-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RESET RESPONSE -- -- ************************************************************** ResetResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{ResetResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{ResetResponse-Extensions}} OPTIONAL, ... } ResetResponse-IEs NBAP-PROTOCOL-IES ::= { {ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } ResetResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- INFORMATION EXCHANGE INITIATION REQUEST -- -- ************************************************************** InformationExchangeInitiationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{InformationExchangeInitiationRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{InformationExchangeInitiationRequest-Extensions}} OPTIONAL, ... } InformationExchangeInitiationRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-InformationExchangeID CRITICALITY reject TYPE InformationExchangeID PRESENCE mandatory }| { ID id-InformationExchangeObjectType-InfEx-Rqst CRITICALITY reject TYPE InformationExchangeObjectType-InfEx-Rqst PRESENCE mandatory }| { ID id-InformationType CRITICALITY reject TYPE InformationType PRESENCE mandatory }| { ID id-InformationReportCharacteristics CRITICALITY reject TYPE InformationReportCharacteristics PRESENCE mandatory }, ... } InformationExchangeInitiationRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } InformationExchangeObjectType-InfEx-Rqst ::= CHOICE { cell Cell-InfEx-Rqst, ... } Cell-InfEx-Rqst ::= SEQUENCE { c-ID C-ID, iE-Extensions ProtocolExtensionContainer { { CellItem-InfEx-Rqst-ExtIEs} } OPTIONAL, ... } CellItem-InfEx-Rqst-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- INFORMATION EXCHANGE INITIATION RESPONSE -- -- ************************************************************** InformationExchangeInitiationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{InformationExchangeInitiationResponse-IEs}}, protocolExtensions ProtocolExtensionContainer {{InformationExchangeInitiationResponse-Extensions}} OPTIONAL, ... } InformationExchangeInitiationResponse-IEs NBAP-PROTOCOL-IES ::= { { ID id-InformationExchangeID CRITICALITY ignore TYPE InformationExchangeID PRESENCE mandatory }| { ID id-InformationExchangeObjectType-InfEx-Rsp CRITICALITY ignore TYPE InformationExchangeObjectType-InfEx-Rsp PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } InformationExchangeInitiationResponse-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } InformationExchangeObjectType-InfEx-Rsp ::= CHOICE { cell Cell-InfEx-Rsp, ... } Cell-InfEx-Rsp ::= SEQUENCE { requestedDataValue RequestedDataValue, iE-Extensions ProtocolExtensionContainer { { CellItem-InfEx-Rsp-ExtIEs} } OPTIONAL, ... } CellItem-InfEx-Rsp-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- INFORMATION EXCHANGE INITIATION FAILURE -- -- ************************************************************** InformationExchangeInitiationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{InformationExchangeInitiationFailure-IEs}}, protocolExtensions ProtocolExtensionContainer {{InformationExchangeInitiationFailure-Extensions}} OPTIONAL, ... } InformationExchangeInitiationFailure-IEs NBAP-PROTOCOL-IES ::= { { ID id-InformationExchangeID CRITICALITY ignore TYPE InformationExchangeID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } InformationExchangeInitiationFailure-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- INFORMATION REPORT -- -- ************************************************************** InformationReport ::= SEQUENCE { protocolIEs ProtocolIE-Container {{InformationReport-IEs}}, protocolExtensions ProtocolExtensionContainer {{InformationReport-Extensions}} OPTIONAL, ... } InformationReport-IEs NBAP-PROTOCOL-IES ::= { { ID id-InformationExchangeID CRITICALITY ignore TYPE InformationExchangeID PRESENCE mandatory }| { ID id-InformationExchangeObjectType-InfEx-Rprt CRITICALITY ignore TYPE InformationExchangeObjectType-InfEx-Rprt PRESENCE mandatory }, ... } InformationReport-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } InformationExchangeObjectType-InfEx-Rprt ::= CHOICE { cell Cell-Inf-Rprt, ... } Cell-Inf-Rprt ::= SEQUENCE { requestedDataValueInformation RequestedDataValueInformation, iE-Extensions ProtocolExtensionContainer {{ CellItem-Inf-Rprt-ExtIEs }} OPTIONAL, ... } CellItem-Inf-Rprt-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- INFORMATION EXCHANGE TERMINATION REQUEST -- -- ************************************************************** InformationExchangeTerminationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{InformationExchangeTerminationRequest-IEs}}, protocolExtensions ProtocolExtensionContainer {{InformationExchangeTerminationRequest-Extensions}} OPTIONAL, ... } InformationExchangeTerminationRequest-IEs NBAP-PROTOCOL-IES ::= { { ID id-InformationExchangeID CRITICALITY ignore TYPE InformationExchangeID PRESENCE mandatory}, ... } InformationExchangeTerminationRequest-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- INFORMATION EXCHANGE FAILURE INDICATION -- -- ************************************************************** InformationExchangeFailureIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{InformationExchangeFailureIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{InformationExchangeFailureIndication-Extensions}} OPTIONAL, ... } InformationExchangeFailureIndication-IEs NBAP-PROTOCOL-IES ::= { { ID id-InformationExchangeID CRITICALITY ignore TYPE InformationExchangeID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } InformationExchangeFailureIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL SYNCHRONISATION INITIATION REQUEST TDD -- -- ************************************************************** CellSynchronisationInitiationRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationInitiationRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationInitiationRequestTDD-Extensions}} OPTIONAL, ... } CellSynchronisationInitiationRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-cellSyncBurstRepetitionPeriod CRITICALITY reject TYPE CellSyncBurstRepetitionPeriod PRESENCE mandatory }| { ID id-timeslotInfo-CellSyncInitiationRqstTDD CRITICALITY reject TYPE TimeslotInfo-CellSyncInitiationRqstTDD PRESENCE optional }| -- Mandatory for 3.84Mcps TDD. Not Applicable to 1.28Mcps TDD. { ID id-CellSyncBurstTransInit-CellSyncInitiationRqstTDD CRITICALITY reject TYPE CellSyncBurstTransInit-CellSyncInitiationRqstTDD PRESENCE optional }| -- Applicable to 3.84Mcps TDD only { ID id-CellSyncBurstMeasureInit-CellSyncInitiationRqstTDD CRITICALITY reject TYPE CellSyncBurstMeasureInit-CellSyncInitiationRqstTDD PRESENCE optional }, -- Applicable to 3.84Mcps TDD only ... } CellSynchronisationInitiationRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-SYNCDlCodeId-TransInitLCR-CellSyncInitiationRqstTDD CRITICALITY reject EXTENSION SYNCDlCodeId-TransInitLCR-CellSyncInitiationRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-SYNCDlCodeId-MeasureInitLCR-CellSyncInitiationRqstTDD CRITICALITY reject EXTENSION SYNCDlCodeId-MeasureInitLCR-CellSyncInitiationRqstTDD PRESENCE optional }, -- Applicable to 1.28Mcps TDD only ... } TimeslotInfo-CellSyncInitiationRqstTDD::= SEQUENCE (SIZE (1..15)) OF TimeSlot CellSyncBurstTransInit-CellSyncInitiationRqstTDD::= SEQUENCE { cSBTransmissionID CSBTransmissionID, sfn SFN, cellSyncBurstCode CellSyncBurstCode, cellSyncBurstCodeShift CellSyncBurstCodeShift, initialDLTransPower DL-Power, iE-Extensions ProtocolExtensionContainer { { CellSyncBurstTransInit-CellSyncInitiationRqstTDD-ExtIEs} } OPTIONAL, ... } CellSyncBurstTransInit-CellSyncInitiationRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CellSyncBurstMeasureInit-CellSyncInitiationRqstTDD::= SEQUENCE { cSBMeasurementID CSBMeasurementID, cellSyncBurstCode CellSyncBurstCode, cellSyncBurstCodeShift CellSyncBurstCodeShift, synchronisationReportType SynchronisationReportType, sfn SFN OPTIONAL, synchronisationReportCharacteristics SynchronisationReportCharacteristics, iE-Extensions ProtocolExtensionContainer { { CellSyncBurstMeasureInit-CellSyncInitiationRqstTDD-ExtIEs} } OPTIONAL, ... } CellSyncBurstMeasureInit-CellSyncInitiationRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SYNCDlCodeId-TransInitLCR-CellSyncInitiationRqstTDD::= SEQUENCE { cSBTransmissionID CSBTransmissionID, sfn SFN, uARFCN UARFCN, sYNCDlCodeId SYNCDlCodeId, dwPCH-Power DwPCH-Power, iE-Extensions ProtocolExtensionContainer { { SYNCDlCodeId-TransInitLCR-CellSyncInitiationRqstTDD-ExtIEs } } OPTIONAL, ... } SYNCDlCodeId-TransInitLCR-CellSyncInitiationRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SYNCDlCodeId-MeasureInitLCR-CellSyncInitiationRqstTDD::= SEQUENCE { cSBMeasurementID CSBMeasurementID, sfn SFN OPTIONAL, uARFCN UARFCN, sYNCDlCodeId SYNCDlCodeId, synchronisationReportType SynchronisationReportType, synchronisationReportCharacteristics SynchronisationReportCharacteristics, iE-Extensions ProtocolExtensionContainer { { SYNCDlCodeId-MeasureInitLCR-CellSyncInitiationRqstTDD-ExtIEs } } OPTIONAL, ... } SYNCDlCodeId-MeasureInitLCR-CellSyncInitiationRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL SYNCHRONISATION INITIATION RESPONSE TDD -- -- ************************************************************** CellSynchronisationInitiationResponseTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationInitiationResponseTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationInitiationResponseTDD-Extensions}} OPTIONAL, ... } CellSynchronisationInitiationResponseTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CellSynchronisationInitiationResponseTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- CELL SYNCHRONISATION INITIATION FAILURE TDD -- -- ************************************************************** CellSynchronisationInitiationFailureTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationInitiationFailureTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationInitiationFailureTDD-Extensions}} OPTIONAL, ... } CellSynchronisationInitiationFailureTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CellSynchronisationInitiationFailureTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- CELL SYNCHRONISATION RECONFIGURATION REQUEST TDD -- -- ************************************************************** CellSynchronisationReconfigurationRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationReconfigurationRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationReconfigurationRequestTDD-Extensions}} OPTIONAL, ... } CellSynchronisationReconfigurationRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY reject TYPE C-ID PRESENCE mandatory }| { ID id-TimeSlot CRITICALITY reject TYPE TimeSlot PRESENCE mandatory }| -- Applicable to 3.84Mcps TDD only. For 1.28Mcps TDD, the CRNC should set this to 0 and the Node B shall ignore it. { ID id-NCyclesPerSFNperiod CRITICALITY reject TYPE NCyclesPerSFNperiod PRESENCE mandatory }| { ID id-NRepetitionsPerCyclePeriod CRITICALITY reject TYPE NRepetitionsPerCyclePeriod PRESENCE mandatory }| { ID id-CellSyncBurstTransReconfInfo-CellSyncReconfRqstTDD CRITICALITY reject TYPE CellSyncBurstTransReconfInfo-CellSyncReconfRqstTDD PRESENCE optional }| -- Applicable to 3.84Mcps TDD only { ID id-CellSyncBurstMeasReconfiguration-CellSyncReconfRqstTDD CRITICALITY reject TYPE CellSyncBurstMeasInfo-CellSyncReconfRqstTDD PRESENCE optional }, -- Applicable to 3.84Mcps TDD only ... } CellSynchronisationReconfigurationRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-NSubCyclesPerCyclePeriod-CellSyncReconfRqstTDD CRITICALITY reject EXTENSION NSubCyclesPerCyclePeriod PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-SYNCDlCodeIdTransReconfInfoLCR-CellSyncReconfRqstTDD CRITICALITY reject EXTENSION SYNCDlCodeIdTransReconfInfoLCR-CellSyncReconfRqstTDD PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-SYNCDlCodeIdMeasReconfigurationLCR-CellSyncReconfRqstTDD CRITICALITY reject EXTENSION SYNCDlCodeIdMeasInfoLCR-CellSyncReconfRqstTDD PRESENCE optional }, -- Applicable to 1.28Mcps TDD only ... } CellSyncBurstTransReconfInfo-CellSyncReconfRqstTDD ::= SEQUENCE (SIZE (1.. maxNrOfCellSyncBursts)) OF CellSyncBurstTransInfoItem-CellSyncReconfRqstTDD CellSyncBurstTransInfoItem-CellSyncReconfRqstTDD ::= SEQUENCE { cSBTransmissionID CSBTransmissionID, syncFrameNumberToTransmit SyncFrameNumber, cellSyncBurstCode CellSyncBurstCode OPTIONAL, cellSyncBurstCodeShift CellSyncBurstCodeShift OPTIONAL, dlTransPower DL-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { CellSyncBurstTransInfoItem-CellSyncReconfRqstTDD-ExtIEs} } OPTIONAL, ... } CellSyncBurstTransInfoItem-CellSyncReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CellSyncBurstMeasInfo-CellSyncReconfRqstTDD ::= SEQUENCE { cellSyncBurstMeasInfoList-CellSyncReconfRqstTDD CellSyncBurstMeasInfoList-CellSyncReconfRqstTDD, synchronisationReportType SynchronisationReportTypeIE OPTIONAL, synchronisationReportCharacteristics SynchronisationReportCharacteristicsIE OPTIONAL, iE-Extensions ProtocolExtensionContainer { { CellSyncBurstMeasInfo-CellSyncReconfRqstTDD-ExtIEs} } OPTIONAL, ... } CellSyncBurstMeasInfo-CellSyncReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CellSyncBurstMeasInfoList-CellSyncReconfRqstTDD ::= ProtocolIE-Single-Container {{ CellSyncBurstMeasInfoListIEs-CellSyncReconfRqstTDD }} CellSyncBurstMeasInfoListIEs-CellSyncReconfRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-CellSyncBurstMeasInfoList-CellSyncReconfRqstTDD CRITICALITY reject TYPE CellSyncBurstMeasInfoListIE-CellSyncReconfRqstTDD PRESENCE mandatory } } SynchronisationReportTypeIE ::= ProtocolIE-Single-Container {{ SynchronisationReportTypeIEs }} SynchronisationReportTypeIEs NBAP-PROTOCOL-IES ::= { { ID id-SynchronisationReportType CRITICALITY reject TYPE SynchronisationReportType PRESENCE mandatory } } SynchronisationReportCharacteristicsIE ::= ProtocolIE-Single-Container {{ SynchronisationReportCharacteristicsIEs }} SynchronisationReportCharacteristicsIEs NBAP-PROTOCOL-IES ::= { { ID id-SynchronisationReportCharacteristics CRITICALITY reject TYPE SynchronisationReportCharacteristics PRESENCE mandatory } } CellSyncBurstMeasInfoListIE-CellSyncReconfRqstTDD ::= SEQUENCE (SIZE (1.. maxNrOfCellSyncBursts)) OF CellSyncBurstMeasInfoItem-CellSyncReconfRqstTDD CellSyncBurstMeasInfoItem-CellSyncReconfRqstTDD ::= SEQUENCE { syncFrameNrToReceive SyncFrameNumber, syncBurstInfo CellSyncBurstInfoList-CellSyncReconfRqstTDD, iE-Extensions ProtocolExtensionContainer { { CellSyncBurstMeasInfoItem-CellSyncReconfRqstTDD-ExtIEs} } OPTIONAL, ... } CellSyncBurstMeasInfoItem-CellSyncReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CellSyncBurstInfoList-CellSyncReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfReceptsPerSyncFrame)) OF CellSyncBurstInfoItem-CellSyncReconfRqstTDD CellSyncBurstInfoItem-CellSyncReconfRqstTDD ::= SEQUENCE { cSBMeasurementID CSBMeasurementID, cellSyncBurstCode CellSyncBurstCode, cellSyncBurstCodeShift CellSyncBurstCodeShift, iE-Extensions ProtocolExtensionContainer { { CellSyncBurstInfoItem-CellSyncReconfRqstTDD-ExtIEs} } OPTIONAL, ... } CellSyncBurstInfoItem-CellSyncReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SYNCDlCodeIdTransReconfInfoLCR-CellSyncReconfRqstTDD ::= SEQUENCE (SIZE (1..maxNrOfSyncFramesLCR)) OF SYNCDlCodeIdTransReconfItemLCR-CellSyncReconfRqstTDD SYNCDlCodeIdTransReconfItemLCR-CellSyncReconfRqstTDD ::= SEQUENCE { cSBTransmissionID CSBTransmissionID, syncFrameNumberforTransmit SyncFrameNumber, uARFCN UARFCN, sYNCDlCodeId SYNCDlCodeId OPTIONAL, dwPCH-Power DwPCH-Power OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SYNCDlCodeIdTransReconfInfoLCR-CellSyncReconfRqstTDD-ExtIEs} } OPTIONAL, ... } SYNCDlCodeIdTransReconfInfoLCR-CellSyncReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SYNCDlCodeIdMeasInfoLCR-CellSyncReconfRqstTDD::= SEQUENCE { sYNCDlCodeIdMeasInfoList SYNCDlCodeIdMeasInfoList-CellSyncReconfRqstTDD, synchronisationReportType SynchronisationReportType OPTIONAL, synchronisationReportCharacteristics SynchronisationReportCharacteristics OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SYNCDlCodeIdMeasInfoLCR-CellSyncReconfRqstTDD-ExtIEs} } OPTIONAL, ... } SYNCDlCodeIdMeasInfoLCR-CellSyncReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SYNCDlCodeIdMeasInfoList-CellSyncReconfRqstTDD::= SEQUENCE (SIZE (1.. maxNrOfSyncDLCodesLCR)) OF SYNCDlCodeIdMeasInfoItem-CellSyncReconfRqstTDD SYNCDlCodeIdMeasInfoItem-CellSyncReconfRqstTDD ::= SEQUENCE { syncFrameNrToReceive SyncFrameNumber, sYNCDlCodeIdInfoLCR SYNCDlCodeIdInfoListLCR-CellSyncReconfRqstTDD, iE-Extensions ProtocolExtensionContainer { { SYNCDlCodeIdMeasInfoItem-CellSyncReconfRqstTDD-ExtIEs} } OPTIONAL, ... } SYNCDlCodeIdMeasInfoItem-CellSyncReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SYNCDlCodeIdInfoListLCR-CellSyncReconfRqstTDD ::= SEQUENCE (SIZE (1.. maxNrOfReceptionsperSyncFrameLCR)) OF SYNCDlCodeIdInfoItemLCR-CellSyncReconfRqstTDD SYNCDlCodeIdInfoItemLCR-CellSyncReconfRqstTDD ::= SEQUENCE { cSBMeasurementID CSBMeasurementID, sYNCDlCodeId SYNCDlCodeId, uARFCN UARFCN, propagationDelayCompensation TimingAdjustmentValueLCR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SYNCDlCodeIdInfoItemLCR-CellSyncReconfRqstTDD-ExtIEs} } OPTIONAL, ... } SYNCDlCodeIdInfoItemLCR-CellSyncReconfRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL SYNCHRONISATION RECONFIGURATION RESPONSE TDD -- -- ************************************************************** CellSynchronisationReconfigurationResponseTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationReconfigurationResponseTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationReconfigurationResponseTDD-Extensions}} OPTIONAL, ... } CellSynchronisationReconfigurationResponseTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CellSynchronisationReconfigurationResponseTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- CELL SYNCHRONISATION RECONFIGURATION FAILURE TDD -- -- ************************************************************** CellSynchronisationReconfigurationFailureTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationReconfigurationFailureTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationReconfigurationFailureTDD-Extensions}} OPTIONAL, ... } CellSynchronisationReconfigurationFailureTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CellSynchronisationReconfigurationFailureTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- CELL SYNCHRONISATION ADJUSTMENT REQUEST TDD -- -- ************************************************************** CellSynchronisationAdjustmentRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationAdjustmentRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationAdjustmentRequestTDD-Extensions}} OPTIONAL, ... } CellSynchronisationAdjustmentRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CellSynchronisationAdjustmentRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CellAdjustmentInfo-SyncAdjustmntRqstTDD CRITICALITY ignore TYPE CellAdjustmentInfo-SyncAdjustmentRqstTDD PRESENCE mandatory }, ... } CellAdjustmentInfo-SyncAdjustmentRqstTDD::= SEQUENCE (SIZE (1..maxCellinNodeB)) OF ProtocolIE-Single-Container {{ CellAdjustmentInfoItemIE-SyncAdjustmntRqstTDD }} CellAdjustmentInfoItemIE-SyncAdjustmntRqstTDD NBAP-PROTOCOL-IES ::= { { ID id-CellAdjustmentInfoItem-SyncAdjustmentRqstTDD CRITICALITY ignore TYPE CellAdjustmentInfoItem-SyncAdjustmentRqstTDD PRESENCE mandatory } } CellAdjustmentInfoItem-SyncAdjustmentRqstTDD ::= SEQUENCE { c-ID C-ID, frameAdjustmentValue FrameAdjustmentValue OPTIONAL, timingAdjustmentValue TimingAdjustmentValue OPTIONAL, dLTransPower DL-Power OPTIONAL, -- Applicable to 3.84Mcps TDD only sfn SFN OPTIONAL, iE-Extensions ProtocolExtensionContainer { { CellAdjustmentInfoItem-SyncAdjustmntRqstTDD-ExtIEs} } OPTIONAL, ... } CellAdjustmentInfoItem-SyncAdjustmntRqstTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-DwPCH-Power CRITICALITY ignore EXTENSION DwPCH-Power PRESENCE optional }| -- Applicable to 1.28Mcps TDD only { ID id-TimingAdjustmentValueLCR CRITICALITY ignore EXTENSION TimingAdjustmentValueLCR PRESENCE optional }, -- Applicable to 1.28Mcps TDD only ... } -- ************************************************************** -- -- CELL SYNCHRONISATION ADJUSTMENT RESPONSE TDD -- -- ************************************************************** CellSynchronisationAdjustmentResponseTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationAdjustmentResponseTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationAdjustmentResponseTDD-Extensions}} OPTIONAL, ... } CellSynchronisationAdjustmentResponseTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CellSynchronisationAdjustmentResponseTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- CELL SYNCHRONISATION ADJUSTMENT FAILURE TDD -- -- ************************************************************** CellSynchronisationAdjustmentFailureTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationAdjustmentFailureTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationAdjustmentFailureTDD-Extensions}} OPTIONAL, ... } CellSynchronisationAdjustmentFailureTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CellSynchronisationAdjustmentFailureTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CauseLevel-SyncAdjustmntFailureTDD CRITICALITY ignore TYPE CauseLevel-SyncAdjustmntFailureTDD PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } CauseLevel-SyncAdjustmntFailureTDD ::= CHOICE { generalCause GeneralCauseList-SyncAdjustmntFailureTDD, cellSpecificCause CellSpecificCauseList-SyncAdjustmntFailureTDD, ... } GeneralCauseList-SyncAdjustmntFailureTDD::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { { GeneralCauseList-SyncAdjustmntFailureTDD-ExtIEs} } OPTIONAL, ... } GeneralCauseList-SyncAdjustmntFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CellSpecificCauseList-SyncAdjustmntFailureTDD ::= SEQUENCE { unsuccessful-cell-InformationRespList-SyncAdjustmntFailureTDD Unsuccessful-cell-InformationRespList-SyncAdjustmntFailureTDD, iE-Extensions ProtocolExtensionContainer { { CellSpecificCauseList-SyncAdjustmntFailureTDD-ExtIEs} } OPTIONAL, ... } CellSpecificCauseList-SyncAdjustmntFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Unsuccessful-cell-InformationRespList-SyncAdjustmntFailureTDD ::= SEQUENCE (SIZE (1..maxCellinNodeB)) OF ProtocolIE-Single-Container {{ Unsuccessful-cell-InformationRespItemIE-SyncAdjustmntFailureTDD }} Unsuccessful-cell-InformationRespItemIE-SyncAdjustmntFailureTDD NBAP-PROTOCOL-IES ::= { { ID id-Unsuccessful-cell-InformationRespItem-SyncAdjustmntFailureTDD CRITICALITY ignore TYPE Unsuccessful-cell-InformationRespItem-SyncAdjustmntFailureTDD PRESENCE mandatory}, ... } Unsuccessful-cell-InformationRespItem-SyncAdjustmntFailureTDD::= SEQUENCE { c-ID C-ID, cause Cause, iE-Extensions ProtocolExtensionContainer { { Unsuccessful-cell-InformationRespItem-SyncAdjustmntFailureTDD-ExtIEs} } OPTIONAL, ... } Unsuccessful-cell-InformationRespItem-SyncAdjustmntFailureTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- CELL SYNCHRONISATION TERMINATION REQUEST TDD -- -- ************************************************************** CellSynchronisationTerminationRequestTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationTerminationRequestTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationTerminationRequestTDD-Extensions}} OPTIONAL, ... } CellSynchronisationTerminationRequestTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CellSynchronisationTerminationRequestTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY ignore TYPE C-ID PRESENCE mandatory }| { ID id-CSBTransmissionID CRITICALITY ignore TYPE CSBTransmissionID PRESENCE optional }| { ID id-CSBMeasurementID CRITICALITY ignore TYPE CSBMeasurementID PRESENCE optional }, ... } -- ************************************************************** -- -- CELL SYNCHRONISATION FAILURE INDICATION TDD -- -- ************************************************************** CellSynchronisationFailureIndicationTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationFailureIndicationTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationFailureIndicationTDD-Extensions}} OPTIONAL, ... } CellSynchronisationFailureIndicationTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CellSynchronisationFailureIndicationTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY ignore TYPE C-ID PRESENCE mandatory }| { ID id-CSBTransmissionID CRITICALITY ignore TYPE CSBTransmissionID PRESENCE optional }| { ID id-CSBMeasurementID CRITICALITY ignore TYPE CSBMeasurementID PRESENCE optional }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } -- ************************************************************** -- -- CELL SYNCHRONISATION REPORT TDD -- -- ************************************************************** CellSynchronisationReportTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{CellSynchronisationReportTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{CellSynchronisationReportTDD-Extensions}} OPTIONAL, ... } CellSynchronisationReportTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } CellSynchronisationReportTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CellSyncInfo-CellSyncReprtTDD CRITICALITY ignore TYPE CellSyncInfo-CellSyncReprtTDD PRESENCE mandatory }, ... } CellSyncInfo-CellSyncReprtTDD ::= SEQUENCE (SIZE (1..maxCellinNodeB)) OF CellSyncInfoItemIE-CellSyncReprtTDD CellSyncInfoItemIE-CellSyncReprtTDD ::= SEQUENCE { c-ID-CellSyncReprtTDD C-ID-IE-CellSyncReprtTDD, syncReportType-CellSyncReprtTDD SyncReportTypeIE-CellSyncReprtTDD OPTIONAL, ... } C-ID-IE-CellSyncReprtTDD ::= ProtocolIE-Single-Container {{ C-ID-IEs-CellSyncReprtTDD }} C-ID-IEs-CellSyncReprtTDD NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY ignore TYPE C-ID PRESENCE mandatory } } SyncReportTypeIE-CellSyncReprtTDD::= ProtocolIE-Single-Container {{ SyncReportTypeIEs-CellSyncReprtTDD }} SyncReportTypeIEs-CellSyncReprtTDD NBAP-PROTOCOL-IES ::= { { ID id-SyncReportType-CellSyncReprtTDD CRITICALITY ignore TYPE SyncReportType-CellSyncReprtTDD PRESENCE mandatory} } SyncReportType-CellSyncReprtTDD ::= CHOICE { intStdPhSyncInfo-CellSyncReprtTDD IntStdPhCellSyncInfo-CellSyncReprtTDD, lateEntrantCell NULL, frequencyAcquisition NULL, ... } IntStdPhCellSyncInfo-CellSyncReprtTDD ::= SEQUENCE { cellSyncBurstMeasuredInfo CellSyncBurstMeasInfoList-CellSyncReprtTDD, iE-Extensions ProtocolExtensionContainer { { IntStdPhCellSyncInfoList-CellSyncReprtTDD-ExtIEs} } OPTIONAL, ... } IntStdPhCellSyncInfoList-CellSyncReprtTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-AccumulatedClockupdate-CellSyncReprtTDD CRITICALITY ignore EXTENSION TimingAdjustmentValue PRESENCE optional }| { ID id-SyncDLCodeIdsMeasInfoList-CellSyncReprtTDD CRITICALITY ignore EXTENSION SyncDLCodeIdsMeasInfoList-CellSyncReprtTDD PRESENCE optional }, -- Mandatory for 1.28Mcps TDD. Not Applicable to 3.84Mcps TDD. ... } CellSyncBurstMeasInfoList-CellSyncReprtTDD ::= SEQUENCE (SIZE (0.. maxNrOfCellSyncBursts)) OF CellSyncBurstMeasInfoItem-CellSyncReprtTDD -- Mandatory for 3.84Mcps TDD. Not Applicable to 1.28Mcps TDD. CellSyncBurstMeasInfoItem-CellSyncReprtTDD ::= SEQUENCE { sFN SFN, cellSyncBurstInfo-CellSyncReprtTDD SEQUENCE (SIZE (1..maxNrOfReceptsPerSyncFrame)) OF CellSyncBurstInfo-CellSyncReprtTDD, iE-Extensions ProtocolExtensionContainer { { CellSyncBurstMeasInfoItem-CellSyncReprtTDD-ExtIEs} } OPTIONAL, ... } CellSyncBurstMeasInfoItem-CellSyncReprtTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } CellSyncBurstInfo-CellSyncReprtTDD ::= CHOICE { cellSyncBurstAvailable CellSyncBurstAvailable-CellSyncReprtTDD, cellSyncBurstNotAvailable NULL, ... } CellSyncBurstAvailable-CellSyncReprtTDD ::= SEQUENCE { cellSyncBurstTiming CellSyncBurstTiming, cellSyncBurstSIR CellSyncBurstSIR, iE-Extensions ProtocolExtensionContainer { { CellSyncBurstAvailable-CellSyncReprtTDD-ExtIEs} } OPTIONAL, ... } CellSyncBurstAvailable-CellSyncReprtTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SyncDLCodeIdsMeasInfoList-CellSyncReprtTDD ::= SEQUENCE (SIZE (0..maxNrOfSyncFramesLCR)) OF SyncDLCodeIdsMeasInfoItem-CellSyncReprtTDD -- Mandatory for 1.28Mcps TDD. Not Applicable to 3.84Mcps TDD. SyncDLCodeIdsMeasInfoItem-CellSyncReprtTDD ::= SEQUENCE { sFN SFN, syncDLCodeIdInfo-CellSyncReprtTDD SyncDLCodeIdInfo-CellSyncReprtTDD, iE-Extensions ProtocolExtensionContainer { { SyncDLCodeIdsMeasInfoItem-CellSyncReprtTDD-ExtIEs } } OPTIONAL, ... } SyncDLCodeIdsMeasInfoItem-CellSyncReprtTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } SyncDLCodeIdInfo-CellSyncReprtTDD ::= SEQUENCE (SIZE (1..maxNrOfReceptionsperSyncFrameLCR)) OF SyncDLCodeIdItem-CellSyncReprtTDD SyncDLCodeIdItem-CellSyncReprtTDD ::= CHOICE { syncDLCodeIdAvailable SyncDLCodeIdAvailable-CellSyncReprtTDD, syncDLCodeIDNotAvailable NULL, ... } SyncDLCodeIdAvailable-CellSyncReprtTDD ::= SEQUENCE { syncDLCodeIdTiming CellSyncBurstTimingLCR, syncDLCodeIdSIR CellSyncBurstSIR, iE-Extensions ProtocolExtensionContainer { { SyncDLCodeIdAvailable-CellSyncReprtTDD-ExtIEs } } OPTIONAL, ... } SyncDLCodeIdAvailable-CellSyncReprtTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- BEARER REARRANGEMENT INDICATION -- -- ************************************************************** BearerRearrangementIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{BearerRearrangementIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{BearerRearrangementIndication-Extensions}} OPTIONAL, ... } BearerRearrangementIndication-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-SignallingBearerRequestIndicator CRITICALITY ignore TYPE SignallingBearerRequestIndicator PRESENCE optional } | { ID id-DCH-RearrangeList-Bearer-RearrangeInd CRITICALITY ignore TYPE DCH-RearrangeList-Bearer-RearrangeInd PRESENCE optional } | { ID id-DSCH-RearrangeList-Bearer-RearrangeInd CRITICALITY ignore TYPE DSCH-RearrangeList-Bearer-RearrangeInd PRESENCE optional } | -- TDD only. { ID id-USCH-RearrangeList-Bearer-RearrangeInd CRITICALITY ignore TYPE USCH-RearrangeList-Bearer-RearrangeInd PRESENCE optional } | -- TDD only. { ID id-HSDSCH-RearrangeList-Bearer-RearrangeInd CRITICALITY ignore TYPE HSDSCH-RearrangeList-Bearer-RearrangeInd PRESENCE optional }, ... } BearerRearrangementIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-RearrangeList-Bearer-RearrangeInd CRITICALITY ignore EXTENSION E-DCH-RearrangeList-Bearer-RearrangeInd PRESENCE optional }, ... } DCH-RearrangeList-Bearer-RearrangeInd ::= SEQUENCE (SIZE (1..maxNrOfDCHs)) OF DCH-RearrangeItem-Bearer-RearrangeInd DCH-RearrangeItem-Bearer-RearrangeInd ::= SEQUENCE { dCH-ID DCH-ID, iE-Extensions ProtocolExtensionContainer { { DCH-RearrangeItem-Bearer-RearrangeInd-ExtIEs} } OPTIONAL, ... } DCH-RearrangeItem-Bearer-RearrangeInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } DSCH-RearrangeList-Bearer-RearrangeInd ::= SEQUENCE (SIZE (1..maxNrOfDSCHs)) OF DSCH-RearrangeItem-Bearer-RearrangeInd DSCH-RearrangeItem-Bearer-RearrangeInd ::= SEQUENCE { dSCH-ID DSCH-ID, iE-Extensions ProtocolExtensionContainer { { DSCH-RearrangeItem-Bearer-RearrangeInd-ExtIEs} } OPTIONAL, ... } DSCH-RearrangeItem-Bearer-RearrangeInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } USCH-RearrangeList-Bearer-RearrangeInd ::= SEQUENCE (SIZE (1..maxNrOfUSCHs)) OF USCH-RearrangeItem-Bearer-RearrangeInd USCH-RearrangeItem-Bearer-RearrangeInd ::= SEQUENCE { uSCH-ID USCH-ID, iE-Extensions ProtocolExtensionContainer { { USCH-RearrangeItem-Bearer-RearrangeInd-ExtIEs} } OPTIONAL, ... } USCH-RearrangeItem-Bearer-RearrangeInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } HSDSCH-RearrangeList-Bearer-RearrangeInd ::= SEQUENCE (SIZE (1..maxNrOfMACdFlows)) OF HSDSCH-RearrangeItem-Bearer-RearrangeInd HSDSCH-RearrangeItem-Bearer-RearrangeInd ::= SEQUENCE { hsDSCH-MACdFlow-ID HSDSCH-MACdFlow-ID, iE-Extensions ProtocolExtensionContainer { { HSDSCH-RearrangeItem-Bearer-RearrangeInd-ExtIEs} } OPTIONAL, ... } HSDSCH-RearrangeItem-Bearer-RearrangeInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } E-DCH-RearrangeList-Bearer-RearrangeInd ::= SEQUENCE (SIZE (1.. maxNrOfEDCHMACdFlows)) OF E-DCH-RearrangeItem-Bearer-RearrangeInd E-DCH-RearrangeItem-Bearer-RearrangeInd ::= SEQUENCE { e-DCH-MACdFlow-ID E-DCH-MACdFlow-ID, iE-Extensions ProtocolExtensionContainer { { E-DCH-RearrangeItem-Bearer-RearrangeInd-ExtIEs} } OPTIONAL, ... } E-DCH-RearrangeItem-Bearer-RearrangeInd-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { { ID id-Additional-EDCH-Cell-Information-Bearer-Rearrangement CRITICALITY ignore EXTENSION Additional-EDCH-Cell-Information-Bearer-Rearrangement-List PRESENCE optional }, ... } Additional-EDCH-Cell-Information-Bearer-Rearrangement-List ::= SEQUENCE (SIZE (1..maxNrOfEDCH-1)) OF Additional-EDCH-Cell-Information-Bearer-Rearrangement-ItemIEs Additional-EDCH-Cell-Information-Bearer-Rearrangement-ItemIEs ::= SEQUENCE { transport-Bearer-Rearrangement-Indicator-for-Additional-EDCH-Separate-Mode Transport-Bearer-Rearrangement-Indicator-for-Additional-EDCH-Separate-Mode, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-Cell-Information-Bearer-Rearrangement-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-EDCH-Cell-Information-Bearer-Rearrangement-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Transport-Bearer-Rearrangement-Indicator-for-Additional-EDCH-Separate-Mode ::= ENUMERATED { bearer-for-primary-carrier, bearer-for-secondary-carrier, bearers-for-both-primary-and-secondary-carriers, ... } -- ************************************************************** -- -- RADIO LINK ACTIVATION COMMAND FDD -- -- ************************************************************** RadioLinkActivationCommandFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkActivationCommandFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkActivationCommandFDD-Extensions}} OPTIONAL, ... } RadioLinkActivationCommandFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-DelayedActivationList-RL-ActivationCmdFDD CRITICALITY ignore TYPE DelayedActivationInformationList-RL-ActivationCmdFDD PRESENCE mandatory }, ... } RadioLinkActivationCommandFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } DelayedActivationInformationList-RL-ActivationCmdFDD ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container { { DelayedActivationInformation-RL-ActivationCmdFDD-IEs} } DelayedActivationInformation-RL-ActivationCmdFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-DelayedActivationInformation-RL-ActivationCmdFDD CRITICALITY ignore TYPE DelayedActivationInformation-RL-ActivationCmdFDD PRESENCE optional } } DelayedActivationInformation-RL-ActivationCmdFDD ::= SEQUENCE { rL-ID RL-ID, delayed-activation-update DelayedActivationUpdate, iE-Extensions ProtocolExtensionContainer { { DelayedActivationInformation-RL-ActivationCmdFDD-ExtIEs} } OPTIONAL, ... } DelayedActivationInformation-RL-ActivationCmdFDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK ACTIVATION COMMAND TDD -- -- ************************************************************** RadioLinkActivationCommandTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkActivationCommandTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkActivationCommandTDD-Extensions}} OPTIONAL, ... } RadioLinkActivationCommandTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-DelayedActivationList-RL-ActivationCmdTDD CRITICALITY ignore TYPE DelayedActivationInformationList-RL-ActivationCmdTDD PRESENCE mandatory }, ... } RadioLinkActivationCommandTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } DelayedActivationInformationList-RL-ActivationCmdTDD ::= SEQUENCE (SIZE (1..maxNrOfRLs)) OF ProtocolIE-Single-Container { { DelayedActivationInformation-RL-ActivationCmdTDD-IEs} } DelayedActivationInformation-RL-ActivationCmdTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-DelayedActivationInformation-RL-ActivationCmdTDD CRITICALITY ignore TYPE DelayedActivationInformation-RL-ActivationCmdTDD PRESENCE optional } } DelayedActivationInformation-RL-ActivationCmdTDD ::= SEQUENCE { rL-ID RL-ID, delayed-activation-update DelayedActivationUpdate, iE-Extensions ProtocolExtensionContainer { { DelayedActivationInformation-RL-ActivationCmdTDD-ExtIEs} } OPTIONAL, ... } DelayedActivationInformation-RL-ActivationCmdTDD-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK PARAMETER UPDATE INDICATION FDD -- -- ************************************************************** RadioLinkParameterUpdateIndicationFDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkParameterUpdateIndicationFDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkParameterUpdateIndicationFDD-Extensions}} OPTIONAL, ... } RadioLinkParameterUpdateIndicationFDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-HSDSCH-FDD-Update-Information CRITICALITY ignore TYPE HSDSCH-FDD-Update-Information PRESENCE optional }, ... } RadioLinkParameterUpdateIndicationFDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { { ID id-E-DCH-FDD-Update-Information CRITICALITY ignore EXTENSION E-DCH-FDD-Update-Information PRESENCE optional }| { ID id-Additional-HS-Cell-Information-RL-Param-Upd CRITICALITY ignore EXTENSION Additional-HS-Cell-Information-RL-Param-Upd PRESENCE optional }| { ID id-Additional-EDCH-Cell-Information-RL-Param-Upd CRITICALITY ignore EXTENSION Additional-EDCH-Cell-Information-RL-Param-Upd PRESENCE optional }, ... } Additional-HS-Cell-Information-RL-Param-Upd ::= SEQUENCE (SIZE (1..maxNrOfHSDSCH-1)) OF Additional-HS-Cell-Information-RL-Param-Upd-ItemIEs Additional-HS-Cell-Information-RL-Param-Upd-ItemIEs ::=SEQUENCE{ hSPDSCH-RL-ID RL-ID, hS-DSCH-FDD-Secondary-Serving-Update-Information HS-DSCH-FDD-Secondary-Serving-Update-Information, iE-Extensions ProtocolExtensionContainer { { Additional-HS-Cell-Information-RL-Setup-ExtIEs} } OPTIONAL, ... } Additional-HS-Cell-Information-RL-Setup-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } Additional-EDCH-Cell-Information-RL-Param-Upd ::= SEQUENCE (SIZE (1..maxNrOfEDCH-1)) OF Additional-EDCH-Cell-Information-RL-Param-Upd-ItemIEs Additional-EDCH-Cell-Information-RL-Param-Upd-ItemIEs ::=SEQUENCE{ additional-EDCH-FDD-Update-Information Additional-EDCH-FDD-Update-Information, iE-Extensions ProtocolExtensionContainer { { Additional-EDCH-Cell-Information-RL-Param-Upd-ItemIEs-ExtIEs} } OPTIONAL, ... } Additional-EDCH-Cell-Information-RL-Param-Upd-ItemIEs-ExtIEs NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- RADIO LINK PARAMETER UPDATE INDICATION TDD -- -- ************************************************************** RadioLinkParameterUpdateIndicationTDD ::= SEQUENCE { protocolIEs ProtocolIE-Container {{RadioLinkParameterUpdateIndicationTDD-IEs}}, protocolExtensions ProtocolExtensionContainer {{RadioLinkParameterUpdateIndicationTDD-Extensions}} OPTIONAL, ... } RadioLinkParameterUpdateIndicationTDD-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory } | { ID id-HSDSCH-TDD-Update-Information CRITICALITY ignore TYPE HSDSCH-TDD-Update-Information PRESENCE optional }, ... } RadioLinkParameterUpdateIndicationTDD-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- MBMS NOTIFICATION UPDATE COMMAND -- -- ************************************************************** MBMSNotificationUpdateCommand ::= SEQUENCE { protocolIEs ProtocolIE-Container {{ MBMSNotificationUpdateCommand-IEs}}, protocolExtensions ProtocolExtensionContainer {{ MBMSNotificationUpdateCommand-Extensions}} OPTIONAL, ... } MBMSNotificationUpdateCommand-IEs NBAP-PROTOCOL-IES ::= { { ID id-C-ID CRITICALITY ignore TYPE C-ID PRESENCE mandatory }| { ID id-CommonPhysicalChannelID CRITICALITY ignore TYPE CommonPhysicalChannelID PRESENCE mandatory }| { ID id-Modification-Period CRITICALITY ignore TYPE Modification-Period PRESENCE optional }| { ID id-MICH-CFN CRITICALITY ignore TYPE MICH-CFN PRESENCE mandatory }| { ID id-NI-Information-NotifUpdateCmd CRITICALITY ignore TYPE NI-Information PRESENCE mandatory }, ... } MBMSNotificationUpdateCommand-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- UE STATUS UPDATE COMMAND -- -- ************************************************************** UEStatusUpdateCommand ::= SEQUENCE { protocolIEs ProtocolIE-Container {{UEStatusUpdateCommand-IEs}}, protocolExtensions ProtocolExtensionContainer {{UEStatusUpdateCommand-Extensions}} OPTIONAL, ... } UEStatusUpdateCommand-IEs NBAP-PROTOCOL-IES ::= { { ID id-Cell-ERNTI-Status-Information CRITICALITY ignore TYPE Cell-ERNTI-Status-Information PRESENCE mandatory }, ... } UEStatusUpdateCommand-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- SECONDARY UL FREQUENCY REPORT -- -- ************************************************************** SecondaryULFrequencyReport ::= SEQUENCE { protocolIEs ProtocolIE-Container {{SecondaryULFrequencyReport-IEs}}, protocolExtensions ProtocolExtensionContainer {{SecondaryULFrequencyReport-Extensions}} OPTIONAL, ... } SecondaryULFrequencyReport-IEs NBAP-PROTOCOL-IES ::= { { ID id-NodeB-CommunicationContextID CRITICALITY ignore TYPE NodeB-CommunicationContextID PRESENCE mandatory }| { ID id-ActivationInformation CRITICALITY ignore TYPE ActivationInformation PRESENCE mandatory }, ... } SecondaryULFrequencyReport-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- SECONDARY UL FREQUENCY UPDATE INDICATION -- -- ************************************************************** SecondaryULFrequencyUpdateIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{SecondaryULFrequencyUpdateIndication-IEs}}, protocolExtensions ProtocolExtensionContainer {{SecondaryULFrequencyUpdateIndication-Extensions}} OPTIONAL, ... } SecondaryULFrequencyUpdateIndication-IEs NBAP-PROTOCOL-IES ::= { { ID id-CRNC-CommunicationContextID CRITICALITY ignore TYPE CRNC-CommunicationContextID PRESENCE mandatory }| { ID id-ActivationInformation CRITICALITY ignore TYPE ActivationInformation PRESENCE mandatory }, ... } SecondaryULFrequencyUpdateIndication-Extensions NBAP-PROTOCOL-EXTENSION ::= { ... } END
ASN.1
wireshark/epan/dissectors/asn1/nbap/NBAP-PDU-Descriptions.asn
-- NBAP-PDU-Descriptions.asn -- -- Taken from 3GPP TS 25.433 V9.2.0 (2010-03) -- http://www.3gpp.org/ftp/Specs/archive/25_series/25.433/ -- -- 9.3.2 Elementary Procedure Definitions -- -- ************************************************************** -- -- Elementary Procedure definitions -- -- ************************************************************** NBAP-PDU-Descriptions { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) umts-Access (20) modules (3) nbap (2) version1 (1) nbap-PDU-Descriptions (0) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- IE parameter types from other modules. -- -- ************************************************************** IMPORTS Criticality, ProcedureID, MessageDiscriminator, TransactionID FROM NBAP-CommonDataTypes CommonTransportChannelSetupRequestFDD, CommonTransportChannelSetupRequestTDD, CommonTransportChannelSetupResponse, CommonTransportChannelSetupFailure, CommonTransportChannelReconfigurationRequestFDD, CommonTransportChannelReconfigurationRequestTDD, CommonTransportChannelReconfigurationResponse, CommonTransportChannelReconfigurationFailure, CommonTransportChannelDeletionRequest, CommonTransportChannelDeletionResponse, BlockResourceRequest, BlockResourceResponse, BlockResourceFailure, UnblockResourceIndication, AuditFailure, AuditRequiredIndication, AuditRequest, AuditResponse, CommonMeasurementInitiationRequest, CommonMeasurementInitiationResponse, CommonMeasurementInitiationFailure, CommonMeasurementReport, CommonMeasurementTerminationRequest, CommonMeasurementFailureIndication, CellSetupRequestFDD, CellSetupRequestTDD, CellSetupResponse, CellSetupFailure, CellReconfigurationRequestFDD, CellReconfigurationRequestTDD, CellReconfigurationResponse, CellReconfigurationFailure, CellDeletionRequest, CellDeletionResponse, InformationExchangeInitiationRequest, InformationExchangeInitiationResponse, InformationExchangeInitiationFailure, InformationReport, InformationExchangeTerminationRequest, InformationExchangeFailureIndication, BearerRearrangementIndication, ResourceStatusIndication, SystemInformationUpdateRequest, SystemInformationUpdateResponse, SystemInformationUpdateFailure, ResetRequest, ResetResponse, RadioLinkActivationCommandFDD, RadioLinkActivationCommandTDD, RadioLinkPreemptionRequiredIndication, RadioLinkSetupRequestFDD, RadioLinkSetupRequestTDD, RadioLinkSetupResponseFDD, RadioLinkSetupResponseTDD, RadioLinkSetupFailureFDD, RadioLinkSetupFailureTDD, RadioLinkAdditionRequestFDD, RadioLinkAdditionRequestTDD, RadioLinkAdditionResponseFDD, RadioLinkAdditionResponseTDD, RadioLinkAdditionFailureFDD, RadioLinkAdditionFailureTDD, RadioLinkParameterUpdateIndicationFDD, RadioLinkParameterUpdateIndicationTDD, RadioLinkReconfigurationPrepareFDD, RadioLinkReconfigurationPrepareTDD, RadioLinkReconfigurationReady, RadioLinkReconfigurationFailure, RadioLinkReconfigurationCommit, RadioLinkReconfigurationCancel, RadioLinkReconfigurationRequestFDD, RadioLinkReconfigurationRequestTDD, RadioLinkReconfigurationResponse, RadioLinkDeletionRequest, RadioLinkDeletionResponse, DL-PowerControlRequest, DL-PowerTimeslotControlRequest, DedicatedMeasurementInitiationRequest, DedicatedMeasurementInitiationResponse, DedicatedMeasurementInitiationFailure, DedicatedMeasurementReport, DedicatedMeasurementTerminationRequest, DedicatedMeasurementFailureIndication, RadioLinkFailureIndication, RadioLinkRestoreIndication, CompressedModeCommand, ErrorIndication, PrivateMessage, PhysicalSharedChannelReconfigurationRequestTDD, PhysicalSharedChannelReconfigurationRequestFDD, PhysicalSharedChannelReconfigurationResponse, PhysicalSharedChannelReconfigurationFailure, CellSynchronisationInitiationRequestTDD, CellSynchronisationInitiationResponseTDD, CellSynchronisationInitiationFailureTDD, CellSynchronisationReconfigurationRequestTDD, CellSynchronisationReconfigurationResponseTDD, CellSynchronisationReconfigurationFailureTDD, CellSynchronisationAdjustmentRequestTDD, CellSynchronisationAdjustmentResponseTDD, CellSynchronisationAdjustmentFailureTDD, CellSynchronisationReportTDD, CellSynchronisationTerminationRequestTDD, CellSynchronisationFailureIndicationTDD, MBMSNotificationUpdateCommand, UEStatusUpdateCommand, SecondaryULFrequencyReport, SecondaryULFrequencyUpdateIndication FROM NBAP-PDU-Contents id-audit, id-auditRequired, id-blockResource, id-cellDeletion, id-cellReconfiguration, id-cellSetup, id-cellSynchronisationInitiation, id-cellSynchronisationReconfiguration, id-cellSynchronisationReporting, id-cellSynchronisationTermination, id-cellSynchronisationFailure, id-commonMeasurementFailure, id-commonMeasurementInitiation, id-commonMeasurementReport, id-commonMeasurementTermination, id-commonTransportChannelDelete, id-commonTransportChannelReconfigure, id-commonTransportChannelSetup, id-compressedModeCommand, id-dedicatedMeasurementFailure, id-dedicatedMeasurementInitiation, id-dedicatedMeasurementReport, id-dedicatedMeasurementTermination, id-downlinkPowerControl, id-downlinkPowerTimeslotControl, id-errorIndicationForDedicated, id-errorIndicationForCommon, id-informationExchangeFailure, id-informationExchangeInitiation, id-informationReporting, id-informationExchangeTermination, id-BearerRearrangement, id-mBMSNotificationUpdate, id-physicalSharedChannelReconfiguration, id-privateMessageForDedicated, id-privateMessageForCommon, id-radioLinkActivation, id-radioLinkAddition, id-radioLinkDeletion, id-radioLinkFailure, id-radioLinkParameterUpdate, id-radioLinkPreemption, id-radioLinkRestoration, id-radioLinkSetup, id-reset, id-resourceStatusIndication, id-cellSynchronisationAdjustment, id-synchronisedRadioLinkReconfigurationCancellation, id-synchronisedRadioLinkReconfigurationCommit, id-synchronisedRadioLinkReconfigurationPreparation, id-systemInformationUpdate, id-unblockResource, id-unSynchronisedRadioLinkReconfiguration, id-uEStatusUpdate, id-secondaryULFrequencyReporting, id-secondaryULFrequencyUpdate FROM NBAP-Constants; -- ************************************************************** -- -- Interface Elementary Procedure Class -- -- ************************************************************** NBAP-ELEMENTARY-PROCEDURE ::= CLASS { &InitiatingMessage , &SuccessfulOutcome OPTIONAL, &UnsuccessfulOutcome OPTIONAL, &Outcome OPTIONAL, &messageDiscriminator MessageDiscriminator, &procedureID ProcedureID UNIQUE, &criticality Criticality DEFAULT ignore } WITH SYNTAX { INITIATING MESSAGE &InitiatingMessage [SUCCESSFUL OUTCOME &SuccessfulOutcome] [UNSUCCESSFUL OUTCOME &UnsuccessfulOutcome] [OUTCOME &Outcome] MESSAGE DISCRIMINATOR &messageDiscriminator PROCEDURE ID &procedureID [CRITICALITY &criticality] } -- ************************************************************** -- -- Interface PDU Definition -- -- ************************************************************** NBAP-PDU ::= CHOICE { initiatingMessage InitiatingMessage, succesfulOutcome SuccessfulOutcome, unsuccesfulOutcome UnsuccessfulOutcome, outcome Outcome, ... } InitiatingMessage ::= SEQUENCE { procedureID NBAP-ELEMENTARY-PROCEDURE.&procedureID ({NBAP-ELEMENTARY-PROCEDURES}), criticality NBAP-ELEMENTARY-PROCEDURE.&criticality ({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}), messageDiscriminator NBAP-ELEMENTARY-PROCEDURE.&messageDiscriminator({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}), transactionID TransactionID, value NBAP-ELEMENTARY-PROCEDURE.&InitiatingMessage({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}) } SuccessfulOutcome ::= SEQUENCE { procedureID NBAP-ELEMENTARY-PROCEDURE.&procedureID ({NBAP-ELEMENTARY-PROCEDURES}), criticality NBAP-ELEMENTARY-PROCEDURE.&criticality ({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}), messageDiscriminator NBAP-ELEMENTARY-PROCEDURE.&messageDiscriminator({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}), transactionID TransactionID, value NBAP-ELEMENTARY-PROCEDURE.&SuccessfulOutcome({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}) } UnsuccessfulOutcome ::= SEQUENCE { procedureID NBAP-ELEMENTARY-PROCEDURE.&procedureID ({NBAP-ELEMENTARY-PROCEDURES}), criticality NBAP-ELEMENTARY-PROCEDURE.&criticality ({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}), messageDiscriminator NBAP-ELEMENTARY-PROCEDURE.&messageDiscriminator({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}), transactionID TransactionID, value NBAP-ELEMENTARY-PROCEDURE.&UnsuccessfulOutcome({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}) } Outcome ::= SEQUENCE { procedureID NBAP-ELEMENTARY-PROCEDURE.&procedureID ({NBAP-ELEMENTARY-PROCEDURES}), criticality NBAP-ELEMENTARY-PROCEDURE.&criticality ({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}), messageDiscriminator NBAP-ELEMENTARY-PROCEDURE.&messageDiscriminator({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}), transactionID TransactionID, value NBAP-ELEMENTARY-PROCEDURE.&Outcome ({NBAP-ELEMENTARY-PROCEDURES}{@procedureID}) } -- ************************************************************** -- -- Interface Elementary Procedure List -- -- ************************************************************** NBAP-ELEMENTARY-PROCEDURES NBAP-ELEMENTARY-PROCEDURE ::= { NBAP-ELEMENTARY-PROCEDURES-CLASS-1 | NBAP-ELEMENTARY-PROCEDURES-CLASS-2 , ... } NBAP-ELEMENTARY-PROCEDURES-CLASS-1 NBAP-ELEMENTARY-PROCEDURE ::= { cellSetupFDD | cellSetupTDD | cellReconfigurationFDD | cellReconfigurationTDD | cellDeletion | commonTransportChannelSetupFDD | commonTransportChannelSetupTDD | commonTransportChannelReconfigureFDD | commonTransportChannelReconfigureTDD | commonTransportChannelDelete | audit | blockResource | radioLinkSetupFDD | radioLinkSetupTDD | systemInformationUpdate | commonMeasurementInitiation | radioLinkAdditionFDD | radioLinkAdditionTDD | radioLinkDeletion | reset | synchronisedRadioLinkReconfigurationPreparationFDD | synchronisedRadioLinkReconfigurationPreparationTDD | unSynchronisedRadioLinkReconfigurationFDD | unSynchronisedRadioLinkReconfigurationTDD | dedicatedMeasurementInitiation | physicalSharedChannelReconfigurationTDD , ..., informationExchangeInitiation | cellSynchronisationInitiationTDD | cellSynchronisationReconfigurationTDD | cellSynchronisationAdjustmentTDD | physicalSharedChannelReconfigurationFDD } NBAP-ELEMENTARY-PROCEDURES-CLASS-2 NBAP-ELEMENTARY-PROCEDURE ::= { resourceStatusIndication | auditRequired | commonMeasurementReport | commonMeasurementTermination | commonMeasurementFailure | synchronisedRadioLinkReconfigurationCommit | synchronisedRadioLinkReconfigurationCancellation | radioLinkFailure | radioLinkPreemption | radioLinkRestoration | dedicatedMeasurementReport | dedicatedMeasurementTermination | dedicatedMeasurementFailure | downlinkPowerControlFDD | downlinkPowerTimeslotControl | compressedModeCommand | unblockResource | errorIndicationForDedicated | errorIndicationForCommon | privateMessageForDedicated | privateMessageForCommon , ..., informationReporting | informationExchangeTermination | informationExchangeFailure | cellSynchronisationReportingTDD | cellSynchronisationTerminationTDD | cellSynchronisationFailureTDD | bearerRearrangement | radioLinkActivationFDD | radioLinkActivationTDD | radioLinkParameterUpdateFDD | radioLinkParameterUpdateTDD | mBMSNotificationUpdate | uEStatusUpdate | secondaryULFrequencyReportingFDD | secondaryULFrequencyUpdateFDD } -- ************************************************************** -- -- Interface Elementary Procedures -- -- ************************************************************** -- Class 1 -- *** CellSetup (FDD) *** cellSetupFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CellSetupRequestFDD SUCCESSFUL OUTCOME CellSetupResponse UNSUCCESSFUL OUTCOME CellSetupFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-cellSetup, ddMode fdd } CRITICALITY reject } -- *** CellSetup (TDD) *** cellSetupTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CellSetupRequestTDD SUCCESSFUL OUTCOME CellSetupResponse UNSUCCESSFUL OUTCOME CellSetupFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-cellSetup, ddMode tdd } CRITICALITY reject } -- *** CellReconfiguration(FDD) *** cellReconfigurationFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CellReconfigurationRequestFDD SUCCESSFUL OUTCOME CellReconfigurationResponse UNSUCCESSFUL OUTCOME CellReconfigurationFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-cellReconfiguration, ddMode fdd } CRITICALITY reject } -- *** CellReconfiguration(TDD) *** cellReconfigurationTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CellReconfigurationRequestTDD SUCCESSFUL OUTCOME CellReconfigurationResponse UNSUCCESSFUL OUTCOME CellReconfigurationFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-cellReconfiguration, ddMode tdd } CRITICALITY reject } -- *** CellDeletion *** cellDeletion NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CellDeletionRequest SUCCESSFUL OUTCOME CellDeletionResponse MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-cellDeletion, ddMode common } CRITICALITY reject } -- *** CommonTransportChannelSetup (FDD) *** commonTransportChannelSetupFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CommonTransportChannelSetupRequestFDD SUCCESSFUL OUTCOME CommonTransportChannelSetupResponse UNSUCCESSFUL OUTCOME CommonTransportChannelSetupFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-commonTransportChannelSetup, ddMode fdd } CRITICALITY reject } -- *** CommonTransportChannelSetup (TDD) *** commonTransportChannelSetupTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CommonTransportChannelSetupRequestTDD SUCCESSFUL OUTCOME CommonTransportChannelSetupResponse UNSUCCESSFUL OUTCOME CommonTransportChannelSetupFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-commonTransportChannelSetup, ddMode tdd } CRITICALITY reject } -- *** CommonTransportChannelReconfigure (FDD) *** commonTransportChannelReconfigureFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CommonTransportChannelReconfigurationRequestFDD SUCCESSFUL OUTCOME CommonTransportChannelReconfigurationResponse UNSUCCESSFUL OUTCOME CommonTransportChannelReconfigurationFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-commonTransportChannelReconfigure, ddMode fdd } CRITICALITY reject } -- *** CommonTransportChannelReconfigure (TDD) *** commonTransportChannelReconfigureTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CommonTransportChannelReconfigurationRequestTDD SUCCESSFUL OUTCOME CommonTransportChannelReconfigurationResponse UNSUCCESSFUL OUTCOME CommonTransportChannelReconfigurationFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-commonTransportChannelReconfigure, ddMode tdd } CRITICALITY reject } -- *** CommonTransportChannelDelete *** commonTransportChannelDelete NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CommonTransportChannelDeletionRequest SUCCESSFUL OUTCOME CommonTransportChannelDeletionResponse MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-commonTransportChannelDelete, ddMode common } CRITICALITY reject } -- *** Audit *** audit NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE AuditRequest SUCCESSFUL OUTCOME AuditResponse UNSUCCESSFUL OUTCOME AuditFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-audit, ddMode common } CRITICALITY reject } -- *** BlockResourceRequest *** blockResource NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE BlockResourceRequest SUCCESSFUL OUTCOME BlockResourceResponse UNSUCCESSFUL OUTCOME BlockResourceFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-blockResource, ddMode common } CRITICALITY reject } -- *** RadioLinkSetup (FDD) *** radioLinkSetupFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkSetupRequestFDD SUCCESSFUL OUTCOME RadioLinkSetupResponseFDD UNSUCCESSFUL OUTCOME RadioLinkSetupFailureFDD MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-radioLinkSetup, ddMode fdd } CRITICALITY reject } -- *** RadioLinkSetup (TDD) *** radioLinkSetupTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkSetupRequestTDD SUCCESSFUL OUTCOME RadioLinkSetupResponseTDD UNSUCCESSFUL OUTCOME RadioLinkSetupFailureTDD MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-radioLinkSetup, ddMode tdd } CRITICALITY reject } -- *** SystemInformationUpdate *** systemInformationUpdate NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE SystemInformationUpdateRequest SUCCESSFUL OUTCOME SystemInformationUpdateResponse UNSUCCESSFUL OUTCOME SystemInformationUpdateFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-systemInformationUpdate, ddMode common } CRITICALITY reject } -- *** Reset *** reset NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE ResetRequest SUCCESSFUL OUTCOME ResetResponse MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-reset, ddMode common } CRITICALITY reject } -- *** CommonMeasurementInitiation *** commonMeasurementInitiation NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CommonMeasurementInitiationRequest SUCCESSFUL OUTCOME CommonMeasurementInitiationResponse UNSUCCESSFUL OUTCOME CommonMeasurementInitiationFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-commonMeasurementInitiation, ddMode common } CRITICALITY reject } -- *** RadioLinkAddition (FDD) *** radioLinkAdditionFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkAdditionRequestFDD SUCCESSFUL OUTCOME RadioLinkAdditionResponseFDD UNSUCCESSFUL OUTCOME RadioLinkAdditionFailureFDD MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-radioLinkAddition, ddMode fdd } CRITICALITY reject } -- *** RadioLinkAddition (TDD) *** radioLinkAdditionTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkAdditionRequestTDD SUCCESSFUL OUTCOME RadioLinkAdditionResponseTDD UNSUCCESSFUL OUTCOME RadioLinkAdditionFailureTDD MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-radioLinkAddition, ddMode tdd } CRITICALITY reject } -- *** RadioLinkDeletion *** radioLinkDeletion NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkDeletionRequest SUCCESSFUL OUTCOME RadioLinkDeletionResponse MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-radioLinkDeletion, ddMode common } CRITICALITY reject } -- *** SynchronisedRadioLinkReconfigurationPreparation (FDD) *** synchronisedRadioLinkReconfigurationPreparationFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkReconfigurationPrepareFDD SUCCESSFUL OUTCOME RadioLinkReconfigurationReady UNSUCCESSFUL OUTCOME RadioLinkReconfigurationFailure MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-synchronisedRadioLinkReconfigurationPreparation, ddMode fdd } CRITICALITY reject } -- *** SynchronisedRadioLinkReconfigurationPreparation (TDD) *** synchronisedRadioLinkReconfigurationPreparationTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkReconfigurationPrepareTDD SUCCESSFUL OUTCOME RadioLinkReconfigurationReady UNSUCCESSFUL OUTCOME RadioLinkReconfigurationFailure MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-synchronisedRadioLinkReconfigurationPreparation, ddMode tdd } CRITICALITY reject } -- *** UnSynchronisedRadioLinkReconfiguration (FDD) *** unSynchronisedRadioLinkReconfigurationFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkReconfigurationRequestFDD SUCCESSFUL OUTCOME RadioLinkReconfigurationResponse UNSUCCESSFUL OUTCOME RadioLinkReconfigurationFailure MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-unSynchronisedRadioLinkReconfiguration, ddMode fdd } CRITICALITY reject } -- *** UnSynchronisedRadioLinkReconfiguration (TDD) *** unSynchronisedRadioLinkReconfigurationTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkReconfigurationRequestTDD SUCCESSFUL OUTCOME RadioLinkReconfigurationResponse UNSUCCESSFUL OUTCOME RadioLinkReconfigurationFailure MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-unSynchronisedRadioLinkReconfiguration, ddMode tdd } CRITICALITY reject } -- *** DedicatedMeasurementInitiation *** dedicatedMeasurementInitiation NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DedicatedMeasurementInitiationRequest SUCCESSFUL OUTCOME DedicatedMeasurementInitiationResponse UNSUCCESSFUL OUTCOME DedicatedMeasurementInitiationFailure MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-dedicatedMeasurementInitiation, ddMode common } CRITICALITY reject } -- *** PhysicalSharedChannelReconfiguration (FDD) *** physicalSharedChannelReconfigurationFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PhysicalSharedChannelReconfigurationRequestFDD SUCCESSFUL OUTCOME PhysicalSharedChannelReconfigurationResponse UNSUCCESSFUL OUTCOME PhysicalSharedChannelReconfigurationFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-physicalSharedChannelReconfiguration, ddMode fdd } CRITICALITY reject } -- *** PhysicalSharedChannelReconfiguration (TDD) *** physicalSharedChannelReconfigurationTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PhysicalSharedChannelReconfigurationRequestTDD SUCCESSFUL OUTCOME PhysicalSharedChannelReconfigurationResponse UNSUCCESSFUL OUTCOME PhysicalSharedChannelReconfigurationFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-physicalSharedChannelReconfiguration, ddMode tdd } CRITICALITY reject } -- *** InformationExchangeInitiation *** informationExchangeInitiation NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE InformationExchangeInitiationRequest SUCCESSFUL OUTCOME InformationExchangeInitiationResponse UNSUCCESSFUL OUTCOME InformationExchangeInitiationFailure MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-informationExchangeInitiation, ddMode common } CRITICALITY reject } -- *** CellSynchronisationInitiation (TDD only) *** cellSynchronisationInitiationTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CellSynchronisationInitiationRequestTDD SUCCESSFUL OUTCOME CellSynchronisationInitiationResponseTDD UNSUCCESSFUL OUTCOME CellSynchronisationInitiationFailureTDD MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-cellSynchronisationInitiation, ddMode tdd } CRITICALITY reject } -- *** CellSynchronisationReconfiguration (TDD only) *** cellSynchronisationReconfigurationTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CellSynchronisationReconfigurationRequestTDD SUCCESSFUL OUTCOME CellSynchronisationReconfigurationResponseTDD UNSUCCESSFUL OUTCOME CellSynchronisationReconfigurationFailureTDD MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-cellSynchronisationReconfiguration, ddMode tdd } CRITICALITY reject } -- *** CellSynchronisationAdjustment (TDD only) *** cellSynchronisationAdjustmentTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CellSynchronisationAdjustmentRequestTDD SUCCESSFUL OUTCOME CellSynchronisationAdjustmentResponseTDD UNSUCCESSFUL OUTCOME CellSynchronisationAdjustmentFailureTDD MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-cellSynchronisationAdjustment, ddMode tdd } CRITICALITY reject } -- Class 2 -- *** ResourceStatusIndication *** resourceStatusIndication NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE ResourceStatusIndication MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-resourceStatusIndication, ddMode common } CRITICALITY ignore } -- *** AuditRequired *** auditRequired NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE AuditRequiredIndication MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-auditRequired, ddMode common } CRITICALITY ignore } -- *** CommonMeasurementReport *** commonMeasurementReport NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CommonMeasurementReport MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-commonMeasurementReport, ddMode common } CRITICALITY ignore } -- *** CommonMeasurementTermination *** commonMeasurementTermination NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CommonMeasurementTerminationRequest MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-commonMeasurementTermination, ddMode common } CRITICALITY ignore } -- *** CommonMeasurementFailure *** commonMeasurementFailure NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CommonMeasurementFailureIndication MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-commonMeasurementFailure, ddMode common } CRITICALITY ignore } -- *** SynchronisedRadioLinkReconfigurationCommit *** synchronisedRadioLinkReconfigurationCommit NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkReconfigurationCommit MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-synchronisedRadioLinkReconfigurationCommit, ddMode common } CRITICALITY ignore } -- *** SynchronisedRadioReconfigurationCancellation *** synchronisedRadioLinkReconfigurationCancellation NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkReconfigurationCancel MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-synchronisedRadioLinkReconfigurationCancellation, ddMode common } CRITICALITY ignore } -- *** RadioLinkFailure *** radioLinkFailure NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkFailureIndication MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-radioLinkFailure, ddMode common } CRITICALITY ignore } -- *** RadioLinkPreemption *** radioLinkPreemption NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkPreemptionRequiredIndication MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-radioLinkPreemption, ddMode common } CRITICALITY ignore } -- *** RadioLinkRestoration *** radioLinkRestoration NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkRestoreIndication MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-radioLinkRestoration, ddMode common } CRITICALITY ignore } -- *** DedicatedMeasurementReport *** dedicatedMeasurementReport NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DedicatedMeasurementReport MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-dedicatedMeasurementReport, ddMode common } CRITICALITY ignore } -- *** DedicatedMeasurementTermination *** dedicatedMeasurementTermination NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DedicatedMeasurementTerminationRequest MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-dedicatedMeasurementTermination, ddMode common } CRITICALITY ignore } -- *** DedicatedMeasurementFailure *** dedicatedMeasurementFailure NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DedicatedMeasurementFailureIndication MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-dedicatedMeasurementFailure, ddMode common } CRITICALITY ignore } -- *** DLPowerControl (FDD only) *** downlinkPowerControlFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DL-PowerControlRequest MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-downlinkPowerControl, ddMode fdd } CRITICALITY ignore } -- *** DLPowerTimeslotControl (TDD only) *** downlinkPowerTimeslotControl NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DL-PowerTimeslotControlRequest MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-downlinkPowerTimeslotControl, ddMode tdd } CRITICALITY ignore } -- *** CompressedModeCommand (FDD only) *** compressedModeCommand NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CompressedModeCommand MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-compressedModeCommand, ddMode fdd } CRITICALITY ignore } -- *** UnblockResourceIndication *** unblockResource NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UnblockResourceIndication MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-unblockResource, ddMode common } CRITICALITY ignore } -- *** ErrorIndication for Dedicated procedures *** errorIndicationForDedicated NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE ErrorIndication MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-errorIndicationForDedicated, ddMode common } CRITICALITY ignore } -- *** ErrorIndication for Common procedures *** errorIndicationForCommon NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE ErrorIndication MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-errorIndicationForCommon, ddMode common } CRITICALITY ignore } -- *** CellSynchronisationReporting (TDD only) *** cellSynchronisationReportingTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CellSynchronisationReportTDD MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-cellSynchronisationReporting, ddMode tdd } CRITICALITY ignore } -- *** CellSynchronisationTermination (TDD only) *** cellSynchronisationTerminationTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CellSynchronisationTerminationRequestTDD MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-cellSynchronisationTermination, ddMode tdd } CRITICALITY ignore } -- *** CellSynchronisationFailure (TDD only) *** cellSynchronisationFailureTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE CellSynchronisationFailureIndicationTDD MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-cellSynchronisationFailure, ddMode tdd } CRITICALITY ignore } -- *** PrivateMessage for Dedicated procedures *** privateMessageForDedicated NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PrivateMessage MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-privateMessageForDedicated, ddMode common } CRITICALITY ignore } -- *** PrivateMessage for Common procedures *** privateMessageForCommon NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PrivateMessage MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-privateMessageForCommon, ddMode common } CRITICALITY ignore } -- *** InformationReporting *** informationReporting NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE InformationReport MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-informationReporting, ddMode common } CRITICALITY ignore } -- *** InformationExchangeTermination *** informationExchangeTermination NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE InformationExchangeTerminationRequest MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-informationExchangeTermination, ddMode common } CRITICALITY ignore } -- *** InformationExchangeFailure *** informationExchangeFailure NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE InformationExchangeFailureIndication MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-informationExchangeFailure, ddMode common } CRITICALITY ignore } -- *** BearerRearrangement *** bearerRearrangement NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE BearerRearrangementIndication MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-BearerRearrangement, ddMode common } CRITICALITY ignore } -- *** RadioLinkActivation (FDD) *** radioLinkActivationFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkActivationCommandFDD MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-radioLinkActivation, ddMode fdd } CRITICALITY ignore } -- *** RadioLinkActivation (TDD) *** radioLinkActivationTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkActivationCommandTDD MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-radioLinkActivation, ddMode tdd } CRITICALITY ignore } -- *** RadioLinkParameterUpdate (FDD) *** radioLinkParameterUpdateFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkParameterUpdateIndicationFDD MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-radioLinkParameterUpdate, ddMode fdd } CRITICALITY ignore } -- *** RadioLinkParameterUpdate (TDD) *** radioLinkParameterUpdateTDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RadioLinkParameterUpdateIndicationTDD MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-radioLinkParameterUpdate, ddMode tdd } CRITICALITY ignore } -- *** MBMSNotificationUpdate *** mBMSNotificationUpdate NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MBMSNotificationUpdateCommand MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-mBMSNotificationUpdate, ddMode common } CRITICALITY ignore } -- *** UEStatusUpdate *** uEStatusUpdate NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UEStatusUpdateCommand MESSAGE DISCRIMINATOR common PROCEDURE ID { procedureCode id-uEStatusUpdate, ddMode common } CRITICALITY ignore } -- *** SecondaryULFrequencyReporting (FDD) *** secondaryULFrequencyReportingFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE SecondaryULFrequencyReport MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-secondaryULFrequencyReporting, ddMode fdd } CRITICALITY ignore } -- ***secondaryULFrequencyUpdate (FDD) secondaryULFrequencyUpdateFDD NBAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE SecondaryULFrequencyUpdateIndication MESSAGE DISCRIMINATOR dedicated PROCEDURE ID { procedureCode id-secondaryULFrequencyUpdate, ddMode fdd } CRITICALITY ignore } END
Configuration
wireshark/epan/dissectors/asn1/nbap/nbap.cnf
# nbap.cnf # nbap conformation file # Copyright 2005 - 2012 Anders Broman # Modified 2012 by Jacob Nordgren <[email protected]> and # Rishie Sharma <[email protected]> # Modified 2017 by S. Shapira <[email protected]> #.OPT PER ALIGNED #.END #.PDU NBAP-PDU #.MAKE_DEFINES ProcedureCode #.MAKE_ENUM ProtocolIE-ID ProcedureID/ddMode #.USE_VALS_EXT ProtocolIE-ID CommonMeasurementType E-AGCH-UE-Inactivity-Monitor-Threshold DedicatedMeasurementType E-DCH-MACdFlow-Retransmission-Timer MeasurementFilterCoefficient TDD-ChannelisationCode TDD-ChannelisationCode768 Process-Memory-Size DiscardTimer #.TYPE_RENAME ProcedureID/ddMode DdMode ProtocolIE-Field/value ProtocolIE_Field_value PrivateIE-Field/value PrivateIE_Field_value InitiatingMessage/value InitiatingMessage_value SuccessfulOutcome/value SuccessfulOutcome_value UnsuccessfulOutcome/value UnsuccessfulOutcome_value Outcome/value Outcome_value MidambleShiftAndBurstType/type1 Type1 MidambleShiftAndBurstType768/type1 Type7681 MidambleShiftAndBurstType/type2 Type2 MidambleShiftAndBurstType768/type2 Type7682 MidambleShiftAndBurstType/type3 Type3 MidambleShiftAndBurstType768/type3 Type7683 MidambleShiftAndBurstType/type1/midambleAllocationMode MidambleAllocationMode1 MidambleShiftAndBurstType/type2/midambleAllocationMode MidambleAllocationMode2 MidambleShiftAndBurstType/type3/midambleAllocationMode MidambleAllocationMode3 MidambleShiftAndBurstType768/type1/midambleAllocationMode MidambleAllocationMode7681 MidambleShiftAndBurstType768/type2/midambleAllocationMode MidambleAllocationMode7682 MidambleShiftAndBurstType768/type3/midambleAllocationMode MidambleAllocationMode7683 #.FIELD_RENAME InitiatingMessage/value initiatingMessagevalue UnsuccessfulOutcome/value unsuccessfulOutcome_value SuccessfulOutcome/value successfulOutcome_value Outcome/value outcome_value PrivateIE-Field/value private_value ProtocolIE-Field/value ie_field_value DL-HS-PDSCH-Timeslot-InformationItem-LCR-PSCH-ReconfRqst/timeSlot timeSlotLCR E-PUCH-Timeslot-Item-InfoLCR/timeSlot timeSlotLCR CellSyncBurstTiming/initialPhase initialPhase_0_1048575 GANSS-GenericDataInfoReqItem/ganss-Real-Time-Integrity gANSS-GenericDataInfoReqItem_ganss-Real-Time-Integrity #.FIELD_ATTR GANSS-GenericDataInfoReqItem/ganss-Real-Time-Integrity ABBREV=gANSS-GenericDataInfoReqItem.ganss-Real-Time-Integrity #.OMIT_ASSIGNMENT Presence ProtocolIE-FieldPair ProtocolIE-ContainerList ProtocolIE-ContainerPair ProtocolIE-ContainerPairList #.END #.FN_BODY ProtocolIE-ID VAL_PTR = &protocol_ie_id guint32 protocol_ie_id; %(DEFAULT_BODY)s nbap_get_private_data(actx->pinfo)->protocol_ie_id = protocol_ie_id; /* To carry around the packet */ if (tree) { proto_item_append_text(proto_item_get_parent_nth(actx->created_item, 2), ": %%s", val_to_str_ext(protocol_ie_id, &nbap_ProtocolIE_ID_vals_ext, "unknown (%%d)")); } #.END #.FN_PARS ProtocolIE-Field/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_ProtocolIEFieldValue #.FN_PARS ProtocolExtensionField/extensionValue FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_ProtocolExtensionFieldExtensionValue #.FN_BODY ProcedureCode VAL_PTR = &procedure_code guint32 procedure_code; %(DEFAULT_BODY)s nbap_get_private_data(actx->pinfo)->procedure_code = procedure_code; col_add_fstr(actx->pinfo->cinfo, COL_INFO, "%%s ", val_to_str(procedure_code, nbap_ProcedureCode_vals, "unknown message")); #.FN_PARS ProcedureID/ddMode VAL_PTR = &nbap_get_private_data(actx->pinfo)->dd_mode #.FN_BODY ProcedureID ProcedureID = NULL; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s ProcedureID = wmem_strdup_printf(actx->pinfo->pool, "%%s/%%s", val_to_str(nbap_private_data->procedure_code, VALS(nbap_ProcedureCode_vals), "unknown(%%u)"), val_to_str(nbap_private_data->dd_mode, VALS(nbap_DdMode_vals), "unknown(%%u)")); nbap_private_data->crnc_context_present = FALSE; /*Reset CRNC Com context present flag.*/ #.FN_PARS TransactionID/shortTransActionId VAL_PTR = &nbap_get_private_data(actx->pinfo)->transaction_id #.FN_PARS TransactionID/longTransActionId VAL_PTR = &nbap_get_private_data(actx->pinfo)->transaction_id #.FN_PARS InitiatingMessage/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_InitiatingMessageValue #.FN_PARS SuccessfulOutcome/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_SuccessfulOutcomeValue #.FN_PARS UnsuccessfulOutcome/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_UnsuccessfulOutcomeValue #------ Pretify info column ----- # CellSetupRequestFDD #.FN_HDR CellSetupRequestFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"CellSetupRequest(FDD) "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # CellSetupResponse #.FN_HDR CellSetupResponse col_set_str(actx->pinfo->cinfo, COL_INFO,"CellSetupResponse "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # CellSetupFailure #.FN_HDR CellSetupFailure col_set_str(actx->pinfo->cinfo, COL_INFO,"CellSetupFailure "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # CellSetupRequestTDD # CellReconfigurationRequestFDD # CellReconfigurationResponse # CellReconfigurationFailure # CellReconfigurationRequestTDD # CellReconfigurationResponse # CellReconfigurationFailure # CellDeletionRequest # CellDeletionResponse # CommonTransportChannelSetupRequestFDD #.FN_HDR CommonTransportChannelSetupRequestFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"CommonTransportChannelSetupRequest(FDD) "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # CommonTransportChannelSetupResponse #.FN_HDR CommonTransportChannelSetupResponse col_set_str(actx->pinfo->cinfo, COL_INFO,"CommonTransportChannelSetupResponse "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # CommonTransportChannelSetupFailure #.FN_HDR CommonTransportChannelSetupFailure col_set_str(actx->pinfo->cinfo, COL_INFO,"CommonTransportChannelSetupFailure "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # CommonTransportChannelSetupRequestTDD # CommonTransportChannelSetupResponse # CommonTransportChannelSetupFailure # CommonTransportChannel-InformationResponse # CommonTransportChannel-InformationResponse #.FN_BODY CommonTransportChannel-InformationResponse address dst_addr; nbap_setup_conv_t *request_conv; conversation_t *conv; guint32 transportLayerAddress_ipv4; guint16 bindingID; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_debug("Frame %%u CommonTransportChannel-InformationResponse Start", actx->pinfo->num); nbap_private_data->transportLayerAddress_ipv4 = 0; nbap_private_data->binding_id_port = 0; %(DEFAULT_BODY)s transportLayerAddress_ipv4 = nbap_private_data->transportLayerAddress_ipv4; bindingID = nbap_private_data->binding_id_port; if (PINFO_FD_VISITED(actx->pinfo) || transportLayerAddress_ipv4 == 0 || bindingID == 0){ return offset; } set_address(&dst_addr, AT_IPv4, 4, &transportLayerAddress_ipv4); request_conv = find_setup_conv(actx->pinfo, nbap_private_data->transaction_id,nbap_private_data->dd_mode,nbap_private_data->common_transport_channel_id); if(request_conv == NULL){ return offset; } conv = request_conv->conv; conversation_set_addr2(conv, &dst_addr); conversation_set_port2(conv, bindingID); delete_setup_conv(request_conv); nbap_debug(" Frame %%u conversation setup frame: %%u %%s:%%u -> %%s:%%u", actx->pinfo->num, conv->setup_frame, address_to_str(actx->pinfo->pool, &conv->key_ptr->addr1), conv->key_ptr->port1, address_to_str(actx->pinfo->pool, &conv->key_ptr->addr2), conv->key_ptr->port2); nbap_debug("Frame %%u CommonTransportChannel-InformationResponse End", actx->pinfo->num); # CommonTransportChannelReconfigurationRequestFDD # CommonTransportChannelReconfigurationResponse # CommonTransportChannelReconfigurationFailure # CommonTransportChannelReconfigurationRequestTDD # CommonTransportChannelReconfigurationResponse # CommonTransportChannelReconfigurationFailure # CommonTransportChannelDeletionRequest # CommonTransportChannelDeletionResponse # AuditRequest #.FN_HDR AuditRequest col_set_str(actx->pinfo->cinfo, COL_INFO,"AuditRequest "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # AuditResponse #.FN_HDR AuditResponse col_set_str(actx->pinfo->cinfo, COL_INFO,"AuditResponse "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # AuditFailure #.FN_HDR AuditFailure col_set_str(actx->pinfo->cinfo, COL_INFO,"AuditFailure "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # BlockResourceRequest # BlockResourceResponse # BlockResourceFailure # RadioLinkSetupRequestFDD #.FN_HDR RadioLinkSetupRequestFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkSetupRequest(FDD) "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # RadioLinkSetupResponseFDD #.FN_HDR RadioLinkSetupResponseFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkSetupResponse(FDD) "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # RadioLinkSetupFailureFDD #.FN_HDR RadioLinkSetupFailureFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkSetupFailure(FDD) "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # RadioLinkSetupRequestTDD # RadioLinkSetupResponseTDD # RadioLinkSetupFailureTDD # SystemInformationUpdateRequest #.FN_HDR SystemInformationUpdateRequest col_set_str(actx->pinfo->cinfo, COL_INFO,"SystemInformationUpdateRequest "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # SystemInformationUpdateResponse #.FN_HDR SystemInformationUpdateResponse col_set_str(actx->pinfo->cinfo, COL_INFO,"SystemInformationUpdateResponse "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # SystemInformationUpdateFailure #.FN_HDR SystemInformationUpdateFailure col_set_str(actx->pinfo->cinfo, COL_INFO,"SystemInformationUpdateFailure "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # ResetRequest # ResetResponse # CommonMeasurementInitiationRequest #.FN_HDR CommonMeasurementInitiationRequest col_set_str(actx->pinfo->cinfo, COL_INFO,"CommonMeasurementInitiationRequest "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # CommonMeasurementInitiationResponse #.FN_HDR CommonMeasurementInitiationResponse col_set_str(actx->pinfo->cinfo, COL_INFO,"CommonMeasurementInitiationResponse "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # CommonMeasurementInitiationFailure #.FN_HDR CommonMeasurementInitiationFailure col_set_str(actx->pinfo->cinfo, COL_INFO,"CommonMeasurementInitiationFailure "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # RadioLinkAdditionRequestFDD #.FN_HDR RadioLinkAdditionRequestFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkAdditionRequest(FDD) "); # RadioLinkAdditionResponseFDD #.FN_HDR RadioLinkAdditionResponseFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkAdditionResponse(FDD) "); # RadioLinkAdditionFailureFDD #.FN_HDR RadioLinkAdditionFailureFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkAdditionRequest(FDD) "); # RadioLinkAdditionRequestTDD # RadioLinkAdditionResponseTDD # RadioLinkAdditionFailureTDD # RadioLinkDeletionRequest #.FN_HDR RadioLinkDeletionRequest col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkDeletionRequest "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # RadioLinkDeletionResponse #.FN_HDR RadioLinkDeletionResponse col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkDeletionResponse "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # RadioLinkReconfigurationPrepareFDD #.FN_HDR RadioLinkReconfigurationPrepareFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkReconfigurationPrepare(FDD) "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # RadioLinkReconfigurationReady #.FN_HDR RadioLinkReconfigurationReady col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkReconfigurationReady "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # RadioLinkReconfigurationFailure #.FN_HDR RadioLinkReconfigurationFailure col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkReconfigurationFailure "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # RadioLinkReconfigurationPrepareTDD # RadioLinkReconfigurationReady # RadioLinkReconfigurationFailure # RadioLinkReconfigurationRequestFDD #.FN_HDR RadioLinkReconfigurationRequestFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkReconfigurationRequestFDD(FDD) "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # RadioLinkReconfigurationResponse #.FN_HDR RadioLinkReconfigurationResponse col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkReconfigurationResponse "); # RadioLinkReconfigurationFailure # RadioLinkReconfigurationRequestTDD # RadioLinkReconfigurationResponse # RadioLinkReconfigurationFailure #.FN_HDR RadioLinkReconfigurationFailure col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkReconfigurationFailure "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # DedicatedMeasurementInitiationRequest #.FN_HDR DedicatedMeasurementInitiationRequest col_set_str(actx->pinfo->cinfo, COL_INFO,"DedicatedMeasurementInitiationRequest "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # DedicatedMeasurementInitiationResponse #.FN_HDR DedicatedMeasurementInitiationResponse col_set_str(actx->pinfo->cinfo, COL_INFO,"DedicatedMeasurementInitiationResponse "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # DedicatedMeasurementInitiationFailure #.FN_HDR DedicatedMeasurementInitiationFailure col_set_str(actx->pinfo->cinfo, COL_INFO,"DedicatedMeasurementInitiationFailure "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # PhysicalSharedChannelReconfigurationRequestFDD #.FN_HDR PhysicalSharedChannelReconfigurationRequestFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"PhysicalSharedChannelReconfigurationRequest(FDD) "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # PhysicalSharedChannelReconfigurationResponse #.FN_HDR PhysicalSharedChannelReconfigurationResponse col_set_str(actx->pinfo->cinfo, COL_INFO,"PhysicalSharedChannelReconfigurationResponse "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # PhysicalSharedChannelReconfigurationFailure #.FN_HDR PhysicalSharedChannelReconfigurationFailure col_set_str(actx->pinfo->cinfo, COL_INFO,"PhysicalSharedChannelReconfigurationFailure "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # PhysicalSharedChannelReconfigurationRequestTDD # PhysicalSharedChannelReconfigurationResponse # PhysicalSharedChannelReconfigurationFailure # InformationExchangeInitiationRequest # InformationExchangeInitiationResponse # InformationExchangeInitiationFailure # CellSynchronisationInitiationRequestTDD # CellSynchronisationInitiationResponseTDD # CellSynchronisationInitiationFailureTDD # CellSynchronisationReconfigurationRequestTDD # CellSynchronisationReconfigurationResponseTDD # CellSynchronisationReconfigurationFailureTDD # CellSynchronisationAdjustmentRequestTDD # CellSynchronisationAdjustmentResponseTDD # CellSynchronisationAdjustmentFailureTDD # ResourceStatusIndication #.FN_HDR ResourceStatusIndication col_set_str(actx->pinfo->cinfo, COL_INFO,"ResourceStatusIndication "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # AuditRequiredIndication #.FN_HDR AuditRequiredIndication col_set_str(actx->pinfo->cinfo, COL_INFO,"AuditRequiredIndication "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # CommonMeasurementReport #.FN_HDR CommonMeasurementReport col_set_str(actx->pinfo->cinfo, COL_INFO,"CommonMeasurementReport "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # CommonMeasurementTerminationRequest #.FN_HDR CommonMeasurementTerminationRequest col_set_str(actx->pinfo->cinfo, COL_INFO,"CommonMeasurementTerminationRequest "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # CommonMeasurementFailureIndication #.FN_HDR CommonMeasurementFailureIndication col_set_str(actx->pinfo->cinfo, COL_INFO,"CommonMeasurementFailureIndication "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # RadioLinkReconfigurationCommit #.FN_HDR RadioLinkReconfigurationCommit col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkReconfigurationCommit "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # RadioLinkReconfigurationCancel #.FN_HDR RadioLinkReconfigurationCancel col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkReconfigurationCancel "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # RadioLinkFailureIndication #.FN_HDR RadioLinkFailureIndication col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkFailureIndication "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # RadioLinkPreemptionRequiredIndication #.FN_HDR RadioLinkPreemptionRequiredIndication col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkPreemptionRequiredIndication "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # RadioLinkRestoreIndication #.FN_HDR RadioLinkRestoreIndication col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkRestoreIndication "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # DedicatedMeasurementReport #.FN_HDR DedicatedMeasurementReport col_set_str(actx->pinfo->cinfo, COL_INFO,"DedicatedMeasurementReport "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # DedicatedMeasurementTerminationRequest #.FN_HDR DedicatedMeasurementTerminationRequest col_set_str(actx->pinfo->cinfo, COL_INFO,"DedicatedMeasurementTerminationRequest "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # DedicatedMeasurementFailureIndication #.FN_HDR DedicatedMeasurementFailureIndication col_set_str(actx->pinfo->cinfo, COL_INFO,"DedicatedMeasurementFailureIndication "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # DL-PowerControlRequest #.FN_HDR DL-PowerControlRequest col_set_str(actx->pinfo->cinfo, COL_INFO,"DL-PowerControlRequest "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # DL-PowerTimeslotControlRequest #.FN_HDR DL-PowerTimeslotControlRequest col_set_str(actx->pinfo->cinfo, COL_INFO,"DL-PowerTimeslotControlRequest "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # CompressedModeCommand #.FN_HDR CompressedModeCommand col_set_str(actx->pinfo->cinfo, COL_INFO,"CompressedModeCommand "); /* CRNC -> Node B */ actx->pinfo->link_dir=P2P_DIR_DL; # UnblockResourceIndication #.FN_HDR UnblockResourceIndication col_set_str(actx->pinfo->cinfo, COL_INFO,"UnblockResourceIndication "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # ErrorIndication #.FN_HDR ErrorIndication col_set_str(actx->pinfo->cinfo, COL_INFO,"ErrorIndication "); # CellSynchronisationReportTDD # CellSynchronisationTerminationRequestTDD # CellSynchronisationFailureIndicationTDD # PrivateMessage #.FN_HDR PrivateMessage col_set_str(actx->pinfo->cinfo, COL_INFO,"PrivateMessage "); # InformationReport # InformationExchangeTerminationRequest # InformationExchangeFailureIndication # BearerRearrangementIndication #.FN_HDR BearerRearrangementIndication col_set_str(actx->pinfo->cinfo, COL_INFO,"BearerRearrangementIndication "); # RadioLinkActivationCommandFDD # RadioLinkActivationCommandTDD # RadioLinkParameterUpdateIndicationFDD #.FN_HDR RadioLinkParameterUpdateIndicationFDD col_set_str(actx->pinfo->cinfo, COL_INFO,"RadioLinkParameterUpdateIndication(FDD) "); /* Node B -> CRNC */ actx->pinfo->link_dir=P2P_DIR_UL; # RadioLinkParameterUpdateIndicationTDD # MBMSNotificationUpdateCommand # UEStatusUpdateCommand # SecondaryULFrequencyReport # SecondaryULFrequencyUpdateIndication #.FN_PARS IB-Type VAL_PTR = &nbap_get_private_data(actx->pinfo)->ib_type #.FN_PARS Segment-Type VAL_PTR = &nbap_get_private_data(actx->pinfo)->segment_type #.FN_HDR MIB-SB-SIB-InformationItem-SystemInfoUpdateRqst nbap_get_private_data(actx->pinfo)->ib_type = 10; /* not-Used-sIB8 */ nbap_get_private_data(actx->pinfo)->segment_type = 0; #.FN_BODY IB-SG-DATA VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb=NULL; tvbuff_t *final_tvb=NULL; proto_item *ti; proto_tree *subtree; guint32 segment_type; /* reassembly variables */ gboolean is_short = FALSE; guint32 total_bit_size = 0; guint32 total_byte_size = 0; nbap_ib_segment_t* nbap_ib_segment; wmem_list_t *list = NULL; wmem_list_frame_t *curr_frame; guint8 *final_arr; guint8 final_byte_off = 0; guint8 final_bit_off = 0x80; guint8 *source; guint32 bit_length; guint32 byte_off = 0; guint32 bit_off = 0x80; guint32 sources_count; guint8* data; guint32 per_length; guint32 first_off; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); /* compute aligned PER length*/ first_off = offset; /* Saving initial offset for the default body */ offset = ((offset+7)/8)*8; /* Round to nearest byte */ per_length = tvb_get_bits8(tvb, offset, 8); offset += 8; if ((per_length & 0x80) == 0x80) { if ((per_length & 0xc0) == 0x80) { per_length &= 0x3f; per_length <<= 8; per_length += tvb_get_bits8(tvb, offset, 8); offset += 8; } else { per_length = 0; } } offset = first_off; %(DEFAULT_BODY)s if(!parameter_tvb) return offset; segment_type = nbap_private_data->segment_type; switch(segment_type) { case 5: /*complete-SIB */ final_tvb = tvb_new_subset_length(parameter_tvb,0,tvb_captured_length(parameter_tvb)); break; case 6: /*complete-SIB-short */ if(preferences_ib_sg_data_encoding == IB_SG_DATA_ENC_VAR_1) { /* Simply skipping the first byte (containing the length) */ final_tvb = tvb_new_subset_length(parameter_tvb, 1, tvb_captured_length(parameter_tvb)-1); } else { /* This is IB_SG_DATA_ENC_VAR_2 */ /* No length in tvb, just take everything as is*/ final_tvb = tvb_new_subset_length(parameter_tvb, 0, tvb_captured_length(parameter_tvb)); } break; default: /* First, subsequent or last */ if(preferences_ib_sg_data_encoding == IB_SG_DATA_ENC_VAR_1) { is_short = ( segment_type == 1 || segment_type == 4 ); /* first-short or last-short */ nbap_ib_segment = nbap_parse_ib_sg_data_var1(actx->pinfo, parameter_tvb, is_short); if (nbap_ib_segment == NULL ) { /* failed to parse */ return offset; } } else { /* This is IB_SG_DATA_ENC_VAR_2 */ /* Using the per encoded length */ data = (guint8*)tvb_memdup(actx->pinfo->pool, parameter_tvb, 0, (per_length + 7)/8); nbap_ib_segment = wmem_new(actx->pinfo->pool, nbap_ib_segment_t); nbap_ib_segment->bit_length = per_length; nbap_ib_segment->data = data; } list = nbap_private_data->ib_segments; if (!list) { if ( segment_type == 0 || segment_type == 1 ) { /* first or first-short */ list = wmem_list_new(actx->pinfo->pool); nbap_private_data->ib_segments = list; } else { return offset; } } wmem_list_append(list,(void*)nbap_ib_segment); if ( segment_type <= 2 ) { /* first, first-short or subsequent */ return offset; } break; } if ( segment_type == 3 || segment_type == 4 ) { /* last or last-short */ /* Sum all length of all segments */ sources_count = wmem_list_count(list); curr_frame = wmem_list_head(list); for (guint32 src_indx = 0; src_indx < sources_count; src_indx++) { nbap_ib_segment = (nbap_ib_segment_t*)(wmem_list_frame_data(curr_frame)); total_bit_size += nbap_ib_segment->bit_length; curr_frame = wmem_list_frame_next(curr_frame); } /* Create an array large enough for all segments */ total_byte_size = (total_bit_size+7)/8; final_arr = wmem_alloc0_array(actx->pinfo->pool,guint8,total_byte_size); /* Reassemble all segment into the final array */ curr_frame = wmem_list_head(list); for (guint32 src_indx = 0; src_indx < sources_count; src_indx++) { nbap_ib_segment = (nbap_ib_segment_t*)(wmem_list_frame_data(curr_frame)); source = nbap_ib_segment->data; bit_length = nbap_ib_segment->bit_length; byte_off = 0; bit_off = 0x80; for (guint32 i=0;i<bit_length;i++) { if (((*(source+byte_off)) & bit_off) == bit_off) { final_arr[final_byte_off] |= final_bit_off; } bit_off >>= 1; if ( bit_off == 0x00 ) { byte_off += 1; bit_off = 0x80; } final_bit_off >>= 1; if ( final_bit_off == 0x00 ) { final_byte_off += 1; final_bit_off = 0x80; } } curr_frame = wmem_list_frame_next(curr_frame); } /* Creating TVB from the reassembled data */ final_tvb = tvb_new_child_real_data(tvb,final_arr,total_byte_size,total_byte_size); add_new_data_source(actx->pinfo, final_tvb, "Reassembled Information Block"); /* Reset segments list */ nbap_private_data->ib_segments = NULL; /* Add 'reassembled' item to tree */ ti = proto_tree_add_item(tree, hf_nbap_reassembled_information_block, final_tvb, 0, total_byte_size, ENC_NA); } else { /* Complete SIB */ ti = actx->created_item; } subtree = proto_item_add_subtree(ti, ett_nbap_ib_sg_data); col_set_fence(actx->pinfo->cinfo, COL_INFO); col_append_str(actx->pinfo->cinfo, COL_INFO," ("); switch(nbap_private_data->ib_type){ case 0: /* mIB */ dissect_rrc_MasterInformationBlock_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 1: /* iB-Type: sB1 (1) */ dissect_rrc_SysInfoTypeSB1_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 2: /* iB-Type: sB2 (2) */ dissect_rrc_SysInfoTypeSB2_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 3: /* iB-Type: sIB1 (3) */ dissect_rrc_SysInfoType1_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 4: /* iB-Type: sIB2 (4) */ dissect_rrc_SysInfoType2_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 5: /* iB-Type: sIB3 (5) */ dissect_rrc_SysInfoType3_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 6: /* iB-Type: sIB4 (6) */ dissect_rrc_SysInfoType4_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 7: /* iB-Type: sIB5 (7) */ dissect_rrc_SysInfoType5_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 8: /* iB-Type: sIB6 (8) */ dissect_rrc_SysInfoType6_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 9: /* iB-Type: sIB7 (9) */ dissect_rrc_SysInfoType7_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 13: /* iB-Type: sIB11 (13) */ dissect_rrc_SysInfoType11_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 14: /* iB-Type: sIB12 (14) */ dissect_rrc_SysInfoType12_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 15: /* iB-Type: sIB13 (15) */ dissect_rrc_SysInfoType13_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 16: /* iB-Type: sIB13.1 (16) */ dissect_rrc_SysInfoType13_1_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 17: /* iB-Type: sIB13.2 (17) */ dissect_rrc_SysInfoType13_2_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 18: /* iB-Type: sIB13.3 (18) */ dissect_rrc_SysInfoType13_3_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 19: /* iB-Type: sIB13.4 (19) */ dissect_rrc_SysInfoType13_4_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 20: /* iB-Type: sIB14 (20) */ dissect_rrc_SysInfoType14_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 21: /* iB-Type: sIB15 (21) */ dissect_rrc_SysInfoType15_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 22: /* iB-Type: sIB15.1 (22) */ dissect_rrc_SysInfoType15_1_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 23: /* iB-Type: sIB15.2 (23) */ dissect_rrc_SysInfoType15_2_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 24: /* iB-Type: sIB15.3 (24) */ dissect_rrc_SysInfoType15_3_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 25: /* iB-Type: sIB16 (25) */ dissect_rrc_SysInfoType16_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 26: /* iB-Type: sIB17 (26) */ dissect_rrc_SysInfoType17_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 27: /* iB-Type: sIB15.4 (27) */ dissect_rrc_SysInfoType15_4_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 28: /* iB-Type: sIB18 (28) */ dissect_rrc_SysInfoType18_PDU(final_tvb, actx->pinfo, subtree, NULL); break; case 40: /* iB-Type: sIB19 (40) */ dissect_rrc_SysInfoType19_PDU(final_tvb, actx->pinfo, subtree, NULL); break; default: break; } col_append_str(actx->pinfo->cinfo, COL_INFO,")"); col_set_fence(actx->pinfo->cinfo, COL_INFO); #.FN_BODY TransportLayerAddress VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb=NULL; proto_item *item; proto_tree *subtree, *nsap_tree; guint8 *padded_nsap_bytes; tvbuff_t *nsap_tvb; gint tvb_len; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s if (!parameter_tvb) return offset; # TransportLayerAddress ::= BIT STRING (SIZE (1..160, ...)) # Assume 4 bytes used in case of IPv4 /* Get the length */ tvb_len = tvb_reported_length(parameter_tvb); subtree = proto_item_add_subtree(actx->created_item, ett_nbap_TransportLayerAddress); if (tvb_len==4){ /* IPv4 */ proto_tree_add_item(subtree, hf_nbap_transportLayerAddress_ipv4, parameter_tvb, 0, tvb_len, ENC_BIG_ENDIAN); nbap_private_data->transportLayerAddress_ipv4 = tvb_get_ipv4(parameter_tvb, 0); } if (tvb_len==16){ /* IPv6 */ proto_tree_add_item(subtree, hf_nbap_transportLayerAddress_ipv6, parameter_tvb, 0, tvb_len, ENC_NA); } if (tvb_len == 20 || tvb_len == 7){ /* NSAP */ if (tvb_len == 7){ /* Unpadded IPv4 NSAP */ /* Creating a new TVB with padding */ padded_nsap_bytes = (guint8*) wmem_alloc0(actx->pinfo->pool, 20); tvb_memcpy(parameter_tvb, padded_nsap_bytes, 0, tvb_len); nsap_tvb = tvb_new_child_real_data(tvb, padded_nsap_bytes, 20, 20); add_new_data_source(actx->pinfo, nsap_tvb, "Padded NSAP Data"); }else{ /* Padded NSAP*/ nsap_tvb = parameter_tvb; } item = proto_tree_add_item(subtree, hf_nbap_transportLayerAddress_nsap, parameter_tvb, 0, tvb_len, ENC_NA); nsap_tree = proto_item_add_subtree(item, ett_nbap_TransportLayerAddress_nsap); if(tvb_get_ntoh24(parameter_tvb,0) == 0x350001){ /* IPv4 */ nbap_private_data->transportLayerAddress_ipv4 = tvb_get_ipv4(parameter_tvb, 3); } dissect_nsap(nsap_tvb, 0, 20, nsap_tree); } #.FN_BODY PayloadCRC-PresenceIndicator VAL_PTR = &payload_crc_value guint32 payload_crc_value; %(DEFAULT_BODY)s if(payload_crc_value == 0){ nbap_get_private_data(actx->pinfo)->dch_crc_present = TRUE; }else{ nbap_get_private_data(actx->pinfo)->dch_crc_present = FALSE; } #.FN_PARS DCH-ID VAL_PTR = &nbap_get_private_data(actx->pinfo)->t_dch_id #.FN_BODY DCH-Specific-FDD-Item/dCH-ID guint32 dch_id; gint num_dch_in_flow; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; offset = dissect_per_constrained_integer(tvb, offset, actx, tree, hf_index, 0U, 255U, &dch_id, FALSE); num_dch_in_flow = nbap_private_data->num_dch_in_flow; nbap_private_data->dch_id = dch_id; if(num_dch_in_flow>0){ guint32 prev_dch_id = nbap_private_data->prev_dch_id; nbap_dch_chnl_info[dch_id].next_dch = 0; if(prev_dch_id != 0 && prev_dch_id != 0xffffffff && prev_dch_id != dch_id){ nbap_dch_chnl_info[prev_dch_id].next_dch = dch_id; } } #.FN_FTR DCH-ModifySpecificItem-FDD/dCH-ID nbap_get_private_data(actx->pinfo)->dch_id = nbap_get_private_data(actx->pinfo)->t_dch_id; #.FN_BODY CommonPhysicalChannelID VAL_PTR = &commonphysicalchannelid guint32 commonphysicalchannelid; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; %(DEFAULT_BODY)s nbap_private_data->common_physical_channel_id = commonphysicalchannelid; if(commonphysicalchannelid<maxNrOfDCHs) nbap_dch_chnl_info[commonphysicalchannelid].next_dch = 0; #.FN_BODY CommonTransportChannelID VAL_PTR = &commontransportchannelid guint32 commontransportchannelid; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; %(DEFAULT_BODY)s nbap_private_data->common_transport_channel_id = commontransportchannelid; if(commontransportchannelid<maxNrOfDCHs) nbap_dch_chnl_info[commontransportchannelid].next_dch = 0; #.FN_PARS E-DCH-MACdFlow-ID VAL_PTR = &nbap_get_private_data(actx->pinfo)->e_dch_macdflow_id #.FN_BODY HSDSCH-MACdFlow-ID VAL_PTR = &hsdsch_macdflow_id guint32 hsdsch_macdflow_id; guint num_items; gint* hsdsch_macdflow_ids; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s nbap_private_data->hsdsch_macdflow_id = hsdsch_macdflow_id; num_items = nbap_private_data->num_items; DISSECTOR_ASSERT(num_items < maxNrOfMACdFlows+1); DISSECTOR_ASSERT(num_items > 0); hsdsch_macdflow_ids = nbap_private_data->hsdsch_macdflow_ids; hsdsch_macdflow_ids[num_items-1] = hsdsch_macdflow_id; #.FN_BODY BindingID VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb=NULL; guint16 binding_id_port; %(DEFAULT_BODY)s if (!parameter_tvb) return offset; # BindingID ::= OCTET STRING (SIZE (1..4, ...)) # -- If the Binding ID includes a UDP port, the UDP port is included in octet 1 and 2.The first octet of # -- the UDP port field is included in the first octet of the Binding ID. if(tvb_reported_length(parameter_tvb)>=2){ binding_id_port = tvb_get_ntohs(parameter_tvb,0); nbap_get_private_data(actx->pinfo)->binding_id_port = binding_id_port; proto_item_append_text(actx->created_item, " (%%u)",binding_id_port); } #.FN_BODY UL-ScramblingCodeNumber VAL_PTR = &ul_scrambling_code guint32 ul_scrambling_code; guint32 com_context_id; %(DEFAULT_BODY)s nbap_get_private_data(actx->pinfo)->ul_scrambling_code = ul_scrambling_code; com_context_id = nbap_get_private_data(actx->pinfo)->com_context_id; if(ul_scrambling_code != 0 && com_context_id != 0) { wmem_tree_insert32(nbap_scrambling_code_crncc_map,ul_scrambling_code,GUINT_TO_POINTER(com_context_id)); } #.FN_BODY RACH-ParametersItem-CTCH-SetupRqstFDD address dst_addr, null_addr; conversation_t *conversation; fp_rach_channel_info_t* fp_rach_channel_info; umts_fp_conversation_info_t *umts_fp_conversation_info; int j, num_tf; guint32 transportLayerAddress_ipv4; guint16 bindingID; guint32 common_physical_channel_id; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; nbap_private_data->transportLayerAddress_ipv4 = 0; nbap_private_data->binding_id_port = 0; nbap_private_data->transport_format_set_type = NBAP_CPCH; %(DEFAULT_BODY)s transportLayerAddress_ipv4 = nbap_private_data->transportLayerAddress_ipv4; bindingID = nbap_private_data->binding_id_port; if (PINFO_FD_VISITED(actx->pinfo) || transportLayerAddress_ipv4 == 0 || bindingID == 0){ return offset; } clear_address(&null_addr); set_address(&dst_addr, AT_IPv4, 4, &transportLayerAddress_ipv4); conversation = conversation_new(actx->pinfo->num, &dst_addr, &null_addr, CONVERSATION_UDP, bindingID, 0, NO_ADDR2|NO_PORT2); conversation_set_dissector(conversation, fp_handle); if(actx->pinfo->link_dir==P2P_DIR_DL){ umts_fp_conversation_info = wmem_new0(wmem_file_scope(), umts_fp_conversation_info_t); /* Fill in the data */ umts_fp_conversation_info->iface_type = IuB_Interface; umts_fp_conversation_info->division = Division_FDD; umts_fp_conversation_info->channel = CHANNEL_RACH_FDD; umts_fp_conversation_info->dl_frame_number = 0; umts_fp_conversation_info->ul_frame_number = actx->pinfo->num; copy_address_wmem(wmem_file_scope(), &(umts_fp_conversation_info->crnc_address), &dst_addr); umts_fp_conversation_info->crnc_port = bindingID; umts_fp_conversation_info->rlc_mode = FP_RLC_MODE_UNKNOWN; /* Adding the 'channel specific info' for RACH */ fp_rach_channel_info = wmem_new0(wmem_file_scope(), fp_rach_channel_info_t); fp_rach_channel_info->crnti_to_urnti_map = wmem_tree_new_autoreset(wmem_epan_scope(), wmem_file_scope()); umts_fp_conversation_info->channel_specific_info = (void*)fp_rach_channel_info; /*Save unique UE-identifier */ umts_fp_conversation_info->com_context_id = nbap_private_data->crnc_context_present ? nbap_private_data->com_context_id : 1; /* DCH's in this flow */ umts_fp_conversation_info->dch_crc_present = nbap_private_data->dch_crc_present; /* Set data for First or single channel */ common_physical_channel_id = nbap_private_data->common_physical_channel_id; umts_fp_conversation_info->fp_dch_channel_info[0].num_ul_chans = num_tf = nbap_dch_chnl_info[common_physical_channel_id].num_ul_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[0].ul_chan_tf_size[j] = nbap_dch_chnl_info[common_physical_channel_id].ul_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[0].ul_chan_num_tbs[j] = nbap_dch_chnl_info[common_physical_channel_id].ul_chan_num_tbs[j]; } /* Traffic flows per DCH(DL) */ umts_fp_conversation_info->fp_dch_channel_info[0].num_dl_chans = num_tf = nbap_dch_chnl_info[common_physical_channel_id].num_dl_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[0].dl_chan_tf_size[j] = nbap_dch_chnl_info[common_physical_channel_id].dl_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[0].dl_chan_num_tbs[j] = nbap_dch_chnl_info[common_physical_channel_id].dl_chan_num_tbs[j]; } umts_fp_conversation_info->dch_ids_in_flow_list[0] = common_physical_channel_id; umts_fp_conversation_info->num_dch_in_flow=1; set_umts_fp_conv_data(conversation, umts_fp_conversation_info); /* Add Setup Conversation to list, we need it in response msg */ add_setup_conv(actx->pinfo, nbap_private_data->transaction_id,nbap_private_data->dd_mode,nbap_private_data->common_transport_channel_id, actx->pinfo->num, &dst_addr, bindingID, umts_fp_conversation_info, conversation); } #.FN_BODY PICH-Mode VAL_PTR = &PICH_Mode guint32 PICH_Mode = 0; %(DEFAULT_BODY)s switch(PICH_Mode){ case 0: /* v18 */ nbap_get_private_data(actx->pinfo)->paging_indications = 18; break; case 1: /* v36 */ nbap_get_private_data(actx->pinfo)->paging_indications = 36; break; case 2: /* v72 */ nbap_get_private_data(actx->pinfo)->paging_indications = 72; break; case 3: /* v144 */ nbap_get_private_data(actx->pinfo)->paging_indications = 144; break; } #.FN_BODY PCH-ParametersItem-CTCH-SetupRqstFDD address dst_addr, null_addr; conversation_t *conversation; fp_pch_channel_info_t *fp_pch_channel_info; umts_fp_conversation_info_t *umts_fp_conversation_info; int i, j, num_tf; guint32 transportLayerAddress_ipv4; guint16 bindingID; guint32 common_transport_channel_id; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; nbap_private_data->transportLayerAddress_ipv4 = 0; nbap_private_data->binding_id_port = 0; /* There can only be one item, set num_items here to collect the TransportFormatSet data */ nbap_private_data->num_items = 1; %(DEFAULT_BODY)s transportLayerAddress_ipv4 = nbap_private_data->transportLayerAddress_ipv4; bindingID = nbap_private_data->binding_id_port; if (PINFO_FD_VISITED(actx->pinfo) || transportLayerAddress_ipv4 == 0 || bindingID == 0){ return offset; } clear_address(&null_addr); set_address(&dst_addr, AT_IPv4, 4, &transportLayerAddress_ipv4); conversation = conversation_new(actx->pinfo->num, &dst_addr, &null_addr, CONVERSATION_UDP, bindingID, 0, NO_ADDR2|NO_PORT2); /* Set dissector */ conversation_set_dissector(conversation, fp_handle); if(actx->pinfo->link_dir==P2P_DIR_DL){ umts_fp_conversation_info = wmem_new0(wmem_file_scope(), umts_fp_conversation_info_t); /* Fill in the data */ umts_fp_conversation_info->iface_type = IuB_Interface; umts_fp_conversation_info->division = Division_FDD; umts_fp_conversation_info->channel = CHANNEL_PCH; umts_fp_conversation_info->dl_frame_number = 0; umts_fp_conversation_info->ul_frame_number = actx->pinfo->num; copy_address_wmem(wmem_file_scope(), &(umts_fp_conversation_info->crnc_address), &dst_addr); umts_fp_conversation_info->crnc_port = bindingID; umts_fp_conversation_info->rlc_mode = FP_RLC_MODE_UNKNOWN; fp_pch_channel_info = wmem_new0(wmem_file_scope(), fp_pch_channel_info_t); fp_pch_channel_info->paging_indications = nbap_private_data->paging_indications; umts_fp_conversation_info->channel_specific_info = (void*)fp_pch_channel_info; /* DCH's in this flow */ umts_fp_conversation_info->dch_crc_present = nbap_private_data->dch_crc_present; /* Set data for First or single channel */ common_transport_channel_id = nbap_private_data->common_transport_channel_id; umts_fp_conversation_info->fp_dch_channel_info[0].num_ul_chans = num_tf = nbap_dch_chnl_info[common_transport_channel_id].num_ul_chans; nbap_debug("Frame %%u PCH-ParametersItem-CTCH-SetupRqstFDD Start: num_tf %%u", actx->pinfo->num, num_tf); for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[0].ul_chan_tf_size[j] = nbap_dch_chnl_info[common_transport_channel_id].ul_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[0].ul_chan_num_tbs[j] = nbap_dch_chnl_info[common_transport_channel_id].ul_chan_num_tbs[j]; nbap_debug(" UL tf %%u ul_chan_tf_size %%u",j, nbap_dch_chnl_info[common_transport_channel_id].ul_chan_tf_size[j]); } /* Traffic flows per DCH(DL) */ umts_fp_conversation_info->fp_dch_channel_info[0].num_dl_chans = num_tf = nbap_dch_chnl_info[common_transport_channel_id].num_dl_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[0].dl_chan_tf_size[j] = nbap_dch_chnl_info[common_transport_channel_id].dl_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[0].dl_chan_num_tbs[j] = nbap_dch_chnl_info[common_transport_channel_id].dl_chan_num_tbs[j]; nbap_debug(" DL tf %%u ul_chan_tf_size %%u",j, nbap_dch_chnl_info[common_transport_channel_id].dl_chan_tf_size[j]); } /* Set data for associated DCH's if we have any */ i = common_transport_channel_id; nbap_debug(" commontransportchannelid %%u next ch %%u",common_transport_channel_id, nbap_dch_chnl_info[i].next_dch); umts_fp_conversation_info->dch_ids_in_flow_list[0] = common_transport_channel_id; while(nbap_dch_chnl_info[i].next_dch != 0 && umts_fp_conversation_info->num_dch_in_flow < FP_maxNrOfDCHs){ i = nbap_dch_chnl_info[i].next_dch; umts_fp_conversation_info->num_dch_in_flow++; umts_fp_conversation_info->dch_ids_in_flow_list[umts_fp_conversation_info->num_dch_in_flow] = i; /* Traffic flows per DCH(UL) */ umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].num_ul_chans = num_tf = nbap_dch_chnl_info[i].num_ul_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].ul_chan_tf_size[j] = nbap_dch_chnl_info[i].ul_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].ul_chan_num_tbs[j] = nbap_dch_chnl_info[i].ul_chan_num_tbs[j]; } /* Traffic flows per DCH(DL) */ umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].num_dl_chans = num_tf = nbap_dch_chnl_info[i].num_dl_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].dl_chan_tf_size[j] = nbap_dch_chnl_info[i].dl_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].dl_chan_num_tbs[j] = nbap_dch_chnl_info[i].dl_chan_num_tbs[j]; } } umts_fp_conversation_info->num_dch_in_flow++; nbap_debug(" num_dch_in_flow %%u", umts_fp_conversation_info->num_dch_in_flow); umts_fp_conversation_info->dch_ids_in_flow_list[umts_fp_conversation_info->num_dch_in_flow] = i; set_umts_fp_conv_data(conversation, umts_fp_conversation_info); /* Add Setup Conversation to list, we need it in response msg */ add_setup_conv(actx->pinfo, nbap_private_data->transaction_id, nbap_private_data->dd_mode, common_transport_channel_id, actx->pinfo->num, &dst_addr, bindingID, umts_fp_conversation_info, conversation); nbap_debug("Frame %%u PCH-ParametersItem-CTCH-SetupRqstFDD End", actx->pinfo->num); } #.FN_BODY FACH-ParametersItem-CTCH-SetupRqstFDD address dst_addr, null_addr; conversation_t *conversation; fp_fach_channel_info_t* fp_fach_channel_info; umts_fp_conversation_info_t *umts_fp_conversation_info; int i, j, num_tf; guint32 transportLayerAddress_ipv4; guint16 bindingID; guint32 common_physical_channel_id; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; nbap_private_data->transportLayerAddress_ipv4 = 0; nbap_private_data->binding_id_port = 0; nbap_private_data->transport_format_set_type = NBAP_CPCH; %(DEFAULT_BODY)s transportLayerAddress_ipv4 = nbap_private_data->transportLayerAddress_ipv4; bindingID = nbap_private_data->binding_id_port; if (PINFO_FD_VISITED(actx->pinfo) || transportLayerAddress_ipv4 == 0 || bindingID == 0){ return offset; } clear_address(&null_addr); set_address(&dst_addr, AT_IPv4, 4, &transportLayerAddress_ipv4); conversation = conversation_new(actx->pinfo->num, &dst_addr, &null_addr, CONVERSATION_UDP, bindingID, 0, NO_ADDR2|NO_PORT2); /* Set dissector */ conversation_set_dissector(conversation, fp_handle); if(actx->pinfo->link_dir==P2P_DIR_DL){ umts_fp_conversation_info = wmem_new0(wmem_file_scope(), umts_fp_conversation_info_t); /* Fill in the data */ umts_fp_conversation_info->iface_type = IuB_Interface; umts_fp_conversation_info->division = Division_FDD; umts_fp_conversation_info->channel = CHANNEL_FACH_FDD; umts_fp_conversation_info->dl_frame_number = 0; umts_fp_conversation_info->ul_frame_number = actx->pinfo->num; copy_address_wmem(wmem_file_scope(), &(umts_fp_conversation_info->crnc_address), &dst_addr); umts_fp_conversation_info->crnc_port = bindingID; umts_fp_conversation_info->rlc_mode = FP_RLC_MODE_UNKNOWN; /*Save unique UE-identifier */ umts_fp_conversation_info->com_context_id = nbap_private_data->crnc_context_present ? nbap_private_data->com_context_id : 1; /* Adding the 'channel specific info' for FACH */ fp_fach_channel_info = wmem_new0(wmem_file_scope(), fp_fach_channel_info_t); fp_fach_channel_info->crnti_to_urnti_map = wmem_tree_new_autoreset(wmem_epan_scope(), wmem_file_scope()); umts_fp_conversation_info->channel_specific_info = (void*)fp_fach_channel_info; /* DCH's in this flow */ umts_fp_conversation_info->dch_crc_present = nbap_private_data->dch_crc_present; /* Set data for First or single channel */ common_physical_channel_id = nbap_private_data->common_physical_channel_id; umts_fp_conversation_info->fp_dch_channel_info[0].num_ul_chans = num_tf = nbap_dch_chnl_info[common_physical_channel_id].num_ul_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[0].ul_chan_tf_size[j] = nbap_dch_chnl_info[common_physical_channel_id].ul_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[0].ul_chan_num_tbs[j] = nbap_dch_chnl_info[common_physical_channel_id].ul_chan_num_tbs[j]; } /* Traffic flows per DCH(DL) */ umts_fp_conversation_info->fp_dch_channel_info[0].num_dl_chans = num_tf = nbap_dch_chnl_info[common_physical_channel_id].num_dl_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[0].dl_chan_tf_size[j] = nbap_dch_chnl_info[common_physical_channel_id].dl_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[0].dl_chan_num_tbs[j] = nbap_dch_chnl_info[common_physical_channel_id].dl_chan_num_tbs[j]; } /* Set data for associated DCH's if we have any */ i = common_physical_channel_id; umts_fp_conversation_info->dch_ids_in_flow_list[0] = common_physical_channel_id; while(nbap_dch_chnl_info[i].next_dch != 0 && umts_fp_conversation_info->num_dch_in_flow < FP_maxNrOfDCHs){ i = nbap_dch_chnl_info[i].next_dch; umts_fp_conversation_info->num_dch_in_flow++; umts_fp_conversation_info->dch_ids_in_flow_list[umts_fp_conversation_info->num_dch_in_flow] = i; /* Traffic flows per DCH(UL) */ umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].num_ul_chans = num_tf = nbap_dch_chnl_info[i].num_ul_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].ul_chan_tf_size[j] = nbap_dch_chnl_info[i].ul_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].ul_chan_num_tbs[j] = nbap_dch_chnl_info[i].ul_chan_num_tbs[j]; } /* Traffic flows per DCH(DL) */ umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].num_dl_chans = num_tf = nbap_dch_chnl_info[i].num_dl_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].dl_chan_tf_size[j] = nbap_dch_chnl_info[i].dl_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].dl_chan_num_tbs[j] = nbap_dch_chnl_info[i].dl_chan_num_tbs[j]; } } umts_fp_conversation_info->num_dch_in_flow++; umts_fp_conversation_info->dch_ids_in_flow_list[umts_fp_conversation_info->num_dch_in_flow] = i; set_umts_fp_conv_data(conversation, umts_fp_conversation_info); /* Add Setup Conversation to list, we need it in response msg */ add_setup_conv(actx->pinfo, nbap_private_data->transaction_id,nbap_private_data->dd_mode,nbap_private_data->common_transport_channel_id, actx->pinfo->num, &dst_addr, bindingID, umts_fp_conversation_info, conversation); } #.FN_HDR DCH-Specific-FDD-InformationList nbap_get_private_data(actx->pinfo)->num_dch_in_flow = 0; nbap_get_private_data(actx->pinfo)->prev_dch_id = 0; #.FN_HDR DCH-Specific-FDD-Item nbap_get_private_data(actx->pinfo)->num_dch_in_flow++; #.FN_FTR DCH-Specific-FDD-Item nbap_get_private_data(actx->pinfo)->prev_dch_id = nbap_get_private_data(actx->pinfo)->dch_id; #.FN_HDR DCH-Specific-FDD-Item/ul-TransportFormatSet nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); guint32 dch_id = nbap_private_data->dch_id; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; nbap_private_data->transport_format_set_type = NBAP_DCH_UL; if (dch_id != 0xffffffff) { nbap_dch_chnl_info[dch_id].num_ul_chans = 0; } #.FN_HDR DCH-Specific-FDD-Item/dl-TransportFormatSet nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); guint32 dch_id = nbap_private_data->dch_id; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; nbap_private_data->transport_format_set_type = NBAP_DCH_DL; if (dch_id != 0xffffffff) { nbap_dch_chnl_info[dch_id].num_dl_chans = 0; } #.FN_HDR DCH-ModifySpecificItem-FDD/ul-TransportFormatSet nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); guint32 dch_id = nbap_private_data->dch_id; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; nbap_private_data->transport_format_set_type = NBAP_DCH_UL; if (dch_id != 0xffffffff) { nbap_dch_chnl_info[dch_id].num_ul_chans = 0; } #.FN_HDR DCH-ModifySpecificItem-FDD/dl-TransportFormatSet nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); guint32 dch_id = nbap_private_data->dch_id; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; nbap_private_data->transport_format_set_type = NBAP_DCH_DL; if (dch_id != 0xffffffff) { nbap_dch_chnl_info[dch_id].num_dl_chans = 0; } #.FN_HDR PCH-ParametersItem-CTCH-SetupRqstFDD/transportFormatSet nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; nbap_private_data->transport_format_set_type = NBAP_PCH; nbap_dch_chnl_info[nbap_private_data->common_transport_channel_id].num_dl_chans = 0; nbap_dch_chnl_info[nbap_private_data->common_transport_channel_id].num_ul_chans = 0; #.FN_HDR TransportFormatSet-DynamicPartList nbap_get_private_data(actx->pinfo)->num_items = 0; #.FN_HDR TransportFormatSet-DynamicPartList/_item nbap_get_private_data(actx->pinfo)->num_items++; #.FN_BODY TransportFormatSet-NrOfTransportBlocks VAL_PTR = &NrOfTransportBlocks guint32 NrOfTransportBlocks; guint num_items; guint32 dch_id; guint32 common_physical_channel_id; guint32 common_transport_channel_id; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; %(DEFAULT_BODY)s if(nbap_private_data->num_items>0){ num_items = nbap_private_data->num_items; dch_id = nbap_private_data->dch_id; if (num_items > 0 && num_items < MAX_FP_CHANS + 1 && dch_id != 0xffffffff) { common_physical_channel_id = nbap_private_data->common_physical_channel_id; common_transport_channel_id = nbap_private_data->common_transport_channel_id; switch(nbap_private_data->transport_format_set_type){ case NBAP_DCH_UL: nbap_dch_chnl_info[dch_id].num_ul_chans++; nbap_dch_chnl_info[dch_id].ul_chan_num_tbs[num_items-1] = NrOfTransportBlocks; break; case NBAP_DCH_DL: nbap_dch_chnl_info[dch_id].num_dl_chans++; nbap_dch_chnl_info[dch_id].dl_chan_num_tbs[num_items-1] = NrOfTransportBlocks; break; case NBAP_CPCH: nbap_dch_chnl_info[common_physical_channel_id].num_ul_chans++; nbap_dch_chnl_info[common_physical_channel_id].ul_chan_num_tbs[num_items-1] = NrOfTransportBlocks; nbap_dch_chnl_info[common_physical_channel_id].num_dl_chans++; nbap_dch_chnl_info[common_physical_channel_id].dl_chan_num_tbs[num_items-1] = NrOfTransportBlocks; break; case NBAP_PCH: nbap_dch_chnl_info[common_transport_channel_id].num_ul_chans++; nbap_dch_chnl_info[common_transport_channel_id].ul_chan_num_tbs[num_items-1] = NrOfTransportBlocks; nbap_dch_chnl_info[common_transport_channel_id].num_dl_chans++; nbap_dch_chnl_info[common_transport_channel_id].dl_chan_num_tbs[num_items-1] = NrOfTransportBlocks; break; default: break; } } } #.FN_BODY TransportFormatSet-TransportBlockSize VAL_PTR = &TransportBlockSize guint32 TransportBlockSize; guint num_items; guint32 dch_id; guint32 common_physical_channel_id; guint32 common_transport_channel_id; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; %(DEFAULT_BODY)s if(nbap_private_data->num_items>0){ num_items = nbap_private_data->num_items; dch_id = nbap_private_data->dch_id; if (num_items > 0 && num_items < MAX_FP_CHANS + 1 && dch_id != 0xffffffff) { common_physical_channel_id = nbap_private_data->common_physical_channel_id; common_transport_channel_id = nbap_private_data->common_transport_channel_id; switch(nbap_private_data->transport_format_set_type){ case NBAP_DCH_UL: nbap_dch_chnl_info[dch_id].ul_chan_tf_size[num_items-1] = TransportBlockSize; break; case NBAP_DCH_DL: nbap_dch_chnl_info[dch_id].dl_chan_tf_size[num_items-1] = TransportBlockSize; break; case NBAP_CPCH: nbap_dch_chnl_info[common_physical_channel_id].ul_chan_tf_size[num_items-1] = TransportBlockSize; nbap_dch_chnl_info[common_physical_channel_id].dl_chan_tf_size[num_items-1] = TransportBlockSize; break; case NBAP_PCH: nbap_dch_chnl_info[common_transport_channel_id].ul_chan_tf_size[num_items-1] = TransportBlockSize; nbap_dch_chnl_info[common_transport_channel_id].dl_chan_tf_size[num_items-1] = TransportBlockSize; break; default: break; } } } #.FN_FTR RL-Specific-DCH-Info-Item/dCH-id nbap_get_private_data(actx->pinfo)->dch_id = nbap_get_private_data(actx->pinfo)->t_dch_id; #.FN_BODY RL-Specific-DCH-Info-Item address dst_addr, null_addr; conversation_t *conversation = NULL; umts_fp_conversation_info_t *umts_fp_conversation_info; int i, j, num_tf; guint32 transportLayerAddress_ipv4; guint16 bindingID; guint32 dch_id; nbap_dch_channel_info_t* nbap_dch_chnl_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_dch_chnl_info = nbap_private_data->nbap_dch_chnl_info; nbap_private_data->transportLayerAddress_ipv4 = 0; nbap_private_data->binding_id_port = 0; nbap_private_data->dch_id = 0xFFFFFFFF; %(DEFAULT_BODY)s transportLayerAddress_ipv4 = nbap_private_data->transportLayerAddress_ipv4; bindingID = nbap_private_data->binding_id_port; if (PINFO_FD_VISITED(actx->pinfo) || transportLayerAddress_ipv4 == 0 || bindingID == 0){ return offset; } /*RBS might sometimes send a nonsens bind, to indicate that no DCH is present*/ if(bindingID == NBAP_IGNORE_PORT){ return offset; } clear_address(&null_addr); set_address(&dst_addr, AT_IPv4, 4, &transportLayerAddress_ipv4); conversation = find_conversation(actx->pinfo->num, &dst_addr, &null_addr, CONVERSATION_UDP, nbap_private_data->binding_id_port, 0, NO_ADDR_B|NO_PORT_B); if (conversation == NULL) { /* It's not part of any conversation - create a new one. */ conversation = conversation_new(actx->pinfo->num, &dst_addr, &null_addr, CONVERSATION_UDP, nbap_private_data->binding_id_port, 0, NO_ADDR2|NO_PORT2); /* Set dissector */ conversation_set_dissector(conversation, fp_handle); if(actx->pinfo->link_dir==P2P_DIR_DL){ umts_fp_conversation_info = wmem_new0(wmem_file_scope(), umts_fp_conversation_info_t); /* Fill in the data */ umts_fp_conversation_info->iface_type = IuB_Interface; umts_fp_conversation_info->division = Division_FDD; umts_fp_conversation_info->channel = CHANNEL_DCH; umts_fp_conversation_info->dl_frame_number = 0; umts_fp_conversation_info->ul_frame_number = actx->pinfo->num; copy_address_wmem(wmem_file_scope(), &(umts_fp_conversation_info->crnc_address), &dst_addr); umts_fp_conversation_info->crnc_port = bindingID; umts_fp_conversation_info->scrambling_code = nbap_private_data->ul_scrambling_code; umts_fp_conversation_info->rlc_mode = FP_RLC_MODE_UNKNOWN; /* DCH's in this flow */ umts_fp_conversation_info->dch_crc_present = nbap_private_data->dch_crc_present; /*Save unique UE-identifier */ umts_fp_conversation_info->com_context_id = nbap_private_data->com_context_id; /*UPLINK*/ /* Set data for First or single channel */ dch_id = nbap_private_data->dch_id; if (dch_id != 0xffffffff) { umts_fp_conversation_info->fp_dch_channel_info[0].num_ul_chans = num_tf = nbap_dch_chnl_info[dch_id].num_ul_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[0].ul_chan_tf_size[j] = nbap_dch_chnl_info[dch_id].ul_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[0].ul_chan_num_tbs[j] = nbap_dch_chnl_info[dch_id].ul_chan_num_tbs[j]; } /* Traffic flows per DCH(DL) */ umts_fp_conversation_info->fp_dch_channel_info[0].num_dl_chans = num_tf = nbap_dch_chnl_info[dch_id].num_dl_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[0].dl_chan_tf_size[j] = nbap_dch_chnl_info[dch_id].dl_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[0].dl_chan_num_tbs[j] = nbap_dch_chnl_info[dch_id].dl_chan_num_tbs[j]; } /* Set data for associated DCH's if we have any */ i = dch_id; umts_fp_conversation_info->dch_ids_in_flow_list[0] = dch_id; while(nbap_dch_chnl_info[i].next_dch != 0 && umts_fp_conversation_info->num_dch_in_flow < FP_maxNrOfDCHs){ i = nbap_dch_chnl_info[i].next_dch; umts_fp_conversation_info->num_dch_in_flow++; umts_fp_conversation_info->dch_ids_in_flow_list[umts_fp_conversation_info->num_dch_in_flow] = i; /*Set transport channel id*/ /*Setting Logical Channel's for this DCH*/ /* Traffic flows per DCH(UL) */ umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].num_ul_chans = num_tf = nbap_dch_chnl_info[i].num_ul_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].ul_chan_tf_size[j] = nbap_dch_chnl_info[i].ul_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].ul_chan_num_tbs[j] = nbap_dch_chnl_info[i].ul_chan_num_tbs[j]; } /* Traffic flows per DCH(DL) */ umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].num_dl_chans = num_tf = nbap_dch_chnl_info[i].num_dl_chans; for (j = 0; j < num_tf; j++) { umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].dl_chan_tf_size[j] = nbap_dch_chnl_info[i].dl_chan_tf_size[j]; umts_fp_conversation_info->fp_dch_channel_info[umts_fp_conversation_info->num_dch_in_flow].dl_chan_num_tbs[j] = nbap_dch_chnl_info[i].dl_chan_num_tbs[j]; } } umts_fp_conversation_info->num_dch_in_flow++; umts_fp_conversation_info->dch_ids_in_flow_list[umts_fp_conversation_info->num_dch_in_flow] = i; set_umts_fp_conv_data(conversation, umts_fp_conversation_info); } } nbap_debug("Frame %%u RL-Specific-DCH-Info-Item Start", actx->pinfo->num); nbap_debug(" Total no of ch in flow will be: %%d", umts_fp_conversation_info->num_dch_in_flow); nbap_debug("Frame %%u RL-Specific-DCH-Info-Item End", actx->pinfo->num); } #.FN_BODY RL-Specific-E-DCH-Information-Item address dst_addr, null_addr; conversation_t *conversation; umts_fp_conversation_info_t *umts_fp_conversation_info = NULL; fp_edch_channel_info_t* fp_edch_channel_info; nbap_edch_port_info_t *old_info = NULL; guint32 transportLayerAddress_ipv4; guint16 bindingID; guint32 e_dch_macdflow_id; nbap_edch_channel_info_t* nbap_edch_channel_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_edch_channel_info = nbap_private_data->nbap_edch_channel_info; nbap_private_data->transportLayerAddress_ipv4 = 0; nbap_private_data->binding_id_port = 0; %(DEFAULT_BODY)s transportLayerAddress_ipv4 = nbap_private_data->transportLayerAddress_ipv4; bindingID = nbap_private_data->binding_id_port; if (PINFO_FD_VISITED(actx->pinfo) || transportLayerAddress_ipv4 == 0 || bindingID == 0){ return offset; } clear_address(&null_addr); set_address(&dst_addr, AT_IPv4, 4, &transportLayerAddress_ipv4); conversation = find_conversation(actx->pinfo->num, &dst_addr, &null_addr, CONVERSATION_UDP, bindingID, 0, NO_ADDR_B|NO_PORT_B); if (conversation) { umts_fp_conversation_info = (umts_fp_conversation_info_t*)conversation_get_proto_data(conversation, proto_fp); } /* We must also check if this port is about to be overriden, if that's the case we * might already have a DCH entry on this port which should be overwritten */ if ((conversation == NULL) || (umts_fp_conversation_info && umts_fp_conversation_info->channel == CHANNEL_DCH)) { /* It's not part of any conversation - create a new one. */ conversation = conversation_new(actx->pinfo->num, &dst_addr, &null_addr, CONVERSATION_UDP, bindingID, 0, NO_ADDR2|NO_PORT2); /* Set dissector */ conversation_set_dissector(conversation, fp_handle); if(actx->pinfo->link_dir==P2P_DIR_DL){ umts_fp_conversation_info = wmem_new0(wmem_file_scope(), umts_fp_conversation_info_t); /* Fill in the data */ umts_fp_conversation_info->iface_type = IuB_Interface; umts_fp_conversation_info->division = Division_FDD; umts_fp_conversation_info->channel = CHANNEL_EDCH; umts_fp_conversation_info->dl_frame_number = 0; umts_fp_conversation_info->ul_frame_number = actx->pinfo->num; copy_address_wmem(wmem_file_scope(), &(umts_fp_conversation_info->crnc_address), &dst_addr); umts_fp_conversation_info->crnc_port = bindingID; umts_fp_conversation_info->rlc_mode = FP_RLC_MODE_UNKNOWN; fp_edch_channel_info = wmem_new0(wmem_file_scope(), fp_edch_channel_info_t); umts_fp_conversation_info->channel_specific_info = (void*)fp_edch_channel_info; if(nbap_private_data->crnc_context_present){ umts_fp_conversation_info->com_context_id = nbap_private_data->com_context_id; }else{ expert_add_info(actx->pinfo, NULL, &ei_nbap_no_set_comm_context_id); } /* Check if we allready have this context */ e_dch_macdflow_id = nbap_private_data->e_dch_macdflow_id; if( (old_info = (nbap_edch_port_info_t *)wmem_tree_lookup32(edch_flow_port_map,nbap_private_data->com_context_id)) == NULL ){ nbap_edch_port_info_t * nbap_edch_port_info; nbap_edch_port_info = wmem_new0(wmem_file_scope(), nbap_edch_port_info_t); /*Saving port/flow map based on context id for future reconfigurations*/ nbap_edch_port_info->crnc_port[e_dch_macdflow_id] = bindingID; /*Ip address might be useful as well*/ nbap_edch_port_info->crnc_address = nbap_private_data->transportLayerAddress_ipv4; nbap_debug("Frame %%u RL-Specific-E-DCH-Information-Item Start", actx->pinfo->num); nbap_debug(" wmem_tree_insert32(edch_flow_port_map) com_context_id %%u e_dch_macdflow_id %%u IP %%s Port %%u", umts_fp_conversation_info->com_context_id,e_dch_macdflow_id, address_to_str(actx->pinfo->pool, &dst_addr),bindingID); wmem_tree_insert32(edch_flow_port_map, umts_fp_conversation_info->com_context_id, nbap_edch_port_info); }else{ nbap_debug(" Insert in existing edch_flow_port_map com_context_id %%u e_dch_macdflow_id %%u IP %%s Port %%u", umts_fp_conversation_info->com_context_id,e_dch_macdflow_id, address_to_str(actx->pinfo->pool, &dst_addr), bindingID); /* Must be same ADDRESS */ old_info->crnc_port[e_dch_macdflow_id] = bindingID; } /* Set address for collection of DDI entries */ copy_address_wmem(actx->pinfo->pool,&(nbap_edch_channel_info[e_dch_macdflow_id].crnc_address),&dst_addr); nbap_edch_channel_info[e_dch_macdflow_id].crnc_port = bindingID; set_umts_fp_conv_data(conversation, umts_fp_conversation_info); nbap_debug("Frame %%u RL-Specific-E-DCH-Information-Item End", actx->pinfo->num); } } #.FN_BODY E-DCH-MACdFlow-Specific-InfoItem umts_fp_conversation_info_t *p_conv_data = NULL; fp_edch_channel_info_t* fp_edch_channel_info = NULL; address null_addr; conversation_t *p_conv; guint32 no_ddi_entries, i; guint32 e_dch_macdflow_id; nbap_edch_channel_info_t* nbap_edch_channel_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_edch_channel_info = nbap_private_data->nbap_edch_channel_info; /* Resetting entity recognition flag to check if it's set in this InfoItem */ nbap_private_data->max_mac_d_pdu_size_ext_ie_present = FALSE; %(DEFAULT_BODY)s if (PINFO_FD_VISITED(actx->pinfo)) { return offset; } /* Check if we have conversation info */ e_dch_macdflow_id = nbap_private_data->e_dch_macdflow_id; clear_address(&null_addr); p_conv = find_conversation(actx->pinfo->num, &nbap_edch_channel_info[e_dch_macdflow_id].crnc_address, &null_addr, CONVERSATION_UDP, nbap_edch_channel_info[e_dch_macdflow_id].crnc_port, 0, NO_ADDR_B); if(!p_conv) return offset; p_conv_data = (umts_fp_conversation_info_t *)conversation_get_proto_data(p_conv, proto_fp); if(!p_conv_data) return offset; fp_edch_channel_info = (fp_edch_channel_info_t*)p_conv_data->channel_specific_info; if(p_conv_data->channel != CHANNEL_EDCH || !fp_edch_channel_info) return offset; no_ddi_entries = fp_edch_channel_info->no_ddi_entries = nbap_edch_channel_info[e_dch_macdflow_id].no_ddi_entries; for (i = 0; i < no_ddi_entries; i++) { fp_edch_channel_info->edch_ddi[i] = nbap_edch_channel_info[e_dch_macdflow_id].edch_ddi[i]; fp_edch_channel_info->edch_macd_pdu_size[i] = nbap_edch_channel_info[e_dch_macdflow_id].edch_macd_pdu_size[i]; fp_edch_channel_info->edch_lchId[i] = nbap_edch_channel_info[e_dch_macdflow_id].lchId[i]; } p_conv_data->dch_crc_present = nbap_private_data->dch_crc_present; /* Figure out MAC entity: MAC-e/es or MAC-i/is * Then derive the type of E-DCH frame: * MAC-e/es => Type 1 * MAC-i/is => Type 2 * The specifications isn't very clear about the indicator for what entity * should be used. For now, it seems like the presence of the "Maximum MAC-d PDU Size Extended IE" * indicates MAC-i/is and it's absense means MAC-e/es */ if(nbap_private_data->max_mac_d_pdu_size_ext_ie_present){ fp_edch_channel_info->edch_type = 1; /* 1 means Type 2 */ }else{ fp_edch_channel_info->edch_type = 0; /* 0 means Type 1 */ } /* use to display e_dch_macdflow_id */ p_conv_data->num_dch_in_flow = 1; p_conv_data->dch_ids_in_flow_list[0] = nbap_private_data->e_dch_macdflow_id; #Handle Modified E-DCH Flows #.FN_BODY E-DCH-FDD-Information-to-Modify address dst_addr, null_addr; conversation_t *conversation,*old_conversation = NULL; umts_fp_conversation_info_t *umts_fp_conversation_info _U_; fp_edch_channel_info_t* fp_edch_channel_info; void *conv_proto_data = NULL; guint32 transportLayerAddress_ipv4; guint16 bindingID; guint32 e_dch_macdflow_id; nbap_edch_channel_info_t* nbap_edch_channel_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_edch_channel_info = nbap_private_data->nbap_edch_channel_info; nbap_private_data->transportLayerAddress_ipv4 = 0; nbap_private_data->binding_id_port = 0; %(DEFAULT_BODY)s transportLayerAddress_ipv4 = nbap_private_data->transportLayerAddress_ipv4; bindingID = nbap_private_data->binding_id_port; if (PINFO_FD_VISITED(actx->pinfo) || transportLayerAddress_ipv4 == 0 || bindingID == 0){ return offset; } /* * Basically the idea here is that we create a new converation (Which is ok? maybe?) * And then hijack the old conversation and let lower tree items configure that hijacked data. * */ clear_address(&null_addr); set_address(&dst_addr, AT_IPv4, 4, &transportLayerAddress_ipv4); old_conversation = find_conversation(actx->pinfo->num, &dst_addr, &null_addr, CONVERSATION_UDP, bindingID, 0, NO_ADDR_B|NO_PORT_B); if(old_conversation){ nbap_debug("Frame %%u E-DCH-FDD-Information-to-Modify: found old conv on IP %%s Port %%u", actx->pinfo->num, address_to_str(actx->pinfo->pool, &dst_addr), bindingID); }else{ nbap_debug("Frame %%u E-DCH-FDD-Information-to-Modify: Did not find old conv on IP %%s Port %%u", actx->pinfo->num, address_to_str(actx->pinfo->pool, &dst_addr), bindingID); } /* It's not part of any conversation - create a new one. */ conversation = conversation_new(actx->pinfo->num, &dst_addr, &null_addr, CONVERSATION_UDP, bindingID, 0, NO_ADDR2|NO_PORT2); /* Set dissector */ conversation_set_dissector(conversation, fp_handle); if(actx->pinfo->link_dir==P2P_DIR_DL){ umts_fp_conversation_info = wmem_new0(wmem_file_scope(), umts_fp_conversation_info_t); /* Steal the old information */ if (old_conversation) { conv_proto_data = conversation_get_proto_data(old_conversation, proto_fp); if (conv_proto_data) memcpy(umts_fp_conversation_info,conv_proto_data,sizeof(umts_fp_conversation_info_t)); } /* Overwrite the data */ umts_fp_conversation_info->iface_type = IuB_Interface; umts_fp_conversation_info->division = Division_FDD; umts_fp_conversation_info->channel = CHANNEL_EDCH; umts_fp_conversation_info->dl_frame_number = 0; umts_fp_conversation_info->ul_frame_number = actx->pinfo->num; copy_address_wmem(wmem_file_scope(), &(umts_fp_conversation_info->crnc_address), &dst_addr); umts_fp_conversation_info->crnc_port = bindingID; umts_fp_conversation_info->rlc_mode = FP_RLC_MODE_UNKNOWN; fp_edch_channel_info = wmem_new0(wmem_file_scope(), fp_edch_channel_info_t); umts_fp_conversation_info->channel_specific_info = (void*)fp_edch_channel_info; if(nbap_private_data->crnc_context_present){ umts_fp_conversation_info->com_context_id = nbap_private_data->com_context_id; }else{ expert_add_info(actx->pinfo, NULL, &ei_nbap_no_set_comm_context_id); } /* Set address for collection of DDI entries */ e_dch_macdflow_id = nbap_private_data->e_dch_macdflow_id; copy_address_wmem(actx->pinfo->pool,&(nbap_edch_channel_info[e_dch_macdflow_id].crnc_address),&dst_addr); nbap_edch_channel_info[e_dch_macdflow_id].crnc_port = bindingID; /*Indicate that the frag table has to be reset*/ umts_fp_conversation_info->reset_frag = TRUE; set_umts_fp_conv_data(conversation, umts_fp_conversation_info); } #.FN_BODY E-DCH-MACdFlow-Specific-InfoItem-to-Modify guint32 no_ddi_entries, i; address null_addr; nbap_edch_port_info_t *old_info; umts_fp_conversation_info_t *p_conv_data = NULL; fp_edch_channel_info_t* fp_edch_channel_info; conversation_t *p_conv; guint32 e_dch_macdflow_id; nbap_edch_channel_info_t* nbap_edch_channel_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_edch_channel_info = nbap_private_data->nbap_edch_channel_info; nbap_private_data->num_items = 1; %(DEFAULT_BODY)s if (PINFO_FD_VISITED(actx->pinfo)) { return offset; } nbap_debug("Frame %%u E-DCH-MACdFlow-Specific-InfoItem-to-Modify", actx->pinfo->num); /****** Look up old port and ip information since this is not included in this message ******/ /*Find proper communication context ID*/ if(nbap_private_data->crnc_context_present){ /*umts_fp_conversation_info->com_context_id = nbap_private_data->com_context_id;*/ }else{ expert_add_info(actx->pinfo, NULL, &ei_nbap_no_set_comm_context_id); } /*This should not happen*/ if(( old_info = (nbap_edch_port_info_t *)wmem_tree_lookup32(edch_flow_port_map,nbap_private_data->com_context_id)) == NULL ){ expert_add_info(actx->pinfo, NULL, &ei_nbap_no_find_port_info); return offset; } nbap_debug(" Found com_context_id %%u",nbap_private_data->com_context_id); /*Set the appropriate port, cheat and use same variable.*/ e_dch_macdflow_id = nbap_private_data->e_dch_macdflow_id; nbap_private_data->binding_id_port = old_info->crnc_port[e_dch_macdflow_id]; nbap_debug(" Port %%u loaded from old_info->crnc_port[e_dch_macdflow_id %%u]",nbap_private_data->binding_id_port, e_dch_macdflow_id); /*TODO: Fix this for ipv6 as well!*/ nbap_private_data->transportLayerAddress_ipv4 = old_info->crnc_address; /*Do the configurations*/ /* Check if we have conversation info */ clear_address(&null_addr); p_conv = find_conversation(actx->pinfo->num, &nbap_edch_channel_info[e_dch_macdflow_id].crnc_address, &null_addr, CONVERSATION_UDP, nbap_edch_channel_info[e_dch_macdflow_id].crnc_port, 0, NO_ADDR_B); if(!p_conv) return offset; p_conv_data = (umts_fp_conversation_info_t *)conversation_get_proto_data(p_conv, proto_fp); if(!p_conv_data) return offset; fp_edch_channel_info = (fp_edch_channel_info_t*)p_conv_data->channel_specific_info; if(p_conv_data->channel != CHANNEL_EDCH || !fp_edch_channel_info) return offset; no_ddi_entries = fp_edch_channel_info->no_ddi_entries = nbap_edch_channel_info[e_dch_macdflow_id].no_ddi_entries; for (i = 0; i < no_ddi_entries; i++) { fp_edch_channel_info->edch_ddi[i] = nbap_edch_channel_info[e_dch_macdflow_id].edch_ddi[i]; fp_edch_channel_info->edch_macd_pdu_size[i] = nbap_edch_channel_info[e_dch_macdflow_id].edch_macd_pdu_size[i]; fp_edch_channel_info->edch_lchId[i] = nbap_edch_channel_info[e_dch_macdflow_id].lchId[i]; } p_conv_data->dch_crc_present = nbap_private_data->dch_crc_present; /* Figure out MAC entity: MAC-e/es or MAC-i/is * Then derive the type of E-DCH frame: * MAC-e/es => Type 1 * MAC-i/is => Type 2 * The specifications isn't very clear about the indicator for what entity * should be used. For now, it seems like the presence of the "Maximum MAC-d PDU Size Extended IE" * indicates MAC-i/is and it's absense means MAC-e/es */ if(nbap_private_data->max_mac_d_pdu_size_ext_ie_present){ fp_edch_channel_info->edch_type = 1; /* 1 means Type 2 */ }else{ fp_edch_channel_info->edch_type = 0; /* 0 means Type 1 */ } /* use to display e_dch_macdflow_id */ p_conv_data->num_dch_in_flow = 1; p_conv_data->dch_ids_in_flow_list[0] = e_dch_macdflow_id; #.FN_FTR E-DCH-LogicalChannelToModifyItem nbap_get_private_data(actx->pinfo)->num_items++; #.FN_BODY E-DCH-LogicalChannelInformation nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_private_data->num_items = 0; nbap_edch_channel_info_t* nbap_edch_channel_info; nbap_edch_channel_info = nbap_private_data->nbap_edch_channel_info; %(DEFAULT_BODY)s nbap_edch_channel_info[nbap_private_data->e_dch_macdflow_id].no_ddi_entries = nbap_private_data->num_items; #.FN_HDR E-DCH-LogicalChannelInformationItem nbap_get_private_data(actx->pinfo)->num_items++; #.FN_BODY E-DCH-DDI-Value VAL_PTR = &e_dch_ddi_value guint32 e_dch_ddi_value; guint num_items; nbap_edch_channel_info_t* nbap_edch_channel_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_edch_channel_info = nbap_private_data->nbap_edch_channel_info; %(DEFAULT_BODY)s nbap_private_data->e_dch_ddi_value = e_dch_ddi_value; if (PINFO_FD_VISITED(actx->pinfo)) { return offset; } num_items = nbap_private_data->num_items; if(num_items > 0 && num_items < MAX_EDCH_DDIS + 1) nbap_edch_channel_info[nbap_private_data->e_dch_macdflow_id].edch_ddi[num_items-1] = nbap_private_data->e_dch_ddi_value; #.FN_BODY MACdPDU-Size VAL_PTR = &mac_d_pdu_size guint32 mac_d_pdu_size; guint num_items; nbap_edch_channel_info_t* nbap_edch_channel_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_edch_channel_info = nbap_private_data->nbap_edch_channel_info; %(DEFAULT_BODY)s nbap_private_data->mac_d_pdu_size = mac_d_pdu_size; if (PINFO_FD_VISITED(actx->pinfo)) { return offset; } num_items = nbap_private_data->num_items; if(num_items > 0 && num_items < MAX_EDCH_DDIS + 1) nbap_edch_channel_info[nbap_private_data->e_dch_macdflow_id].edch_macd_pdu_size[num_items-1] = nbap_private_data->mac_d_pdu_size; #.FN_BODY LogicalChannelID VAL_PTR = &logical_channel_id guint32 logical_channel_id; guint num_items; nbap_edch_channel_info_t* nbap_edch_channel_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_edch_channel_info = nbap_private_data->nbap_edch_channel_info; /* Set logical channel id for this entry*/ %(DEFAULT_BODY)s nbap_private_data->logical_channel_id = logical_channel_id; num_items = nbap_private_data->num_items; if(num_items > 0 && num_items < MAX_EDCH_DDIS + 1) nbap_edch_channel_info[nbap_private_data->e_dch_macdflow_id].lchId[num_items-1] = nbap_private_data->logical_channel_id; #.FN_BODY RLC-Mode VAL_PTR = &rlc_mode guint32 rlc_mode; nbap_hsdsch_channel_info_t* nbap_hsdsch_channel_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_hsdsch_channel_info = nbap_private_data->nbap_hsdsch_channel_info; %(DEFAULT_BODY)s switch(rlc_mode){ case 0: /* rLC-AM */ nbap_hsdsch_channel_info[nbap_private_data->hsdsch_macdflow_id].rlc_mode = FP_RLC_AM; break; case 1: /* rLC-UM */ nbap_hsdsch_channel_info[nbap_private_data->hsdsch_macdflow_id].rlc_mode = FP_RLC_UM; break; default: break; } #.FN_BODY UE-Capability-Information/hSDSCH-Physical-Layer-Category VAL_PTR = &hsdsch_physical_layer_category guint32 hsdsch_physical_layer_category; nbap_hsdsch_channel_info_t* nbap_hsdsch_channel_info; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_hsdsch_channel_info = nbap_private_data->nbap_hsdsch_channel_info; %(DEFAULT_BODY)s nbap_hsdsch_channel_info[nbap_private_data->hsdsch_macdflow_id].hsdsch_physical_layer_category = hsdsch_physical_layer_category; #.FN_BODY HSDSCH-MACdFlows-Information int protocol_ie_id; guint32 i; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_private_data->num_items = 0; protocol_ie_id = nbap_private_data->protocol_ie_id; nbap_hsdsch_channel_info_t* nbap_hsdsch_channel_info; nbap_hsdsch_channel_info = nbap_private_data->nbap_hsdsch_channel_info; /*Handle special cases, when the tree is weird, ie. no useful message appears in the tree, like HSDHSCH-Information-FDD */ switch(protocol_ie_id){ /*This flow must also be added*/ case id_HSDSCH_MACdFlows_to_Add: if (!PINFO_FD_VISITED(actx->pinfo)){ /* Set port to zero use that as an indication of whether we have data or not */ for (i = 0; i < maxNrOfMACdFlows; i++) { nbap_hsdsch_channel_info[i].crnc_port = 0; nbap_hsdsch_channel_info[i].rlc_mode = FP_RLC_MODE_UNKNOWN; /*XXX: Added 29 jun*/ nbap_hsdsch_channel_info[i].entity = entity_not_specified; /* Maybe this should default to entity = hs*/ } } %(DEFAULT_BODY)s add_hsdsch_bind(actx->pinfo); break; default: %(DEFAULT_BODY)s break; } # Reset num_items before calling the sequence #.FN_HDR HSDSCH-MACdFlows-to-Delete nbap_get_private_data(actx->pinfo)->num_items = 0; # Make sure num_items isn't 0 when accessing HSDSCH-MACdFlow-ID # #.FN_HDR HSDSCH-MACdFlows-to-Delete-Item nbap_get_private_data(actx->pinfo)->num_items++; #.FN_HDR PriorityQueue-InfoItem nbap_get_private_data(actx->pinfo)->num_items++; #.FN_HDR PriorityQueue-InfoItem-to-Add nbap_get_private_data(actx->pinfo)->num_items = 1; #.FN_HDR HSDSCH-MACdFlow-Specific-InformationResp-Item nbap_get_private_data(actx->pinfo)->num_items++; #.FN_BODY HSDSCH-MACdFlow-Specific-InfoItem address dst_addr; guint32 transportLayerAddress_ipv4; guint16 bindingID; guint32 hsdsch_macdflow_id; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_hsdsch_channel_info_t* nbap_hsdsch_channel_info; nbap_hsdsch_channel_info = nbap_private_data->nbap_hsdsch_channel_info; nbap_private_data->transportLayerAddress_ipv4 = 0; nbap_private_data->binding_id_port = 0; nbap_private_data->num_items++; %(DEFAULT_BODY)s transportLayerAddress_ipv4 = nbap_private_data->transportLayerAddress_ipv4; bindingID = nbap_private_data->binding_id_port; if (PINFO_FD_VISITED(actx->pinfo) || transportLayerAddress_ipv4 == 0 || bindingID == 0){ return offset; } set_address(&dst_addr, AT_IPv4, 4, &transportLayerAddress_ipv4); /* Set address for collection of HSDSCH entries */ hsdsch_macdflow_id = nbap_private_data->hsdsch_macdflow_id; copy_address_wmem(actx->pinfo->pool,&(nbap_hsdsch_channel_info[hsdsch_macdflow_id].crnc_address),&dst_addr); nbap_hsdsch_channel_info[hsdsch_macdflow_id].crnc_port = bindingID; #.FN_BODY MAC-PDU-SizeExtended guint32 hsdsch_macdflow_id; nbap_hsdsch_channel_info_t* nbap_hsdsch_channel_info; nbap_hsdsch_channel_info = nbap_get_private_data(actx->pinfo)->nbap_hsdsch_channel_info; %(DEFAULT_BODY)s nbap_get_private_data(actx->pinfo)->max_mac_d_pdu_size_ext_ie_present = TRUE; hsdsch_macdflow_id = nbap_get_private_data(actx->pinfo)->hsdsch_macdflow_id; if(nbap_hsdsch_channel_info[hsdsch_macdflow_id].crnc_port != 0){ nbap_hsdsch_channel_info[hsdsch_macdflow_id].entity = ehs; } #.FN_BODY HSDSCH-FDD-Information /* * Collect the information about the HSDSCH MACdFlows set up conversation(s) and set the conversation data. */ address null_addr; conversation_t *conversation = NULL; umts_fp_conversation_info_t *umts_fp_conversation_info; fp_hsdsch_channel_info_t* fp_hsdsch_channel_info = NULL; guint32 i; nbap_hsdsch_channel_info_t* nbap_hsdsch_channel_info; nbap_hsdsch_channel_info = nbap_get_private_data(actx->pinfo)->nbap_hsdsch_channel_info; if (!PINFO_FD_VISITED(actx->pinfo)){ /* Set port to zero use that as an indication of whether we have data or not */ for (i = 0; i < maxNrOfMACdFlows; i++) { nbap_hsdsch_channel_info[i].crnc_port = 0; nbap_hsdsch_channel_info[i].rlc_mode = FP_RLC_MODE_UNKNOWN; /*XXX: Added 29 jun*/ nbap_hsdsch_channel_info[i].entity = entity_not_specified; /* Maybe this should default to entity = hs*/ } } %(DEFAULT_BODY)s if (PINFO_FD_VISITED(actx->pinfo)){ return offset; } /* Set port to zero use that as an indication of whether we have data or not */ clear_address(&null_addr); for (i = 0; i < maxNrOfMACdFlows; i++) { if (nbap_hsdsch_channel_info[i].crnc_port != 0){ nbap_debug("Frame %%u HSDSCH-MACdFlows-Information:hsdsch_macdflow_id %%u Look for conv on IP %%s Port %%u", actx->pinfo->num, i, address_to_str (actx->pinfo->pool, &(nbap_hsdsch_channel_info[i].crnc_address)), nbap_hsdsch_channel_info[i].crnc_port); conversation = find_conversation(actx->pinfo->num, &(nbap_hsdsch_channel_info[i].crnc_address), &null_addr, CONVERSATION_UDP, nbap_hsdsch_channel_info[i].crnc_port, 0, NO_ADDR_B); if (conversation == NULL) { /* It's not part of any conversation - create a new one. */ nbap_debug("Frame %%u HSDSCH-MACdFlows-Information: Set up conv on Port %%u", actx->pinfo->num, nbap_hsdsch_channel_info[i].crnc_port); conversation = conversation_new(actx->pinfo->num, &(nbap_hsdsch_channel_info[i].crnc_address), &null_addr, CONVERSATION_UDP, nbap_hsdsch_channel_info[i].crnc_port, 0, NO_ADDR2|NO_PORT2); /* Set dissector */ conversation_set_dissector(conversation, fp_handle); if(actx->pinfo->link_dir==P2P_DIR_DL){ umts_fp_conversation_info = wmem_new0(wmem_file_scope(), umts_fp_conversation_info_t); /* Fill in the HSDSCH relevant data */ umts_fp_conversation_info->iface_type = IuB_Interface; umts_fp_conversation_info->division = Division_FDD; umts_fp_conversation_info->channel = CHANNEL_HSDSCH; umts_fp_conversation_info->dl_frame_number = 0; umts_fp_conversation_info->ul_frame_number = actx->pinfo->num; copy_address_wmem(wmem_file_scope(), &(umts_fp_conversation_info->crnc_address), &nbap_hsdsch_channel_info[i].crnc_address); umts_fp_conversation_info->crnc_port = nbap_hsdsch_channel_info[i].crnc_port; fp_hsdsch_channel_info = wmem_new0(wmem_file_scope(), fp_hsdsch_channel_info_t); umts_fp_conversation_info->channel_specific_info = (void*)fp_hsdsch_channel_info; /*Added june 3, normally just the iterator variable*/ fp_hsdsch_channel_info->hsdsch_macdflow_id = i ; /*hsdsch_macdflow_ids[i];*/ /* hsdsch_macdflow_id;*/ /*Added july 2012*/ umts_fp_conversation_info->com_context_id = nbap_get_private_data(actx->pinfo)->com_context_id; /* Cheat and use the DCH entries */ umts_fp_conversation_info->num_dch_in_flow++; umts_fp_conversation_info->dch_ids_in_flow_list[umts_fp_conversation_info->num_dch_in_flow -1] = i; /* The information collected from the 'hsdsch_physical_layer_category' field * is used here to tell if the UE supports MAC-ehs or MAC-hs. * This logic is based on this line in TS 25.306 / Section 5.1 : * "... A UE that supports categories greater or equal to category 13, also supports MAC-ehs." */ if(nbap_hsdsch_channel_info[i].entity == entity_not_specified ){ if(nbap_hsdsch_channel_info[i].hsdsch_physical_layer_category > 12){ fp_hsdsch_channel_info->hsdsch_entity = ehs; }else{ fp_hsdsch_channel_info->hsdsch_entity = hs; } }else{ fp_hsdsch_channel_info->hsdsch_entity = (enum fp_hsdsch_entity)nbap_hsdsch_channel_info[i].entity; } umts_fp_conversation_info->rlc_mode = nbap_hsdsch_channel_info[i].rlc_mode; set_umts_fp_conv_data(conversation, umts_fp_conversation_info); } } } } #.FN_BODY HSDSCH-MACdFlow-Specific-InfoItem-to-Modify address dst_addr; guint32 transportLayerAddress_ipv4; guint16 bindingID; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_private_data->transportLayerAddress_ipv4 = 0; nbap_private_data->binding_id_port = 0; nbap_private_data->num_items++; nbap_hsdsch_channel_info_t* nbap_hsdsch_channel_info; nbap_hsdsch_channel_info = nbap_private_data->nbap_hsdsch_channel_info; %(DEFAULT_BODY)s transportLayerAddress_ipv4 = nbap_private_data->transportLayerAddress_ipv4; bindingID = nbap_private_data->binding_id_port; if (PINFO_FD_VISITED(actx->pinfo) || transportLayerAddress_ipv4 == 0 || bindingID == 0){ return offset; } set_address(&dst_addr, AT_IPv4, 4, &transportLayerAddress_ipv4); /* Set address for collection of HSDSCH entries */ copy_address_wmem(actx->pinfo->pool,&(nbap_hsdsch_channel_info[nbap_private_data->hsdsch_macdflow_id].crnc_address),&dst_addr); nbap_hsdsch_channel_info[nbap_private_data->hsdsch_macdflow_id].crnc_port = bindingID; #.FN_BODY HSDSCH-Information-to-Modify /* * This is pretty much the same like if we setup a previous flow * Collect the information about the HSDSCH MACdFlows set up conversation(s) and set the conversation data. */ address null_addr; conversation_t *conversation = NULL; umts_fp_conversation_info_t *umts_fp_conversation_info; fp_hsdsch_channel_info_t* fp_hsdsch_channel_info = NULL; guint32 i; nbap_hsdsch_channel_info_t* nbap_hsdsch_channel_info; nbap_hsdsch_channel_info = nbap_get_private_data(actx->pinfo)->nbap_hsdsch_channel_info; if (!PINFO_FD_VISITED(actx->pinfo)){ /* Set port to zero use that as an indication of whether we have data or not */ for (i = 0; i < maxNrOfMACdFlows; i++) { nbap_hsdsch_channel_info[i].crnc_port = 0; nbap_hsdsch_channel_info[i].rlc_mode = FP_RLC_MODE_UNKNOWN; /*XXX: Added 29 jun*/ nbap_hsdsch_channel_info[i].entity = entity_not_specified; /* Maybe this should default to entity = hs*/ } } %(DEFAULT_BODY)s if (PINFO_FD_VISITED(actx->pinfo)){ return offset; } /* Set port to zero use that as an indication of whether we have data or not */ clear_address(&null_addr); nbap_debug("Frame %%u HSDSCH-MACdFlows-Information Start", actx->pinfo->num); for (i = 0; i < maxNrOfMACdFlows; i++) { if (nbap_hsdsch_channel_info[i].crnc_port != 0){ nbap_debug(" hsdsch_macdflow_id %%u Look for conv on IP %%s Port %%u", i, address_to_str (actx->pinfo->pool, &(nbap_hsdsch_channel_info[i].crnc_address)), nbap_hsdsch_channel_info[i].crnc_port); conversation = find_conversation(actx->pinfo->num, &(nbap_hsdsch_channel_info[i].crnc_address), &null_addr, CONVERSATION_UDP, nbap_hsdsch_channel_info[i].crnc_port, 0, NO_ADDR_B); if (conversation == NULL) { /* It's not part of any conversation - create a new one. */ nbap_debug(" Set up conv on Port %%u", nbap_hsdsch_channel_info[i].crnc_port); conversation = conversation_new(actx->pinfo->num, &(nbap_hsdsch_channel_info[i].crnc_address), &null_addr, CONVERSATION_UDP, nbap_hsdsch_channel_info[i].crnc_port, 0, NO_ADDR2|NO_PORT2); /* Set dissector */ conversation_set_dissector(conversation, fp_handle); if(actx->pinfo->link_dir==P2P_DIR_DL){ umts_fp_conversation_info = wmem_new0(wmem_file_scope(), umts_fp_conversation_info_t); /* Fill in the HSDSCH relevant data */ umts_fp_conversation_info->iface_type = IuB_Interface; umts_fp_conversation_info->division = Division_FDD; umts_fp_conversation_info->channel = CHANNEL_HSDSCH; umts_fp_conversation_info->dl_frame_number = 0; umts_fp_conversation_info->ul_frame_number = actx->pinfo->num; copy_address_wmem(wmem_file_scope(), &(umts_fp_conversation_info->crnc_address), &nbap_hsdsch_channel_info[i].crnc_address); umts_fp_conversation_info->crnc_port = nbap_hsdsch_channel_info[i].crnc_port; fp_hsdsch_channel_info = wmem_new0(wmem_file_scope(), fp_hsdsch_channel_info_t); umts_fp_conversation_info->channel_specific_info = (void*)fp_hsdsch_channel_info; /*Added june 3, normally just the iterator variable*/ fp_hsdsch_channel_info->hsdsch_macdflow_id = i ; /*hsdsch_macdflow_ids[i];*/ /* hsdsch_macdflow_id;*/ /*Added july 2012*/ umts_fp_conversation_info->com_context_id = nbap_get_private_data(actx->pinfo)->com_context_id; /* Cheat and use the DCH entries */ umts_fp_conversation_info->num_dch_in_flow++; umts_fp_conversation_info->dch_ids_in_flow_list[umts_fp_conversation_info->num_dch_in_flow -1] = i; /* The information collected from the 'hsdsch_physical_layer_category' field * is used here to tell if the UE supports MAC-ehs or MAC-hs. * This logic is based on this line in TS 25.306 / Section 5.1 : * "... A UE that supports categories greater or equal to category 13, also supports MAC-ehs." */ if(nbap_hsdsch_channel_info[i].entity == entity_not_specified ){ if(nbap_hsdsch_channel_info[i].hsdsch_physical_layer_category > 12){ fp_hsdsch_channel_info->hsdsch_entity = ehs; }else{ fp_hsdsch_channel_info->hsdsch_entity = hs; } }else{ fp_hsdsch_channel_info->hsdsch_entity = (enum fp_hsdsch_entity)nbap_hsdsch_channel_info[i].entity; } umts_fp_conversation_info->rlc_mode = nbap_hsdsch_channel_info[i].rlc_mode; /*Indicate that the frag table has to be reset*/ umts_fp_conversation_info->reset_frag = TRUE; set_umts_fp_conv_data(conversation, umts_fp_conversation_info); } } } nbap_debug("Frame %%u HSDSCH-MACdFlows-Information End", actx->pinfo->num); } #.FN_PARS Common-MACFlow-ID VAL_PTR = &nbap_get_private_data(actx->pinfo)->common_macdflow_id /*hsdsch_macdflow_ids[nbap_get_private_data(actx->pinfo)->num_items-1] = nbap_get_private_data(actx->pinfo)->hsdsch_macdflow_id;*/ /*THIS STUFF IST NOT DONE YET!*/ #.FN_BODY CommonMACFlow-Specific-InfoItem address dst_addr; guint32 transportLayerAddress_ipv4; guint16 bindingID; guint32 common_macdflow_id; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_private_data->transportLayerAddress_ipv4 = 0; nbap_private_data->binding_id_port = 0; nbap_private_data->num_items++; nbap_common_channel_info_t* nbap_common_channel_info; nbap_common_channel_info = nbap_private_data->nbap_common_channel_info; %(DEFAULT_BODY)s transportLayerAddress_ipv4 = nbap_private_data->transportLayerAddress_ipv4; bindingID = nbap_private_data->binding_id_port; if (PINFO_FD_VISITED(actx->pinfo) || transportLayerAddress_ipv4 == 0 || bindingID == 0){ return offset; } set_address(&dst_addr, AT_IPv4, 4, &transportLayerAddress_ipv4); /* Set address for collection of common entries */ common_macdflow_id = nbap_private_data->common_macdflow_id; copy_address_wmem(actx->pinfo->pool,&(nbap_common_channel_info[common_macdflow_id].crnc_address),&dst_addr); nbap_common_channel_info[common_macdflow_id].crnc_port = nbap_private_data->binding_id_port; #.FN_BODY HSDSCH-Common-System-InformationFDD /* * 5.1.6 High Speed Downlink Shared Channels * The Data Transfer procedure is used to transfer a HS-DSCH DATA FRAME (TYPE 1, TYPE 2 [FDD and 1.28Mcps * TDD - or TYPE3]) from the CRNC to a Node B. HS-DSCH DATA FRAME TYPE 2 is selected if the IE HS-DSCH * MAC-d PDU Size Format in NBAP (TS 25.433 [6]) is present and set to "Flexible MAC-d PDU Size" [FDD and * 1.28Mcps TDD - or if the IE HS-DSCH Common System Information is present and the UE is in Cell_FACH state. HS- * DSCH DATA FRAME TYPE 3 is selected if the IE HS-DSCH Paging System Information in NBAP (TS 25.433 [6]) is * present and the UE is in Cell_PCH state or URA_PCH state]. HS-DSCH DATA FRAME TYPE 1 is selected in any * other case. */ umts_fp_conversation_info_t *umts_fp_conversation_info = NULL; fp_hsdsch_channel_info_t* fp_hsdsch_channel_info = NULL; address null_addr; conversation_t *conversation = NULL; nbap_common_channel_info_t* nbap_common_channel_info; nbap_common_channel_info = nbap_get_private_data(actx->pinfo)->nbap_common_channel_info; int i; if (!PINFO_FD_VISITED(actx->pinfo)){ /* Set port to zero use that as an indication of whether we have data or not */ for (i = 0; i < maxNrOfCommonMACFlows; i++) { nbap_common_channel_info[i].crnc_port = 0; nbap_common_channel_info[i].rlc_mode = FP_RLC_MODE_UNKNOWN; } } %(DEFAULT_BODY)s if (PINFO_FD_VISITED(actx->pinfo)){ return offset; } /* Set port to zero use that as an indication of whether we have data or not */ clear_address(&null_addr); for (i = 0; i < maxNrOfCommonMACFlows; i++) { if (nbap_common_channel_info[i].crnc_port != 0){ conversation = find_conversation(actx->pinfo->num, &(nbap_common_channel_info[i].crnc_address), &null_addr, CONVERSATION_UDP, nbap_common_channel_info[i].crnc_port, 0, NO_ADDR_B); if (conversation == NULL) { conversation = conversation_new(actx->pinfo->num, &(nbap_common_channel_info[i].crnc_address), &null_addr, CONVERSATION_UDP, nbap_common_channel_info[i].crnc_port, 0, NO_ADDR2|NO_PORT2); /* Set dissector */ conversation_set_dissector(conversation, fp_handle); /*Set NBAP configuration to lower layers*/ if(actx->pinfo->link_dir==P2P_DIR_DL){ umts_fp_conversation_info = wmem_new0(wmem_file_scope(), umts_fp_conversation_info_t); /*Select frame type = 3 according to paragraph 5.1.6 in 3GPP TS 25.435*/ umts_fp_conversation_info->channel = CHANNEL_HSDSCH_COMMON; umts_fp_conversation_info->division = Division_FDD; umts_fp_conversation_info->dl_frame_number = 0; umts_fp_conversation_info->ul_frame_number = actx->pinfo->num; copy_address_wmem(wmem_file_scope(), &(umts_fp_conversation_info->crnc_address), &nbap_common_channel_info[i].crnc_address); umts_fp_conversation_info->crnc_port = nbap_common_channel_info[i].crnc_port; fp_hsdsch_channel_info = wmem_new0(wmem_file_scope(), fp_hsdsch_channel_info_t); umts_fp_conversation_info->channel_specific_info = (void*)fp_hsdsch_channel_info; fp_hsdsch_channel_info->common_macdflow_id = nbap_get_private_data(actx->pinfo)->common_macdflow_id; fp_hsdsch_channel_info->hsdsch_entity = ehs; umts_fp_conversation_info->num_dch_in_flow++; umts_fp_conversation_info->dch_ids_in_flow_list[umts_fp_conversation_info->num_dch_in_flow -1] = i; set_umts_fp_conv_data(conversation, umts_fp_conversation_info); } } } } #This guy should perhaps also be impletemented, hsdsch frame type 3 #.FN_BODY HSDSCH-Paging-System-InformationFDD /* ws_warning("HS-DSCH Type 3 NOT Implemented!"); */ %(DEFAULT_BODY)s # #Routines for figuring out a unique UE identification number (to track flows over changing channels) # #.FN_BODY CRNC-CommunicationContextID VAL_PTR = &com_context_id guint32 com_context_id; %(DEFAULT_BODY)s nbap_get_private_data(actx->pinfo)->com_context_id = com_context_id; nbap_get_private_data(actx->pinfo)->crnc_context_present = TRUE; #.FN_BODY NodeB-CommunicationContextID VAL_PTR = &node_b_com_context_id gboolean crnc_context_present; guint node_b_com_context_id; nbap_com_context_id_t *cur_val; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s /* Checking if CRNC context is present in this frame */ crnc_context_present = nbap_private_data->crnc_context_present; if(crnc_context_present) { /* This message contains both context fields. Updaaing the contexts map if needed. */ if (PINFO_FD_VISITED(actx->pinfo)){ return offset; } /* Making sure this Node B context isn't already mapped to a CRNC context */ if(wmem_tree_lookup32(com_context_map, node_b_com_context_id) == NULL) { /* Creating new mapping and adding to map */ cur_val = wmem_new(wmem_file_scope(), nbap_com_context_id_t); cur_val->crnc_context = nbap_private_data->com_context_id; cur_val->frame_num = actx->pinfo->num; wmem_tree_insert32(com_context_map, node_b_com_context_id, cur_val); } } else { /* No CRNC context field in this message, check if Node B context is already mapped to CRNC context. */ cur_val = (nbap_com_context_id_t *)wmem_tree_lookup32(com_context_map,node_b_com_context_id); if(cur_val != NULL){ /* A mapping was found. Adding to prvivate data. */ nbap_private_data->com_context_id = cur_val->crnc_context; nbap_private_data->crnc_context_present = TRUE; } } #.FN_BODY HSDSCH-RNTI VAL_PTR = &hrnti gint hrnti; umts_fp_conversation_info_t *umts_fp_conversation_info = NULL; fp_hsdsch_channel_info_t* fp_hsdsch_channel_info = NULL; address null_addr; conversation_t *conversation = NULL; int i; nbap_private_data_t* nbap_private_data = nbap_get_private_data(actx->pinfo); nbap_hsdsch_channel_info_t* nbap_hsdsch_channel_info; nbap_hsdsch_channel_info = nbap_private_data->nbap_hsdsch_channel_info; %(DEFAULT_BODY)s nbap_private_data->hrnti = hrnti; if (PINFO_FD_VISITED(actx->pinfo)){ return offset; } /*Find the conversations assoicated with the HS-DSCH flows in this packet and set proper H-RNTI*/ clear_address(&null_addr); for (i = 0; i < maxNrOfMACdFlows; i++) { if (nbap_hsdsch_channel_info[i].crnc_port != 0){ conversation = find_conversation(actx->pinfo->num, &(nbap_hsdsch_channel_info[i].crnc_address), &null_addr, CONVERSATION_UDP, nbap_hsdsch_channel_info[i].crnc_port, 0, NO_ADDR_B); if(conversation != NULL){ umts_fp_conversation_info = (umts_fp_conversation_info_t *)conversation_get_proto_data(conversation, proto_fp); DISSECTOR_ASSERT(umts_fp_conversation_info != NULL); fp_hsdsch_channel_info = (fp_hsdsch_channel_info_t*)umts_fp_conversation_info->channel_specific_info; DISSECTOR_ASSERT(fp_hsdsch_channel_info != NULL); fp_hsdsch_channel_info->hrnti = nbap_private_data->hrnti; } } } #.REGISTER #NBAP-PROTOCOL-IES TUTRANGPSMeasurementValueInformation N nbap.ies id-TUTRANGPSMeasurementValueInformation SFNSFNMeasurementValueInformation N nbap.ies id-SFNSFNMeasurementValueInformation TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue N nbap.ies id-TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmission HS-DSCHRequiredPower N nbap.ies id-HS-DSCHRequiredPowerValueInformation HS-DSCHProvidedBitRate N nbap.ies id-HS-DSCHProvidedBitRateValueInformation Transmitted-Carrier-Power-For-CellPortion-Value N nbap.ies id-Transmitted-Carrier-Power-For-CellPortion-Value Received-total-wide-band-power-For-CellPortion-Value N nbap.ies id-Received-total-wide-band-power-For-CellPortion-Value TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue N nbap.ies id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortionValue UpPTSInterferenceValue N nbap.ies id-UpPTSInterferenceValue DLTransmissionBranchLoadValue N nbap.ies id-DLTransmissionBranchLoadValue HS-DSCHRequiredPowerValueInformation-For-CellPortion N nbap.ies id-HS-DSCHRequiredPowerValueInformation-For-CellPortion HS-DSCHProvidedBitRateValueInformation-For-CellPortion N nbap.ies id-HS-DSCHProvidedBitRateValueInformation-For-CellPortion E-DCHProvidedBitRate N nbap.ies id-E-DCHProvidedBitRateValueInformation E-DCH-Non-serving-Relative-Grant-Down-Commands N nbap.ies id-E-DCH-Non-serving-Relative-Grant-Down-CommandsValue Received-Scheduled-EDCH-Power-Share-Value N nbap.ies id-Received-Scheduled-EDCH-Power-Share-Value Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value N nbap.ies id-Received-Scheduled-EDCH-Power-Share-For-CellPortion-Value TUTRANGANSSMeasurementValueInformation N nbap.ies id-TUTRANGANSSMeasurementValueInformation Rx-Timing-Deviation-Value-LCR N nbap.ies id-Rx-Timing-Deviation-Value-LCR Angle-Of-Arrival-Value-LCR N nbap.ies id-Angle-Of-Arrival-Value-LCR HS-SICH-Reception-Quality-Value N nbap.ies id-HS-SICH-Reception-Quality Best-Cell-Portions-Value N nbap.ies id-Best-Cell-Portions-Value Rx-Timing-Deviation-Value-768 N nbap.ies id-Rx-Timing-Deviation-Value-768 Rx-Timing-Deviation-Value-384-ext N nbap.ies id-Rx-Timing-Deviation-Value-384-ext Extended-Round-Trip-Time-Value N nbap.ies id-Extended-Round-Trip-Time-Value NeighbouringTDDCellMeasurementInformationLCR N nbap.ies id-neighbouringTDDCellMeasurementInformationLCR NeighbouringTDDCellMeasurementInformation768 N nbap.ies id-neighbouringTDDCellMeasurementInformation768 ReportCharacteristicsType-OnModification N nbap.ies id-ReportCharacteristicsType-OnModification Transmitted-Carrier-Power-Value N nbap.ies id-Transmitted-Carrier-Power-For-CellPortion Received-total-wide-band-power-Value-IncrDecrThres N nbap.ies id-Received-total-wide-band-power-For-CellPortion TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue N nbap.ies id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCH-E-RGCHOrE-HICHTransmissionCellPortion RSEPS-Value-IncrDecrThres N nbap.ies id-Received-Scheduled-EDCH-Power-Share TUTRANGPSMeasurementThresholdInformation N nbap.ies id-TUTRANGPSMeasurementThresholdInformation SFNSFNMeasurementThresholdInformation N nbap.ies id-SFNSFNMeasurementThresholdInformation HS-SICH-Reception-Quality-Measurement-Value N nbap.ies id-HS-SICH-Reception-Quality-Measurement-Value HS-DSCHRequiredPowerValue N nbap.ies id-HS-DSCHRequiredPowerValue HS-DSCHRequiredPowerValue N nbap.ies id-HS-DSCHRequiredPowerValue-For-Cell-Portion RSEPS-Value-IncrDecrThres N nbap.ies id-Received-Scheduled-EDCH-Power-Share-For-CellPortion HS-SICH-Reception-Quality-Measurement-Value N nbap.ies id-Additional-HS-SICH-Reception-Quality-Measurement-Value TUTRANGANSSMeasurementThresholdInformation N nbap.ies id-TUTRANGANSSMeasurementThresholdInformation C-ID N nbap.ies id-C-ID ConfigurationGenerationID N nbap.ies id-ConfigurationGenerationID CommonPhysicalChannelType-CTCH-SetupRqstFDD N nbap.ies id-CommonPhysicalChannelType-CTCH-SetupRqstFDD FACH-ParametersListIE-CTCH-SetupRqstFDD N nbap.ies id-FACH-ParametersListIE-CTCH-SetupRqstFDD PCH-ParametersItem-CTCH-SetupRqstFDD N nbap.ies id-PCH-ParametersItem-CTCH-SetupRqstFDD RACH-ParametersItem-CTCH-SetupRqstFDD N nbap.ies id-RACH-ParametersItem-CTCH-SetupRqstFDD CommonPhysicalChannelType-CTCH-SetupRqstTDD N nbap.ies id-CommonPhysicalChannelType-CTCH-SetupRqstTDD Secondary-CCPCH-parameterListIE-CTCH-SetupRqstTDD N nbap.ies id-Secondary-CCPCH-parameterListIE-CTCH-SetupRqstTDD Secondary-CCPCH-LCR-parameterList-CTCH-SetupRqstTDD N nbap.ies id-Secondary-CCPCH-LCR-parameterList-CTCH-SetupRqstTDD FACH-ParametersListIE-CTCH-SetupRqstTDD N nbap.ies id-FACH-ParametersListIE-CTCH-SetupRqstTDD PCH-ParametersItem-CTCH-SetupRqstTDD N nbap.ies id-PCH-ParametersItem-CTCH-SetupRqstTDD PICH-ParametersItem-CTCH-SetupRqstTDD N nbap.ies id-PICH-ParametersItem-CTCH-SetupRqstTDD PICH-LCR-Parameters-CTCH-SetupRqstTDD N nbap.ies id-PICH-LCR-Parameters-CTCH-SetupRqstTDD PRACH-ParametersItem-CTCH-SetupRqstTDD N nbap.ies id-PRACH-ParametersItem-CTCH-SetupRqstTDD PRACH-LCR-ParametersList-CTCH-SetupRqstTDD N nbap.ies id-PRACH-LCR-ParametersList-CTCH-SetupRqstTDD RACH-ParameterItem-CTCH-SetupRqstTDD N nbap.ies id-RACH-ParameterItem-CTCH-SetupRqstTDD FACH-CommonTransportChannel-InformationResponse N nbap.ies id-FACH-ParametersList-CTCH-SetupRsp CommonTransportChannel-InformationResponse N nbap.ies id-PCH-Parameters-CTCH-SetupRsp CommonTransportChannel-InformationResponse N nbap.ies id-RACH-Parameters-CTCH-SetupRsp CriticalityDiagnostics N nbap.ies id-CriticalityDiagnostics Cause N nbap.ies id-Cause CommonPhysicalChannelType-CTCH-ReconfRqstFDD N nbap.ies id-CommonPhysicalChannelType-CTCH-ReconfRqstFDD FACH-ParametersListIE-CTCH-ReconfRqstFDD N nbap.ies id-FACH-ParametersListIE-CTCH-ReconfRqstFDD PCH-ParametersItem-CTCH-ReconfRqstFDD N nbap.ies id-PCH-ParametersItem-CTCH-ReconfRqstFDD PICH-ParametersItem-CTCH-ReconfRqstFDD N nbap.ies id-PICH-ParametersItem-CTCH-ReconfRqstFDD PRACH-ParametersListIE-CTCH-ReconfRqstFDD N nbap.ies id-PRACH-ParametersListIE-CTCH-ReconfRqstFDD AICH-ParametersListIE-CTCH-ReconfRqstFDD N nbap.ies id-AICH-ParametersListIE-CTCH-ReconfRqstFDD Secondary-CCPCH-Parameters-CTCH-ReconfRqstTDD N nbap.ies id-Secondary-CCPCH-Parameters-CTCH-ReconfRqstTDD PICH-Parameters-CTCH-ReconfRqstTDD N nbap.ies id-PICH-Parameters-CTCH-ReconfRqstTDD FACH-ParametersList-CTCH-ReconfRqstTDD N nbap.ies id-FACH-ParametersList-CTCH-ReconfRqstTDD PCH-Parameters-CTCH-ReconfRqstTDD N nbap.ies id-PCH-Parameters-CTCH-ReconfRqstTDD Secondary-CCPCHListIE-CTCH-ReconfRqstTDD N nbap.ies id-Secondary-CCPCHListIE-CTCH-ReconfRqstTDD CommonPhysicalChannelID N nbap.ies id-CommonPhysicalChannelID BlockingPriorityIndicator N nbap.ies id-BlockingPriorityIndicator ShutdownTimer N nbap.ies id-ShutdownTimer Start-Of-Audit-Sequence-Indicator N nbap.ies id-Start-Of-Audit-Sequence-Indicator End-Of-Audit-Sequence-Indicator N nbap.ies id-End-Of-Audit-Sequence-Indicator Cell-InformationList-AuditRsp N nbap.ies id-Cell-InformationList-AuditRsp CCP-InformationList-AuditRsp N nbap.ies id-CCP-InformationList-AuditRsp Local-Cell-InformationList-AuditRsp N nbap.ies id-Local-Cell-InformationList-AuditRsp Local-Cell-Group-InformationList-AuditRsp N nbap.ies id-Local-Cell-Group-InformationList-AuditRsp Cell-InformationItem-AuditRsp N nbap.ies id-Cell-InformationItem-AuditRsp Common-PhysicalChannel-Status-Information N nbap.ies id-P-SCH-Information Common-PhysicalChannel-Status-Information N nbap.ies id-S-SCH-Information Common-PhysicalChannel-Status-Information N nbap.ies id-P-CPICH-Information Common-PhysicalChannel-Status-Information N nbap.ies id-S-CPICH-Information Common-PhysicalChannel-Status-Information N nbap.ies id-P-CCPCH-Information Common-TransportChannel-Status-Information N nbap.ies id-BCH-Information Common-PhysicalChannel-Status-Information N nbap.ies id-S-CCPCH-Information Common-TransportChannel-Status-Information N nbap.ies id-PCH-Information Common-PhysicalChannel-Status-Information N nbap.ies id-PICH-Information Common-TransportChannel-Status-Information N nbap.ies id-FACH-Information Common-PhysicalChannel-Status-Information N nbap.ies id-PRACH-Information Common-TransportChannel-Status-Information N nbap.ies id-RACH-Information Common-PhysicalChannel-Status-Information N nbap.ies id-AICH-Information Common-PhysicalChannel-Status-Information N nbap.ies id-SCH-Information CCP-InformationItem-AuditRsp N nbap.ies id-CCP-InformationItem-AuditRsp Common-PhysicalChannel-Status-Information N nbap.ies id-FPACH-LCR-Information-AuditRsp Common-PhysicalChannel-Status-Information768 N nbap.ies id-S-CCPCH-768-Information-AuditRsp Common-PhysicalChannel-Status-Information768 N nbap.ies id-PRACH-768-Information Local-Cell-InformationItem-AuditRsp N nbap.ies id-Local-Cell-InformationItem-AuditRsp Local-Cell-Group-InformationItem-AuditRsp N nbap.ies id-Local-Cell-Group-InformationItem-AuditRsp Power-Local-Cell-Group-InformationItem-AuditRsp N nbap.ies id-Power-Local-Cell-Group-InformationItem-AuditRsp Common-PhysicalChannel-Status-Information N nbap.ies id-PLCCH-Information-AuditRsp Common-PhysicalChannel-Status-Information N nbap.ies id-E-RUCCH-Information Common-PhysicalChannel-Status-Information768 N nbap.ies id-E-RUCCH-768-Information MeasurementID N nbap.ies id-MeasurementID CommonMeasurementObjectType-CM-Rqst N nbap.ies id-CommonMeasurementObjectType-CM-Rqst CommonMeasurementType N nbap.ies id-CommonMeasurementType MeasurementFilterCoefficient N nbap.ies id-MeasurementFilterCoefficient ReportCharacteristics N nbap.ies id-ReportCharacteristics FNReportingIndicator N nbap.ies id-SFNReportingIndicator SFN N nbap.ies id-SFN PowerLocalCellGroup-CM-Rqst N nbap.ies id-Power-Local-Cell-Group-choice-CM-Rqst CommonMeasurementObjectType-CM-Rsp N nbap.ies id-CommonMeasurementObjectType-CM-Rsp PowerLocalCellGroup-CM-Rsp N nbap.ies id-Power-Local-Cell-Group-choice-CM-Rsp CommonMeasurementObjectType-CM-Rprt N nbap.ies id-CommonMeasurementObjectType-CM-Rprt PowerLocalCellGroup-CM-Rprt N nbap.ies id-Power-Local-Cell-Group-choice-CM-Rprt Local-Cell-ID N nbap.ies id-Local-Cell-ID T-Cell N nbap.ies id-T-Cell UARFCN N nbap.ies id-UARFCNforNu UARFCN N nbap.ies id-UARFCNforNd MaximumTransmissionPower N nbap.ies id-MaximumTransmissionPower Closedlooptimingadjustmentmode N nbap.ies id-Closed-Loop-Timing-Adjustment-Mode PrimaryScramblingCode N nbap.ies id-PrimaryScramblingCode Synchronisation-Configuration-Cell-SetupRqst N nbap.ies id-Synchronisation-Configuration-Cell-SetupRqst DL-TPC-Pattern01Count N nbap.ies id-DL-TPC-Pattern01Count PrimarySCH-Information-Cell-SetupRqstFDD N nbap.ies id-PrimarySCH-Information-Cell-SetupRqstFDD SecondarySCH-Information-Cell-SetupRqstFDD N nbap.ies id-SecondarySCH-Information-Cell-SetupRqstFDD PrimaryCPICH-Information-Cell-SetupRqstFDD N nbap.ies id-PrimaryCPICH-Information-Cell-SetupRqstFDD SecondaryCPICH-InformationList-Cell-SetupRqstFDD N nbap.ies id-SecondaryCPICH-InformationList-Cell-SetupRqstFDD PrimaryCCPCH-Information-Cell-SetupRqstFDD N nbap.ies id-PrimaryCCPCH-Information-Cell-SetupRqstFDD Limited-power-increase-information-Cell-SetupRqstFDD N nbap.ies id-Limited-power-increase-information-Cell-SetupRqstFDD SecondaryCPICH-InformationItem-Cell-SetupRqstFDD N nbap.ies id-SecondaryCPICH-InformationItem-Cell-SetupRqstFDD CellPortion-InformationItem-Cell-SetupRqstFDD N nbap.ies id-CellPortion-InformationItem-Cell-SetupRqstFDD UARFCN N nbap.ies id-UARFCNforNt CellParameterID N nbap.ies id-CellParameterID TransmissionDiversityApplied N nbap.ies id-TransmissionDiversityApplied SyncCase N nbap.ies id-SyncCase ConstantValue N nbap.ies id-DPCHConstant ConstantValue N nbap.ies id-PUSCHConstant ConstantValue N nbap.ies id-PRACHConstant TimingAdvanceApplied N nbap.ies id-TimingAdvanceApplied SCH-Information-Cell-SetupRqstTDD N nbap.ies id-SCH-Information-Cell-SetupRqstTDD PCCPCH-Information-Cell-SetupRqstTDD N nbap.ies id-PCCPCH-Information-Cell-SetupRqstTDD TimeSlotConfigurationList-Cell-SetupRqstTDD N nbap.ies id-TimeSlotConfigurationList-Cell-SetupRqstTDD SyncCaseIndicatorItem-Cell-SetupRqstTDD-PSCH N nbap.ies id-SyncCaseIndicatorItem-Cell-SetupRqstTDD-PSCH Synchronisation-Configuration-Cell-ReconfRqst N nbap.ies id-Synchronisation-Configuration-Cell-ReconfRqst PrimarySCH-Information-Cell-ReconfRqstFDD N nbap.ies id-PrimarySCH-Information-Cell-ReconfRqstFDD SecondarySCH-Information-Cell-ReconfRqstFDD N nbap.ies id-SecondarySCH-Information-Cell-ReconfRqstFDD PrimaryCPICH-Information-Cell-ReconfRqstFDD N nbap.ies id-PrimaryCPICH-Information-Cell-ReconfRqstFDD SecondaryCPICH-InformationList-Cell-ReconfRqstFDD N nbap.ies id-SecondaryCPICH-InformationList-Cell-ReconfRqstFDD PrimaryCCPCH-Information-Cell-ReconfRqstFDD N nbap.ies id-PrimaryCCPCH-Information-Cell-ReconfRqstFDD SecondaryCPICH-InformationItem-Cell-ReconfRqstFDD N nbap.ies id-SecondaryCPICH-InformationItem-Cell-ReconfRqstFDD CellPortion-InformationItem-Cell-ReconfRqstFDD N nbap.ies id-CellPortion-InformationItem-Cell-ReconfRqstFDD SCH-Information-Cell-ReconfRqstTDD N nbap.ies id-SCH-Information-Cell-ReconfRqstTDD PCCPCH-Information-Cell-ReconfRqstTDD N nbap.ies id-PCCPCH-Information-Cell-ReconfRqstTDD TimeSlotConfigurationList-Cell-ReconfRqstTDD N nbap.ies id-TimeSlotConfigurationList-Cell-ReconfRqstTDD IndicationType-ResourceStatusInd N nbap.ies id-IndicationType-ResourceStatusInd Local-Cell-InformationItem-ResourceStatusInd N nbap.ies id-Local-Cell-InformationItem-ResourceStatusInd Local-Cell-Group-InformationItem-ResourceStatusInd N nbap.ies id-Local-Cell-Group-InformationItem-ResourceStatusInd Power-Local-Cell-Group-InformationItem-ResourceStatusInd N nbap.ies id-Power-Local-Cell-Group-InformationItem-ResourceStatusInd Local-Cell-InformationItem2-ResourceStatusInd N nbap.ies id-Local-Cell-InformationItem2-ResourceStatusInd Local-Cell-Group-InformationItem2-ResourceStatusInd N nbap.ies id-Local-Cell-Group-InformationItem2-ResourceStatusInd Power-Local-Cell-Group-InformationItem2-ResourceStatusInd N nbap.ies id-Power-Local-Cell-Group-InformationItem2-ResourceStatusInd CCP-InformationItem-ResourceStatusInd N nbap.ies id-CCP-InformationItem-ResourceStatusInd Cell-InformationItem-ResourceStatusInd N nbap.ies id-Cell-InformationItem-ResourceStatusInd Common-PhysicalChannel-Status-Information N nbap.ies id-FPACH-LCR-Information Common-PhysicalChannel-Status-Information N nbap.ies id-DwPCH-LCR-Information Common-PhysicalChannel-Status-Information N nbap.ies id-PLCCH-Information-ResourceStatusInd Common-PhysicalChannel-Status-Information768 N nbap.ies id-S-CCPCH-768-Information-ResourceStatusInd BCCH-ModificationTime N nbap.ies id-BCCH-ModificationTime MIB-SB-SIB-InformationList-SystemInfoUpdateRqst N nbap.ies id-MIB-SB-SIB-InformationList-SystemInfoUpdateRqst SegmentInformationListIE-SystemInfoUpdate N nbap.ies id-SegmentInformationListIE-SystemInfoUpdate CRNC-CommunicationContextID N nbap.ies id-CRNC-CommunicationContextID UL-DPCH-Information-RL-SetupRqstFDD N nbap.ies id-UL-DPCH-Information-RL-SetupRqstFDD DL-DPCH-Information-RL-SetupRqstFDD N nbap.ies id-DL-DPCH-Information-RL-SetupRqstFDD DCH-FDD-Information N nbap.ies id-DCH-FDD-Information RL-InformationList-RL-SetupRqstFDD N nbap.ies id-RL-InformationList-RL-SetupRqstFDD Transmission-Gap-Pattern-Sequence-Information N nbap.ies id-Transmission-Gap-Pattern-Sequence-Information Active-Pattern-Sequence-Information N nbap.ies id-Active-Pattern-Sequence-Information RL-InformationItem-RL-SetupRqstFDD N nbap.ies id-RL-InformationItem-RL-SetupRqstFDD UL-CCTrCH-InformationList-RL-SetupRqstTDD N nbap.ies id-UL-CCTrCH-InformationList-RL-SetupRqstTDD DL-CCTrCH-InformationList-RL-SetupRqstTDD N nbap.ies id-DL-CCTrCH-InformationList-RL-SetupRqstTDD DCH-TDD-Information N nbap.ies id-DCH-TDD-Information DSCH-TDD-Information N nbap.ies id-DSCH-TDD-Information USCH-Information N nbap.ies id-USCH-Information RL-Information-RL-SetupRqstTDD N nbap.ies id-RL-Information-RL-SetupRqstTDD UL-CCTrCH-InformationItem-RL-SetupRqstTDD N nbap.ies id-UL-CCTrCH-InformationItem-RL-SetupRqstTDD UL-DPCH-InformationItem-RL-SetupRqstTDD N nbap.ies id-UL-DPCH-InformationList-RL-SetupRqstTDD DL-CCTrCH-InformationItem-RL-SetupRqstTDD N nbap.ies id-DL-CCTrCH-InformationItem-RL-SetupRqstTDD DL-DPCH-InformationItem-RL-SetupRqstTDD N nbap.ies id-DL-DPCH-InformationList-RL-SetupRqstTDD NodeB-CommunicationContextID N nbap.ies id-NodeB-CommunicationContextID CommunicationControlPortID N nbap.ies id-CommunicationControlPortID RL-InformationResponseList-RL-SetupRspFDD N nbap.ies id-RL-InformationResponseList-RL-SetupRspFDD RL-InformationResponseItem-RL-SetupRspFDD N nbap.ies id-RL-InformationResponseItem-RL-SetupRspFDD RL-InformationResponse-RL-SetupRspTDD N nbap.ies id-RL-InformationResponse-RL-SetupRspTDD DCH-InformationResponse N nbap.ies id-DCH-InformationResponse DSCH-InformationResponse N nbap.ies id-DSCH-InformationResponse USCH-InformationResponse N nbap.ies id-USCH-InformationResponse CauseLevel-RL-SetupFailureFDD N nbap.ies id-CauseLevel-RL-SetupFailureFDD Unsuccessful-RL-InformationRespItem-RL-SetupFailureFDD N nbap.ies id-Unsuccessful-RL-InformationRespItem-RL-SetupFailureFDD Successful-RL-InformationRespItem-RL-SetupFailureFDD N nbap.ies id-Successful-RL-InformationRespItem-RL-SetupFailureFDD CauseLevel-RL-SetupFailureTDD N nbap.ies id-CauseLevel-RL-SetupFailureTDD Unsuccessful-RL-InformationResp-RL-SetupFailureTDD N nbap.ies id-Unsuccessful-RL-InformationResp-RL-SetupFailureTDD Compressed-Mode-Deactivation-Flag N nbap.ies id-Compressed-Mode-Deactivation-Flag RL-InformationList-RL-AdditionRqstFDD N nbap.ies id-RL-InformationList-RL-AdditionRqstFDD RL-InformationItem-RL-AdditionRqstFDD N nbap.ies id-RL-InformationItem-RL-AdditionRqstFDD UL-CCTrCH-InformationList-RL-AdditionRqstTDD N nbap.ies id-UL-CCTrCH-InformationList-RL-AdditionRqstTDD DL-CCTrCH-InformationList-RL-AdditionRqstTDD N nbap.ies id-DL-CCTrCH-InformationList-RL-AdditionRqstTDD RL-Information-RL-AdditionRqstTDD N nbap.ies id-RL-Information-RL-AdditionRqstTDD UL-DPCH-InformationItem-RL-AdditionRqstTDD N nbap.ies id-UL-DPCH-InformationItem-RL-AdditionRqstTDD DL-DPCH-InformationItem-RL-AdditionRqstTDD N nbap.ies id-DL-DPCH-InformationItem-RL-AdditionRqstTDD RL-InformationResponseList-RL-AdditionRspFDD N nbap.ies id-RL-InformationResponseList-RL-AdditionRspFDD RL-InformationResponseItem-RL-AdditionRspFDD N nbap.ies id-RL-InformationResponseItem-RL-AdditionRspFDD RL-InformationResponse-RL-AdditionRspTDD N nbap.ies id-RL-InformationResponse-RL-AdditionRspTDD CauseLevel-RL-AdditionFailureFDD N nbap.ies id-CauseLevel-RL-AdditionFailureFDD Unsuccessful-RL-InformationRespItem-RL-AdditionFailureFDD N nbap.ies id-Unsuccessful-RL-InformationRespItem-RL-AdditionFailureFDD Successful-RL-InformationRespItem-RL-AdditionFailureFDD N nbap.ies id-Successful-RL-InformationRespItem-RL-AdditionFailureFDD CauseLevel-RL-AdditionFailureTDD N nbap.ies id-CauseLevel-RL-AdditionFailureTDD Unsuccessful-RL-InformationResp-RL-AdditionFailureTDD N nbap.ies id-Unsuccessful-RL-InformationResp-RL-AdditionFailureTDD UL-DPCH-Information-RL-ReconfPrepFDD N nbap.ies id-UL-DPCH-Information-RL-ReconfPrepFDD DL-DPCH-Information-RL-ReconfPrepFDD N nbap.ies id-DL-DPCH-Information-RL-ReconfPrepFDD FDD-DCHs-to-Modify N nbap.ies id-FDD-DCHs-to-Modify DCH-FDD-Information N nbap.ies id-DCHs-to-Add-FDD DCH-DeleteList-RL-ReconfPrepFDD N nbap.ies id-DCH-DeleteList-RL-ReconfPrepFDD RL-InformationList-RL-ReconfPrepFDD N nbap.ies id-RL-InformationList-RL-ReconfPrepFDD RL-InformationItem-RL-ReconfPrepFDD N nbap.ies id-RL-InformationItem-RL-ReconfPrepFDD UL-CCTrCH-InformationAddList-RL-ReconfPrepTDD N nbap.ies id-UL-CCTrCH-InformationAddList-RL-ReconfPrepTDD UL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD N nbap.ies id-UL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD UL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD N nbap.ies id-UL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD DL-CCTrCH-InformationAddList-RL-ReconfPrepTDD N nbap.ies id-DL-CCTrCH-InformationAddList-RL-ReconfPrepTDD DL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD N nbap.ies id-DL-CCTrCH-InformationModifyList-RL-ReconfPrepTDD DL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD N nbap.ies id-DL-CCTrCH-InformationDeleteList-RL-ReconfPrepTDD TDD-DCHs-to-Modify N nbap.ies id-TDD-DCHs-to-Modify DCH-TDD-Information N nbap.ies id-DCHs-to-Add-TDD DCH-DeleteList-RL-ReconfPrepTDD N nbap.ies id-DCH-DeleteList-RL-ReconfPrepTDD DSCH-Information-ModifyList-RL-ReconfPrepTDD N nbap.ies id-DSCH-Information-ModifyList-RL-ReconfPrepTDD DSCH-TDD-Information N nbap.ies id-DSCHs-to-Add-TDD DSCH-Information-DeleteList-RL-ReconfPrepTDD N nbap.ies id-DSCH-Information-DeleteList-RL-ReconfPrepTDD USCH-Information-ModifyList-RL-ReconfPrepTDD N nbap.ies id-USCH-Information-ModifyList-RL-ReconfPrepTDD USCH-Information N nbap.ies id-USCH-Information-Add USCH-Information-DeleteList-RL-ReconfPrepTDD N nbap.ies id-USCH-Information-DeleteList-RL-ReconfPrepTDD RL-Information-RL-ReconfPrepTDD N nbap.ies id-RL-Information-RL-ReconfPrepTDD UL-DPCH-InformationAddItem-RL-ReconfPrepTDD N nbap.ies id-UL-DPCH-InformationAddListIE-RL-ReconfPrepTDD UL-DPCH-InformationModify-AddItem-RL-ReconfPrepTDD N nbap.ies id-UL-DPCH-InformationModify-AddListIE-RL-ReconfPrepTDD UL-DPCH-InformationModify-ModifyItem-RL-ReconfPrepTDD N nbap.ies id-UL-DPCH-InformationModify-ModifyListIE-RL-ReconfPrepTDD UL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD N nbap.ies id-UL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD DL-DPCH-InformationAddItem-RL-ReconfPrepTDD N nbap.ies id-DL-DPCH-InformationAddListIE-RL-ReconfPrepTDD DL-DPCH-InformationModify-AddItem-RL-ReconfPrepTDD N nbap.ies id-DL-DPCH-InformationModify-AddListIE-RL-ReconfPrepTDD DL-DPCH-InformationModify-ModifyItem-RL-ReconfPrepTDD N nbap.ies id-DL-DPCH-InformationModify-ModifyListIE-RL-ReconfPrepTDD DL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD N nbap.ies id-DL-DPCH-InformationModify-DeleteListIE-RL-ReconfPrepTDD RL-InformationResponseList-RL-ReconfReady N nbap.ies id-RL-InformationResponseList-RL-ReconfReady RL-InformationResponseItem-RL-ReconfReady N nbap.ies id-RL-InformationResponseItem-RL-ReconfReady CauseLevel-RL-ReconfFailure N nbap.ies id-CauseLevel-RL-ReconfFailure RL-ReconfigurationFailureItem-RL-ReconfFailure N nbap.ies id-RL-ReconfigurationFailureItem-RL-ReconfFailure CFN N nbap.ies id-CFN UL-DPCH-Information-RL-ReconfRqstFDD N nbap.ies id-UL-DPCH-Information-RL-ReconfRqstFDD DL-DPCH-Information-RL-ReconfRqstFDD N nbap.ies id-DL-DPCH-Information-RL-ReconfRqstFDD DCH-DeleteList-RL-ReconfRqstFDD N nbap.ies id-DCH-DeleteList-RL-ReconfRqstFDD RL-InformationList-RL-ReconfRqstFDD N nbap.ies id-RL-InformationList-RL-ReconfRqstFDD RL-InformationItem-RL-ReconfRqstFDD N nbap.ies id-RL-InformationItem-RL-ReconfRqstFDD UL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD N nbap.ies id-UL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD UL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD N nbap.ies id-UL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD N nbap.ies id-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD DL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD N nbap.ies id-DL-CCTrCH-InformationDeleteList-RL-ReconfRqstTDD DCH-DeleteList-RL-ReconfRqstTDD N nbap.ies id-DCH-DeleteList-RL-ReconfRqstTDD RL-Information-RL-ReconfRqstTDD N nbap.ies id-RL-Information-RL-ReconfRqstTDD UL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD N nbap.ies id-UL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD UL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD N nbap.ies id-UL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD DL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD N nbap.ies id-DL-CCTrCH-InformationModifyItem-RL-ReconfRqstTDD DL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD N nbap.ies id-DL-CCTrCH-InformationDeleteItem-RL-ReconfRqstTDD RL-InformationResponseList-RL-ReconfRsp N nbap.ies id-RL-InformationResponseList-RL-ReconfRsp RL-InformationResponseItem-RL-ReconfRsp N nbap.ies id-RL-InformationResponseItem-RL-ReconfRsp RL-informationList-RL-DeletionRqst N nbap.ies id-RL-informationList-RL-DeletionRqst RL-informationItem-RL-DeletionRqst N nbap.ies id-RL-informationItem-RL-DeletionRqst PowerAdjustmentType N nbap.ies id-PowerAdjustmentType DL-Power N nbap.ies id-DLReferencePower InnerLoopDLPCStatus N nbap.ies id-InnerLoopDLPCStatus DL-ReferencePowerInformationList-DL-PC-Rqst N nbap.ies id-DLReferencePowerList-DL-PC-Rqst MaxAdjustmentStep N nbap.ies id-MaxAdjustmentStep AdjustmentPeriod N nbap.ies id-AdjustmentPeriod ScaledAdjustmentRatio N nbap.ies id-AdjustmentRatio DL-ReferencePowerInformationItem-DL-PC-Rqst N nbap.ies id-DL-ReferencePowerInformationItem-DL-PC-Rqst DL-TimeslotISCPInfo N nbap.ies id-TimeslotISCPInfo DedicatedMeasurementObjectType-DM-Rqst N nbap.ies id-DedicatedMeasurementObjectType-DM-Rqst DedicatedMeasurementType N nbap.ies id-DedicatedMeasurementType FNReportingIndicator N nbap.ies id-CFNReportingIndicator RL-InformationItem-DM-Rqst N nbap.ies id-RL-InformationItem-DM-Rqst DedicatedMeasurementObjectType-DM-Rsp N nbap.ies id-DedicatedMeasurementObjectType-DM-Rsp RL-InformationItem-DM-Rsp N nbap.ies id-RL-InformationItem-DM-Rsp RL-Set-InformationItem-DM-Rsp N nbap.ies id-RL-Set-InformationItem-DM-Rsp DedicatedMeasurementObjectType-DM-Rprt N nbap.ies id-DedicatedMeasurementObjectType-DM-Rprt RL-InformationItem-DM-Rprt N nbap.ies id-RL-InformationItem-DM-Rprt RL-Set-InformationItem-DM-Rprt N nbap.ies id-RL-Set-InformationItem-DM-Rprt Reporting-Object-RL-FailureInd N nbap.ies id-Reporting-Object-RL-FailureInd RL-InformationItem-RL-FailureInd N nbap.ies id-RL-InformationItem-RL-FailureInd RL-Set-InformationItem-RL-FailureInd N nbap.ies id-RL-Set-InformationItem-RL-FailureInd CCTrCH-InformationItem-RL-FailureInd N nbap.ies id-CCTrCH-InformationItem-RL-FailureInd RL-InformationList-RL-PreemptRequiredInd N nbap.ies id-RL-InformationList-RL-PreemptRequiredInd RL-InformationItem-RL-PreemptRequiredInd N nbap.ies id-RL-InformationItem-RL-PreemptRequiredInd Reporting-Object-RL-RestoreInd N nbap.ies id-Reporting-Object-RL-RestoreInd RL-InformationItem-RL-RestoreInd N nbap.ies id-RL-InformationItem-RL-RestoreInd RL-Set-InformationItem-RL-RestoreInd N nbap.ies id-RL-Set-InformationItem-RL-RestoreInd CCTrCH-InformationItem-RL-RestoreInd N nbap.ies id-CCTrCH-InformationItem-RL-RestoreInd MaximumTransmissionPower N nbap.ies id-HS-PDSCH-HS-SCCH-E-AGCH-E-RGCH-E-HICH-MaxPower-PSCH-ReconfRqst DL-ScramblingCode N nbap.ies id-HS-PDSCH-HS-SCCH-ScramblingCode-PSCH-ReconfRqst HS-PDSCH-FDD-Code-Information N nbap.ies id-HS-PDSCH-FDD-Code-Information-PSCH-ReconfRqst HS-SCCH-FDD-Code-Information N nbap.ies id-HS-SCCH-FDD-Code-Information-PSCH-ReconfRqst PDSCHSets-AddList-PSCH-ReconfRqst N nbap.ies id-PDSCHSets-AddList-PSCH-ReconfRqst PDSCHSets-ModifyList-PSCH-ReconfRqst N nbap.ies id-PDSCHSets-ModifyList-PSCH-ReconfRqst PDSCHSets-DeleteList-PSCH-ReconfRqst N nbap.ies id-PDSCHSets-DeleteList-PSCH-ReconfRqst PUSCHSets-AddList-PSCH-ReconfRqst N nbap.ies id-PUSCHSets-AddList-PSCH-ReconfRqst PUSCHSets-ModifyList-PSCH-ReconfRqst N nbap.ies id-PUSCHSets-ModifyList-PSCH-ReconfRqst PUSCHSets-DeleteList-PSCH-ReconfRqst N nbap.ies id-PUSCHSets-DeleteList-PSCH-ReconfRqst PDSCH-Information-AddItem-PSCH-ReconfRqst N nbap.ies id-PDSCH-Information-AddListIE-PSCH-ReconfRqst PDSCH-Information-ModifyItem-PSCH-ReconfRqst N nbap.ies id-PDSCH-Information-ModifyListIE-PSCH-ReconfRqst PDSCH-ModifyInformation-LCR-ModifyItem-PSCH-ReconfRqst N nbap.ies id-PDSCH-ModifyInformation-LCR-PSCH-ReconfRqst PUSCH-Information-AddItem-PSCH-ReconfRqst N nbap.ies id-PUSCH-Information-AddListIE-PSCH-ReconfRqst PUSCH-Information-ModifyItem-PSCH-ReconfRqst N nbap.ies id-PUSCH-Information-ModifyListIE-PSCH-ReconfRqst PUSCH-ModifyInformation-LCR-ModifyItem-PSCH-ReconfRqst N nbap.ies id-PUSCH-ModifyInformation-LCR-PSCH-ReconfRqst CauseLevel-PSCH-ReconfFailure N nbap.ies id-CauseLevel-PSCH-ReconfFailure Unsuccessful-PDSCHSetItem-PSCH-ReconfFailureTDD N nbap.ies id-Unsuccessful-PDSCHSetItem-PSCH-ReconfFailureTDD Unsuccessful-PUSCHSetItem-PSCH-ReconfFailureTDD N nbap.ies id-Unsuccessful-PUSCHSetItem-PSCH-ReconfFailureTDD ResetIndicator N nbap.ies id-ResetIndicator CommunicationContextInfoItem-Reset N nbap.ies id-CommunicationContextInfoItem-Reset CommunicationControlPortInfoItem-Reset N nbap.ies id-CommunicationControlPortInfoItem-Reset InformationExchangeID N nbap.ies id-InformationExchangeID InformationExchangeObjectType-InfEx-Rqst N nbap.ies id-InformationExchangeObjectType-InfEx-Rqst InformationType N nbap.ies id-InformationType InformationReportCharacteristics N nbap.ies id-InformationReportCharacteristics InformationExchangeObjectType-InfEx-Rsp N nbap.ies id-InformationExchangeObjectType-InfEx-Rsp InformationExchangeObjectType-InfEx-Rprt N nbap.ies id-InformationExchangeObjectType-InfEx-Rprt CellSyncBurstRepetitionPeriod N nbap.ies id-cellSyncBurstRepetitionPeriod TimeslotInfo-CellSyncInitiationRqstTDD N nbap.ies id-timeslotInfo-CellSyncInitiationRqstTDD CellSyncBurstTransInit-CellSyncInitiationRqstTDD N nbap.ies id-CellSyncBurstTransInit-CellSyncInitiationRqstTDD CellSyncBurstMeasureInit-CellSyncInitiationRqstTDD N nbap.ies id-CellSyncBurstMeasureInit-CellSyncInitiationRqstTDD TimeSlot N nbap.ies id-TimeSlot NCyclesPerSFNperiod N nbap.ies id-NCyclesPerSFNperiod NRepetitionsPerCyclePeriod N nbap.ies id-NRepetitionsPerCyclePeriod CellSyncBurstTransReconfInfo-CellSyncReconfRqstTDD N nbap.ies id-CellSyncBurstTransReconfInfo-CellSyncReconfRqstTDD CellSyncBurstMeasInfo-CellSyncReconfRqstTDD N nbap.ies id-CellSyncBurstMeasReconfiguration-CellSyncReconfRqstTDD CellSyncBurstMeasInfoListIE-CellSyncReconfRqstTDD N nbap.ies id-CellSyncBurstMeasInfoList-CellSyncReconfRqstTDD SynchronisationReportType N nbap.ies id-SynchronisationReportType SynchronisationReportCharacteristics N nbap.ies id-SynchronisationReportCharacteristics CellAdjustmentInfo-SyncAdjustmentRqstTDD N nbap.ies id-CellAdjustmentInfo-SyncAdjustmntRqstTDD CellAdjustmentInfoItem-SyncAdjustmentRqstTDD N nbap.ies id-CellAdjustmentInfoItem-SyncAdjustmentRqstTDD CauseLevel-SyncAdjustmntFailureTDD N nbap.ies id-CauseLevel-SyncAdjustmntFailureTDD Unsuccessful-cell-InformationRespItem-SyncAdjustmntFailureTDD N nbap.ies id-Unsuccessful-cell-InformationRespItem-SyncAdjustmntFailureTDD CSBTransmissionID N nbap.ies id-CSBTransmissionID CSBMeasurementID N nbap.ies id-CSBMeasurementID CellSyncInfo-CellSyncReprtTDD N nbap.ies id-CellSyncInfo-CellSyncReprtTDD SyncReportType-CellSyncReprtTDD N nbap.ies id-SyncReportType-CellSyncReprtTDD SignallingBearerRequestIndicator N nbap.ies id-SignallingBearerRequestIndicator DCH-RearrangeList-Bearer-RearrangeInd N nbap.ies id-DCH-RearrangeList-Bearer-RearrangeInd DSCH-RearrangeList-Bearer-RearrangeInd N nbap.ies id-DSCH-RearrangeList-Bearer-RearrangeInd USCH-RearrangeList-Bearer-RearrangeInd N nbap.ies id-USCH-RearrangeList-Bearer-RearrangeInd HSDSCH-RearrangeList-Bearer-RearrangeInd N nbap.ies id-HSDSCH-RearrangeList-Bearer-RearrangeInd DelayedActivationInformationList-RL-ActivationCmdFDD N nbap.ies id-DelayedActivationList-RL-ActivationCmdFDD DelayedActivationInformation-RL-ActivationCmdFDD N nbap.ies id-DelayedActivationInformation-RL-ActivationCmdFDD DelayedActivationInformationList-RL-ActivationCmdTDD N nbap.ies id-DelayedActivationList-RL-ActivationCmdTDD DelayedActivationInformation-RL-ActivationCmdTDD N nbap.ies id-DelayedActivationInformation-RL-ActivationCmdTDD HSDSCH-FDD-Update-Information N nbap.ies id-HSDSCH-FDD-Update-Information HSDSCH-TDD-Update-Information N nbap.ies id-HSDSCH-TDD-Update-Information Modification-Period N nbap.ies id-Modification-Period MICH-CFN N nbap.ies id-MICH-CFN NI-Information N nbap.ies id-NI-Information-NotifUpdateCmd Cell-Frequency-List-InformationItem-LCR-MulFreq-AuditRsp N nbap.ies id-Cell-Frequency-List-InformationItem-LCR-MulFreq-AuditRsp Cell-Frequency-List-InformationItem-LCR-MulFreq-ResourceStatusInd N nbap.ies id-Cell-Frequency-List-InformationItem-LCR-MulFreq-ResourceStatusInd UPPCH-LCR-InformationItem-AuditRsp N nbap.ies id-UPPCH-LCR-InformationItem-AuditRsp UPPCH-LCR-InformationItem-ResourceStatusInd N nbap.ies id-UPPCH-LCR-InformationItem-ResourceStatusInd Unsuccessful-UARFCNItem-PSCH-ReconfFailureTDD N nbap.ies id-Unsuccessful-UARFCNItem-PSCH-ReconfFailureTDD UARFCNSpecificCauseList-PSCH-ReconfFailureTDD N nbap.ies id-UARFCNSpecificCauseList MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst N nbap.ies id-MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst MultipleFreq-E-PUCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst N nbap.ies id-MultipleFreq-E-PUCH-Timeslot-Information-LCRItem-PSCH-ReconfRqst MultipleFreq-E-HICH-TimeOffsetLCR N nbap.ies id-MultipleFreq-E-HICH-TimeOffsetLCR PLCCH-parameters N nbap.ies id-PLCCH-parameters E-RUCCH-parameters N nbap.ies id-E-RUCCH-parameters E-RUCCH-768-parameters N nbap.ies id-E-RUCCH-768-parameters Cell-ERNTI-Status-Information N nbap.ies id-Cell-ERNTI-Status-Information ERACH-CM-Rqst N nbap.ies id-ERACH-CM-Rqst ERACH-CM-Rsp N nbap.ies id-ERACH-CM-Rsp ERACH-CM-Rprt N nbap.ies id-ERACH-CM-Rprt EDCH-RACH-Report-Value N nbap.ies id-EDCH-RACH-Report-Value EDCH-RACH-Report-IncrDecrThres N nbap.ies id-EDCH-RACH-Report-IncrDecrThres EDCH-RACH-Report-ThresholdInformation N nbap.ies id-EDCH-RACH-Report-ThresholdInformation GANSS-ALM-NAVKeplerianSet N nbap.ies id-GANSS-alm-keplerianNAVAlmanac GANSS-ALM-ReducedKeplerianSet N nbap.ies id-GANSS-alm-keplerianReducedAlmanac GANSS-ALM-MidiAlmanacSet N nbap.ies id-GANSS-alm-keplerianMidiAlmanac GANSS-ALM-GlonassAlmanacSet N nbap.ies id-GANSS-alm-keplerianGLONASS GANSS-ALM-ECEFsbasAlmanacSet N nbap.ies id-GANSS-alm-ecefSBASAlmanac UL-TimeslotISCP-Value-IncrDecrThres N nbap.ies id-ULTimeslotISCPValue-For-CellPortion UpPTSInterferenceValue N nbap.ies id-UpPTSInterferenceValue-For-CellPortion Best-Cell-Portions-ValueLCR N nbap.ies id-Best-Cell-Portions-ValueLCR Transmitted-Carrier-Power-For-CellPortion-ValueLCR N nbap.ies id-Transmitted-Carrier-Power-For-CellPortion-ValueLCR Received-total-wide-band-power-For-CellPortion-ValueLCR N nbap.ies id-Received-total-wide-band-power-For-CellPortion-ValueLCR UL-TimeslotISCP-For-CellPortion-Value N nbap.ies id-UL-TimeslotISCP-For-CellPortion-Value HS-DSCHRequiredPowerValueInformation-For-CellPortionLCR N nbap.ies id-HS-DSCHRequiredPowerValueInformation-For-CellPortionLCR HS-DSCHProvidedBitRateValueInformation-For-CellPortionLCR N nbap.ies id-HS-DSCHProvidedBitRateValueInformation-For-CellPortionLCR E-DCHProvidedBitRateValueInformation-For-CellPortion N nbap.ies id-E-DCHProvidedBitRateValueInformation-For-CellPortion UpPTSInterference-For-CellPortion-Value N nbap.ies id-UpPTSInterference-For-CellPortion-Value TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortionValue N nbap.ies id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortionValue TransmittedCarrierPowerOfAllCodesNotUsedForHSTransmissionValue N nbap.ies id-TransmittedCarrierPowerOfAllCodesNotUsedForHS-PDSCH-HS-SCCH-E-AGCHOrE-HICHTransmissionCellPortion ActivationInformation N nbap.ies id-ActivationInformation #NBAP-PROTOCOL-EXTENSION BroadcastCommonTransportBearerIndication N nbap.extension id-BroadcastCommonTransportBearerIndication MessageStructure N nbap.extension id-MessageStructure TypeOfError N nbap.extension id-TypeOfError TnlQos N nbap.extension id-TnlQos Unidirectional-DCH-Indicator N nbap.extension id-Unidirectional-DCH-Indicator ExtendedPropagationDelay N nbap.extension id-ExtendedPropagationDelay DL-Power N nbap.extension id-Initial-DL-Power-TimeslotLCR-InformationItem DL-Power N nbap.extension id-Maximum-DL-Power-TimeslotLCR-InformationItem DL-Power N nbap.extension id-Minimum-DL-Power-TimeslotLCR-InformationItem BindingID N nbap.extension id-bindingID TransportLayerAddress N nbap.extension id-transportlayeraddress E-DCH-PowerOffset-for-SchedulingInfo N nbap.extension id-E-DCH-PowerOffset-for-SchedulingInfo SAT-Info-Almanac-ExtList N nbap.extension id-SAT-Info-Almanac-ExtItem HARQ-Preamble-Mode N nbap.extension id-HARQ-Preamble-Mode HSDSCH-MACdPDUSizeFormat N nbap.extension id-HSDSCH-MACdPDUSizeFormat UL-SIR N nbap.extension id-HSSICH-SIRTarget TDD-TPC-UplinkStepSize-LCR N nbap.extension id-HSSICH-TPC-StepSize UE-Capability-Information N nbap.extension id-ueCapability-Info HS-PDSCH-Code-Change-Grant N nbap.extension id-HS-PDSCH-Code-Change-Grant HARQ-Preamble-Mode-Activation-Indicator N nbap.extension id-HARQ-Preamble-Mode-Activation-Indicator HSSCCH-Specific-InformationRespListTDD768 N nbap.extension id-hsSCCH-Specific-Information-ResponseTDD768 MAC-PDU-SizeExtended N nbap.extension id-MaximumMACdPDU-SizeExtended HS-SICH-failed N nbap.extension id-Additional-failed-HS-SICH HS-SICH-missed N nbap.extension id-Additional-missed-HS-SICH HS-SICH-total N nbap.extension id-Additional-total-HS-SICH ContinuousPacketConnectivityHS-SCCH-less-Information N nbap.extension id-ContinuousPacketConnectivityHS-SCCH-less-Information ContinuousPacketConnectivityHS-SCCH-less-Information-Response N nbap.extension id-ContinuousPacketConnectivityHS-SCCH-less-Information-Response HS-PDSCH-Code-Change-Indicator N nbap.extension id-HS-PDSCH-Code-Change-Indicator GANSS-Information N nbap.extension id-GANSS-Information GANSS-Common-Data N nbap.extension id-GANSS-Common-Data GANSS-Generic-Data N nbap.extension id-GANSS-Generic-Data SyncDLCodeIdThreInfoLCR N nbap.extension id-SyncDLCodeIdThreInfoLCR Extended-RNC-ID N nbap.extension id-Extended-RNC-ID LCRTDD-Uplink-Physical-Channel-Capability N nbap.extension id-LCRTDD-uplink-Physical-Channel-Capability PLCCHinformation N nbap.extension id-PLCCH-Information-UL-TimeslotLCR-Info MICH-Parameters-CTCH-SetupRqstFDD N nbap.extension id-MICH-Parameters-CTCH-SetupRqstFDD FDD-S-CCPCH-FrameOffset N nbap.extension id-FDD-S-CCPCH-FrameOffset-CTCH-SetupRqstFDD ModulationPO-MBSFN N nbap.extension id-ModulationPO-MBSFN Secondary-CCPCH-SlotFormat-Extended N nbap.extension id-Secondary-CCPCH-SlotFormat-Extended BroadcastReference N nbap.extension id-BroadcastReference TSTD-Indicator N nbap.extension id-Tstd-indicator MICH-Parameters-CTCH-SetupRqstTDD N nbap.extension id-MICH-Parameters-CTCH-SetupRqstTDD Secondary-CCPCH-parameterExtendedList-CTCH-SetupRqstTDD N nbap.extension id-Additional-S-CCPCH-Parameters-CTCH-SetupRqstTDD Secondary-CCPCH-LCR-parameterExtendedList-CTCH-SetupRqstTDD N nbap.extension id-Additional-S-CCPCH-LCR-Parameters-CTCH-SetupRqstTDD Secondary-CCPCH-768-parameterList-CTCH-SetupRqstTDD N nbap.extension id-S-CCPCH-768-Parameters-CTCH-SetupRqstTDD ModulationMBSFN N nbap.extension id-S-CCPCH-Modulation TFCI-Presence N nbap.extension id-tFCI-Presence DL-Power N nbap.extension id-maxFACH-Power-LCR-CTCH-SetupRqstTDD DL-Power N nbap.extension id-PCH-Power-LCR-CTCH-SetupRqstTDD PICH-768-ParametersItem-CTCH-SetupRqstTDD N nbap.extension id-PICH-768-Parameters-CTCH-SetupRqstTDD FPACH-LCR-Parameters-CTCH-SetupRqstTDD N nbap.extension id-FPACH-LCR-Parameters-CTCH-SetupRqstTDD PRACH-768-ParametersItem-CTCH-SetupRqstTDD N nbap.extension id-PRACH-768-Parameters-CTCH-SetupRqstTDD MICH-Parameters-CTCH-ReconfRqstFDD N nbap.extension id-MICH-Parameters-CTCH-ReconfRqstFDD FPACH-LCR-Parameters-CTCH-ReconfRqstTDD N nbap.extension id-FPACH-LCR-Parameters-CTCH-ReconfRqstTDD MICH-Parameters-CTCH-ReconfRqstTDD N nbap.extension id-MICH-Parameters-CTCH-ReconfRqstTDD PLCCH-Parameters-CTCH-ReconfRqstTDD N nbap.extension id-PLCCH-Parameters-CTCH-ReconfRqstTDD Secondary-CCPCH-768-Parameters-CTCH-ReconfRqstTDD N nbap.extension id-S-CCPCH-768-Parameters-CTCH-ReconfRqstTDD PICH-768-Parameters-CTCH-ReconfRqstTDD N nbap.extension id-PICH-768-Parameters-CTCH-ReconfRqstTDD MICH-768-Parameters-CTCH-ReconfRqstTDD N nbap.extension id-MICH-768-Parameters-CTCH-ReconfRqstTDD Secondary-CCPCH-parameterExtendedList-CTCH-ReconfRqstTDD N nbap.extension id-Additional-S-CCPCH-Parameters-CTCH-ReconfRqstTDD Secondary-CCPCH-LCR-parameterExtendedList-CTCH-ReconfRqstTDD N nbap.extension id-Additional-S-CCPCH-LCR-Parameters-CTCH-ReconfRqstTDD DL-Power N nbap.extension id-maxFACH-Power-LCR-CTCH-ReconfRqstTDD DL-Power N nbap.extension id-PCH-Power-LCR-CTCH-ReconfRqstTDD CommonPhysicalChannelID768 N nbap.extension id-CommonPhysicalChannelID768-CommonTrChDeletionReq Power-Local-Cell-Group-InformationList-AuditRsp N nbap.extension id-Power-Local-Cell-Group-InformationList-AuditRsp FPACH-LCR-InformationList-AuditRsp N nbap.extension id-FPACH-LCR-InformationList-AuditRsp Common-PhysicalChannel-Status-Information N nbap.extension id-DwPCH-LCR-InformationList-AuditRsp HS-DSCH-Resources-Information-AuditRsp N nbap.extension id-HSDSCH-Resources-Information-AuditRsp Common-PhysicalChannel-Status-Information N nbap.extension id-MICH-Information-AuditRsp S-CCPCH-InformationListExt-AuditRsp N nbap.extension id-S-CCPCH-InformationListExt-AuditRsp S-CCPCH-LCR-InformationListExt-AuditRsp N nbap.extension id-S-CCPCH-LCR-InformationListExt-AuditRsp E-DCH-Resources-Information-AuditRsp N nbap.extension id-E-DCH-Resources-Information-AuditRsp PLCCH-InformationList-AuditRsp N nbap.extension id-PLCCH-InformationList-AuditRsp Common-PhysicalChannel-Status-Information768 N nbap.extension id-P-CCPCH-768-Information-AuditRsp S-CCPCH-768-InformationList-AuditRsp N nbap.extension id-S-CCPCH-768-InformationList-AuditRsp Common-PhysicalChannel-Status-Information768 N nbap.extension id-PICH-768-Information-AuditRsp PRACH-768-InformationList-AuditRsp N nbap.extension id-PRACH-768-InformationList-AuditRsp Common-PhysicalChannel-Status-Information768 N nbap.extension id-SCH-768-Information-AuditRsp Common-PhysicalChannel-Status-Information768 N nbap.extension id-MICH-768-Information-AuditRsp E-RUCCH-InformationList-AuditRsp N nbap.extension id-E-RUCCH-InformationList-AuditRsp E-RUCCH-768-InformationList-AuditRsp N nbap.extension id-E-RUCCH-768-InformationList-AuditRsp ReferenceClockAvailability N nbap.extension id-ReferenceClockAvailability Local-Cell-ID N nbap.extension id-Power-Local-Cell-Group-ID HSDPA-Capability N nbap.extension id-HSDPA-Capability E-DCH-Capability N nbap.extension id-E-DCH-Capability E-DCH-TTI2ms-Capability N nbap.extension id-E-DCH-TTI2ms-Capability E-DCH-SF-Capability N nbap.extension id-E-DCH-SF-Capability E-DCH-HARQ-Combining-Capability N nbap.extension id-E-DCH-HARQ-Combining-Capability E-DCHCapacityConsumptionLaw N nbap.extension id-E-DCH-CapacityConsumptionLaw F-DPCH-Capability N nbap.extension id-F-DPCH-Capability E-DCH-TDD-CapacityConsumptionLaw N nbap.extension id-E-DCH-TDD-CapacityConsumptionLaw ContinuousPacketConnectivityDTX-DRX-Capability N nbap.extension id-ContinuousPacketConnectivityDTX-DRX-Capability Max-UE-DTX-Cycle N nbap.extension id-Max-UE-DTX-Cycle ContinuousPacketConnectivityHS-SCCH-less-Capability N nbap.extension id-ContinuousPacketConnectivityHS-SCCH-less-Capability MIMO-Capability N nbap.extension id-MIMO-Capability SixtyfourQAM-DL-Capability N nbap.extension id-SixtyfourQAM-DL-Capability MBMS-Capability N nbap.extension id-MBMS-Capability Enhanced-FACH-Capability N nbap.extension id-Enhanced-FACH-Capability Enhanced-PCH-Capability N nbap.extension id-Enhanced-PCH-Capability SixteenQAM-UL-Capability N nbap.extension id-SixteenQAM-UL-Capability HSDSCH-MACdPDU-SizeCapability N nbap.extension id-HSDSCH-MACdPDU-SizeCapability F-DPCH-SlotFormatCapability N nbap.extension id-F-DPCH-SlotFormatCapability CommonMeasurementAccuracy N nbap.extension id-CommonMeasurementAccuracy MeasurementRecoveryBehavior N nbap.extension id-MeasurementRecoveryBehavior RTWP-ReportingIndicator N nbap.extension id-RTWP-ReportingIndicator RTWP-CellPortion-ReportingIndicator N nbap.extension id-RTWP-CellPortion-ReportingIndicator Reference-ReceivedTotalWideBandPowerReporting N nbap.extension id-Reference-ReceivedTotalWideBandPowerReporting TimeSlotLCR N nbap.extension id-TimeSlotLCR-CM-Rqst NeighbouringCellMeasurementInformation N nbap.extension id-NeighbouringCellMeasurementInformation MeasurementRecoverySupportIndicator N nbap.extension id-MeasurementRecoverySupportIndicator Reference-ReceivedTotalWideBandPowerSupportIndicator N nbap.extension id-Reference-ReceivedTotalWideBandPowerSupportIndicator Reference-ReceivedTotalWideBandPower N nbap.extension id-Reference-ReceivedTotalWideBandPower MeasurementRecoveryReportingIndicator N nbap.extension id-MeasurementRecoveryReportingIndicator IPDLParameter-Information-Cell-SetupRqstFDD N nbap.extension id-IPDLParameter-Information-Cell-SetupRqstFDD CellPortion-InformationList-Cell-SetupRqstFDD N nbap.extension id-CellPortion-InformationList-Cell-SetupRqstFDD MIMO-PilotConfiguration N nbap.extension id-MIMO-PilotConfiguration TimeSlotConfigurationList-LCR-Cell-SetupRqstTDD N nbap.extension id-TimeSlotConfigurationList-LCR-Cell-SetupRqstTDD PCCPCH-LCR-Information-Cell-SetupRqstTDD N nbap.extension id-PCCPCH-LCR-Information-Cell-SetupRqstTDD DwPCH-LCR-Information-Cell-SetupRqstTDD N nbap.extension id-DwPCH-LCR-Information-Cell-SetupRqstTDD ReferenceSFNoffset N nbap.extension id-ReferenceSFNoffset IPDLParameter-Information-Cell-SetupRqstTDD N nbap.extension id-IPDLParameter-Information-Cell-SetupRqstTDD IPDLParameter-Information-LCR-Cell-SetupRqstTDD N nbap.extension id-IPDLParameter-Information-LCR-Cell-SetupRqstTDD PCCPCH-768-Information-Cell-SetupRqstTDD N nbap.extension id-PCCPCH-768-Information-Cell-SetupRqstTDD SCH-768-Information-Cell-SetupRqstTDD N nbap.extension id-SCH-768-Information-Cell-SetupRqstTDD MBSFN-Only-Mode-Indicator N nbap.extension id-MBSFN-Only-Mode-Indicator-Cell-SetupRqstTDD-LCR CellParameterID N nbap.extension id-MBSFN-Cell-ParameterID-Cell-SetupRqstTDD CellParameterID N nbap.extension id-Time-Slot-Parameter-ID IPDLParameter-Information-Cell-ReconfRqstFDD N nbap.extension id-IPDLParameter-Information-Cell-ReconfRqstFDD CellPortion-InformationList-Cell-ReconfRqstFDD N nbap.extension id-CellPortion-InformationList-Cell-ReconfRqstFDD TimeSlotConfigurationList-LCR-Cell-ReconfRqstTDD N nbap.extension id-TimeSlotConfigurationList-LCR-Cell-ReconfRqstTDD DwPCH-LCR-Information-Cell-ReconfRqstTDD N nbap.extension id-DwPCH-LCR-Information-Cell-ReconfRqstTDD IPDLParameter-Information-Cell-ReconfRqstTDD N nbap.extension id-IPDLParameter-Information-Cell-ReconfRqstTDD IPDLParameter-Information-LCR-Cell-ReconfRqstTDD N nbap.extension id-IPDLParameter-Information-LCR-Cell-ReconfRqstTDD SCH-768-Information-Cell-ReconfRqstTDD N nbap.extension id-SCH-768-Information-Cell-ReconfRqstTDD PCCPCH-768-Information-Cell-ReconfRqstTDD N nbap.extension id-PCCPCH-768-Information-Cell-ReconfRqstTDD CellParameterID N nbap.extension id-MBSFN-Cell-ParameterID-Cell-ReconfRqstTDD Power-Local-Cell-Group-InformationList-ResourceStatusInd N nbap.extension id-Power-Local-Cell-Group-InformationList-ResourceStatusInd MBSFN-Only-Mode-Capability N nbap.extension id-MBSFN-Only-Mode-Capability Power-Local-Cell-Group-InformationList2-ResourceStatusInd N nbap.extension id-Power-Local-Cell-Group-InformationList2-ResourceStatusInd FPACH-LCR-InformationList-ResourceStatusInd N nbap.extension id-FPACH-LCR-InformationList-ResourceStatusInd DwPCH-LCR-Information-ResourceStatusInd N nbap.extension id-DwPCH-LCR-Information-ResourceStatusInd HS-DSCH-Resources-Information-ResourceStatusInd N nbap.extension id-HSDSCH-Resources-Information-ResourceStatusInd Common-PhysicalChannel-Status-Information N nbap.extension id-MICH-Information-ResourceStatusInd S-CCPCH-InformationListExt-ResourceStatusInd N nbap.extension id-S-CCPCH-InformationListExt-ResourceStatusInd S-CCPCH-LCR-InformationListExt-ResourceStatusInd N nbap.extension id-S-CCPCH-LCR-InformationListExt-ResourceStatusInd E-DCH-Resources-Information-ResourceStatusInd N nbap.extension id-E-DCH-Resources-Information-ResourceStatusInd PLCCH-InformationList-ResourceStatusInd N nbap.extension id-PLCCH-InformationList-ResourceStatusInd Common-PhysicalChannel-Status-Information768 N nbap.extension id-P-CCPCH-768-Information-ResourceStatusInd S-CCPCH-768-InformationList-ResourceStatusInd N nbap.extension id-S-CCPCH-768-InformationList-ResourceStatusInd Common-PhysicalChannel-Status-Information768 N nbap.extension id-PICH-768-Information-ResourceStatusInd PRACH-768-InformationList-ResourceStatusInd N nbap.extension id-PRACH-768-InformationList-ResourceStatusInd Common-PhysicalChannel-Status-Information768 N nbap.extension id-SCH-768-Information-ResourceStatusInd Common-PhysicalChannel-Status-Information768 N nbap.extension id-MICH-768-Information-ResourceStatusInd E-RUCCH-InformationList-ResourceStatusInd N nbap.extension id-E-RUCCH-InformationList-ResourceStatusInd E-RUCCH-768-InformationList-ResourceStatusInd N nbap.extension id-E-RUCCH-768-InformationList-ResourceStatusInd DL-PowerBalancing-Information N nbap.extension id-DL-PowerBalancing-Information HSDSCH-FDD-Information N nbap.extension id-HSDSCH-FDD-Information HSDSCH-RNTI N nbap.extension id-HSDSCH-RNTI RL-ID N nbap.extension id-HSPDSCH-RL-ID E-DPCH-Information-RL-SetupRqstFDD N nbap.extension id-E-DPCH-Information-RL-SetupRqstFDD E-DCH-FDD-Information N nbap.extension id-E-DCH-FDD-Information Serving-E-DCH-RL-ID N nbap.extension id-Serving-E-DCH-RL-ID F-DPCH-Information-RL-SetupRqstFDD N nbap.extension id-F-DPCH-Information-RL-SetupRqstFDD Initial-DL-DPCH-TimingAdjustment-Allowed N nbap.extension id-Initial-DL-DPCH-TimingAdjustment-Allowed DCH-Indicator-For-E-DCH-HSDPA-Operation N nbap.extension id-DCH-Indicator-For-E-DCH-HSDPA-Operation CFN N nbap.extension id-Serving-Cell-Change-CFN ContinuousPacketConnectivityDTX-DRX-Information N nbap.extension id-ContinuousPacketConnectivityDTX-DRX-Information DPC-Mode N nbap.extension id-DPC-Mode UL-DPDCH-Indicator-For-E-DCH-Operation N nbap.extension id-UL-DPDCH-Indicator-For-E-DCH-Operation RL-Specific-DCH-Info N nbap.extension id-RL-Specific-DCH-Info DelayedActivation N nbap.extension id-DelayedActivation Primary-CPICH-Usage-for-Channel-Estimation N nbap.extension id-Primary-CPICH-Usage-for-Channel-Estimation CommonPhysicalChannelID N nbap.extension id-Secondary-CPICH-Information E-DCH-RL-Indication N nbap.extension id-E-DCH-RL-Indication RL-Specific-E-DCH-Info N nbap.extension id-RL-Specific-E-DCH-Info SynchronisationIndicator N nbap.extension id-SynchronisationIndicator F-DPCH-SlotFormat N nbap.extension id-F-DPCH-SlotFormat HSDSCH-TDD-Information N nbap.extension id-HSDSCH-TDD-Information RL-ID N nbap.extension id-PDSCH-RL-ID E-DCH-Information N nbap.extension id-E-DCH-Information RL-ID N nbap.extension id-E-DCH-Serving-RL-ID E-DCH-768-Information N nbap.extension id-E-DCH-768-Information E-DCH-LCR-Information N nbap.extension id-E-DCH-LCR-Information UL-DPCH-LCR-Information-RL-SetupRqstTDD N nbap.extension id-UL-DPCH-LCR-Information-RL-SetupRqstTDD UL-SIR N nbap.extension id-UL-SIRTarget TDD-TPC-UplinkStepSize-LCR N nbap.extension id-TDD-TPC-UplinkStepSize-LCR-RL-SetupRqstTDD UL-DPCH-768-Information-RL-SetupRqstTDD N nbap.extension id-UL-DPCH-768-Information-RL-SetupRqstTDD DL-DPCH-LCR-Information-RL-SetupRqstTDD N nbap.extension id-DL-DPCH-LCR-Information-RL-SetupRqstTDD DL-Power N nbap.extension id-CCTrCH-Initial-DL-Power-RL-SetupRqstTDD DL-Power N nbap.extension id-CCTrCH-Maximum-DL-Power-RL-SetupRqstTDD DL-Power N nbap.extension id-CCTrCH-Minimum-DL-Power-RL-SetupRqstTDD DL-DPCH-768-Information-RL-SetupRqstTDD N nbap.extension id-DL-DPCH-768-Information-RL-SetupRqstTDD DL-TimeslotISCPInfoLCR N nbap.extension id-TimeslotISCP-LCR-InfoList-RL-SetupRqstTDD UL-Synchronisation-Parameters-LCR N nbap.extension id-UL-Synchronisation-Parameters-LCR HSDSCH-FDD-Information-Response N nbap.extension id-HSDSCH-FDD-Information-Response DL-PowerBalancing-ActivationIndicator N nbap.extension id-DL-PowerBalancing-ActivationIndicator RL-Set-ID N nbap.extension id-E-DCH-RL-Set-ID E-DCH-FDD-DL-Control-Channel-Information N nbap.extension id-E-DCH-FDD-DL-Control-Channel-Information DL-DPCH-TimingAdjustment N nbap.extension id-Initial-DL-DPCH-TimingAdjustment E-DCH-FDD-Information-Response N nbap.extension id-E-DCH-FDD-Information-Response RL-InformationResponse-LCR-RL-SetupRspTDD N nbap.extension id-RL-InformationResponse-LCR-RL-SetupRspTDD HSDSCH-TDD-Information-Response N nbap.extension id-HSDSCH-TDD-Information-Response E-DCH-Information-Response N nbap.extension id-E-DCH-Information-Response HS-DSCH-Serving-Cell-Change-Info N nbap.extension id-HS-DSCH-Serving-Cell-Change-Info E-DPCH-Information-RL-AdditionReqFDD N nbap.extension id-E-DPCH-Information-RL-AdditionReqFDD DL-Power N nbap.extension id-DLReferencePower HSDSCH-Configured-Indicator N nbap.extension id-HSDSCH-Configured-Indicator UL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD N nbap.extension id-UL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD TDD-TPC-UplinkStepSize-LCR N nbap.extension id-TDD-TPC-UplinkStepSize-LCR-RL-AdditionRqstTDD UL-DPCH-InformationItem-768-RL-AdditionRqstTDD N nbap.extension id-UL-DPCH-InformationItem-768-RL-AdditionRqstTDD DL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD N nbap.extension id-DL-DPCH-InformationItem-LCR-RL-AdditionRqstTDD DL-Power N nbap.extension id-CCTrCH-Initial-DL-Power-RL-AdditionRqstTDD TDD-TPC-DownlinkStepSize N nbap.extension id-TDD-TPC-DownlinkStepSize-RL-AdditionRqstTDD DL-Power N nbap.extension id-CCTrCH-Maximum-DL-Power-RL-AdditionRqstTDD DL-Power N nbap.extension id-CCTrCH-Minimum-DL-Power-RL-AdditionRqstTDD DL-DPCH-InformationItem-768-RL-AdditionRqstTDD N nbap.extension id-DL-DPCH-InformationItem-768-RL-AdditionRqstTDD DL-TimeslotISCPInfoLCR N nbap.extension id-TimeslotISCP-InformationList-LCR-RL-AdditionRqstTDD HS-DSCH-Serving-Cell-Change-Info-Response N nbap.extension id-HS-DSCH-Serving-Cell-Change-Info-Response E-DCH-Serving-Cell-Change-Info-Response N nbap.extension id-E-DCH-Serving-Cell-Change-Info-Response MAChs-ResetIndicator N nbap.extension id-MAChs-ResetIndicator RL-InformationResponse-LCR-RL-AdditionRspTDD N nbap.extension id-RL-InformationResponse-LCR-RL-AdditionRspTDD SignallingBearerRequestIndicator N nbap.extension id-SignallingBearerRequestIndicator HSDSCH-Information-to-Modify N nbap.extension id-HSDSCH-Information-to-Modify HSDSCH-MACdFlows-Information N nbap.extension id-HSDSCH-MACdFlows-to-Add HSDSCH-MACdFlows-to-Delete N nbap.extension id-HSDSCH-MACdFlows-to-Delete E-DPCH-Information-RL-ReconfPrepFDD N nbap.extension id-E-DPCH-Information-RL-ReconfPrepFDD E-DCH-FDD-Information-to-Modify N nbap.extension id-E-DCH-FDD-Information-to-Modify E-DCH-MACdFlows-Information N nbap.extension id-E-DCH-MACdFlows-to-Add E-DCH-MACdFlows-to-Delete N nbap.extension id-E-DCH-MACdFlows-to-Delete F-DPCH-Information-RL-ReconfPrepFDD N nbap.extension id-F-DPCH-Information-RL-ReconfPrepFDD Fast-Reconfiguration-Mode N nbap.extension id-Fast-Reconfiguration-Mode CPC-Information N nbap.extension id-CPC-Information DL-DPCH-Power-Information-RL-ReconfPrepFDD N nbap.extension id-DL-DPCH-Power-Information-RL-ReconfPrepFDD DL-DPCH-TimingAdjustment N nbap.extension id-DL-DPCH-TimingAdjustment Secondary-CPICH-Information-Change N nbap.extension id-Secondary-CPICH-Information-Change MultipleRL-Information-RL-ReconfPrepTDD N nbap.extension id-multiple-RL-Information-RL-ReconfPrepTDD E-DCH-Information-Reconfig N nbap.extension id-E-DCH-Information-Reconfig E-DCH-768-Information-Reconfig N nbap.extension id-E-DCH-768-Information-Reconfig E-DCH-LCR-Information-Reconfig N nbap.extension id-E-DCH-LCR-Information-Reconfig UL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD N nbap.extension id-UL-DPCH-LCR-InformationAddListIE-RL-ReconfPrepTDD TDD-TPC-UplinkStepSize-LCR N nbap.extension id-TDD-TPC-UplinkStepSize-InformationAdd-LCR-RL-ReconfPrepTDD RL-ID N nbap.extension id-RL-ID MultipleRL-UL-DPCH-InformationAddList-RL-ReconfPrepTDD N nbap.extension id-multipleRL-ul-DPCH-InformationList UL-DPCH-768-InformationAddList-RL-ReconfPrepTDD N nbap.extension id-UL-DPCH-768-InformationAddItemIE-RL-ReconfPrepTDD UL-DPCH-768-InformationAddList-RL-ReconfPrepTDD N nbap.extension id-UL-DPCH-768-InformationAddListIE-RL-ReconfPrepTDD UL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD N nbap.extension id-UL-DPCH-LCR-InformationModify-AddList TDD-TPC-UplinkStepSize-LCR N nbap.extension id-TDD-TPC-UplinkStepSize-InformationModify-LCR-RL-ReconfPrepTDD MultipleRL-UL-DPCH-InformationModifyList-RL-ReconfPrepTDD N nbap.extension id-multipleRL-ul-DPCH-InformationModifyList UL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD N nbap.extension id-UL-DPCH-768-InformationModify-AddItem UL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD N nbap.extension id-UL-DPCH-768-InformationModify-AddList UL-TimeslotLCR-InformationModify-ModifyList-RL-ReconfPrepTDD N nbap.extension id-UL-TimeslotLCR-Information-RL-ReconfPrepTDD UL-Timeslot768-InformationModify-ModifyList-RL-ReconfPrepTDD N nbap.extension id-UL-Timeslot768-Information-RL-ReconfPrepTDD PLCCHinformation N nbap.extension id-PLCCH-Information-RL-ReconfPrepTDDLCR TDD-UL-DPCH-TimeSlotFormat-LCR N nbap.extension id-UL-DPCH-TimeSlotFormat-LCR-ModifyItem-RL-ReconfPrepTDD DL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD N nbap.extension id-DL-DPCH-LCR-InformationAddList-RL-ReconfPrepTDD DL-Power N nbap.extension id-CCTrCH-Initial-DL-Power-RL-ReconfPrepTDD TDD-TPC-DownlinkStepSize N nbap.extension id-TDD-TPC-DownlinkStepSize-InformationAdd-RL-ReconfPrepTDD DL-Power N nbap.extension id-CCTrCH-Maximum-DL-Power-InformationAdd-RL-ReconfPrepTDD DL-Power N nbap.extension id-CCTrCH-Minimum-DL-Power-InformationAdd-RL-ReconfPrepTDD MultipleRL-DL-DPCH-InformationAddList-RL-ReconfPrepTDD N nbap.extension id-multipleRL-dl-DPCH-InformationList DL-DPCH-768-InformationAddList-RL-ReconfPrepTDD N nbap.extension id-DL-DPCH-768-InformationAddItem-RL-ReconfPrepTDD DL-DPCH-768-InformationAddList-RL-ReconfPrepTDD N nbap.extension id-DL-DPCH-768-InformationAddList-RL-ReconfPrepTDD DL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD N nbap.extension id-DL-DPCH-LCR-InformationModify-AddList-RL-ReconfPrepTDD TDD-TPC-DownlinkStepSize N nbap.extension id-TDD-TPC-DownlinkStepSize-InformationModify-RL-ReconfPrepTDD DL-Power N nbap.extension id-CCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfPrepTDD DL-Power N nbap.extension id-CCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfPrepTDD MultipleRL-DL-DPCH-InformationModifyList-RL-ReconfPrepTDD N nbap.extension id-multipleRL-dl-DPCH-InformationModifyList DL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD N nbap.extension id-DL-DPCH-768-InformationModify-AddItem-RL-ReconfPrepTDD DL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD N nbap.extension id-DL-DPCH-768-InformationModify-AddList-RL-ReconfPrepTDD DL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD N nbap.extension id-DL-Timeslot-LCR-InformationModify-ModifyList-RL-ReconfPrepTDD DL-Timeslot-768-InformationModify-ModifyList-RL-ReconfPrepTDD N nbap.extension id-DL-Timeslot-768-InformationModify-ModifyList-RL-ReconfPrepTDD DL-Power N nbap.extension id-Maximum-DL-Power-Modify-LCR-InformationModify-RL-ReconfPrepTDD DL-Power N nbap.extension id-Minimum-DL-Power-Modify-LCR-InformationModify-RL-ReconfPrepTDD TDD-DL-DPCH-TimeSlotFormat-LCR N nbap.extension id-DL-DPCH-TimeSlotFormat-LCR-ModifyItem-RL-ReconfPrepTDD DL-Power N nbap.extension id-InitDL-Power DL-TimeslotISCPInfoLCR N nbap.extension id-TimeslotISCP-LCR-InfoList-RL-ReconfPrepTDD CommunicationControlPortID N nbap.extension id-TargetCommunicationControlPortID Fast-Reconfiguration-Permission N nbap.extension id-Fast-Reconfiguration-Permission DL-PowerBalancing-UpdatedIndicator N nbap.extension id-DL-PowerBalancing-UpdatedIndicator HSDSCH-Information-to-Modify-Unsynchronised N nbap.extension id-HSDSCH-Information-to-Modify-Unsynchronised E-DPCH-Information-RL-ReconfRqstFDD N nbap.extension id-E-DPCH-Information-RL-ReconfRqstFDD Multiple-RL-Information-RL-ReconfRqstTDD N nbap.extension id-multiple-RL-Information-RL-ReconfRqstTDD DL-DPCH-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD N nbap.extension id-DL-DPCH-LCR-InformationModify-ModifyList-RL-ReconfRqstTDD DL-Power N nbap.extension id-CCTrCH-Maximum-DL-Power-InformationModify-RL-ReconfRqstTDD DL-Power N nbap.extension id-CCTrCH-Minimum-DL-Power-InformationModify-RL-ReconfRqstTDD MultipleRL-DL-CCTrCH-InformationModifyList-RL-ReconfRqstTDD N nbap.extension id-multipleRL-dl-CCTrCH-InformationModifyList-RL-ReconfRqstTDD DL-TimeslotISCPInfoLCR N nbap.extension id-TimeslotISCPInfoList-LCR-DL-PC-RqstTDD PrimaryCCPCH-RSCP N nbap.extension id-PrimCCPCH-RSCP-DL-PC-RqstTDD PrimaryCCPCH-RSCP-Delta N nbap.extension id-PrimaryCCPCH-RSCP-Delta NumberOfReportedCellPortions N nbap.extension id-NumberOfReportedCellPortions AlternativeFormatReportingIndicator N nbap.extension id-AlternativeFormatReportingIndicator PUSCH-Info-DM-Rqst N nbap.extension id-PUSCH-Info-DM-Rqst HSSICH-Info-DM-Rqst N nbap.extension id-HSSICH-Info-DM-Rqst DPCH-ID768 N nbap.extension id-DPCH-ID768-DM-Rqst PUSCH-Info-DM-Rsp N nbap.extension id-PUSCH-Info-DM-Rsp HS-SICH-ID N nbap.extension id-HSSICH-Info-DM-Rsp Multiple-DedicatedMeasurementValueList-TDD-DM-Rsp N nbap.extension id-multiple-DedicatedMeasurementValueList-TDD-DM-Rsp Multiple-DedicatedMeasurementValueList-LCR-TDD-DM-Rsp N nbap.extension id-multiple-DedicatedMeasurementValueList-LCR-TDD-DM-Rsp Multiple-PUSCH-InfoList-DM-Rsp N nbap.extension id-multiple-PUSCH-InfoList-DM-Rsp Multiple-HSSICHMeasurementValueList-TDD-DM-Rsp N nbap.extension id-multiple-HSSICHMeasurementValueList-TDD-DM-Rsp DPCH-ID768 N nbap.extension id-DPCH-ID768-DM-Rsp Multiple-DedicatedMeasurementValueList-768-TDD-DM-Rsp N nbap.extension id-multiple-DedicatedMeasurementValueList-768-TDD-DM-Rsp PUSCH-Info-DM-Rprt N nbap.extension id-PUSCH-Info-DM-Rprt HS-SICH-ID N nbap.extension id-HSSICH-Info-DM-Rprt Multiple-PUSCH-InfoList-DM-Rprt N nbap.extension id-multiple-PUSCH-InfoList-DM-Rprt DPCH-ID768 N nbap.extension id-DPCH-ID768-DM-Rprt DL-ScramblingCode N nbap.extension id-E-AGCH-And-E-RGCH-E-HICH-FDD-Scrambling-Code E-AGCH-FDD-Code-Information N nbap.extension id-E-AGCH-FDD-Code-Information E-RGCH-E-HICH-FDD-Code-Information N nbap.extension id-E-RGCH-E-HICH-FDD-Code-Information HSDPA-And-EDCH-CellPortion-InformationList-PSCH-ReconfRqst N nbap.extension id-HSDPA-And-EDCH-CellPortion-Information-PSCH-ReconfRqst Maximum-Target-ReceivedTotalWideBandPower N nbap.extension id-Maximum-Target-ReceivedTotalWideBandPower Target-NonServing-EDCH-To-Total-EDCH-Power-Ratio N nbap.extension id-Target-NonServing-EDCH-To-Total-EDCH-Power-Ratio HSDSCH-Common-System-InformationFDD N nbap.extension id-HSDSCH-Common-System-InformationFDD HSDSCH-Paging-System-InformationFDD N nbap.extension id-HSDSCH-Paging-System-InformationFDD HS-PDSCH-TDD-Information-PSCH-ReconfRqst N nbap.extension id-HS-PDSCH-TDD-Information-PSCH-ReconfRqst Add-To-HS-SCCH-Resource-Pool-PSCH-ReconfRqst N nbap.extension id-Add-To-HS-SCCH-Resource-Pool-PSCH-ReconfRqst Modify-HS-SCCH-Resource-Pool-PSCH-ReconfRqst N nbap.extension id-Modify-HS-SCCH-Resource-Pool-PSCH-ReconfRqst Delete-From-HS-SCCH-Resource-Pool-PSCH-ReconfRqst N nbap.extension id-Delete-From-HS-SCCH-Resource-Pool-PSCH-ReconfRqst ConfigurationGenerationID N nbap.extension id-ConfigurationGenerationID E-PUCH-Information-PSCH-ReconfRqst N nbap.extension id-E-PUCH-Information-PSCH-ReconfRqst Add-To-E-AGCH-Resource-Pool-PSCH-ReconfRqst N nbap.extension id-Add-To-E-AGCH-Resource-Pool-PSCH-ReconfRqst Modify-E-AGCH-Resource-Pool-PSCH-ReconfRqst N nbap.extension id-Modify-E-AGCH-Resource-Pool-PSCH-ReconfRqst Delete-From-E-AGCH-Resource-Pool-PSCH-ReconfRqst N nbap.extension id-Delete-From-E-AGCH-Resource-Pool-PSCH-ReconfRqst E-HICH-Information-PSCH-ReconfRqst N nbap.extension id-E-HICH-Information-PSCH-ReconfRqst Maximum-Generated-ReceivedTotalWideBandPowerInOtherCells N nbap.extension id-Maximum-Generated-ReceivedTotalWideBandPowerInOtherCells E-PUCH-Information-768-PSCH-ReconfRqst N nbap.extension id-E-PUCH-Information-768-PSCH-ReconfRqst Add-To-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst N nbap.extension id-Add-To-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst Modify-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst N nbap.extension id-Modify-E-AGCH-Resource-Pool-768-PSCH-ReconfRqst E-HICH-Information-768-PSCH-ReconfRqst N nbap.extension id-E-HICH-Information-768-PSCH-ReconfRqst E-PUCH-Information-LCR-PSCH-ReconfRqst N nbap.extension id-E-PUCH-Information-LCR-PSCH-ReconfRqst Add-To-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst N nbap.extension id-Add-To-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst Modify-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst N nbap.extension id-Modify-E-AGCH-Resource-Pool-LCR-PSCH-ReconfRqst Add-To-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst N nbap.extension id-Add-To-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst Modify-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst N nbap.extension id-Modify-E-HICH-Resource-Pool-LCR-PSCH-ReconfRqst Delete-From-E-HICH-Resource-Pool-PSCH-ReconfRqst N nbap.extension id-Delete-From-E-HICH-Resource-Pool-PSCH-ReconfRqst SYNC-UL-Partition-LCR N nbap.extension id-SYNC-UL-Partition-LCR PDSCH-AddInformation-LCR-AddItem-PSCH-ReconfRqst N nbap.extension id-PDSCH-AddInformation-LCR-PSCH-ReconfRqst PDSCH-AddInformation-768-AddItem-PSCH-ReconfRqst N nbap.extension id-PDSCH-AddInformation-768-PSCH-ReconfRqst TDD-DL-DPCH-TimeSlotFormat-LCR N nbap.extension id-PDSCH-Timeslot-Format-PSCH-ReconfRqst-LCR PDSCH-ModifyInformation-768-ModifyItem-PSCH-ReconfRqst N nbap.extension id-PDSCH-ModifyInformation-768-PSCH-ReconfRqst PUSCH-AddInformation-LCR-AddItem-PSCH-ReconfRqst N nbap.extension id-PUSCH-AddInformation-LCR-PSCH-ReconfRqst PUSCH-AddInformation-768-AddItem-PSCH-ReconfRqst N nbap.extension id-PUSCH-AddInformation-768-PSCH-ReconfRqst TDD-UL-DPCH-TimeSlotFormat-LCR N nbap.extension id-PUSCH-Timeslot-Format-PSCH-ReconfRqst-LCR PUSCH-ModifyInformation-768-ModifyItem-PSCH-ReconfRqst N nbap.extension id-PUSCH-ModifyInformation-768-PSCH-ReconfRqst DL-HS-PDSCH-Timeslot-Information-768-PSCH-ReconfRqst N nbap.extension id-dL-HS-PDSCH-Timeslot-Information-768-PSCH-ReconfRqst HS-SCCH-Information-768-PSCH-ReconfRqst N nbap.extension id-hS-SCCH-Information-768-PSCH-ReconfRqst HS-SCCH-InformationModify-768-PSCH-ReconfRqst N nbap.extension id-hS-SCCH-InformationModify-768-PSCH-ReconfRqst E-HICH-TimeOffset N nbap.extension id-E-HICH-TimeOffset E-HICH-TimeOffsetLCR N nbap.extension id-E-HICH-TimeOffsetLCR HSDSCH-Common-System-Information-ResponseFDD N nbap.extension id-HSDSCH-Common-System-Information-ResponseFDD HSDSCH-Paging-System-Information-ResponseFDD N nbap.extension id-HSDSCH-Paging-System-Information-ResponseFDD SYNCDlCodeId-TransInitLCR-CellSyncInitiationRqstTDD N nbap.extension id-SYNCDlCodeId-TransInitLCR-CellSyncInitiationRqstTDD SYNCDlCodeId-MeasureInitLCR-CellSyncInitiationRqstTDD N nbap.extension id-SYNCDlCodeId-MeasureInitLCR-CellSyncInitiationRqstTDD NSubCyclesPerCyclePeriod N nbap.extension id-NSubCyclesPerCyclePeriod-CellSyncReconfRqstTDD SYNCDlCodeIdTransReconfInfoLCR-CellSyncReconfRqstTDD N nbap.extension id-SYNCDlCodeIdTransReconfInfoLCR-CellSyncReconfRqstTDD SYNCDlCodeIdMeasInfoLCR-CellSyncReconfRqstTDD N nbap.extension id-SYNCDlCodeIdMeasReconfigurationLCR-CellSyncReconfRqstTDD DwPCH-Power N nbap.extension id-DwPCH-Power TimingAdjustmentValueLCR N nbap.extension id-TimingAdjustmentValueLCR TimingAdjustmentValue N nbap.extension id-AccumulatedClockupdate-CellSyncReprtTDD SyncDLCodeIdsMeasInfoList-CellSyncReprtTDD N nbap.extension id-SyncDLCodeIdsMeasInfoList-CellSyncReprtTDD E-DCH-RearrangeList-Bearer-RearrangeInd N nbap.extension id-E-DCH-RearrangeList-Bearer-RearrangeInd E-DCH-FDD-Update-Information N nbap.extension id-E-DCH-FDD-Update-Information IPMulticastIndication N nbap.extension id-IPMulticastIndication TimeSlotConfigurationList-LCR-CTCH-SetupRqstTDD N nbap.extension id-TimeSlotConfigurationList-LCR-CTCH-SetupRqstTDD Cell-Frequency-List-Information-LCR-MulFreq-AuditRsp N nbap.extension id-Cell-Frequency-List-Information-LCR-MulFreq-AuditRsp Cell-Frequency-List-LCR-MulFreq-Cell-SetupRqstTDD N nbap.extension id-Cell-Frequency-List-LCR-MulFreq-Cell-SetupRqstTDD UARFCN-Adjustment N nbap.extension id-UARFCN-Adjustment Cell-Frequency-List-Information-LCR-MulFreq-ResourceStatusInd N nbap.extension id-Cell-Frequency-List-Information-LCR-MulFreq-ResourceStatusInd UPPCHPositionLCR N nbap.extension id-UPPCHPositionLCR UPPCH-LCR-Parameters-CTCH-ReconfRqstTDD N nbap.extension id-UPPCH-LCR-Parameters-CTCH-ReconfRqstTDD UPPCH-LCR-InformationList-AuditRsp N nbap.extension id-UPPCH-LCR-InformationList-AuditRsp UPPCH-LCR-InformationList-ResourceStatusInd N nbap.extension id-UPPCH-LCR-InformationList-ResourceStatusInd MultipleFreq-DL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst N nbap.extension id-multipleFreq-dL-HS-PDSCH-Timeslot-Information-LCR-PSCH-ReconfRqst MultipleFreq-HS-DSCH-Resources-InformationList-AuditRsp N nbap.extension id-multipleFreq-HS-DSCH-Resources-InformationList-AuditRsp MultipleFreq-HS-DSCH-Resources-InformationList-ResourceStatusInd N nbap.extension id-multipleFreq-HS-DSCH-Resources-InformationList-ResourceStatusInd Extended-HS-SCCH-ID N nbap.extension id-Extended-HS-SCCH-ID Extended-HS-SICH-ID N nbap.extension id-Extended-HS-SICH-ID HSSICH-InfoExt-DM-Rqst N nbap.extension id-HSSICH-InfoExt-DM-Rqst Delete-From-HS-SCCH-Resource-PoolExt-PSCH-ReconfRqst N nbap.extension id-Delete-From-HS-SCCH-Resource-PoolExt-PSCH-ReconfRqst HS-SCCH-InformationExt-LCR-PSCH-ReconfRqst N nbap.extension id-HS-SCCH-InformationExt-LCR-PSCH-ReconfRqst HS-SCCH-InformationModifyExt-LCR-PSCH-ReconfRqst N nbap.extension id-HS-SCCH-InformationModifyExt-LCR-PSCH-ReconfRqst ControlGAP N nbap.extension id-PowerControlGAP TimeslotLCR-Extension N nbap.extension id-MBSFN-SpecialTimeSlot-LCR Common-MACFlows-to-DeleteFDD N nbap.extension id-Common-MACFlows-to-DeleteFDD Paging-MACFlows-to-DeleteFDD N nbap.extension id-Paging-MACFlows-to-DeleteFDD Maximum-Target-ReceivedTotalWideBandPower-LCR N nbap.extension id-Maximum-Target-ReceivedTotalWideBandPower-LCR E-DPDCH-PowerInterpolation N nbap.extension id-E-DPDCH-PowerInterpolation E-TFCI-Boost-Information N nbap.extension id-E-TFCI-Boost-Information Ext-Max-Bits-MACe-PDU-non-scheduled N nbap.extension id-Ext-Max-Bits-MACe-PDU-non-scheduled Ext-Reference-E-TFCI-PO N nbap.extension id-Ext-Reference-E-TFCI-PO HARQ-MemoryPartitioningInfoExtForMIMO N nbap.extension id-HARQ-MemoryPartitioningInfoExtForMIMO IPMulticastDataBearerIndication N nbap.extension id-IPMulticastDataBearerIndication MIMO-ActivationIndicator N nbap.extension id-MIMO-ActivationIndicator MIMO-Mode-Indicator N nbap.extension id-MIMO-Mode-Indicator MIMO-N-M-Ratio N nbap.extension id-MIMO-N-M-Ratio Multicarrier-Number N nbap.extension id-multicarrier-number Number-Of-Supported-Carriers N nbap.extension id-number-Of-Supported-Carriers MultipleFreq-HSPDSCH-InformationList-ResponseTDDLCR N nbap.extension id-multipleFreq-HSPDSCH-InformationList-ResponseTDDLCR SixtyfourQAM-UsageAllowedIndicator N nbap.extension id-SixtyfourQAM-UsageAllowedIndicator SixtyfourQAM-DL-UsageIndicator N nbap.extension id-SixtyfourQAM-DL-UsageIndicator SixteenQAM-UL-Operation-Indicator N nbap.extension id-SixteenQAM-UL-Operation-Indicator TransportBearerNotRequestedIndicator N nbap.extension id-TransportBearerNotRequestedIndicator TransportBearerNotSetupIndicator N nbap.extension id-TransportBearerNotSetupIndicator TSN-Length N nbap.extension id-tSN-Length Extended-E-DCH-LCRTDD-PhysicalLayerCategory N nbap.extension id-Extended-E-DCH-LCRTDD-PhysicalLayerCategory MultipleFreq-E-DCH-Resources-InformationList-AuditRsp N nbap.extension id-MultipleFreq-E-DCH-Resources-InformationList-AuditRsp MultipleFreq-E-DCH-Resources-InformationList-ResourceStatusInd N nbap.extension id-MultipleFreq-E-DCH-Resources-InformationList-ResourceStatusInd MultipleFreq-E-PUCH-Timeslot-InformationList-LCR-PSCH-ReconfRqst N nbap.extension id-MultipleFreq-E-PUCH-Timeslot-InformationList-LCR-PSCH-ReconfRqst Extended-E-HICH-ID-TDD N nbap.extension id-Extended-E-HICH-ID-TDD ContinuousPacketConnectivityHS-SCCH-less-Deactivate-Indicator N nbap.extension id-ContinuousPacketConnectivityHS-SCCH-less-Deactivate-Indicator E-DCH-MACdPDU-SizeCapability N nbap.extension id-E-DCH-MACdPDU-SizeCapability E-DCH-MACdPDUSizeFormat N nbap.extension id-E-DCH-MACdPDUSizeFormat Maximum-Number-of-Retransmissions-For-E-DCH N nbap.extension id-MaximumNumber-Of-Retransmission-for-Scheduling-Info-LCRTDD E-DCH-MACdFlow-Retransmission-Timer N nbap.extension id-E-DCH-RetransmissionTimer-for-SchedulingInfo-LCRTDD E-HICH-TimeOffset-ExtensionLCR N nbap.extension id-E-HICH-TimeOffset-Extension ControlGAP N nbap.extension id-E-PUCH-PowerControlGAP HSDSCH-TBSizeTableIndicator N nbap.extension id-HSDSCH-TBSizeTableIndicator E-DCH-DL-Control-Channel-Change-Information N nbap.extension id-E-DCH-DL-Control-Channel-Change-Information E-DCH-DL-Control-Channel-Grant-Information N nbap.extension id-E-DCH-DL-Control-Channel-Grant-Information DGANSS-Corrections-Req N nbap.extension id-DGANSS-Corrections-Req #NULL N nbap.extension id-UE-with-enhanced-HS-SCCH-support-indicator AdditionalTimeSlotListLCR N nbap.extension id-AdditionalTimeSlotListLCR AdditionalMeasurementValueList N nbap.extension id-AdditionalMeasurementValueList E-AGCH-Table-Choice N nbap.extension id-E-AGCH-Table-Choice Cause N nbap.extension id-HS-Cause Cause N nbap.extension id-E-Cause Common-EDCH-Capability N nbap.extension id-Common-EDCH-Capability E-AI-Capability N nbap.extension id-E-AI-Capability Common-EDCH-System-InformationFDD N nbap.extension id-Common-EDCH-System-InformationFDD Common-MACFlows-to-DeleteFDD N nbap.extension id-Common-UL-MACFlows-to-DeleteFDD E-DCH-MACdFlows-to-Delete N nbap.extension id-Common-EDCH-MACdFlows-to-DeleteFDD Common-EDCH-System-Information-ResponseFDD N nbap.extension id-Common-EDCH-System-Information-ResponseFDD Enhanced-UE-DRX-Capability N nbap.extension id-Enhanced-UE-DRX-Capability Enhanced-UE-DRX-InformationFDD N nbap.extension id-Enhanced-UE-DRX-InformationFDD TransportBearerRequestIndicator N nbap.extension id-TransportBearerRequestIndicator SixtyfourQAM-DL-MIMO-Combined-Capability N nbap.extension id-SixtyfourQAM-DL-MIMO-Combined-Capability E-RNTI N nbap.extension id-E-RNTI MinimumReducedE-DPDCH-GainFactor N nbap.extension id-MinimumReducedE-DPDCH-GainFactor GANSS-Time-ID N nbap.extension id-GANSS-Time-ID GANSS-AddIonoModelReq N nbap.extension id-GANSS-AddIonoModelReq GANSS-EarthOrientParaReq N nbap.extension id-GANSS-EarthOrientParaReq GANSS-AddNavigationModelsReq N nbap.extension id-GANSS-AddNavigationModelsReq GANSS-AddUTCModelsReq N nbap.extension id-GANSS-AddUTCModelsReq GANSS-AuxInfoReq N nbap.extension id-GANSS-AuxInfoReq GANSS-SBAS-ID N nbap.extension id-GANSS-SBAS-ID GANSS-ID N nbap.extension id-GANSS-ID GANSS-Additional-Ionospheric-Model N nbap.extension id-GANSS-Additional-Ionospheric-Model GANSS-Earth-Orientation-Parameters N nbap.extension id-GANSS-Earth-Orientation-Parameters GANSS-Additional-Time-Models N nbap.extension id-GANSS-Additional-Time-Models GANSS-Additional-Navigation-Models N nbap.extension id-GANSS-Additional-Navigation-Models GANSS-Additional-UTC-Models N nbap.extension id-GANSS-Additional-UTC-Models GANSS-Auxiliary-Information N nbap.extension id-GANSS-Auxiliary-Information E-DPCCH-Power-Boosting-Capability N nbap.extension id-E-DPCCH-Power-Boosting-Capability HSDSCH-Common-System-InformationLCR N nbap.extension id-HSDSCH-Common-System-InformationLCR HSDSCH-Common-System-Information-ResponseLCR N nbap.extension id-HSDSCH-Common-System-Information-ResponseLCR HSDSCH-Paging-System-InformationLCR N nbap.extension id-HSDSCH-Paging-System-InformationLCR HSDSCH-Paging-System-Information-ResponseLCR N nbap.extension id-HSDSCH-Paging-System-Information-ResponseLCR Common-MACFlows-to-DeleteLCR N nbap.extension id-Common-MACFlows-to-DeleteLCR Paging-MACFlows-to-DeleteLCR N nbap.extension id-Paging-MACFlows-to-DeleteLCR Common-EDCH-System-InformationLCR N nbap.extension id-Common-EDCH-System-InformationLCR Common-MACFlows-to-DeleteLCR N nbap.extension id-Common-UL-MACFlows-to-DeleteLCR E-DCH-MACdFlows-to-DeleteLCR N nbap.extension id-Common-EDCH-MACdFlows-to-DeleteLCR Common-EDCH-System-Information-ResponseLCR N nbap.extension id-Common-EDCH-System-Information-ResponseLCR Enhanced-UE-DRX-Capability N nbap.extension id-Enhanced-UE-DRX-CapabilityLCR Enhanced-UE-DRX-InformationLCR N nbap.extension id-Enhanced-UE-DRX-InformationLCR HSDSCH-PreconfigurationSetup N nbap.extension id-HSDSCH-PreconfigurationSetup HSDSCH-PreconfigurationInfo N nbap.extension id-HSDSCH-PreconfigurationInfo NoOfTargetCellHS-SCCH-Order N nbap.extension id-NoOfTargetCellHS-SCCH-Order EnhancedHSServingCC-Abort N nbap.extension id-EnhancedHSServingCC-Abort Additional-HS-Cell-Information-RL-Setup-List N nbap.extension id-Additional-HS-Cell-Information-RL-Setup Additional-HS-Cell-Information-Response-List N nbap.extension id-Additional-HS-Cell-Information-Response Additional-HS-Cell-Information-RL-Addition-List N nbap.extension id-Additional-HS-Cell-Information-RL-Addition Additional-HS-Cell-Change-Information-Response-List N nbap.extension id-Additional-HS-Cell-Change-Information-Response Additional-HS-Cell-Information-RL-Reconf-Prep N nbap.extension id-Additional-HS-Cell-Information-RL-Reconf-Prep Additional-HS-Cell-Information-RL-Reconf-Req N nbap.extension id-Additional-HS-Cell-Information-RL-Reconf-Req Additional-HS-Cell-Information-RL-Param-Upd N nbap.extension id-Additional-HS-Cell-Information-RL-Param-Upd Multi-Cell-Capability-Info N nbap.extension id-Multi-Cell-Capability-Info IMB-Parameters N nbap.extension id-IMB-Parameters MACes-Maximum-Bitrate-LCR N nbap.extension id-MACes-Maximum-Bitrate-LCR Semi-PersistentScheduling-CapabilityLCR N nbap.extension id-Semi-PersistentScheduling-CapabilityLCR E-DCH-Semi-PersistentScheduling-Information-LCR N nbap.extension id-E-DCH-Semi-PersistentScheduling-Information-LCR HS-DSCH-Semi-PersistentScheduling-Information-LCR N nbap.extension id-HS-DSCH-Semi-PersistentScheduling-Information-LCR Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst N nbap.extension id-Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst N nbap.extension id-Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst N nbap.extension id-Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst ContinuousPacketConnectivity-DRX-CapabilityLCR N nbap.extension id-ContinuousPacketConnectivity-DRX-CapabilityLCR ContinuousPacketConnectivity-DRX-InformationLCR N nbap.extension id-ContinuousPacketConnectivity-DRX-InformationLCR ContinuousPacketConnectivity-DRX-Information-ResponseLCR N nbap.extension id-ContinuousPacketConnectivity-DRX-Information-ResponseLCR CPC-InformationLCR N nbap.extension id-CPC-InformationLCR HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR N nbap.extension id-HS-DSCH-Semi-PersistentScheduling-Information-ResponseLCR E-DCH-Semi-PersistentScheduling-Information-ResponseLCR N nbap.extension id-E-DCH-Semi-PersistentScheduling-Information-ResponseLCR E-AGCH-UE-Inactivity-Monitor-Threshold N nbap.extension id-E-AGCH-UE-Inactivity-Monitor-Threshold IdleIntervalInformation N nbap.extension id-IdleIntervalInformation HSSICH-ReferenceSignal-InformationLCR N nbap.extension id-HSSICH-ReferenceSignal-InformationLCR MIMO-ReferenceSignal-InformationListLCR N nbap.extension id-MIMO-ReferenceSignal-InformationListLCR MIMO-SFMode-For-HSPDSCHDualStream N nbap.extension id-MIMO-SFMode-For-HSPDSCHDualStream MIMO-SFMode-For-HSPDSCHDualStream N nbap.extension id-MIMO-SFMode-Supported-For-HSPDSCHDualStream UE-Selected-MBMS-Service-Information N nbap.extension id-UE-Selected-MBMS-Service-Information LCRTDD-HSDSCH-Physical-Layer-Category N nbap.extension id-MultiCarrier-HSDSCH-Physical-Layer-Category Common-E-DCH-HSDPCCH-Capability N nbap.extension id-Common-E-DCH-HSDPCCH-Capability DL-RLC-PDU-Size-Format N nbap.extension id-DL-RLC-PDU-Size-Format HSSICH-ReferenceSignal-InformationModifyLCR N nbap.extension id-HSSICH-ReferenceSignal-InformationModifyLCR SchedulingPriorityIndicator N nbap.extension id-schedulingPriorityIndicator TimeSlotMeasurementValueListLCR N nbap.extension id-TimeSlotMeasurementValueListLCR UE-SupportIndicatorExtension N nbap.extension id-UE-SupportIndicatorExtension Single-Stream-MIMO-ActivationIndicator N nbap.extension id-Single-Stream-MIMO-ActivationIndicator Single-Stream-MIMO-Capability N nbap.extension id-Single-Stream-MIMO-Capability Single-Stream-MIMO-Mode-Indicator N nbap.extension id-Single-Stream-MIMO-Mode-Indicator Dual-Band-Capability-Info N nbap.extension id-Dual-Band-Capability-Info UE-AggregateMaximumBitRate N nbap.extension id-UE-AggregateMaximumBitRate UE-AggregateMaximumBitRate-Enforcement-Indicator N nbap.extension id-UE-AggregateMaximumBitRate-Enforcement-Indicator MIMO-PowerOffsetForS-CPICHCapability N nbap.extension id-MIMO-Power-Offset-For-S-CPICH-Capability MIMO-PilotConfigurationExtension N nbap.extension id-MIMO-PilotConfigurationExtension TxDiversityOnDLControlChannelsByMIMOUECapability N nbap.extension id-TxDiversityOnDLControlChannelsByMIMOUECapability NumberOfReportedCellPortionsLCR N nbap.extension id-NumberOfReportedCellPortionsLCR CellPortion-CapabilityLCR N nbap.extension id-CellPortion-CapabilityLCR Additional-EDCH-Setup-Info N nbap.extension id-Additional-EDCH-Cell-Information-RL-Setup-Req Additional-EDCH-Cell-Information-Response-List N nbap.extension id-Additional-EDCH-Cell-Information-Response Additional-EDCH-Cell-Information-RL-Add-Req N nbap.extension id-Additional-EDCH-Cell-Information-RL-Add-Req Additional-EDCH-Cell-Information-Response-RL-Add-List N nbap.extension id-Additional-EDCH-Cell-Information-Response-RL-Add Additional-EDCH-Cell-Information-RL-Reconf-Prep N nbap.extension id-Additional-EDCH-Cell-Information-RL-Reconf-Prep Additional-EDCH-Cell-Information-RL-Reconf-Req N nbap.extension id-Additional-EDCH-Cell-Information-RL-Reconf-Req Additional-EDCH-Cell-Information-Bearer-Rearrangement-List N nbap.extension id-Additional-EDCH-Cell-Information-Bearer-Rearrangement Additional-EDCH-Cell-Information-RL-Param-Upd N nbap.extension id-Additional-EDCH-Cell-Information-RL-Param-Upd Additional-EDCH-Preconfiguration-Information N nbap.extension id-Additional-EDCH-Preconfiguration-Information NULL N nbap.extension id-EDCH-Indicator SPS-Reservation-Indicator N nbap.extension id-HS-DSCH-SPS-Reservation-Indicator SPS-Reservation-Indicator N nbap.extension id-E-DCH-SPS-Reservation-Indicator MultipleFreq-HARQ-MemoryPartitioning-InformationList N nbap.extension id-MultipleFreq-HARQ-MemoryPartitioning-InformationList Ul-common-E-DCH-MACflow-Specific-InfoResponseListLCR-Ext N nbap.extension id-Ul-common-E-DCH-MACflow-Specific-InfoResponseListLCR-Ext RepetitionPeriodIndex N nbap.extension id-RepetitionPeriodIndex MidambleShiftLCR N nbap.extension id-MidambleShiftLCR MaxHSDSCH-HSSCCH-Power-per-CELLPORTION N nbap.extension id-MaxHSDSCH-HSSCCH-Power-per-CELLPORTION DormantModeIndicator N nbap.extension id-DormantModeIndicator DiversityMode N nbap.extension id-DiversityMode TransmitDiversityIndicator N nbap.extension id-TransmitDiversityIndicator NonCellSpecificTxDiversity N nbap.extension id-NonCellSpecificTxDiversity Cell-Capability-Container N nbap.extension id-Cell-Capability-Container NULL N nbap.extension id-E-RNTI-List-Request E-RNTI-List N nbap.extension id-E-RNTI-List ControlGAP N nbap.extension id-PowerControlGAP-For-CellFACHLCR UL-Synchronisation-Parameters-LCR N nbap.extension id-UL-Synchronisation-Parameters-For-FACHLCR HS-DSCH-SPS-Operation-Indicator N nbap.extension id-HS-DSCH-SPS-Operation-Indicator Out-of-Sychronization-Window N nbap.extension id-Out-of-Sychronization-Window Max-RTWP-perUARFCN-Information-LCR-PSCH-ReconfRqst N nbap.extension id-Max-RTWP-perUARFCN-Information-LCR-PSCH-ReconfRqst E-HICH-TimeOffset-ReconfFailureTDD N nbap.extension id-E-HICH-TimeOffset-ReconfFailureTDD TDD-TPC-DownlinkStepSize N nbap.extension id-HSSCCH-TPC-StepSize TS0-CapabilityLCR N nbap.extension id-TS0-CapabilityLCR UE-TS0-CapabilityLCR N nbap.extension id-UE-TS0-CapabilityLCR Common-System-Information-ResponseLCR N nbap.extension id-Common-System-Information-ResponseLCR Additional-EDCH-Cell-Information-Response-RLReconf-List N nbap.extension id-Additional-EDCH-Cell-Information-ResponseRLReconf Multicell-EDCH-InformationItemIEs N nbap.ies id-Multicell-EDCH-InformationItemIEs Multicell-EDCH-RL-Specific-InformationItemIEs N nbap.ies id-Multicell-EDCH-RL-Specific-InformationItemIEs Non-HS-SCCH-Associated-HS-SICH-InformationList-Ext N nbap.extension id-Add-To-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext Modify-Non-HS-SCCH-Associated-HS-SICH-InformationList-Ext N nbap.extension id-Modify-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext N nbap.extension id-Delete-From-Non-HS-SCCH-Associated-HS-SICH-Resource-Pool-LCR-PSCH-ReconfRqst-Ext DL-Power N nbap.extension id-Initial-DL-Transmission-Power DL-Power N nbap.extension id-Maximum-DL-Power DL-Power N nbap.extension id-Minimum-DL-Power DCH-MeasurementOccasion-Information N nbap.extension id-DCH-MeasurementOccasion-Information CommonPhysicalChannelID N nbap.extension id-AssociatedPhsicalChannelID DGNSS-ValidityPeriod N nbap.extension id-DGNSS-ValidityPeriod PhysicalChannelID-for-CommonERNTI-RequestedIndicator N nbap.extension id-PhysicalChannelID-for-CommonERNTI-RequestedIndicator PrecodingWeightSetRestriction N nbap.extension id-PrecodingWeightSetRestriction #NBAP-ELEMENTARY-PROCEDURE CellSetupRequestFDD S nbap.proc.imsg "id-cellSetup/fdd" CellSetupResponse S nbap.proc.sout "id-cellSetup/fdd" CellSetupFailure S nbap.proc.uout "id-cellSetup/fdd" CellSetupRequestTDD S nbap.proc.imsg "id-cellSetup/tdd" CellSetupResponse S nbap.proc.sout "id-cellSetup/tdd" CellSetupFailure S nbap.proc.uout "id-cellSetup/tdd" CellReconfigurationRequestFDD S nbap.proc.imsg "id-cellReconfiguration/fdd" CellReconfigurationResponse S nbap.proc.sout "id-cellReconfiguration/fdd" CellReconfigurationFailure S nbap.proc.uout "id-cellReconfiguration/fdd" CellReconfigurationRequestTDD S nbap.proc.imsg "id-cellReconfiguration/tdd" CellReconfigurationResponse S nbap.proc.sout "id-cellReconfiguration/tdd" CellReconfigurationFailure S nbap.proc.uout "id-cellReconfiguration/tdd" CellDeletionRequest S nbap.proc.imsg "id-cellDeletion/common" CellDeletionResponse S nbap.proc.sout "id-cellDeletion/common" CommonTransportChannelSetupRequestFDD S nbap.proc.imsg "id-commonTransportChannelSetup/fdd" CommonTransportChannelSetupResponse S nbap.proc.sout "id-commonTransportChannelSetup/fdd" CommonTransportChannelSetupFailure S nbap.proc.uout "id-commonTransportChannelSetup/fdd" CommonTransportChannelSetupRequestTDD S nbap.proc.imsg "id-commonTransportChannelSetup/tdd" CommonTransportChannelSetupResponse S nbap.proc.sout "id-commonTransportChannelSetup/tdd" CommonTransportChannelSetupFailure S nbap.proc.uout "id-commonTransportChannelSetup/tdd" CommonTransportChannelReconfigurationRequestFDD S nbap.proc.imsg "id-commonTransportChannelReconfigure/fdd" CommonTransportChannelReconfigurationResponse S nbap.proc.sout "id-commonTransportChannelReconfigure/fdd" CommonTransportChannelReconfigurationFailure S nbap.proc.uout "id-commonTransportChannelReconfigure/fdd" CommonTransportChannelReconfigurationRequestTDD S nbap.proc.imsg "id-commonTransportChannelReconfigure/tdd" CommonTransportChannelReconfigurationResponse S nbap.proc.sout "id-commonTransportChannelReconfigure/tdd" CommonTransportChannelReconfigurationFailure S nbap.proc.uout "id-commonTransportChannelReconfigure/tdd" CommonTransportChannelDeletionRequest S nbap.proc.imsg "id-commonTransportChannelDelete/common" CommonTransportChannelDeletionResponse S nbap.proc.sout "id-commonTransportChannelDelete/common" AuditRequest S nbap.proc.imsg "id-audit/common" AuditResponse S nbap.proc.sout "id-audit/common" AuditFailure S nbap.proc.uout "id-audit/common" BlockResourceRequest S nbap.proc.imsg "id-blockResource/common" BlockResourceResponse S nbap.proc.sout "id-blockResource/common" BlockResourceFailure S nbap.proc.uout "id-blockResource/common" RadioLinkSetupRequestFDD S nbap.proc.imsg "id-radioLinkSetup/fdd" RadioLinkSetupResponseFDD S nbap.proc.sout "id-radioLinkSetup/fdd" RadioLinkSetupFailureFDD S nbap.proc.uout "id-radioLinkSetup/fdd" RadioLinkSetupRequestTDD S nbap.proc.imsg "id-radioLinkSetup/tdd" RadioLinkSetupResponseTDD S nbap.proc.sout "id-radioLinkSetup/tdd" RadioLinkSetupFailureTDD S nbap.proc.uout "id-radioLinkSetup/tdd" SystemInformationUpdateRequest S nbap.proc.imsg "id-systemInformationUpdate/common" SystemInformationUpdateResponse S nbap.proc.sout "id-systemInformationUpdate/common" SystemInformationUpdateFailure S nbap.proc.uout "id-systemInformationUpdate/common" ResetRequest S nbap.proc.imsg "id-reset/common" ResetResponse S nbap.proc.sout "id-reset/common" CommonMeasurementInitiationRequest S nbap.proc.imsg "id-commonMeasurementInitiation/common" CommonMeasurementInitiationResponse S nbap.proc.sout "id-commonMeasurementInitiation/common" CommonMeasurementInitiationFailure S nbap.proc.uout "id-commonMeasurementInitiation/common" RadioLinkAdditionRequestFDD S nbap.proc.imsg "id-radioLinkAddition/fdd" RadioLinkAdditionResponseFDD S nbap.proc.sout "id-radioLinkAddition/fdd" RadioLinkAdditionFailureFDD S nbap.proc.uout "id-radioLinkAddition/fdd" RadioLinkAdditionRequestTDD S nbap.proc.imsg "id-radioLinkAddition/tdd" RadioLinkAdditionResponseTDD S nbap.proc.sout "id-radioLinkAddition/tdd" RadioLinkAdditionFailureTDD S nbap.proc.uout "id-radioLinkAddition/tdd" RadioLinkDeletionRequest S nbap.proc.imsg "id-radioLinkDeletion/common" RadioLinkDeletionResponse S nbap.proc.sout "id-radioLinkDeletion/common" RadioLinkReconfigurationPrepareFDD S nbap.proc.imsg "id-synchronisedRadioLinkReconfigurationPreparation/fdd" RadioLinkReconfigurationReady S nbap.proc.sout "id-synchronisedRadioLinkReconfigurationPreparation/fdd" RadioLinkReconfigurationFailure S nbap.proc.uout "id-synchronisedRadioLinkReconfigurationPreparation/fdd" RadioLinkReconfigurationPrepareTDD S nbap.proc.imsg "id-synchronisedRadioLinkReconfigurationPreparation/tdd" RadioLinkReconfigurationReady S nbap.proc.sout "id-synchronisedRadioLinkReconfigurationPreparation/tdd" RadioLinkReconfigurationFailure S nbap.proc.uout "id-synchronisedRadioLinkReconfigurationPreparation/tdd" RadioLinkReconfigurationRequestFDD S nbap.proc.imsg "id-unSynchronisedRadioLinkReconfiguration/fdd" RadioLinkReconfigurationResponse S nbap.proc.sout "id-unSynchronisedRadioLinkReconfiguration/fdd" RadioLinkReconfigurationFailure S nbap.proc.uout "id-unSynchronisedRadioLinkReconfiguration/fdd" RadioLinkReconfigurationRequestTDD S nbap.proc.imsg "id-unSynchronisedRadioLinkReconfiguration/tdd" RadioLinkReconfigurationResponse S nbap.proc.sout "id-unSynchronisedRadioLinkReconfiguration/tdd" RadioLinkReconfigurationFailure S nbap.proc.uout "id-unSynchronisedRadioLinkReconfiguration/tdd" DedicatedMeasurementInitiationRequest S nbap.proc.imsg "id-dedicatedMeasurementInitiation/common" DedicatedMeasurementInitiationResponse S nbap.proc.sout "id-dedicatedMeasurementInitiation/common" DedicatedMeasurementInitiationFailure S nbap.proc.uout "id-dedicatedMeasurementInitiation/common" PhysicalSharedChannelReconfigurationRequestFDD S nbap.proc.imsg "id-physicalSharedChannelReconfiguration/fdd" PhysicalSharedChannelReconfigurationResponse S nbap.proc.sout "id-physicalSharedChannelReconfiguration/fdd" PhysicalSharedChannelReconfigurationFailure S nbap.proc.uout "id-physicalSharedChannelReconfiguration/fdd" PhysicalSharedChannelReconfigurationRequestTDD S nbap.proc.imsg "id-physicalSharedChannelReconfiguration/tdd" PhysicalSharedChannelReconfigurationResponse S nbap.proc.sout "id-physicalSharedChannelReconfiguration/tdd" PhysicalSharedChannelReconfigurationFailure S nbap.proc.uout "id-physicalSharedChannelReconfiguration/tdd" InformationExchangeInitiationRequest S nbap.proc.imsg "id-informationExchangeInitiation/common" InformationExchangeInitiationResponse S nbap.proc.sout "id-informationExchangeInitiation/common" InformationExchangeInitiationFailure S nbap.proc.uout "id-informationExchangeInitiation/common" CellSynchronisationInitiationRequestTDD S nbap.proc.imsg "id-cellSynchronisationInitiation/tdd" CellSynchronisationInitiationResponseTDD S nbap.proc.sout "id-cellSynchronisationInitiation/tdd" CellSynchronisationInitiationFailureTDD S nbap.proc.uout "id-cellSynchronisationInitiation/tdd" CellSynchronisationReconfigurationRequestTDD S nbap.proc.imsg "id-cellSynchronisationReconfiguration/tdd" CellSynchronisationReconfigurationResponseTDD S nbap.proc.sout "id-cellSynchronisationReconfiguration/tdd" CellSynchronisationReconfigurationFailureTDD S nbap.proc.uout "id-cellSynchronisationReconfiguration/tdd" CellSynchronisationAdjustmentRequestTDD S nbap.proc.imsg "id-cellSynchronisationAdjustment/tdd" CellSynchronisationAdjustmentResponseTDD S nbap.proc.sout "id-cellSynchronisationAdjustment/tdd" CellSynchronisationAdjustmentFailureTDD S nbap.proc.uout "id-cellSynchronisationAdjustment/tdd" ResourceStatusIndication S nbap.proc.imsg "id-resourceStatusIndication/common" AuditRequiredIndication S nbap.proc.imsg "id-auditRequired/common" CommonMeasurementReport S nbap.proc.imsg "id-commonMeasurementReport/common" CommonMeasurementTerminationRequest S nbap.proc.imsg "id-commonMeasurementTermination/common" CommonMeasurementFailureIndication S nbap.proc.imsg "id-commonMeasurementFailure/common" RadioLinkReconfigurationCommit S nbap.proc.imsg "id-synchronisedRadioLinkReconfigurationCommit/common" RadioLinkReconfigurationCancel S nbap.proc.imsg "id-synchronisedRadioLinkReconfigurationCancellation/common" RadioLinkFailureIndication S nbap.proc.imsg "id-radioLinkFailure/common" RadioLinkPreemptionRequiredIndication S nbap.proc.imsg "id-radioLinkPreemption/common" RadioLinkRestoreIndication S nbap.proc.imsg "id-radioLinkRestoration/common" DedicatedMeasurementReport S nbap.proc.imsg "id-dedicatedMeasurementReport/common" DedicatedMeasurementTerminationRequest S nbap.proc.imsg "id-dedicatedMeasurementTermination/common" DedicatedMeasurementFailureIndication S nbap.proc.imsg "id-dedicatedMeasurementFailure/common" DL-PowerControlRequest S nbap.proc.imsg "id-downlinkPowerControl/fdd" DL-PowerTimeslotControlRequest S nbap.proc.imsg "id-downlinkPowerTimeslotControl/tdd" CompressedModeCommand S nbap.proc.imsg "id-compressedModeCommand/fdd" UnblockResourceIndication S nbap.proc.imsg "id-unblockResource/common" ErrorIndication S nbap.proc.imsg "id-errorIndicationForDedicated/common" ErrorIndication S nbap.proc.imsg "id-errorIndicationForCommon/common" CellSynchronisationReportTDD S nbap.proc.imsg "id-cellSynchronisationReporting/tdd" CellSynchronisationTerminationRequestTDD S nbap.proc.imsg "id-cellSynchronisationTermination/tdd" CellSynchronisationFailureIndicationTDD S nbap.proc.imsg "id-cellSynchronisationFailure/tdd" PrivateMessage S nbap.proc.imsg "id-privateMessageForDedicated/common" PrivateMessage S nbap.proc.imsg "id-privateMessageForCommon/common" InformationReport S nbap.proc.imsg "id-informationReporting/common" InformationExchangeTerminationRequest S nbap.proc.imsg "id-informationExchangeTermination/common" InformationExchangeFailureIndication S nbap.proc.imsg "id-informationExchangeFailure/common" BearerRearrangementIndication S nbap.proc.imsg "id-BearerRearrangement/common" RadioLinkActivationCommandFDD S nbap.proc.imsg "id-radioLinkActivation/fdd" RadioLinkActivationCommandTDD S nbap.proc.imsg "id-radioLinkActivation/tdd" RadioLinkParameterUpdateIndicationFDD S nbap.proc.imsg "id-radioLinkParameterUpdate/fdd" RadioLinkParameterUpdateIndicationTDD S nbap.proc.imsg "id-radioLinkParameterUpdate/tdd" MBMSNotificationUpdateCommand S nbap.proc.imsg "id-mBMSNotificationUpdate/common" UEStatusUpdateCommand S nbap.proc.imsg "id-uEStatusUpdate/common" SecondaryULFrequencyReport S nbap.proc.imsg "id-secondaryULFrequencyReporting/fdd" SecondaryULFrequencyUpdateIndication S nbap.proc.imsg "id-secondaryULFrequencyUpdate/fdd" #.END
C
wireshark/epan/dissectors/asn1/nbap/packet-nbap-template.c
/* packet-nbap-template.c * Routines for UMTS Node B Application Part(NBAP) packet dissection * Copyright 2005, 2009 Anders Broman <[email protected]> * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later * * Ref: 3GPP TS 25.433 version 6.6.0 Release 6 */ #include "config.h" #include <epan/packet.h> #include <epan/sctpppids.h> #include <epan/asn1.h> #include <epan/conversation.h> #include <epan/expert.h> #include <epan/prefs.h> #include <epan/proto_data.h> #include <epan/uat.h> #include "packet-per.h" #include "packet-isup.h" #include "packet-umts_fp.h" #include "packet-umts_mac.h" #include "packet-rrc.h" #include "packet-umts_rlc.h" #include "packet-nbap.h" #ifdef _MSC_VER /* disable: "warning C4146: unary minus operator applied to unsigned type, result still unsigned" */ #pragma warning(disable:4146) #endif #define PNAME "UTRAN Iub interface NBAP signalling" #define PSNAME "NBAP" #define PFNAME "nbap" #define NBAP_IGNORE_PORT 255 /* Debug */ #define DEBUG_NBAP 0 #if DEBUG_NBAP #include <epan/to_str.h> #define nbap_debug(...) ws_warning(__VA_ARGS__) #else #define nbap_debug(...) #endif void proto_register_nbap(void); void proto_reg_handoff_nbap(void); /* Protocol Handles */ static dissector_handle_t fp_handle; #include "packet-nbap-val.h" /* Initialize the protocol and registered fields */ static int proto_nbap = -1; static int hf_nbap_transportLayerAddress_ipv4 = -1; static int hf_nbap_transportLayerAddress_ipv6 = -1; static int hf_nbap_transportLayerAddress_nsap = -1; static int hf_nbap_reassembled_information_block = -1; #include "packet-nbap-hf.c" /* Initialize the subtree pointers */ static int ett_nbap = -1; static int ett_nbap_TransportLayerAddress = -1; static int ett_nbap_TransportLayerAddress_nsap = -1; static int ett_nbap_ib_sg_data = -1; #include "packet-nbap-ett.c" static expert_field ei_nbap_no_find_port_info = EI_INIT; static expert_field ei_nbap_no_set_comm_context_id = EI_INIT; static expert_field ei_nbap_hsdsch_entity_not_specified = EI_INIT; extern int proto_fp; static dissector_handle_t nbap_handle; /* * Structure to hold Setup Request/Response message conversation * we add all src add/port declared in SetupRequest msg * to match it with dst add/port declared in SetupResponse msg * so we gonna have conversation with exact match (src and dst addr and port) */ typedef struct nbap_setup_conv { guint32 transaction_id; guint32 dd_mode; guint32 channel_id; guint32 request_frame_number; address addr; guint32 port; umts_fp_conversation_info_t *umts_fp_conversation_info; conversation_t *conv; }nbap_setup_conv_t; /* * Hash table to manage Setup Request/Response message conversation * we can look in table for proper conversation */ static wmem_map_t *nbap_setup_conv_table; typedef struct { gint num_dch_in_flow; gint next_dch; gint num_ul_chans; gint ul_chan_tf_size[MAX_FP_CHANS]; gint ul_chan_num_tbs[MAX_FP_CHANS]; gint num_dl_chans; gint dl_chan_tf_size[MAX_FP_CHANS]; gint dl_chan_num_tbs[MAX_FP_CHANS]; }nbap_dch_channel_info_t; /* Struct to collect E-DCH data in a packet * As the address data comes before the ddi entries * we save the address to be able to find the conversation and update the * conversation data. */ typedef struct { address crnc_address; guint16 crnc_port; gint no_ddi_entries; guint8 edch_ddi[MAX_EDCH_DDIS]; guint edch_macd_pdu_size[MAX_EDCH_DDIS]; guint8 edch_type; /* 1 means T2 */ guint8 lchId[MAX_EDCH_DDIS]; /*Logical channel ids.*/ } nbap_edch_channel_info_t; typedef struct { guint32 crnc_address; guint16 crnc_port[maxNrOfEDCHMACdFlows]; } nbap_edch_port_info_t; typedef struct { address crnc_address; guint16 crnc_port; enum fp_rlc_mode rlc_mode; guint32 hsdsch_physical_layer_category; guint8 entity; /* "ns" means type 1 and "ehs" means type 2, type 3 == ?*/ } nbap_hsdsch_channel_info_t; typedef struct { address crnc_address; guint16 crnc_port; enum fp_rlc_mode rlc_mode; } nbap_common_channel_info_t; /*Stuff for mapping NodeB-Comuncation Context ID to CRNC Communication Context ID*/ typedef struct com_ctxt_{ /*guint nodeb_context;*/ guint crnc_context; guint frame_num; }nbap_com_context_id_t; enum TransportFormatSet_type_enum { NBAP_DCH_UL, NBAP_DCH_DL, NBAP_CPCH, NBAP_FACH, NBAP_PCH }; #define NBAP_MAX_IB_SEGMENT_LENGTH 222 typedef struct nbap_ib_segment_t { guint32 bit_length; guint8* data; } nbap_ib_segment_t; static nbap_ib_segment_t* nbap_parse_ib_sg_data_var1(packet_info *pinfo, tvbuff_t *tvb,gboolean is_short) { guint8 bit_length; guint8* data; nbap_ib_segment_t* output; if ( tvb_captured_length(tvb) < 2 ) { return NULL; } if (is_short) { bit_length = tvb_get_guint8(tvb,0) + 1; data = (guint8*)tvb_memdup(pinfo->pool,tvb,1,(bit_length+7)/8); } else { bit_length = NBAP_MAX_IB_SEGMENT_LENGTH; data = (guint8*)tvb_memdup(pinfo->pool,tvb,0,(bit_length+7)/8); } output = wmem_new(pinfo->pool, nbap_ib_segment_t); output->bit_length = bit_length; output->data = data; return output; } /*****************************************************************************/ /* Packet private data */ /* For this dissector, all information passed between different ASN.1 nodes */ /* should be done only through this API! */ /*****************************************************************************/ typedef struct nbap_private_data_t { guint32 transportLayerAddress_ipv4; guint16 binding_id_port; enum TransportFormatSet_type_enum transport_format_set_type; guint32 procedure_code; guint num_items; guint32 ul_scrambling_code; guint32 com_context_id; gint num_dch_in_flow; gint hrnti; guint32 protocol_ie_id; guint32 dd_mode; guint32 transaction_id; guint32 t_dch_id; guint32 dch_id; guint32 prev_dch_id; guint32 common_physical_channel_id; guint32 e_dch_macdflow_id; guint32 hsdsch_macdflow_id; gboolean max_mac_d_pdu_size_ext_ie_present; guint32 e_dch_ddi_value; guint32 logical_channel_id; guint32 common_macdflow_id; guint32 mac_d_pdu_size; guint32 common_transport_channel_id; gint paging_indications; guint32 ib_type; guint32 segment_type; gboolean crnc_context_present; /* Whether 'com_context_id' is set */ guint8 dch_crc_present; /* Arrays */ nbap_dch_channel_info_t nbap_dch_chnl_info[256]; nbap_edch_channel_info_t nbap_edch_channel_info[maxNrOfEDCHMACdFlows]; gint hsdsch_macdflow_ids[maxNrOfMACdFlows]; nbap_hsdsch_channel_info_t nbap_hsdsch_channel_info[maxNrOfMACdFlows]; nbap_common_channel_info_t nbap_common_channel_info[maxNrOfMACdFlows]; /*TODO: Fix this!*/ wmem_list_t* ib_segments; /* Information block segments */ } nbap_private_data_t; /* Helper function to get or create a private_data struct */ static nbap_private_data_t* nbap_get_private_data(packet_info *pinfo) { guint8 i; /* NOTE: Unlike other ASN.1 dissectors which store information in * actx->private_data the NBAP dissector can't do so because some fields * are defined as their own 'PDU' (Like BindingID and TransportLayerAddress) * in those cases, the generic ASN.1 dissector creates a NEW 'ASN.1 context' * (asn1_ctx_t) and hence a new 'private data' field for them so information * can't be passes to/from them. */ nbap_private_data_t *private_data = (nbap_private_data_t *)p_get_proto_data(pinfo->pool, pinfo, proto_nbap, 0); if(private_data == NULL ) { private_data = wmem_new0(pinfo->pool, nbap_private_data_t); p_add_proto_data(pinfo->pool, pinfo, proto_nbap, 0, private_data); /* Setting default values */ private_data->hsdsch_macdflow_id = 3; private_data->crnc_context_present = FALSE; private_data->procedure_code = 0xFFFF; private_data->dd_mode = 0xFFFF; private_data->dch_crc_present = 2; /* Unknown */ for (i = 0; i < maxNrOfMACdFlows; i++) { private_data->nbap_hsdsch_channel_info[i].entity = hs; } } return private_data; } /* Helper function to reset the private data struct*/ static void nbap_reset_private_data(packet_info *pinfo) { p_remove_proto_data(pinfo->pool, pinfo, proto_nbap, 0); } /*****************************************************************************/ /* Global Variables */ /* Variables for sub elements dissection */ static const gchar *ProcedureID; /* Trees */ static wmem_tree_t* edch_flow_port_map = NULL; wmem_tree_t *nbap_scrambling_code_crncc_map = NULL; wmem_tree_t *nbap_crncc_urnti_map = NULL; static wmem_tree_t* com_context_map; /* This table is used externally from FP, MAC and such, TODO: merge this with * lch_contents[] */ guint8 lchId_type_table[]= { MAC_CONTENT_UNKNOWN, /* Shouldn't happen*/ MAC_CONTENT_DCCH, /* 1 to 4 SRB => DCCH*/ MAC_CONTENT_DCCH, MAC_CONTENT_DCCH, MAC_CONTENT_DCCH, MAC_CONTENT_CS_DTCH, /* 5 to 7 Conv CS speech => ?*/ MAC_CONTENT_CS_DTCH, MAC_CONTENT_CS_DTCH, MAC_CONTENT_DCCH, /* 8 SRB => DCCH*/ MAC_CONTENT_PS_DTCH, /* 9 maps to DTCH*/ MAC_CONTENT_UNKNOWN, /* 10 Conv CS unknown*/ MAC_CONTENT_PS_DTCH, /* 11 Interactive PS => DTCH*/ MAC_CONTENT_PS_DTCH, /* 12 Streaming PS => DTCH*/ MAC_CONTENT_CS_DTCH, /* 13 Streaming CS*/ MAC_CONTENT_PS_DTCH, /* 14 Interactive PS => DTCH*/ MAC_CONTENT_CCCH /* This is CCCH? */ }; /* Mapping logicalchannel id to RLC_MODE */ guint8 lchId_rlc_map[] = { 0, RLC_UM, /* Logical channel id = 1 is SRB1 which uses RLC_UM*/ RLC_AM, RLC_AM, RLC_AM, RLC_TM, /*5 to 7 Conv CS Speech*/ RLC_TM, RLC_TM, /*...*/ RLC_AM, RLC_AM, RLC_AM, RLC_AM, RLC_AM, RLC_AM, RLC_AM, RLC_AM, /* This is CCCH which is UM?, probably not */ }; /* Preference variables */ /* Array with preference variables for easy looping, TODO: merge this with * lchId_type_table[] */ static int lch_contents[16] = { MAC_CONTENT_DCCH, MAC_CONTENT_DCCH, MAC_CONTENT_DCCH, MAC_CONTENT_DCCH, MAC_CONTENT_CS_DTCH, MAC_CONTENT_CS_DTCH, MAC_CONTENT_CS_DTCH, MAC_CONTENT_DCCH, MAC_CONTENT_PS_DTCH, MAC_CONTENT_UNKNOWN, MAC_CONTENT_PS_DTCH, MAC_CONTENT_PS_DTCH, MAC_CONTENT_CS_DTCH, MAC_CONTENT_PS_DTCH, MAC_CONTENT_CCCH, MAC_CONTENT_DCCH }; static const enum_val_t content_types[] = { {"MAC_CONTENT_UNKNOWN", "MAC_CONTENT_UNKNOWN", MAC_CONTENT_UNKNOWN}, {"MAC_CONTENT_DCCH", "MAC_CONTENT_DCCH", MAC_CONTENT_DCCH}, {"MAC_CONTENT_PS_DTCH", "MAC_CONTENT_PS_DTCH", MAC_CONTENT_PS_DTCH}, {"MAC_CONTENT_CS_DTCH", "MAC_CONTENT_CS_DTCH", MAC_CONTENT_CS_DTCH}, {"MAC_CONTENT_CCCH", "MAC_CONTENT_CCCH", MAC_CONTENT_CCCH}, {NULL, NULL, -1}}; typedef struct { const char *name; const char *title; const char *description; } preference_strings; /* This is used when registering preferences, name, title, description */ static const preference_strings ch_strings[] = { {"lch1_content", "Logical Channel 1 Content", "foo"}, {"lch2_content", "Logical Channel 2 Content", "foo"}, {"lch3_content", "Logical Channel 3 Content", "foo"}, {"lch4_content", "Logical Channel 4 Content", "foo"}, {"lch5_content", "Logical Channel 5 Content", "foo"}, {"lch6_content", "Logical Channel 6 Content", "foo"}, {"lch7_content", "Logical Channel 7 Content", "foo"}, {"lch8_content", "Logical Channel 8 Content", "foo"}, {"lch9_content", "Logical Channel 9 Content", "foo"}, {"lch10_content", "Logical Channel 10 Content", "foo"}, {"lch11_content", "Logical Channel 11 Content", "foo"}, {"lch12_content", "Logical Channel 12 Content", "foo"}, {"lch13_content", "Logical Channel 13 Content", "foo"}, {"lch14_content", "Logical Channel 14 Content", "foo"}, {"lch15_content", "Logical Channel 15 Content", "foo"}, {"lch16_content", "Logical Channel 16 Content", "foo"}}; enum ib_sg_enc_type { IB_SG_DATA_ENC_VAR_1, IB_SG_DATA_ENC_VAR_2 }; static const enum_val_t ib_sg_enc_vals[] = { {"Encoding Variant 1 (TS 25.433 Annex D.2)", "Encoding Variant 1 (TS 25.433 Annex D.2)", IB_SG_DATA_ENC_VAR_1}, {"Encoding Variant 2 (TS 25.433 Annex D.3)", "Encoding Variant 2 (TS 25.433 Annex D.3)", IB_SG_DATA_ENC_VAR_2}, {NULL, NULL, -1} }; static gint preferences_ib_sg_data_encoding = IB_SG_DATA_ENC_VAR_1; /* Dissector tables */ static dissector_table_t nbap_ies_dissector_table; static dissector_table_t nbap_extension_dissector_table; static dissector_table_t nbap_proc_imsg_dissector_table; static dissector_table_t nbap_proc_sout_dissector_table; static dissector_table_t nbap_proc_uout_dissector_table; static int dissect_ProtocolIEFieldValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_ProtocolExtensionFieldExtensionValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_InitiatingMessageValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_SuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_UnsuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static guint32 calculate_setup_conv_key(const guint32 transaction_id, const guint32 dd_mode, const guint32 channel_id); static void add_setup_conv(const packet_info *pinfo _U_, const guint32 transaction_id, const guint32 dd_mode, const guint32 channel_id, const guint32 req_frame_number, const address *addr, const guint32 port, umts_fp_conversation_info_t * umts_fp_conversation_info, conversation_t *conv); static nbap_setup_conv_t* find_setup_conv(const packet_info *pinfo _U_, const guint32 transaction_id, const guint32 dd_mode, const guint32 channel_id); static void delete_setup_conv(nbap_setup_conv_t *conv); /*Easy way to add hsdhsch binds for corner cases*/ static void add_hsdsch_bind(packet_info * pinfo); #include "packet-nbap-fn.c" static int dissect_ProtocolIEFieldValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { guint32 protocol_ie_id; protocol_ie_id = nbap_get_private_data(pinfo)->protocol_ie_id; return (dissector_try_uint_new(nbap_ies_dissector_table, protocol_ie_id, tvb, pinfo, tree, FALSE, NULL)) ? tvb_captured_length(tvb) : 0; } static int dissect_ProtocolExtensionFieldExtensionValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { guint32 protocol_ie_id; protocol_ie_id = nbap_get_private_data(pinfo)->protocol_ie_id; return (dissector_try_uint_new(nbap_extension_dissector_table, protocol_ie_id, tvb, pinfo, tree, FALSE, NULL)) ? tvb_captured_length(tvb) : 0; } static int dissect_InitiatingMessageValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { if (!ProcedureID) return 0; return (dissector_try_string(nbap_proc_imsg_dissector_table, ProcedureID, tvb, pinfo, tree, NULL)) ? tvb_captured_length(tvb) : 0; } static int dissect_SuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { if (!ProcedureID) return 0; return (dissector_try_string(nbap_proc_sout_dissector_table, ProcedureID, tvb, pinfo, tree, NULL)) ? tvb_captured_length(tvb) : 0; } static int dissect_UnsuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { if (!ProcedureID) return 0; return (dissector_try_string(nbap_proc_uout_dissector_table, ProcedureID, tvb, pinfo, tree, NULL)) ? tvb_captured_length(tvb) : 0; } static void add_hsdsch_bind(packet_info *pinfo){ address null_addr; conversation_t *conversation = NULL; umts_fp_conversation_info_t *umts_fp_conversation_info; fp_hsdsch_channel_info_t* fp_hsdsch_channel_info = NULL; guint32 i; nbap_private_data_t* nbap_private_data; nbap_hsdsch_channel_info_t* nbap_hsdsch_channel_info; if (PINFO_FD_VISITED(pinfo)){ return; } nbap_private_data = nbap_get_private_data(pinfo); nbap_hsdsch_channel_info = nbap_private_data->nbap_hsdsch_channel_info; /* Set port to zero use that as an indication of whether we have data or not */ clear_address(&null_addr); for (i = 0; i < maxNrOfMACdFlows; i++) { if (nbap_hsdsch_channel_info[i].crnc_port != 0){ conversation = find_conversation(pinfo->num, &(nbap_hsdsch_channel_info[i].crnc_address), &null_addr, CONVERSATION_UDP, nbap_hsdsch_channel_info[i].crnc_port, 0, NO_ADDR_B); if (conversation == NULL) { /* It's not part of any conversation - create a new one. */ conversation = conversation_new(pinfo->num, &(nbap_hsdsch_channel_info[i].crnc_address), &null_addr, CONVERSATION_UDP, nbap_hsdsch_channel_info[i].crnc_port, 0, NO_ADDR2|NO_PORT2); /* Set dissector */ conversation_set_dissector(conversation, fp_handle); if(pinfo->link_dir==P2P_DIR_DL){ umts_fp_conversation_info = wmem_new0(wmem_file_scope(), umts_fp_conversation_info_t); /* Fill in the HSDSCH relevant data */ umts_fp_conversation_info->iface_type = IuB_Interface; umts_fp_conversation_info->division = Division_FDD; umts_fp_conversation_info->channel = CHANNEL_HSDSCH; umts_fp_conversation_info->dl_frame_number = 0; umts_fp_conversation_info->ul_frame_number = pinfo->num; copy_address_wmem(wmem_file_scope(), &(umts_fp_conversation_info->crnc_address), &nbap_hsdsch_channel_info[i].crnc_address); umts_fp_conversation_info->crnc_port = nbap_hsdsch_channel_info[i].crnc_port; fp_hsdsch_channel_info = wmem_new0(wmem_file_scope(), fp_hsdsch_channel_info_t); umts_fp_conversation_info->channel_specific_info = (void*)fp_hsdsch_channel_info; /*Added june 3, normally just the iterator variable*/ fp_hsdsch_channel_info->hsdsch_macdflow_id = i ; /*hsdsch_macdflow_ids[i];*/ /* hsdsch_macdflow_id;*/ if (nbap_private_data->crnc_context_present) { umts_fp_conversation_info->com_context_id = nbap_private_data->com_context_id; } else { /* XXX: This expert info doesn't get added in subsequent passes, * but probably should. */ expert_add_info(pinfo, NULL, &ei_nbap_no_set_comm_context_id); } /* Cheat and use the DCH entries */ umts_fp_conversation_info->num_dch_in_flow++; umts_fp_conversation_info->dch_ids_in_flow_list[umts_fp_conversation_info->num_dch_in_flow -1] = i; if(nbap_hsdsch_channel_info[i].entity == entity_not_specified ){ /*Error*/ expert_add_info(pinfo, NULL, &ei_nbap_hsdsch_entity_not_specified); }else{ fp_hsdsch_channel_info->hsdsch_entity = (enum fp_hsdsch_entity)nbap_hsdsch_channel_info[i].entity; } umts_fp_conversation_info->rlc_mode = nbap_hsdsch_channel_info[i].rlc_mode; set_umts_fp_conv_data(conversation, umts_fp_conversation_info); } } } } } /* * Function used to manage conversation declared in Setup Request/Response message */ static guint32 calculate_setup_conv_key(const guint32 transaction_id, const guint32 dd_mode, const guint32 channel_id) { /* We need to pack 3 values on 32 bits: * 31-16 transaction_id * 15-14 dd_mode * 13-0 channel_id */ guint32 key; key = transaction_id << 16; key |= (dd_mode & 0x03) << 14; key |= (channel_id & 0x3fff); nbap_debug("\tCalculating key 0x%04x", key); return key; } static void add_setup_conv(const packet_info *pinfo _U_, const guint32 transaction_id, const guint32 dd_mode, const guint32 channel_id, const guint32 req_frame_number, const address *addr, const guint32 port, umts_fp_conversation_info_t * umts_fp_conversation_info, conversation_t *conv) { nbap_setup_conv_t *new_conv = NULL; guint32 key; nbap_debug("Creating new setup conv\t TransactionID: %u\tddMode: %u\tChannelID: %u\t %s:%u", transaction_id, dd_mode, channel_id, address_to_str(pinfo->pool, addr), port); new_conv = wmem_new0(wmem_file_scope(), nbap_setup_conv_t); /* fill with data */ new_conv->transaction_id = transaction_id; new_conv->dd_mode = dd_mode; new_conv->channel_id = channel_id; new_conv->request_frame_number = req_frame_number; copy_address_wmem(wmem_file_scope(), &new_conv->addr, addr); new_conv->port = port; new_conv->umts_fp_conversation_info = umts_fp_conversation_info; new_conv->conv = conv; key = calculate_setup_conv_key(new_conv->transaction_id, new_conv->dd_mode, new_conv->channel_id); wmem_map_insert(nbap_setup_conv_table, GUINT_TO_POINTER(key), new_conv); } static nbap_setup_conv_t* find_setup_conv(const packet_info *pinfo _U_, const guint32 transaction_id, const guint32 dd_mode, const guint32 channel_id) { nbap_setup_conv_t *conv; guint32 key; nbap_debug("Looking for Setup Conversation match\t TransactionID: %u\t ddMode: %u\t ChannelID: %u", transaction_id, dd_mode, channel_id); key = calculate_setup_conv_key(transaction_id, dd_mode, channel_id); conv = (nbap_setup_conv_t*) wmem_map_lookup(nbap_setup_conv_table, GUINT_TO_POINTER(key)); if(conv == NULL){ nbap_debug("\tDidn't find Setup Conversation match"); }else{ nbap_debug("\tFOUND Setup Conversation match\t TransactionID: %u\t ddMode: %u\t ChannelID: %u\t %s:%u", conv->transaction_id, conv->dd_mode, conv->channel_id, address_to_str(pinfo->pool, &(conv->addr)), conv->port); } return conv; } static void delete_setup_conv(nbap_setup_conv_t *conv) { guint32 key; /* check if conversation exist */ if(conv == NULL){ nbap_debug("Trying delete Setup Conversation that does not exist (ptr == NULL)\t"); return; } key = calculate_setup_conv_key(conv->transaction_id, conv->dd_mode, conv->channel_id); wmem_map_remove(nbap_setup_conv_table, GUINT_TO_POINTER(key)); } static void nbap_init(void){ guint8 i; /*Initialize*/ com_context_map = wmem_tree_new_autoreset(wmem_epan_scope(), wmem_file_scope()); /*Initialize structure for muxed flow indication*/ edch_flow_port_map = wmem_tree_new_autoreset(wmem_epan_scope(), wmem_file_scope()); /*Initialize Setup Conversation hash table*/ nbap_setup_conv_table = wmem_map_new(wmem_file_scope(), g_direct_hash, g_direct_equal); /*Initializing Scrambling Code to C-RNC Context & C-RNC Context to U-RNTI maps*/ nbap_scrambling_code_crncc_map = wmem_tree_new_autoreset(wmem_epan_scope(), wmem_file_scope()); nbap_crncc_urnti_map = wmem_tree_new_autoreset(wmem_epan_scope(), wmem_file_scope()); for (i = 0; i < 15; i++) { lchId_type_table[i+1] = lch_contents[i]; } } static int dissect_nbap(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data) { proto_item *nbap_item = NULL; proto_tree *nbap_tree = NULL; /* make entry in the Protocol column on summary display */ col_set_str(pinfo->cinfo, COL_PROTOCOL, "NBAP"); /* create the nbap protocol tree */ nbap_item = proto_tree_add_item(tree, proto_nbap, tvb, 0, -1, ENC_NA); nbap_tree = proto_item_add_subtree(nbap_item, ett_nbap); /* Clearing any old 'private data' stored */ nbap_reset_private_data(pinfo); return dissect_NBAP_PDU_PDU(tvb, pinfo, nbap_tree, data); } /* Highest ProcedureCode value, used in heuristics */ #define NBAP_MAX_PC 56 /* id-secondaryULFrequencyUpdate = 56*/ #define NBAP_MSG_MIN_LENGTH 7 static gboolean dissect_nbap_heur(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data) { guint8 pdu_type; guint8 procedure_id; guint8 dd_mode; guint8 criticality; guint8 transaction_id_type; guint length; int length_field_offset; #define PDU_TYPE_OFFSET 0 #define PROC_CODE_OFFSET 1 #define DD_CRIT_OFFSET 2 if (tvb_captured_length(tvb) < NBAP_MSG_MIN_LENGTH) { return FALSE; } pdu_type = tvb_get_guint8(tvb, PDU_TYPE_OFFSET); if (pdu_type & 0x1f) { /* pdu_type is not 0x00 (initiatingMessage), 0x20 (succesfulOutcome), 0x40 (unsuccesfulOutcome) or 0x60 (outcome), ignore extension bit (0x80) */ return FALSE; } procedure_id = tvb_get_guint8(tvb, PROC_CODE_OFFSET); if (procedure_id > NBAP_MAX_PC) { return FALSE; } dd_mode = tvb_get_guint8(tvb, DD_CRIT_OFFSET) >> 5; if (dd_mode >= 0x03) { /* dd_mode is not 0x00 (tdd), 0x01 (fdd) or 0x02 (common) */ return FALSE; } criticality = (tvb_get_guint8(tvb, DD_CRIT_OFFSET) & 0x18) >> 3; if (criticality == 0x03) { /* criticality is not 0x00 (reject), 0x01 (ignore) or 0x02 (notify) */ return FALSE; } /* Finding the offset for the length field - depends on wether the transaction id is long or short */ transaction_id_type = (tvb_get_guint8(tvb, DD_CRIT_OFFSET) & 0x02) >> 1; if(transaction_id_type == 0x00) { /* Short transaction id - 1 byte*/ length_field_offset = 4; } else { /* Long transaction id - 2 bytes*/ length_field_offset = 5; } /* compute aligned PER length determinant without calling dissect_per_length_determinant() to avoid exceptions and info added to tree, info column and expert info */ length = tvb_get_guint8(tvb, length_field_offset); length_field_offset += 1; if (length & 0x80) { if ((length & 0xc0) == 0x80) { length &= 0x3f; length <<= 8; length += tvb_get_guint8(tvb, length_field_offset); length_field_offset += 1; } else { length = 0; } } if (length!= (tvb_reported_length(tvb) - length_field_offset)){ return FALSE; } dissect_nbap(tvb, pinfo, tree, data); return TRUE; } /*--- proto_register_nbap -------------------------------------------*/ void proto_register_nbap(void) { module_t *nbap_module; guint8 i; /* List of fields */ static hf_register_info hf[] = { { &hf_nbap_transportLayerAddress_ipv4, { "transportLayerAddress IPv4", "nbap.transportLayerAddress_ipv4", FT_IPv4, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nbap_transportLayerAddress_ipv6, { "transportLayerAddress IPv6", "nbap.transportLayerAddress_ipv6", FT_IPv6, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nbap_transportLayerAddress_nsap, { "transportLayerAddress NSAP", "nbap.transportLayerAddress_NSAP", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nbap_reassembled_information_block, { "Reassembled Information Block", "nbap.reassembled_information_block", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, #include "packet-nbap-hfarr.c" }; /* List of subtrees */ static gint *ett[] = { &ett_nbap, &ett_nbap_TransportLayerAddress, &ett_nbap_TransportLayerAddress_nsap, &ett_nbap_ib_sg_data, #include "packet-nbap-ettarr.c" }; static ei_register_info ei[] = { { &ei_nbap_no_set_comm_context_id, { "nbap.no_set_comm_context_id", PI_MALFORMED, PI_WARN, "Couldn't not set Communication Context-ID, fragments over reconfigured channels might fail", EXPFILL }}, { &ei_nbap_no_find_port_info, { "nbap.no_find_port_info", PI_MALFORMED, PI_WARN, "Couldn't not find port information for reconfigured E-DCH flow, unable to reconfigure", EXPFILL }}, { &ei_nbap_hsdsch_entity_not_specified, { "nbap.hsdsch_entity_not_specified", PI_MALFORMED,PI_ERROR, "HSDSCH Entity not specified!", EXPFILL }}, }; expert_module_t* expert_nbap; /* Register protocol */ proto_nbap = proto_register_protocol(PNAME, PSNAME, PFNAME); /* Register fields and subtrees */ proto_register_field_array(proto_nbap, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); expert_nbap = expert_register_protocol(proto_nbap); expert_register_field_array(expert_nbap, ei, array_length(ei)); /* Register dissector */ nbap_handle = register_dissector("nbap", dissect_nbap, proto_nbap); nbap_module = prefs_register_protocol(proto_nbap, NULL); /* Register preferences for mapping logical channel IDs to MAC content types. */ for (i = 0; i < 16; i++) { prefs_register_enum_preference(nbap_module, ch_strings[i].name, ch_strings[i].title, ch_strings[i].description, &lch_contents[i], content_types, FALSE); } prefs_register_enum_preference(nbap_module, "ib_sg_data_encoding", "IB_SG_DATA encoding", "Encoding used for the IB-SG-DATA element carrying segments of information blocks", &preferences_ib_sg_data_encoding, ib_sg_enc_vals, FALSE); /* Register dissector tables */ nbap_ies_dissector_table = register_dissector_table("nbap.ies", "NBAP-PROTOCOL-IES", proto_nbap, FT_UINT32, BASE_DEC); nbap_extension_dissector_table = register_dissector_table("nbap.extension", "NBAP-PROTOCOL-EXTENSION", proto_nbap, FT_UINT32, BASE_DEC); nbap_proc_imsg_dissector_table = register_dissector_table("nbap.proc.imsg", "NBAP-ELEMENTARY-PROCEDURE InitiatingMessage", proto_nbap, FT_STRING, STRING_CASE_SENSITIVE); nbap_proc_sout_dissector_table = register_dissector_table("nbap.proc.sout", "NBAP-ELEMENTARY-PROCEDURE SuccessfulOutcome", proto_nbap, FT_STRING, STRING_CASE_SENSITIVE); nbap_proc_uout_dissector_table = register_dissector_table("nbap.proc.uout", "NBAP-ELEMENTARY-PROCEDURE UnsuccessfulOutcome", proto_nbap, FT_STRING, STRING_CASE_SENSITIVE); register_init_routine(nbap_init); } /* * #define EXTRA_PPI 1 */ /*--- proto_reg_handoff_nbap ---------------------------------------*/ void proto_reg_handoff_nbap(void) { fp_handle = find_dissector("fp"); dissector_add_uint("sctp.ppi", NBAP_PAYLOAD_PROTOCOL_ID, nbap_handle); #ifdef EXTRA_PPI dissector_add_uint("sctp.ppi", 17, nbap_handle); #endif dissector_add_for_decode_as("sctp.port", nbap_handle); heur_dissector_add("sctp", dissect_nbap_heur, "NBAP over SCTP", "nbap_sctp", proto_nbap, HEURISTIC_ENABLE); #include "packet-nbap-dis-tab.c" }
C/C++
wireshark/epan/dissectors/asn1/nbap/packet-nbap-template.h
/* packet-nbap-template.h * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #ifndef PACKET_NBAP_H #define PACKET_NBAP_H #include "packet-umts_rlc.h" #include "packet-umts_mac.h" /* * Ericsson specific mapping for various dissector settings. * Must be altered for other equipment. */ /*Array are indexed on logical channel id, meaning they need to be defined for 1-15*/ /* Mapping from logical channel id to MAC content type ie. DCCH or DTCH*/ extern guint8 lchId_type_table[]; /* Mapping logicalchannel id to RLC_MODE */ extern guint8 lchId_rlc_map[]; /* Mapping Scrambling Codes to C-RNC Contexts */ extern wmem_tree_t *nbap_scrambling_code_crncc_map; /* Mapping C-RNC Contexts to U-RNTIs */ extern wmem_tree_t *nbap_crncc_urnti_map; #endif
Text
wireshark/epan/dissectors/asn1/ngap/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME ngap ) set( PROTO_OPT ) set( EXPORT_FILES ${PROTOCOL_NAME}-exp.cnf ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST NGAP-CommonDataTypes.asn NGAP-Constants.asn NGAP-Containers.asn NGAP-IEs.asn NGAP-PDU-Contents.asn NGAP-PDU-Descriptions.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c packet-${PROTOCOL_NAME}-template.h ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/ngap/NGAP-CommonDataTypes.asn
-- 3GPP TS 38.413 V17.5.0 (2023-06) -- 9.4.6 Common Definitions -- ************************************************************** -- -- Common definitions -- -- ************************************************************** NGAP-CommonDataTypes { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-Access (22) modules (3) ngap (1) version1 (1) ngap-CommonDataTypes (3) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN Criticality ::= ENUMERATED { reject, ignore, notify } Presence ::= ENUMERATED { optional, conditional, mandatory } PrivateIE-ID ::= CHOICE { local INTEGER (0..65535), global OBJECT IDENTIFIER } ProcedureCode ::= INTEGER (0..255) ProtocolExtensionID ::= INTEGER (0..65535) ProtocolIE-ID ::= INTEGER (0..65535) TriggeringMessage ::= ENUMERATED { initiating-message, successful-outcome, unsuccessful-outcome } END
ASN.1
wireshark/epan/dissectors/asn1/ngap/NGAP-Constants.asn
-- 3GPP TS 38.413 V17.5.0 (2023-06) -- 9.4.7 Constant Definitions -- ************************************************************** -- -- Constant definitions -- -- ************************************************************** NGAP-Constants { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-Access (22) modules (3) ngap (1) version1 (1) ngap-Constants (4) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- IE parameter types from other modules. -- -- ************************************************************** IMPORTS ProcedureCode, ProtocolIE-ID FROM NGAP-CommonDataTypes; -- ************************************************************** -- -- Elementary Procedures -- -- ************************************************************** id-AMFConfigurationUpdate ProcedureCode ::= 0 id-AMFStatusIndication ProcedureCode ::= 1 id-CellTrafficTrace ProcedureCode ::= 2 id-DeactivateTrace ProcedureCode ::= 3 id-DownlinkNASTransport ProcedureCode ::= 4 id-DownlinkNonUEAssociatedNRPPaTransport ProcedureCode ::= 5 id-DownlinkRANConfigurationTransfer ProcedureCode ::= 6 id-DownlinkRANStatusTransfer ProcedureCode ::= 7 id-DownlinkUEAssociatedNRPPaTransport ProcedureCode ::= 8 id-ErrorIndication ProcedureCode ::= 9 id-HandoverCancel ProcedureCode ::= 10 id-HandoverNotification ProcedureCode ::= 11 id-HandoverPreparation ProcedureCode ::= 12 id-HandoverResourceAllocation ProcedureCode ::= 13 id-InitialContextSetup ProcedureCode ::= 14 id-InitialUEMessage ProcedureCode ::= 15 id-LocationReportingControl ProcedureCode ::= 16 id-LocationReportingFailureIndication ProcedureCode ::= 17 id-LocationReport ProcedureCode ::= 18 id-NASNonDeliveryIndication ProcedureCode ::= 19 id-NGReset ProcedureCode ::= 20 id-NGSetup ProcedureCode ::= 21 id-OverloadStart ProcedureCode ::= 22 id-OverloadStop ProcedureCode ::= 23 id-Paging ProcedureCode ::= 24 id-PathSwitchRequest ProcedureCode ::= 25 id-PDUSessionResourceModify ProcedureCode ::= 26 id-PDUSessionResourceModifyIndication ProcedureCode ::= 27 id-PDUSessionResourceRelease ProcedureCode ::= 28 id-PDUSessionResourceSetup ProcedureCode ::= 29 id-PDUSessionResourceNotify ProcedureCode ::= 30 id-PrivateMessage ProcedureCode ::= 31 id-PWSCancel ProcedureCode ::= 32 id-PWSFailureIndication ProcedureCode ::= 33 id-PWSRestartIndication ProcedureCode ::= 34 id-RANConfigurationUpdate ProcedureCode ::= 35 id-RerouteNASRequest ProcedureCode ::= 36 id-RRCInactiveTransitionReport ProcedureCode ::= 37 id-TraceFailureIndication ProcedureCode ::= 38 id-TraceStart ProcedureCode ::= 39 id-UEContextModification ProcedureCode ::= 40 id-UEContextRelease ProcedureCode ::= 41 id-UEContextReleaseRequest ProcedureCode ::= 42 id-UERadioCapabilityCheck ProcedureCode ::= 43 id-UERadioCapabilityInfoIndication ProcedureCode ::= 44 id-UETNLABindingRelease ProcedureCode ::= 45 id-UplinkNASTransport ProcedureCode ::= 46 id-UplinkNonUEAssociatedNRPPaTransport ProcedureCode ::= 47 id-UplinkRANConfigurationTransfer ProcedureCode ::= 48 id-UplinkRANStatusTransfer ProcedureCode ::= 49 id-UplinkUEAssociatedNRPPaTransport ProcedureCode ::= 50 id-WriteReplaceWarning ProcedureCode ::= 51 id-SecondaryRATDataUsageReport ProcedureCode ::= 52 id-UplinkRIMInformationTransfer ProcedureCode ::= 53 id-DownlinkRIMInformationTransfer ProcedureCode ::= 54 id-RetrieveUEInformation ProcedureCode ::= 55 id-UEInformationTransfer ProcedureCode ::= 56 id-RANCPRelocationIndication ProcedureCode ::= 57 id-UEContextResume ProcedureCode ::= 58 id-UEContextSuspend ProcedureCode ::= 59 id-UERadioCapabilityIDMapping ProcedureCode ::= 60 id-HandoverSuccess ProcedureCode ::= 61 id-UplinkRANEarlyStatusTransfer ProcedureCode ::= 62 id-DownlinkRANEarlyStatusTransfer ProcedureCode ::= 63 id-AMFCPRelocationIndication ProcedureCode ::= 64 id-ConnectionEstablishmentIndication ProcedureCode ::= 65 id-BroadcastSessionModification ProcedureCode ::= 66 id-BroadcastSessionRelease ProcedureCode ::= 67 id-BroadcastSessionSetup ProcedureCode ::= 68 id-DistributionSetup ProcedureCode ::= 69 id-DistributionRelease ProcedureCode ::= 70 id-MulticastSessionActivation ProcedureCode ::= 71 id-MulticastSessionDeactivation ProcedureCode ::= 72 id-MulticastSessionUpdate ProcedureCode ::= 73 id-MulticastGroupPaging ProcedureCode ::= 74 id-BroadcastSessionReleaseRequired ProcedureCode ::= 75 -- ************************************************************** -- -- Extension constants -- -- ************************************************************** maxPrivateIEs INTEGER ::= 65535 maxProtocolExtensions INTEGER ::= 65535 maxProtocolIEs INTEGER ::= 65535 -- ************************************************************** -- -- Lists -- -- ************************************************************** maxnoofAllowedAreas INTEGER ::= 16 maxnoofAllowedCAGsperPLMN INTEGER ::= 256 maxnoofAllowedS-NSSAIs INTEGER ::= 8 maxnoofBluetoothName INTEGER ::= 4 maxnoofBPLMNs INTEGER ::= 12 maxnoofCAGSperCell INTEGER ::= 64 maxnoofCellIDforMDT INTEGER ::= 32 maxnoofCellIDforWarning INTEGER ::= 65535 maxnoofCellinAoI INTEGER ::= 256 maxnoofCellinEAI INTEGER ::= 65535 maxnoofCellinTAI INTEGER ::= 65535 maxnoofCellsforMBS INTEGER ::= 8192 maxnoofCellsingNB INTEGER ::= 16384 maxnoofCellsinngeNB INTEGER ::= 256 maxnoofCellsinNGRANNode INTEGER ::= 16384 maxnoofCellsinUEHistoryInfo INTEGER ::= 16 maxnoofCellsUEMovingTrajectory INTEGER ::= 16 maxnoofDRBs INTEGER ::= 32 maxnoofEmergencyAreaID INTEGER ::= 65535 maxnoofEAIforRestart INTEGER ::= 256 maxnoofEPLMNs INTEGER ::= 15 maxnoofEPLMNsPlusOne INTEGER ::= 16 maxnoofE-RABs INTEGER ::= 256 maxnoofErrors INTEGER ::= 256 maxnoofExtSliceItems INTEGER ::= 65535 maxnoofForbTACs INTEGER ::= 4096 maxnoofFreqforMDT INTEGER ::= 8 maxnoofMBSAreaSessionIDs INTEGER ::= 256 maxnoofMBSFSAs INTEGER ::= 64 maxnoofMBSQoSFlows INTEGER ::= 64 maxnoofMBSSessions INTEGER ::= 32 maxnoofMBSSessionsofUE INTEGER ::= 256 maxnoofMBSServiceAreaInformation INTEGER ::= 256 maxnoofMDTPLMNs INTEGER ::= 16 maxnoofMRBs INTEGER ::= 32 maxnoofMultiConnectivity INTEGER ::= 4 maxnoofMultiConnectivityMinusOne INTEGER ::= 3 maxnoofNeighPCIforMDT INTEGER ::= 32 maxnoofNGAPIESupportInfo INTEGER ::= 32 maxnoofNGConnectionsToReset INTEGER ::= 65536 maxnoofNRCellBands INTEGER ::= 32 maxnoofNSAGs INTEGER ::= 256 maxnoofPagingAreas INTEGER ::= 64 maxnoofPC5QoSFlows INTEGER ::= 2048 maxnoofPDUSessions INTEGER ::= 256 maxnoofPLMNs INTEGER ::= 12 maxnoofPSCellsPerPrimaryCellinUEHistoryInfo INTEGER ::= 8 maxnoofQosFlows INTEGER ::= 64 maxnoofQosParaSets INTEGER ::= 8 maxnoofRANNodeinAoI INTEGER ::= 64 maxnoofRecommendedCells INTEGER ::= 16 maxnoofRecommendedRANNodes INTEGER ::= 16 maxnoofAoI INTEGER ::= 64 maxnoofReportedCells INTEGER ::= 256 maxnoofSensorName INTEGER ::= 3 maxnoofServedGUAMIs INTEGER ::= 256 maxnoofSliceItems INTEGER ::= 1024 maxnoofSuccessfulHOReports INTEGER ::= 64 maxnoofTACs INTEGER ::= 256 maxnoofTACsinNTN INTEGER ::= 12 maxnoofTAforMDT INTEGER ::= 8 maxnoofTAIforInactive INTEGER ::= 16 maxnoofTAIforMBS INTEGER ::= 1024 maxnoofTAIforPaging INTEGER ::= 16 maxnoofTAIforRestart INTEGER ::= 2048 maxnoofTAIforWarning INTEGER ::= 65535 maxnoofTAIinAoI INTEGER ::= 16 maxnoofTimePeriods INTEGER ::= 2 maxnoofTNLAssociations INTEGER ::= 32 maxnoofUEsforPaging INTEGER ::= 4096 maxnoofWLANName INTEGER ::= 4 maxnoofXnExtTLAs INTEGER ::= 16 maxnoofXnGTP-TLAs INTEGER ::= 16 maxnoofXnTLAs INTEGER ::= 2 maxnoofCandidateCells INTEGER ::= 32 maxnoofTargetS-NSSAIs INTEGER ::= 8 maxNRARFCN INTEGER ::= 3279165 maxnoofCellIDforQMC INTEGER ::= 32 maxnoofPLMNforQMC INTEGER ::= 16 maxnoofUEAppLayerMeas INTEGER ::= 16 maxnoofSNSSAIforQMC INTEGER ::= 16 maxnoofTAforQMC INTEGER ::= 8 maxnoofThresholdsForExcessPacketDelay INTEGER ::= 255 -- ************************************************************** -- -- IEs -- -- ************************************************************** id-AllowedNSSAI ProtocolIE-ID ::= 0 id-AMFName ProtocolIE-ID ::= 1 id-AMFOverloadResponse ProtocolIE-ID ::= 2 id-AMFSetID ProtocolIE-ID ::= 3 id-AMF-TNLAssociationFailedToSetupList ProtocolIE-ID ::= 4 id-AMF-TNLAssociationSetupList ProtocolIE-ID ::= 5 id-AMF-TNLAssociationToAddList ProtocolIE-ID ::= 6 id-AMF-TNLAssociationToRemoveList ProtocolIE-ID ::= 7 id-AMF-TNLAssociationToUpdateList ProtocolIE-ID ::= 8 id-AMFTrafficLoadReductionIndication ProtocolIE-ID ::= 9 id-AMF-UE-NGAP-ID ProtocolIE-ID ::= 10 id-AssistanceDataForPaging ProtocolIE-ID ::= 11 id-BroadcastCancelledAreaList ProtocolIE-ID ::= 12 id-BroadcastCompletedAreaList ProtocolIE-ID ::= 13 id-CancelAllWarningMessages ProtocolIE-ID ::= 14 id-Cause ProtocolIE-ID ::= 15 id-CellIDListForRestart ProtocolIE-ID ::= 16 id-ConcurrentWarningMessageInd ProtocolIE-ID ::= 17 id-CoreNetworkAssistanceInformationForInactive ProtocolIE-ID ::= 18 id-CriticalityDiagnostics ProtocolIE-ID ::= 19 id-DataCodingScheme ProtocolIE-ID ::= 20 id-DefaultPagingDRX ProtocolIE-ID ::= 21 id-DirectForwardingPathAvailability ProtocolIE-ID ::= 22 id-EmergencyAreaIDListForRestart ProtocolIE-ID ::= 23 id-EmergencyFallbackIndicator ProtocolIE-ID ::= 24 id-EUTRA-CGI ProtocolIE-ID ::= 25 id-FiveG-S-TMSI ProtocolIE-ID ::= 26 id-GlobalRANNodeID ProtocolIE-ID ::= 27 id-GUAMI ProtocolIE-ID ::= 28 id-HandoverType ProtocolIE-ID ::= 29 id-IMSVoiceSupportIndicator ProtocolIE-ID ::= 30 id-IndexToRFSP ProtocolIE-ID ::= 31 id-InfoOnRecommendedCellsAndRANNodesForPaging ProtocolIE-ID ::= 32 id-LocationReportingRequestType ProtocolIE-ID ::= 33 id-MaskedIMEISV ProtocolIE-ID ::= 34 id-MessageIdentifier ProtocolIE-ID ::= 35 id-MobilityRestrictionList ProtocolIE-ID ::= 36 id-NASC ProtocolIE-ID ::= 37 id-NAS-PDU ProtocolIE-ID ::= 38 id-NASSecurityParametersFromNGRAN ProtocolIE-ID ::= 39 id-NewAMF-UE-NGAP-ID ProtocolIE-ID ::= 40 id-NewSecurityContextInd ProtocolIE-ID ::= 41 id-NGAP-Message ProtocolIE-ID ::= 42 id-NGRAN-CGI ProtocolIE-ID ::= 43 id-NGRANTraceID ProtocolIE-ID ::= 44 id-NR-CGI ProtocolIE-ID ::= 45 id-NRPPa-PDU ProtocolIE-ID ::= 46 id-NumberOfBroadcastsRequested ProtocolIE-ID ::= 47 id-OldAMF ProtocolIE-ID ::= 48 id-OverloadStartNSSAIList ProtocolIE-ID ::= 49 id-PagingDRX ProtocolIE-ID ::= 50 id-PagingOrigin ProtocolIE-ID ::= 51 id-PagingPriority ProtocolIE-ID ::= 52 id-PDUSessionResourceAdmittedList ProtocolIE-ID ::= 53 id-PDUSessionResourceFailedToModifyListModRes ProtocolIE-ID ::= 54 id-PDUSessionResourceFailedToSetupListCxtRes ProtocolIE-ID ::= 55 id-PDUSessionResourceFailedToSetupListHOAck ProtocolIE-ID ::= 56 id-PDUSessionResourceFailedToSetupListPSReq ProtocolIE-ID ::= 57 id-PDUSessionResourceFailedToSetupListSURes ProtocolIE-ID ::= 58 id-PDUSessionResourceHandoverList ProtocolIE-ID ::= 59 id-PDUSessionResourceListCxtRelCpl ProtocolIE-ID ::= 60 id-PDUSessionResourceListHORqd ProtocolIE-ID ::= 61 id-PDUSessionResourceModifyListModCfm ProtocolIE-ID ::= 62 id-PDUSessionResourceModifyListModInd ProtocolIE-ID ::= 63 id-PDUSessionResourceModifyListModReq ProtocolIE-ID ::= 64 id-PDUSessionResourceModifyListModRes ProtocolIE-ID ::= 65 id-PDUSessionResourceNotifyList ProtocolIE-ID ::= 66 id-PDUSessionResourceReleasedListNot ProtocolIE-ID ::= 67 id-PDUSessionResourceReleasedListPSAck ProtocolIE-ID ::= 68 id-PDUSessionResourceReleasedListPSFail ProtocolIE-ID ::= 69 id-PDUSessionResourceReleasedListRelRes ProtocolIE-ID ::= 70 id-PDUSessionResourceSetupListCxtReq ProtocolIE-ID ::= 71 id-PDUSessionResourceSetupListCxtRes ProtocolIE-ID ::= 72 id-PDUSessionResourceSetupListHOReq ProtocolIE-ID ::= 73 id-PDUSessionResourceSetupListSUReq ProtocolIE-ID ::= 74 id-PDUSessionResourceSetupListSURes ProtocolIE-ID ::= 75 id-PDUSessionResourceToBeSwitchedDLList ProtocolIE-ID ::= 76 id-PDUSessionResourceSwitchedList ProtocolIE-ID ::= 77 id-PDUSessionResourceToReleaseListHOCmd ProtocolIE-ID ::= 78 id-PDUSessionResourceToReleaseListRelCmd ProtocolIE-ID ::= 79 id-PLMNSupportList ProtocolIE-ID ::= 80 id-PWSFailedCellIDList ProtocolIE-ID ::= 81 id-RANNodeName ProtocolIE-ID ::= 82 id-RANPagingPriority ProtocolIE-ID ::= 83 id-RANStatusTransfer-TransparentContainer ProtocolIE-ID ::= 84 id-RAN-UE-NGAP-ID ProtocolIE-ID ::= 85 id-RelativeAMFCapacity ProtocolIE-ID ::= 86 id-RepetitionPeriod ProtocolIE-ID ::= 87 id-ResetType ProtocolIE-ID ::= 88 id-RoutingID ProtocolIE-ID ::= 89 id-RRCEstablishmentCause ProtocolIE-ID ::= 90 id-RRCInactiveTransitionReportRequest ProtocolIE-ID ::= 91 id-RRCState ProtocolIE-ID ::= 92 id-SecurityContext ProtocolIE-ID ::= 93 id-SecurityKey ProtocolIE-ID ::= 94 id-SerialNumber ProtocolIE-ID ::= 95 id-ServedGUAMIList ProtocolIE-ID ::= 96 id-SliceSupportList ProtocolIE-ID ::= 97 id-SONConfigurationTransferDL ProtocolIE-ID ::= 98 id-SONConfigurationTransferUL ProtocolIE-ID ::= 99 id-SourceAMF-UE-NGAP-ID ProtocolIE-ID ::= 100 id-SourceToTarget-TransparentContainer ProtocolIE-ID ::= 101 id-SupportedTAList ProtocolIE-ID ::= 102 id-TAIListForPaging ProtocolIE-ID ::= 103 id-TAIListForRestart ProtocolIE-ID ::= 104 id-TargetID ProtocolIE-ID ::= 105 id-TargetToSource-TransparentContainer ProtocolIE-ID ::= 106 id-TimeToWait ProtocolIE-ID ::= 107 id-TraceActivation ProtocolIE-ID ::= 108 id-TraceCollectionEntityIPAddress ProtocolIE-ID ::= 109 id-UEAggregateMaximumBitRate ProtocolIE-ID ::= 110 id-UE-associatedLogicalNG-connectionList ProtocolIE-ID ::= 111 id-UEContextRequest ProtocolIE-ID ::= 112 --WS extension id-Unknown-113 ProtocolIE-ID ::= 113 id-UE-NGAP-IDs ProtocolIE-ID ::= 114 id-UEPagingIdentity ProtocolIE-ID ::= 115 id-UEPresenceInAreaOfInterestList ProtocolIE-ID ::= 116 id-UERadioCapability ProtocolIE-ID ::= 117 id-UERadioCapabilityForPaging ProtocolIE-ID ::= 118 id-UESecurityCapabilities ProtocolIE-ID ::= 119 id-UnavailableGUAMIList ProtocolIE-ID ::= 120 id-UserLocationInformation ProtocolIE-ID ::= 121 id-WarningAreaList ProtocolIE-ID ::= 122 id-WarningMessageContents ProtocolIE-ID ::= 123 id-WarningSecurityInfo ProtocolIE-ID ::= 124 id-WarningType ProtocolIE-ID ::= 125 id-AdditionalUL-NGU-UP-TNLInformation ProtocolIE-ID ::= 126 id-DataForwardingNotPossible ProtocolIE-ID ::= 127 id-DL-NGU-UP-TNLInformation ProtocolIE-ID ::= 128 id-NetworkInstance ProtocolIE-ID ::= 129 id-PDUSessionAggregateMaximumBitRate ProtocolIE-ID ::= 130 id-PDUSessionResourceFailedToModifyListModCfm ProtocolIE-ID ::= 131 id-PDUSessionResourceFailedToSetupListCxtFail ProtocolIE-ID ::= 132 id-PDUSessionResourceListCxtRelReq ProtocolIE-ID ::= 133 id-PDUSessionType ProtocolIE-ID ::= 134 id-QosFlowAddOrModifyRequestList ProtocolIE-ID ::= 135 id-QosFlowSetupRequestList ProtocolIE-ID ::= 136 id-QosFlowToReleaseList ProtocolIE-ID ::= 137 id-SecurityIndication ProtocolIE-ID ::= 138 id-UL-NGU-UP-TNLInformation ProtocolIE-ID ::= 139 id-UL-NGU-UP-TNLModifyList ProtocolIE-ID ::= 140 id-WarningAreaCoordinates ProtocolIE-ID ::= 141 id-PDUSessionResourceSecondaryRATUsageList ProtocolIE-ID ::= 142 id-HandoverFlag ProtocolIE-ID ::= 143 id-SecondaryRATUsageInformation ProtocolIE-ID ::= 144 id-PDUSessionResourceReleaseResponseTransfer ProtocolIE-ID ::= 145 id-RedirectionVoiceFallback ProtocolIE-ID ::= 146 id-UERetentionInformation ProtocolIE-ID ::= 147 id-S-NSSAI ProtocolIE-ID ::= 148 id-PSCellInformation ProtocolIE-ID ::= 149 id-LastEUTRAN-PLMNIdentity ProtocolIE-ID ::= 150 id-MaximumIntegrityProtectedDataRate-DL ProtocolIE-ID ::= 151 id-AdditionalDLForwardingUPTNLInformation ProtocolIE-ID ::= 152 id-AdditionalDLUPTNLInformationForHOList ProtocolIE-ID ::= 153 id-AdditionalNGU-UP-TNLInformation ProtocolIE-ID ::= 154 id-AdditionalDLQosFlowPerTNLInformation ProtocolIE-ID ::= 155 id-SecurityResult ProtocolIE-ID ::= 156 id-ENDC-SONConfigurationTransferDL ProtocolIE-ID ::= 157 id-ENDC-SONConfigurationTransferUL ProtocolIE-ID ::= 158 id-OldAssociatedQosFlowList-ULendmarkerexpected ProtocolIE-ID ::= 159 id-CNTypeRestrictionsForEquivalent ProtocolIE-ID ::= 160 id-CNTypeRestrictionsForServing ProtocolIE-ID ::= 161 id-NewGUAMI ProtocolIE-ID ::= 162 id-ULForwarding ProtocolIE-ID ::= 163 id-ULForwardingUP-TNLInformation ProtocolIE-ID ::= 164 id-CNAssistedRANTuning ProtocolIE-ID ::= 165 id-CommonNetworkInstance ProtocolIE-ID ::= 166 id-NGRAN-TNLAssociationToRemoveList ProtocolIE-ID ::= 167 id-TNLAssociationTransportLayerAddressNGRAN ProtocolIE-ID ::= 168 id-EndpointIPAddressAndPort ProtocolIE-ID ::= 169 id-LocationReportingAdditionalInfo ProtocolIE-ID ::= 170 id-SourceToTarget-AMFInformationReroute ProtocolIE-ID ::= 171 id-AdditionalULForwardingUPTNLInformation ProtocolIE-ID ::= 172 id-SCTP-TLAs ProtocolIE-ID ::= 173 id-SelectedPLMNIdentity ProtocolIE-ID ::= 174 id-RIMInformationTransfer ProtocolIE-ID ::= 175 id-GUAMIType ProtocolIE-ID ::= 176 id-SRVCCOperationPossible ProtocolIE-ID ::= 177 id-TargetRNC-ID ProtocolIE-ID ::= 178 id-RAT-Information ProtocolIE-ID ::= 179 id-ExtendedRATRestrictionInformation ProtocolIE-ID ::= 180 id-QosMonitoringRequest ProtocolIE-ID ::= 181 id-SgNB-UE-X2AP-ID ProtocolIE-ID ::= 182 id-AdditionalRedundantDL-NGU-UP-TNLInformation ProtocolIE-ID ::= 183 id-AdditionalRedundantDLQosFlowPerTNLInformation ProtocolIE-ID ::= 184 id-AdditionalRedundantNGU-UP-TNLInformation ProtocolIE-ID ::= 185 id-AdditionalRedundantUL-NGU-UP-TNLInformation ProtocolIE-ID ::= 186 id-CNPacketDelayBudgetDL ProtocolIE-ID ::= 187 id-CNPacketDelayBudgetUL ProtocolIE-ID ::= 188 id-ExtendedPacketDelayBudget ProtocolIE-ID ::= 189 id-RedundantCommonNetworkInstance ProtocolIE-ID ::= 190 id-RedundantDL-NGU-TNLInformationReused ProtocolIE-ID ::= 191 id-RedundantDL-NGU-UP-TNLInformation ProtocolIE-ID ::= 192 id-RedundantDLQosFlowPerTNLInformation ProtocolIE-ID ::= 193 id-RedundantQosFlowIndicator ProtocolIE-ID ::= 194 id-RedundantUL-NGU-UP-TNLInformation ProtocolIE-ID ::= 195 id-TSCTrafficCharacteristics ProtocolIE-ID ::= 196 id-RedundantPDUSessionInformation ProtocolIE-ID ::= 197 id-UsedRSNInformation ProtocolIE-ID ::= 198 id-IAB-Authorized ProtocolIE-ID ::= 199 id-IAB-Supported ProtocolIE-ID ::= 200 id-IABNodeIndication ProtocolIE-ID ::= 201 id-NB-IoT-PagingDRX ProtocolIE-ID ::= 202 id-NB-IoT-Paging-eDRXInfo ProtocolIE-ID ::= 203 id-NB-IoT-DefaultPagingDRX ProtocolIE-ID ::= 204 id-Enhanced-CoverageRestriction ProtocolIE-ID ::= 205 id-Extended-ConnectedTime ProtocolIE-ID ::= 206 id-PagingAssisDataforCEcapabUE ProtocolIE-ID ::= 207 id-WUS-Assistance-Information ProtocolIE-ID ::= 208 id-UE-DifferentiationInfo ProtocolIE-ID ::= 209 id-NB-IoT-UEPriority ProtocolIE-ID ::= 210 id-UL-CP-SecurityInformation ProtocolIE-ID ::= 211 id-DL-CP-SecurityInformation ProtocolIE-ID ::= 212 id-TAI ProtocolIE-ID ::= 213 id-UERadioCapabilityForPagingOfNB-IoT ProtocolIE-ID ::= 214 id-LTEV2XServicesAuthorized ProtocolIE-ID ::= 215 id-NRV2XServicesAuthorized ProtocolIE-ID ::= 216 id-LTEUESidelinkAggregateMaximumBitrate ProtocolIE-ID ::= 217 id-NRUESidelinkAggregateMaximumBitrate ProtocolIE-ID ::= 218 id-PC5QoSParameters ProtocolIE-ID ::= 219 id-AlternativeQoSParaSetList ProtocolIE-ID ::= 220 id-CurrentQoSParaSetIndex ProtocolIE-ID ::= 221 id-CEmodeBrestricted ProtocolIE-ID ::= 222 id-EUTRA-PagingeDRXInformation ProtocolIE-ID ::= 223 id-CEmodeBSupport-Indicator ProtocolIE-ID ::= 224 id-LTEM-Indication ProtocolIE-ID ::= 225 id-EndIndication ProtocolIE-ID ::= 226 id-EDT-Session ProtocolIE-ID ::= 227 id-UECapabilityInfoRequest ProtocolIE-ID ::= 228 id-PDUSessionResourceFailedToResumeListRESReq ProtocolIE-ID ::= 229 id-PDUSessionResourceFailedToResumeListRESRes ProtocolIE-ID ::= 230 id-PDUSessionResourceSuspendListSUSReq ProtocolIE-ID ::= 231 id-PDUSessionResourceResumeListRESReq ProtocolIE-ID ::= 232 id-PDUSessionResourceResumeListRESRes ProtocolIE-ID ::= 233 id-UE-UP-CIoT-Support ProtocolIE-ID ::= 234 id-Suspend-Request-Indication ProtocolIE-ID ::= 235 id-Suspend-Response-Indication ProtocolIE-ID ::= 236 id-RRC-Resume-Cause ProtocolIE-ID ::= 237 id-RGLevelWirelineAccessCharacteristics ProtocolIE-ID ::= 238 id-W-AGFIdentityInformation ProtocolIE-ID ::= 239 id-GlobalTNGF-ID ProtocolIE-ID ::= 240 id-GlobalTWIF-ID ProtocolIE-ID ::= 241 id-GlobalW-AGF-ID ProtocolIE-ID ::= 242 id-UserLocationInformationW-AGF ProtocolIE-ID ::= 243 id-UserLocationInformationTNGF ProtocolIE-ID ::= 244 id-AuthenticatedIndication ProtocolIE-ID ::= 245 id-TNGFIdentityInformation ProtocolIE-ID ::= 246 id-TWIFIdentityInformation ProtocolIE-ID ::= 247 id-UserLocationInformationTWIF ProtocolIE-ID ::= 248 id-DataForwardingResponseERABList ProtocolIE-ID ::= 249 id-IntersystemSONConfigurationTransferDL ProtocolIE-ID ::= 250 id-IntersystemSONConfigurationTransferUL ProtocolIE-ID ::= 251 id-SONInformationReport ProtocolIE-ID ::= 252 id-UEHistoryInformationFromTheUE ProtocolIE-ID ::= 253 id-ManagementBasedMDTPLMNList ProtocolIE-ID ::= 254 id-MDTConfiguration ProtocolIE-ID ::= 255 id-PrivacyIndicator ProtocolIE-ID ::= 256 id-TraceCollectionEntityURI ProtocolIE-ID ::= 257 id-NPN-Support ProtocolIE-ID ::= 258 id-NPN-AccessInformation ProtocolIE-ID ::= 259 id-NPN-PagingAssistanceInformation ProtocolIE-ID ::= 260 id-NPN-MobilityInformation ProtocolIE-ID ::= 261 id-TargettoSource-Failure-TransparentContainer ProtocolIE-ID ::= 262 id-NID ProtocolIE-ID ::= 263 id-UERadioCapabilityID ProtocolIE-ID ::= 264 id-UERadioCapability-EUTRA-Format ProtocolIE-ID ::= 265 id-DAPSRequestInfo ProtocolIE-ID ::= 266 id-DAPSResponseInfoList ProtocolIE-ID ::= 267 id-EarlyStatusTransfer-TransparentContainer ProtocolIE-ID ::= 268 id-NotifySourceNGRANNode ProtocolIE-ID ::= 269 id-ExtendedSliceSupportList ProtocolIE-ID ::= 270 id-ExtendedTAISliceSupportList ProtocolIE-ID ::= 271 id-ConfiguredTACIndication ProtocolIE-ID ::= 272 id-Extended-RANNodeName ProtocolIE-ID ::= 273 id-Extended-AMFName ProtocolIE-ID ::= 274 id-GlobalCable-ID ProtocolIE-ID ::= 275 id-QosMonitoringReportingFrequency ProtocolIE-ID ::= 276 id-QosFlowParametersList ProtocolIE-ID ::= 277 id-QosFlowFeedbackList ProtocolIE-ID ::= 278 id-BurstArrivalTimeDownlink ProtocolIE-ID ::= 279 id-ExtendedUEIdentityIndexValue ProtocolIE-ID ::= 280 id-PduSessionExpectedUEActivityBehaviour ProtocolIE-ID ::= 281 id-MicoAllPLMN ProtocolIE-ID ::= 282 id-QosFlowFailedToSetupList ProtocolIE-ID ::= 283 id-SourceTNLAddrInfo ProtocolIE-ID ::= 284 id-ExtendedReportIntervalMDT ProtocolIE-ID ::= 285 id-SourceNodeID ProtocolIE-ID ::= 286 id-NRNTNTAIInformation ProtocolIE-ID ::= 287 id-UEContextReferenceAtSource ProtocolIE-ID ::= 288 id-LastVisitedPSCellList ProtocolIE-ID ::= 289 id-IntersystemSONInformationRequest ProtocolIE-ID ::= 290 id-IntersystemSONInformationReply ProtocolIE-ID ::= 291 id-EnergySavingIndication ProtocolIE-ID ::= 292 id-IntersystemResourceStatusUpdate ProtocolIE-ID ::= 293 id-SuccessfulHandoverReportList ProtocolIE-ID ::= 294 id-MBS-AreaSessionID ProtocolIE-ID ::= 295 id-MBS-QoSFlowsToBeSetupList ProtocolIE-ID ::= 296 id-MBS-QoSFlowsToBeSetupModList ProtocolIE-ID ::= 297 id-MBS-ServiceArea ProtocolIE-ID ::= 298 id-MBS-SessionID ProtocolIE-ID ::= 299 id-MBS-DistributionReleaseRequestTransfer ProtocolIE-ID ::= 300 id-MBS-DistributionSetupRequestTransfer ProtocolIE-ID ::= 301 id-MBS-DistributionSetupResponseTransfer ProtocolIE-ID ::= 302 id-MBS-DistributionSetupUnsuccessfulTransfer ProtocolIE-ID ::= 303 id-MulticastSessionActivationRequestTransfer ProtocolIE-ID ::= 304 id-MulticastSessionDeactivationRequestTransfer ProtocolIE-ID ::= 305 id-MulticastSessionUpdateRequestTransfer ProtocolIE-ID ::= 306 id-MulticastGroupPagingAreaList ProtocolIE-ID ::= 307 --WS extension id-Unknown-308 ProtocolIE-ID ::= 308 id-MBS-SupportIndicator ProtocolIE-ID ::= 309 id-MBSSessionFailedtoSetupList ProtocolIE-ID ::= 310 id-MBSSessionFailedtoSetuporModifyList ProtocolIE-ID ::= 311 id-MBSSessionSetupResponseList ProtocolIE-ID ::= 312 id-MBSSessionSetuporModifyResponseList ProtocolIE-ID ::= 313 id-MBSSessionSetupFailureTransfer ProtocolIE-ID ::= 314 id-MBSSessionSetupRequestTransfer ProtocolIE-ID ::= 315 id-MBSSessionSetupResponseTransfer ProtocolIE-ID ::= 316 id-MBSSessionToReleaseList ProtocolIE-ID ::= 317 id-MBSSessionSetupRequestList ProtocolIE-ID ::= 318 id-MBSSessionSetuporModifyRequestList ProtocolIE-ID ::= 319 --WS extension id-Unknown-320 ProtocolIE-ID ::= 320 id-Unknown-321 ProtocolIE-ID ::= 321 id-Unknown-322 ProtocolIE-ID ::= 322 id-MBS-ActiveSessionInformation-SourcetoTargetList ProtocolIE-ID ::= 323 id-MBS-ActiveSessionInformation-TargettoSourceList ProtocolIE-ID ::= 324 id-OnboardingSupport ProtocolIE-ID ::= 325 id-TimeSyncAssistanceInfo ProtocolIE-ID ::= 326 id-SurvivalTime ProtocolIE-ID ::= 327 id-QMCConfigInfo ProtocolIE-ID ::= 328 id-QMCDeactivation ProtocolIE-ID ::= 329 --WS extension id-Unknown-330 ProtocolIE-ID ::= 330 id-PDUSessionPairID ProtocolIE-ID ::= 331 id-NR-PagingeDRXInformation ProtocolIE-ID ::= 332 id-RedCapIndication ProtocolIE-ID ::= 333 id-TargetNSSAIInformation ProtocolIE-ID ::= 334 id-UESliceMaximumBitRateList ProtocolIE-ID ::= 335 id-M4ReportAmount ProtocolIE-ID ::= 336 id-M5ReportAmount ProtocolIE-ID ::= 337 id-M6ReportAmount ProtocolIE-ID ::= 338 id-M7ReportAmount ProtocolIE-ID ::= 339 id-IncludeBeamMeasurementsIndication ProtocolIE-ID ::= 340 id-ExcessPacketDelayThresholdConfiguration ProtocolIE-ID ::= 341 id-PagingCause ProtocolIE-ID ::= 342 id-PagingCauseIndicationForVoiceService ProtocolIE-ID ::= 343 id-PEIPSassistanceInformation ProtocolIE-ID ::= 344 id-FiveG-ProSeAuthorized ProtocolIE-ID ::= 345 id-FiveG-ProSeUEPC5AggregateMaximumBitRate ProtocolIE-ID ::= 346 id-FiveG-ProSePC5QoSParameters ProtocolIE-ID ::= 347 id-MBSSessionModificationFailureTransfer ProtocolIE-ID ::= 348 id-MBSSessionModificationRequestTransfer ProtocolIE-ID ::= 349 id-MBSSessionModificationResponseTransfer ProtocolIE-ID ::= 350 id-MBS-QoSFlowToReleaseList ProtocolIE-ID ::= 351 id-MBS-SessionTNLInfo5GC ProtocolIE-ID ::= 352 id-TAINSAGSupportList ProtocolIE-ID ::= 353 id-SourceNodeTNLAddrInfo ProtocolIE-ID ::= 354 id-NGAPIESupportInformationRequestList ProtocolIE-ID ::= 355 id-NGAPIESupportInformationResponseList ProtocolIE-ID ::= 356 id-MBS-SessionFSAIDList ProtocolIE-ID ::= 357 id-MBSSessionReleaseResponseTransfer ProtocolIE-ID ::= 358 id-ManagementBasedMDTPLMNModificationList ProtocolIE-ID ::= 359 id-EarlyMeasurement ProtocolIE-ID ::= 360 id-BeamMeasurementsReportConfiguration ProtocolIE-ID ::= 361 id-HFCNode-ID-new ProtocolIE-ID ::= 362 id-GlobalCable-ID-new ProtocolIE-ID ::= 363 id-TargetHomeENB-ID ProtocolIE-ID ::= 364 id-HashedUEIdentityIndexValue ProtocolIE-ID ::= 365 END
ASN.1
wireshark/epan/dissectors/asn1/ngap/NGAP-Containers.asn
-- 3GPP TS 38.413 V17.5.0 (2023-06) -- 9.4.8 Container Definitions -- ************************************************************** -- -- Container definitions -- -- ************************************************************** NGAP-Containers { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-Access (22) modules (3) ngap (1) version1 (1) ngap-Containers (5) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- IE parameter types from other modules. -- -- ************************************************************** IMPORTS Criticality, Presence, PrivateIE-ID, ProtocolExtensionID, ProtocolIE-ID FROM NGAP-CommonDataTypes maxPrivateIEs, maxProtocolExtensions, maxProtocolIEs FROM NGAP-Constants; -- ************************************************************** -- -- Class Definition for Protocol IEs -- -- ************************************************************** NGAP-PROTOCOL-IES ::= CLASS { &id ProtocolIE-ID UNIQUE, &criticality Criticality, &Value, &presence Presence } WITH SYNTAX { ID &id CRITICALITY &criticality TYPE &Value PRESENCE &presence } -- ************************************************************** -- -- Class Definition for Protocol IEs -- -- ************************************************************** NGAP-PROTOCOL-IES-PAIR ::= CLASS { &id ProtocolIE-ID UNIQUE, &firstCriticality Criticality, &FirstValue, &secondCriticality Criticality, &SecondValue, &presence Presence } WITH SYNTAX { ID &id FIRST CRITICALITY &firstCriticality FIRST TYPE &FirstValue SECOND CRITICALITY &secondCriticality SECOND TYPE &SecondValue PRESENCE &presence } -- ************************************************************** -- -- Class Definition for Protocol Extensions -- -- ************************************************************** NGAP-PROTOCOL-EXTENSION ::= CLASS { &id ProtocolExtensionID UNIQUE, &criticality Criticality, &Extension, &presence Presence } WITH SYNTAX { ID &id CRITICALITY &criticality EXTENSION &Extension PRESENCE &presence } -- ************************************************************** -- -- Class Definition for Private IEs -- -- ************************************************************** NGAP-PRIVATE-IES ::= CLASS { &id PrivateIE-ID, &criticality Criticality, &Value, &presence Presence } WITH SYNTAX { ID &id CRITICALITY &criticality TYPE &Value PRESENCE &presence } -- ************************************************************** -- -- Container for Protocol IEs -- -- ************************************************************** ProtocolIE-Container {NGAP-PROTOCOL-IES : IEsSetParam} ::= SEQUENCE (SIZE (0..maxProtocolIEs)) OF ProtocolIE-Field {{IEsSetParam}} ProtocolIE-SingleContainer {NGAP-PROTOCOL-IES : IEsSetParam} ::= ProtocolIE-Field {{IEsSetParam}} ProtocolIE-Field {NGAP-PROTOCOL-IES : IEsSetParam} ::= SEQUENCE { id NGAP-PROTOCOL-IES.&id ({IEsSetParam}), criticality NGAP-PROTOCOL-IES.&criticality ({IEsSetParam}{@id}), value NGAP-PROTOCOL-IES.&Value ({IEsSetParam}{@id}) } -- ************************************************************** -- -- Container for Protocol IE Pairs -- -- ************************************************************** ProtocolIE-ContainerPair {NGAP-PROTOCOL-IES-PAIR : IEsSetParam} ::= SEQUENCE (SIZE (0..maxProtocolIEs)) OF ProtocolIE-FieldPair {{IEsSetParam}} ProtocolIE-FieldPair {NGAP-PROTOCOL-IES-PAIR : IEsSetParam} ::= SEQUENCE { id NGAP-PROTOCOL-IES-PAIR.&id ({IEsSetParam}), firstCriticality NGAP-PROTOCOL-IES-PAIR.&firstCriticality ({IEsSetParam}{@id}), firstValue NGAP-PROTOCOL-IES-PAIR.&FirstValue ({IEsSetParam}{@id}), secondCriticality NGAP-PROTOCOL-IES-PAIR.&secondCriticality ({IEsSetParam}{@id}), secondValue NGAP-PROTOCOL-IES-PAIR.&SecondValue ({IEsSetParam}{@id}) } -- ************************************************************** -- -- Container Lists for Protocol IE Containers -- -- ************************************************************** ProtocolIE-ContainerList {INTEGER : lowerBound, INTEGER : upperBound, NGAP-PROTOCOL-IES : IEsSetParam} ::= SEQUENCE (SIZE (lowerBound..upperBound)) OF ProtocolIE-SingleContainer {{IEsSetParam}} ProtocolIE-ContainerPairList {INTEGER : lowerBound, INTEGER : upperBound, NGAP-PROTOCOL-IES-PAIR : IEsSetParam} ::= SEQUENCE (SIZE (lowerBound..upperBound)) OF ProtocolIE-ContainerPair {{IEsSetParam}} -- ************************************************************** -- -- Container for Protocol Extensions -- -- ************************************************************** ProtocolExtensionContainer {NGAP-PROTOCOL-EXTENSION : ExtensionSetParam} ::= SEQUENCE (SIZE (1..maxProtocolExtensions)) OF ProtocolExtensionField {{ExtensionSetParam}} ProtocolExtensionField {NGAP-PROTOCOL-EXTENSION : ExtensionSetParam} ::= SEQUENCE { id NGAP-PROTOCOL-EXTENSION.&id ({ExtensionSetParam}), criticality NGAP-PROTOCOL-EXTENSION.&criticality ({ExtensionSetParam}{@id}), extensionValue NGAP-PROTOCOL-EXTENSION.&Extension ({ExtensionSetParam}{@id}) } -- ************************************************************** -- -- Container for Private IEs -- -- ************************************************************** PrivateIE-Container {NGAP-PRIVATE-IES : IEsSetParam } ::= SEQUENCE (SIZE (1..maxPrivateIEs)) OF PrivateIE-Field {{IEsSetParam}} PrivateIE-Field {NGAP-PRIVATE-IES : IEsSetParam} ::= SEQUENCE { id NGAP-PRIVATE-IES.&id ({IEsSetParam}), criticality NGAP-PRIVATE-IES.&criticality ({IEsSetParam}{@id}), value NGAP-PRIVATE-IES.&Value ({IEsSetParam}{@id}) } END
ASN.1
wireshark/epan/dissectors/asn1/ngap/NGAP-IEs.asn
-- 3GPP TS 38.413 V17.5.0 (2023-06) -- 9.4.5 Information Element Definitions -- ************************************************************** -- -- Information Element Definitions -- -- ************************************************************** NGAP-IEs { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-Access (22) modules (3) ngap (1) version1 (1) ngap-IEs (2) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN IMPORTS id-AdditionalDLForwardingUPTNLInformation, id-AdditionalULForwardingUPTNLInformation, id-AdditionalDLQosFlowPerTNLInformation, id-AdditionalDLUPTNLInformationForHOList, id-AdditionalNGU-UP-TNLInformation, id-AdditionalRedundantDL-NGU-UP-TNLInformation, id-AdditionalRedundantDLQosFlowPerTNLInformation, id-AdditionalRedundantNGU-UP-TNLInformation, id-AdditionalRedundantUL-NGU-UP-TNLInformation, id-AdditionalUL-NGU-UP-TNLInformation, id-AlternativeQoSParaSetList, id-BurstArrivalTimeDownlink, id-Cause, id-CNPacketDelayBudgetDL, id-CNPacketDelayBudgetUL, id-CNTypeRestrictionsForEquivalent, id-CNTypeRestrictionsForServing, id-CommonNetworkInstance, id-ConfiguredTACIndication, id-CurrentQoSParaSetIndex, id-DAPSRequestInfo, id-DAPSResponseInfoList, id-DataForwardingNotPossible, id-DataForwardingResponseERABList, id-DirectForwardingPathAvailability, id-DL-NGU-UP-TNLInformation, id-EndpointIPAddressAndPort, id-EnergySavingIndication, id-ExtendedPacketDelayBudget, id-ExtendedRATRestrictionInformation, id-ExtendedReportIntervalMDT, id-ExtendedSliceSupportList, id-ExtendedTAISliceSupportList, id-ExtendedUEIdentityIndexValue, id-EUTRA-PagingeDRXInformation, id-GlobalCable-ID, id-GlobalRANNodeID, id-GlobalTNGF-ID, id-GlobalTWIF-ID, id-GlobalW-AGF-ID, id-GUAMIType, id-HashedUEIdentityIndexValue, id-IncludeBeamMeasurementsIndication, id-IntersystemSONInformationRequest, id-IntersystemSONInformationReply, id-IntersystemResourceStatusUpdate, id-LastEUTRAN-PLMNIdentity, id-LastVisitedPSCellList, id-LocationReportingAdditionalInfo, id-M4ReportAmount, id-M5ReportAmount, id-M6ReportAmount, id-ExcessPacketDelayThresholdConfiguration, id-M7ReportAmount, id-MaximumIntegrityProtectedDataRate-DL, id-MBS-AreaSessionID, id-MBS-QoSFlowsToBeSetupList, id-MBS-QoSFlowsToBeSetupModList, id-MBS-QoSFlowToReleaseList, id-MBS-ServiceArea, id-MBS-SessionFSAIDList, id-MBS-SessionID, id-MBS-ActiveSessionInformation-SourcetoTargetList, id-MBS-ActiveSessionInformation-TargettoSourceList, id-MBS-SessionTNLInfo5GC, id-MBS-SupportIndicator, id-MBSSessionFailedtoSetupList, id-MBSSessionFailedtoSetuporModifyList, id-MBSSessionSetupResponseList, id-MBSSessionSetuporModifyResponseList, id-MBSSessionToReleaseList, id-MBSSessionSetupRequestList, id-MBSSessionSetuporModifyRequestList, id-MDTConfiguration, id-MicoAllPLMN, id-NetworkInstance, id-NGAPIESupportInformationRequestList, id-NGAPIESupportInformationResponseList, id-NID, id-NR-CGI, id-NRNTNTAIInformation, id-NPN-MobilityInformation, id-NPN-PagingAssistanceInformation, id-NPN-Support, id-NR-PagingeDRXInformation, id-OldAssociatedQosFlowList-ULendmarkerexpected, id-OnboardingSupport, id-PagingAssisDataforCEcapabUE, id-PagingCauseIndicationForVoiceService, id-PDUSessionAggregateMaximumBitRate, id-PduSessionExpectedUEActivityBehaviour, id-PDUSessionPairID, id-PDUSessionResourceFailedToSetupListCxtFail, id-PDUSessionResourceReleaseResponseTransfer, id-PDUSessionType, id-PEIPSassistanceInformation, id-PSCellInformation, id-QMCConfigInfo, id-QosFlowAddOrModifyRequestList, id-QosFlowFailedToSetupList, id-QosFlowFeedbackList, id-QosFlowParametersList, id-QosFlowSetupRequestList, id-QosFlowToReleaseList, id-QosMonitoringRequest, id-QosMonitoringReportingFrequency, id-SuccessfulHandoverReportList, id-UEContextReferenceAtSource, id-RAT-Information, id-RedundantCommonNetworkInstance, id-RedundantDL-NGU-TNLInformationReused, id-RedundantDL-NGU-UP-TNLInformation, id-RedundantDLQosFlowPerTNLInformation, id-RedundantPDUSessionInformation, id-RedundantQosFlowIndicator, id-RedundantUL-NGU-UP-TNLInformation, id-SCTP-TLAs, id-SecondaryRATUsageInformation, id-SecurityIndication, id-SecurityResult, id-SgNB-UE-X2AP-ID, id-S-NSSAI, id-SONInformationReport, id-SourceNodeID, id-SourceNodeTNLAddrInfo, id-SourceTNLAddrInfo, id-SurvivalTime, id-TNLAssociationTransportLayerAddressNGRAN, id-TAINSAGSupportList, id-TargetHomeENB-ID, id-TargetRNC-ID, id-TraceCollectionEntityURI, id-TSCTrafficCharacteristics, id-UEHistoryInformationFromTheUE, id-UERadioCapabilityForPaging, id-UERadioCapabilityForPagingOfNB-IoT, id-UL-NGU-UP-TNLInformation, id-UL-NGU-UP-TNLModifyList, id-ULForwarding, id-ULForwardingUP-TNLInformation, id-UsedRSNInformation, id-UserLocationInformationTNGF, id-UserLocationInformationTWIF, id-UserLocationInformationW-AGF, id-EarlyMeasurement, id-BeamMeasurementsReportConfiguration, id-TAI, id-HFCNode-ID-new, id-GlobalCable-ID-new, maxnoofAllowedAreas, maxnoofAllowedCAGsperPLMN, maxnoofAllowedS-NSSAIs, maxnoofBluetoothName, maxnoofBPLMNs, maxnoofCAGSperCell, maxnoofCandidateCells, maxnoofCellIDforMDT, maxnoofCellIDforQMC, maxnoofCellIDforWarning, maxnoofCellinAoI, maxnoofCellinEAI, maxnoofCellsforMBS, maxnoofCellsingNB, maxnoofCellsinngeNB, maxnoofCellsinNGRANNode, maxnoofCellinTAI, maxnoofCellsinUEHistoryInfo, maxnoofCellsUEMovingTrajectory, maxnoofDRBs, maxnoofEmergencyAreaID, maxnoofEAIforRestart, maxnoofEPLMNs, maxnoofEPLMNsPlusOne, maxnoofE-RABs, maxnoofErrors, maxnoofExtSliceItems, maxnoofForbTACs, maxnoofFreqforMDT, maxnoofMBSFSAs, maxnoofMBSQoSFlows, maxnoofMBSServiceAreaInformation, maxnoofMBSAreaSessionIDs, maxnoofMBSSessions, maxnoofMBSSessionsofUE, maxnoofMDTPLMNs, maxnoofMRBs, maxnoofMultiConnectivity, maxnoofMultiConnectivityMinusOne, maxnoofNeighPCIforMDT, maxnoofNGAPIESupportInfo, maxnoofNGConnectionsToReset, maxNRARFCN, maxnoofNRCellBands, maxnoofNSAGs, maxnoofPagingAreas, maxnoofPC5QoSFlows, maxnoofPDUSessions, maxnoofPLMNs, maxnoofPLMNforQMC, maxnoofQosFlows, maxnoofQosParaSets, maxnoofRANNodeinAoI, maxnoofRecommendedCells, maxnoofRecommendedRANNodes, maxnoofAoI, maxnoofPSCellsPerPrimaryCellinUEHistoryInfo, maxnoofReportedCells, maxnoofSensorName, maxnoofServedGUAMIs, maxnoofSliceItems, maxnoofSNSSAIforQMC, maxnoofSuccessfulHOReports, maxnoofTACs, maxnoofTACsinNTN, maxnoofTAforMDT, maxnoofTAforQMC, maxnoofTAIforInactive, maxnoofTAIforMBS, maxnoofTAIforPaging, maxnoofTAIforRestart, maxnoofTAIforWarning, maxnoofTAIinAoI, maxnoofTargetS-NSSAIs, maxnoofTimePeriods, maxnoofTNLAssociations, maxnoofUEAppLayerMeas, maxnoofUEsforPaging, maxnoofWLANName, maxnoofXnExtTLAs, maxnoofXnGTP-TLAs, maxnoofXnTLAs, maxnoofThresholdsForExcessPacketDelay FROM NGAP-Constants Criticality, ProcedureCode, ProtocolIE-ID, TriggeringMessage FROM NGAP-CommonDataTypes ProtocolExtensionContainer{}, ProtocolIE-Container{}, NGAP-PROTOCOL-EXTENSION, ProtocolIE-SingleContainer{}, NGAP-PROTOCOL-IES FROM NGAP-Containers; -- A AdditionalDLUPTNLInformationForHOList ::= SEQUENCE (SIZE(1..maxnoofMultiConnectivityMinusOne)) OF AdditionalDLUPTNLInformationForHOItem AdditionalDLUPTNLInformationForHOItem ::= SEQUENCE { additionalDL-NGU-UP-TNLInformation UPTransportLayerInformation, additionalQosFlowSetupResponseList QosFlowListWithDataForwarding, additionalDLForwardingUPTNLInformation UPTransportLayerInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { AdditionalDLUPTNLInformationForHOItem-ExtIEs} } OPTIONAL, ... } AdditionalDLUPTNLInformationForHOItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-AdditionalRedundantDL-NGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformation PRESENCE optional }, ... } AdditionalQosFlowInformation ::= ENUMERATED { more-likely, ... } AllocationAndRetentionPriority ::= SEQUENCE { priorityLevelARP PriorityLevelARP, pre-emptionCapability Pre-emptionCapability, pre-emptionVulnerability Pre-emptionVulnerability, iE-Extensions ProtocolExtensionContainer { {AllocationAndRetentionPriority-ExtIEs} } OPTIONAL, ... } AllocationAndRetentionPriority-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } Allowed-CAG-List-per-PLMN ::= SEQUENCE (SIZE(1..maxnoofAllowedCAGsperPLMN)) OF CAG-ID AllowedNSSAI ::= SEQUENCE (SIZE(1..maxnoofAllowedS-NSSAIs)) OF AllowedNSSAI-Item AllowedNSSAI-Item ::= SEQUENCE { s-NSSAI S-NSSAI, iE-Extensions ProtocolExtensionContainer { {AllowedNSSAI-Item-ExtIEs} } OPTIONAL, ... } AllowedNSSAI-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } Allowed-PNI-NPN-List ::= SEQUENCE (SIZE(1..maxnoofEPLMNsPlusOne)) OF Allowed-PNI-NPN-Item Allowed-PNI-NPN-Item ::= SEQUENCE { pLMNIdentity PLMNIdentity, pNI-NPN-restricted ENUMERATED {restricted, not-restricted, ...}, allowed-CAG-List-per-PLMN Allowed-CAG-List-per-PLMN, iE-Extensions ProtocolExtensionContainer { {Allowed-PNI-NPN-Item-ExtIEs} } OPTIONAL, ... } Allowed-PNI-NPN-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AllowedTACs ::= SEQUENCE (SIZE(1..maxnoofAllowedAreas)) OF TAC AlternativeQoSParaSetIndex ::= INTEGER (1..8, ...) AlternativeQoSParaSetNotifyIndex ::= INTEGER (0..8, ...) AlternativeQoSParaSetList ::= SEQUENCE (SIZE(1..maxnoofQosParaSets)) OF AlternativeQoSParaSetItem AlternativeQoSParaSetItem ::= SEQUENCE { alternativeQoSParaSetIndex AlternativeQoSParaSetIndex, guaranteedFlowBitRateDL BitRate OPTIONAL, guaranteedFlowBitRateUL BitRate OPTIONAL, packetDelayBudget PacketDelayBudget OPTIONAL, packetErrorRate PacketErrorRate OPTIONAL, iE-Extensions ProtocolExtensionContainer { {AlternativeQoSParaSetItem-ExtIEs} } OPTIONAL, ... } AlternativeQoSParaSetItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AMFName ::= PrintableString (SIZE(1..150, ...)) AMFNameVisibleString ::= VisibleString (SIZE(1..150, ...)) AMFNameUTF8String ::= UTF8String (SIZE(1..150, ...)) AMFPagingTarget ::= CHOICE { globalRANNodeID GlobalRANNodeID, tAI TAI, choice-Extensions ProtocolIE-SingleContainer { {AMFPagingTarget-ExtIEs} } } AMFPagingTarget-ExtIEs NGAP-PROTOCOL-IES ::= { ... } AMFPointer ::= BIT STRING (SIZE(6)) AMFRegionID ::= BIT STRING (SIZE(8)) AMFSetID ::= BIT STRING (SIZE(10)) AMF-TNLAssociationSetupList ::= SEQUENCE (SIZE(1..maxnoofTNLAssociations)) OF AMF-TNLAssociationSetupItem AMF-TNLAssociationSetupItem ::= SEQUENCE { aMF-TNLAssociationAddress CPTransportLayerInformation, iE-Extensions ProtocolExtensionContainer { {AMF-TNLAssociationSetupItem-ExtIEs} } OPTIONAL, ... } AMF-TNLAssociationSetupItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AMF-TNLAssociationToAddList ::= SEQUENCE (SIZE(1..maxnoofTNLAssociations)) OF AMF-TNLAssociationToAddItem AMF-TNLAssociationToAddItem ::= SEQUENCE { aMF-TNLAssociationAddress CPTransportLayerInformation, tNLAssociationUsage TNLAssociationUsage OPTIONAL, tNLAddressWeightFactor TNLAddressWeightFactor, iE-Extensions ProtocolExtensionContainer { {AMF-TNLAssociationToAddItem-ExtIEs} } OPTIONAL, ... } AMF-TNLAssociationToAddItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AMF-TNLAssociationToRemoveList ::= SEQUENCE (SIZE(1..maxnoofTNLAssociations)) OF AMF-TNLAssociationToRemoveItem AMF-TNLAssociationToRemoveItem ::= SEQUENCE { aMF-TNLAssociationAddress CPTransportLayerInformation, iE-Extensions ProtocolExtensionContainer { {AMF-TNLAssociationToRemoveItem-ExtIEs} } OPTIONAL, ... } AMF-TNLAssociationToRemoveItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { {ID id-TNLAssociationTransportLayerAddressNGRAN CRITICALITY reject EXTENSION CPTransportLayerInformation PRESENCE optional}, ... } AMF-TNLAssociationToUpdateList ::= SEQUENCE (SIZE(1..maxnoofTNLAssociations)) OF AMF-TNLAssociationToUpdateItem AMF-TNLAssociationToUpdateItem ::= SEQUENCE { aMF-TNLAssociationAddress CPTransportLayerInformation, tNLAssociationUsage TNLAssociationUsage OPTIONAL, tNLAddressWeightFactor TNLAddressWeightFactor OPTIONAL, iE-Extensions ProtocolExtensionContainer { {AMF-TNLAssociationToUpdateItem-ExtIEs} } OPTIONAL, ... } AMF-TNLAssociationToUpdateItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AMF-UE-NGAP-ID ::= INTEGER (0..1099511627775) AreaOfInterest ::= SEQUENCE { areaOfInterestTAIList AreaOfInterestTAIList OPTIONAL, areaOfInterestCellList AreaOfInterestCellList OPTIONAL, areaOfInterestRANNodeList AreaOfInterestRANNodeList OPTIONAL, iE-Extensions ProtocolExtensionContainer { {AreaOfInterest-ExtIEs} } OPTIONAL, ... } AreaOfInterest-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AreaOfInterestCellList ::= SEQUENCE (SIZE(1..maxnoofCellinAoI)) OF AreaOfInterestCellItem AreaOfInterestCellItem ::= SEQUENCE { nGRAN-CGI NGRAN-CGI, iE-Extensions ProtocolExtensionContainer { {AreaOfInterestCellItem-ExtIEs} } OPTIONAL, ... } AreaOfInterestCellItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AreaOfInterestList ::= SEQUENCE (SIZE(1..maxnoofAoI)) OF AreaOfInterestItem AreaOfInterestItem ::= SEQUENCE { areaOfInterest AreaOfInterest, locationReportingReferenceID LocationReportingReferenceID, iE-Extensions ProtocolExtensionContainer { {AreaOfInterestItem-ExtIEs} } OPTIONAL, ... } AreaOfInterestItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AreaOfInterestRANNodeList ::= SEQUENCE (SIZE(1..maxnoofRANNodeinAoI)) OF AreaOfInterestRANNodeItem AreaOfInterestRANNodeItem ::= SEQUENCE { globalRANNodeID GlobalRANNodeID, iE-Extensions ProtocolExtensionContainer { {AreaOfInterestRANNodeItem-ExtIEs} } OPTIONAL, ... } AreaOfInterestRANNodeItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AreaOfInterestTAIList ::= SEQUENCE (SIZE(1..maxnoofTAIinAoI)) OF AreaOfInterestTAIItem AreaOfInterestTAIItem ::= SEQUENCE { tAI TAI, iE-Extensions ProtocolExtensionContainer { {AreaOfInterestTAIItem-ExtIEs} } OPTIONAL, ... } AreaOfInterestTAIItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AssistanceDataForPaging ::= SEQUENCE { assistanceDataForRecommendedCells AssistanceDataForRecommendedCells OPTIONAL, pagingAttemptInformation PagingAttemptInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { {AssistanceDataForPaging-ExtIEs} } OPTIONAL, ... } AssistanceDataForPaging-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-NPN-PagingAssistanceInformation CRITICALITY ignore EXTENSION NPN-PagingAssistanceInformation PRESENCE optional }| { ID id-PagingAssisDataforCEcapabUE CRITICALITY ignore EXTENSION PagingAssisDataforCEcapabUE PRESENCE optional }, ... } AssistanceDataForRecommendedCells ::= SEQUENCE { recommendedCellsForPaging RecommendedCellsForPaging, iE-Extensions ProtocolExtensionContainer { {AssistanceDataForRecommendedCells-ExtIEs} } OPTIONAL, ... } AssistanceDataForRecommendedCells-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AssociatedMBSQosFlowSetupRequestList ::= SEQUENCE (SIZE(1..maxnoofMBSQoSFlows)) OF AssociatedMBSQosFlowSetupRequestItem AssociatedMBSQosFlowSetupRequestItem ::= SEQUENCE { mBS-QosFlowIdentifier QosFlowIdentifier, associatedUnicastQosFlowIdentifier QosFlowIdentifier, iE-Extensions ProtocolExtensionContainer { { AssociatedMBSQosFlowSetupRequestItem-ExtIEs} } OPTIONAL, ... } AssociatedMBSQosFlowSetupRequestItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AssociatedMBSQosFlowSetuporModifyRequestList ::= SEQUENCE (SIZE(1..maxnoofMBSQoSFlows)) OF AssociatedMBSQosFlowSetuporModifyRequestItem AssociatedMBSQosFlowSetuporModifyRequestItem ::= SEQUENCE { mBS-QosFlowIdentifier QosFlowIdentifier, associatedUnicastQosFlowIdentifier QosFlowIdentifier, iE-Extensions ProtocolExtensionContainer { { AssociatedMBSQosFlowSetuporModifyRequestItem-ExtIEs} } OPTIONAL, ... } AssociatedMBSQosFlowSetuporModifyRequestItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AssociatedQosFlowList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF AssociatedQosFlowItem AssociatedQosFlowItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, qosFlowMappingIndication ENUMERATED {ul, dl, ...} OPTIONAL, iE-Extensions ProtocolExtensionContainer { {AssociatedQosFlowItem-ExtIEs} } OPTIONAL, ... } AssociatedQosFlowItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-CurrentQoSParaSetIndex CRITICALITY ignore EXTENSION AlternativeQoSParaSetIndex PRESENCE optional }, ... } AuthenticatedIndication ::= ENUMERATED {true, ...} AveragingWindow ::= INTEGER (0..4095, ...) AreaScopeOfMDT-NR ::= CHOICE { cellBased CellBasedMDT-NR, tABased TABasedMDT, pLMNWide NULL, tAIBased TAIBasedMDT, choice-Extensions ProtocolIE-SingleContainer { {AreaScopeOfMDT-NR-ExtIEs} } } AreaScopeOfMDT-NR-ExtIEs NGAP-PROTOCOL-IES ::= { ... } AreaScopeOfMDT-EUTRA ::= CHOICE { cellBased CellBasedMDT-EUTRA, tABased TABasedMDT, pLMNWide NULL, tAIBased TAIBasedMDT, choice-Extensions ProtocolIE-SingleContainer { {AreaScopeOfMDT-EUTRA-ExtIEs} } } AreaScopeOfMDT-EUTRA-ExtIEs NGAP-PROTOCOL-IES ::= { ... } AreaScopeOfNeighCellsList ::= SEQUENCE (SIZE(1..maxnoofFreqforMDT)) OF AreaScopeOfNeighCellsItem AreaScopeOfNeighCellsItem ::= SEQUENCE { nrFrequencyInfo NRFrequencyInfo, pciListForMDT PCIListForMDT OPTIONAL, iE-Extensions ProtocolExtensionContainer { { AreaScopeOfNeighCellsItem-ExtIEs} } OPTIONAL, ... } AreaScopeOfNeighCellsItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } AreaScopeOfQMC ::= CHOICE { cellBased CellBasedQMC, tABased TABasedQMC, tAIBased TAIBasedQMC, pLMNAreaBased PLMNAreaBasedQMC, choice-Extensions ProtocolIE-SingleContainer { { AreaScopeOfQMC-ExtIEs} } } AreaScopeOfQMC-ExtIEs NGAP-PROTOCOL-IES ::= { ... } AvailableRANVisibleQoEMetrics ::= SEQUENCE { applicationLayerBufferLevelList ENUMERATED {true, ...} OPTIONAL, playoutDelayForMediaStartup ENUMERATED {true, ...} OPTIONAL, iE-Extensions ProtocolExtensionContainer { { AvailableRANVisibleQoEMetrics-ExtIEs} } OPTIONAL, ... } AvailableRANVisibleQoEMetrics-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- B BeamMeasurementsReportConfiguration ::= SEQUENCE { beamMeasurementsReportQuantity BeamMeasurementsReportQuantity OPTIONAL, maxNrofRS-IndexesToReport MaxNrofRS-IndexesToReport OPTIONAL, iE-Extensions ProtocolExtensionContainer { { BeamMeasurementsReportConfiguration-ExtIEs} } OPTIONAL, ... } BeamMeasurementsReportConfiguration-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } BeamMeasurementsReportQuantity ::= SEQUENCE { rSRP ENUMERATED {true, ...}, rSRQ ENUMERATED {true, ...}, sINR ENUMERATED {true, ...}, iE-Extensions ProtocolExtensionContainer { { BeamMeasurementsReportQuantity-ExtIEs} } OPTIONAL, ... } BeamMeasurementsReportQuantity-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } BitRate ::= INTEGER (0..4000000000000, ...) BroadcastCancelledAreaList ::= CHOICE { cellIDCancelledEUTRA CellIDCancelledEUTRA, tAICancelledEUTRA TAICancelledEUTRA, emergencyAreaIDCancelledEUTRA EmergencyAreaIDCancelledEUTRA, cellIDCancelledNR CellIDCancelledNR, tAICancelledNR TAICancelledNR, emergencyAreaIDCancelledNR EmergencyAreaIDCancelledNR, choice-Extensions ProtocolIE-SingleContainer { {BroadcastCancelledAreaList-ExtIEs} } } BroadcastCancelledAreaList-ExtIEs NGAP-PROTOCOL-IES ::= { ... } BroadcastCompletedAreaList ::= CHOICE { cellIDBroadcastEUTRA CellIDBroadcastEUTRA, tAIBroadcastEUTRA TAIBroadcastEUTRA, emergencyAreaIDBroadcastEUTRA EmergencyAreaIDBroadcastEUTRA, cellIDBroadcastNR CellIDBroadcastNR, tAIBroadcastNR TAIBroadcastNR, emergencyAreaIDBroadcastNR EmergencyAreaIDBroadcastNR, choice-Extensions ProtocolIE-SingleContainer { {BroadcastCompletedAreaList-ExtIEs} } } BroadcastCompletedAreaList-ExtIEs NGAP-PROTOCOL-IES ::= { ... } BroadcastPLMNList ::= SEQUENCE (SIZE(1..maxnoofBPLMNs)) OF BroadcastPLMNItem BroadcastPLMNItem ::= SEQUENCE { pLMNIdentity PLMNIdentity, tAISliceSupportList SliceSupportList, iE-Extensions ProtocolExtensionContainer { {BroadcastPLMNItem-ExtIEs} } OPTIONAL, ... } BroadcastPLMNItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { {ID id-NPN-Support CRITICALITY reject EXTENSION NPN-Support PRESENCE optional}| {ID id-ExtendedTAISliceSupportList CRITICALITY reject EXTENSION ExtendedSliceSupportList PRESENCE optional}| {ID id-TAINSAGSupportList CRITICALITY ignore EXTENSION TAINSAGSupportList PRESENCE optional}, ... } BluetoothMeasurementConfiguration ::= SEQUENCE { bluetoothMeasConfig BluetoothMeasConfig, bluetoothMeasConfigNameList BluetoothMeasConfigNameList OPTIONAL, bt-rssi ENUMERATED {true, ...} OPTIONAL, iE-Extensions ProtocolExtensionContainer { { BluetoothMeasurementConfiguration-ExtIEs } } OPTIONAL, ... } BluetoothMeasurementConfiguration-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } BluetoothMeasConfigNameList ::= SEQUENCE (SIZE(1..maxnoofBluetoothName)) OF BluetoothMeasConfigNameItem BluetoothMeasConfigNameItem ::= SEQUENCE { bluetoothName BluetoothName, iE-Extensions ProtocolExtensionContainer { { BluetoothMeasConfigNameItem-ExtIEs } } OPTIONAL, ... } BluetoothMeasConfigNameItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } BluetoothMeasConfig::= ENUMERATED {setup,...} BluetoothName ::= OCTET STRING (SIZE (1..248)) BurstArrivalTime ::= OCTET STRING -- C CAG-ID ::= BIT STRING (SIZE(32)) CancelAllWarningMessages ::= ENUMERATED { true, ... } CancelledCellsInEAI-EUTRA ::= SEQUENCE (SIZE(1..maxnoofCellinEAI)) OF CancelledCellsInEAI-EUTRA-Item CancelledCellsInEAI-EUTRA-Item ::= SEQUENCE { eUTRA-CGI EUTRA-CGI, numberOfBroadcasts NumberOfBroadcasts, iE-Extensions ProtocolExtensionContainer { {CancelledCellsInEAI-EUTRA-Item-ExtIEs} } OPTIONAL, ... } CancelledCellsInEAI-EUTRA-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CancelledCellsInEAI-NR ::= SEQUENCE (SIZE(1..maxnoofCellinEAI)) OF CancelledCellsInEAI-NR-Item CancelledCellsInEAI-NR-Item ::= SEQUENCE { nR-CGI NR-CGI, numberOfBroadcasts NumberOfBroadcasts, iE-Extensions ProtocolExtensionContainer { {CancelledCellsInEAI-NR-Item-ExtIEs} } OPTIONAL, ... } CancelledCellsInEAI-NR-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CancelledCellsInTAI-EUTRA ::= SEQUENCE (SIZE(1..maxnoofCellinTAI)) OF CancelledCellsInTAI-EUTRA-Item CancelledCellsInTAI-EUTRA-Item ::= SEQUENCE { eUTRA-CGI EUTRA-CGI, numberOfBroadcasts NumberOfBroadcasts, iE-Extensions ProtocolExtensionContainer { {CancelledCellsInTAI-EUTRA-Item-ExtIEs} } OPTIONAL, ... } CancelledCellsInTAI-EUTRA-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CancelledCellsInTAI-NR ::= SEQUENCE (SIZE(1..maxnoofCellinTAI)) OF CancelledCellsInTAI-NR-Item CancelledCellsInTAI-NR-Item ::= SEQUENCE{ nR-CGI NR-CGI, numberOfBroadcasts NumberOfBroadcasts, iE-Extensions ProtocolExtensionContainer { {CancelledCellsInTAI-NR-Item-ExtIEs} } OPTIONAL, ... } CancelledCellsInTAI-NR-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CandidateCellList ::= SEQUENCE (SIZE(1.. maxnoofCandidateCells)) OF CandidateCellItem CandidateCellItem ::= SEQUENCE{ candidateCell CandidateCell, iE-Extensions ProtocolExtensionContainer { {CandidateCellItem-ExtIEs} } OPTIONAL, ... } CandidateCellItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CandidateCell::= CHOICE { candidateCGI CandidateCellID, candidatePCI CandidatePCI, choice-Extensions ProtocolIE-SingleContainer { { CandidateCell-ExtIEs} } } CandidateCell-ExtIEs NGAP-PROTOCOL-IES ::= { ... } CandidateCellID::= SEQUENCE { candidateCellID NR-CGI, iE-Extensions ProtocolExtensionContainer { { CandidateCellID-ExtIEs} } OPTIONAL, ... } CandidateCellID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CandidatePCI::= SEQUENCE { candidatePCI INTEGER (0..1007, ...), candidateNRARFCN INTEGER (0..maxNRARFCN), iE-Extensions ProtocolExtensionContainer { { CandidatePCI-ExtIEs} } OPTIONAL, ... } CandidatePCI-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } Cause ::= CHOICE { radioNetwork CauseRadioNetwork, transport CauseTransport, nas CauseNas, protocol CauseProtocol, misc CauseMisc, choice-Extensions ProtocolIE-SingleContainer { {Cause-ExtIEs} } } Cause-ExtIEs NGAP-PROTOCOL-IES ::= { ... } CauseMisc ::= ENUMERATED { control-processing-overload, not-enough-user-plane-processing-resources, hardware-failure, om-intervention, unknown-PLMN-or-SNPN, unspecified, ... } CauseNas ::= ENUMERATED { normal-release, authentication-failure, deregister, unspecified, ..., uE-not-in-PLMN-serving-area } CauseProtocol ::= ENUMERATED { transfer-syntax-error, abstract-syntax-error-reject, abstract-syntax-error-ignore-and-notify, message-not-compatible-with-receiver-state, semantic-error, abstract-syntax-error-falsely-constructed-message, unspecified, ... } CauseRadioNetwork ::= ENUMERATED { unspecified, txnrelocoverall-expiry, successful-handover, release-due-to-ngran-generated-reason, release-due-to-5gc-generated-reason, handover-cancelled, partial-handover, ho-failure-in-target-5GC-ngran-node-or-target-system, ho-target-not-allowed, tngrelocoverall-expiry, tngrelocprep-expiry, cell-not-available, unknown-targetID, no-radio-resources-available-in-target-cell, unknown-local-UE-NGAP-ID, inconsistent-remote-UE-NGAP-ID, handover-desirable-for-radio-reason, time-critical-handover, resource-optimisation-handover, reduce-load-in-serving-cell, user-inactivity, radio-connection-with-ue-lost, radio-resources-not-available, invalid-qos-combination, failure-in-radio-interface-procedure, interaction-with-other-procedure, unknown-PDU-session-ID, unkown-qos-flow-ID, multiple-PDU-session-ID-instances, multiple-qos-flow-ID-instances, encryption-and-or-integrity-protection-algorithms-not-supported, ng-intra-system-handover-triggered, ng-inter-system-handover-triggered, xn-handover-triggered, not-supported-5QI-value, ue-context-transfer, ims-voice-eps-fallback-or-rat-fallback-triggered, up-integrity-protection-not-possible, up-confidentiality-protection-not-possible, slice-not-supported, ue-in-rrc-inactive-state-not-reachable, redirection, resources-not-available-for-the-slice, ue-max-integrity-protected-data-rate-reason, release-due-to-cn-detected-mobility, ..., n26-interface-not-available, release-due-to-pre-emption, multiple-location-reporting-reference-ID-instances, rsn-not-available-for-the-up, npn-access-denied, cag-only-access-denied, insufficient-ue-capabilities, redcap-ue-not-supported, unknown-MBS-Session-ID, indicated-MBS-session-area-information-not-served-by-the-gNB, inconsistent-slice-info-for-the-session, misaligned-association-for-multicast-unicast } CauseTransport ::= ENUMERATED { transport-resource-unavailable, unspecified, ... } Cell-CAGInformation ::= SEQUENCE { nGRAN-CGI NGRAN-CGI, cellCAGList CellCAGList, iE-Extensions ProtocolExtensionContainer { {Cell-CAGInformation-ExtIEs} } OPTIONAL, ... } Cell-CAGInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CellCAGList ::= SEQUENCE (SIZE(1..maxnoofCAGSperCell)) OF CAG-ID CellIDBroadcastEUTRA ::= SEQUENCE (SIZE(1..maxnoofCellIDforWarning)) OF CellIDBroadcastEUTRA-Item CellIDBroadcastEUTRA-Item ::= SEQUENCE { eUTRA-CGI EUTRA-CGI, iE-Extensions ProtocolExtensionContainer { {CellIDBroadcastEUTRA-Item-ExtIEs} } OPTIONAL, ... } CellIDBroadcastEUTRA-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CellIDBroadcastNR ::= SEQUENCE (SIZE(1..maxnoofCellIDforWarning)) OF CellIDBroadcastNR-Item CellIDBroadcastNR-Item ::= SEQUENCE { nR-CGI NR-CGI, iE-Extensions ProtocolExtensionContainer { {CellIDBroadcastNR-Item-ExtIEs} } OPTIONAL, ... } CellIDBroadcastNR-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CellIDCancelledEUTRA ::= SEQUENCE (SIZE(1..maxnoofCellIDforWarning)) OF CellIDCancelledEUTRA-Item CellIDCancelledEUTRA-Item ::= SEQUENCE { eUTRA-CGI EUTRA-CGI, numberOfBroadcasts NumberOfBroadcasts, iE-Extensions ProtocolExtensionContainer { {CellIDCancelledEUTRA-Item-ExtIEs} } OPTIONAL, ... } CellIDCancelledEUTRA-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CellIDCancelledNR ::= SEQUENCE (SIZE(1..maxnoofCellIDforWarning)) OF CellIDCancelledNR-Item CellIDCancelledNR-Item ::= SEQUENCE { nR-CGI NR-CGI, numberOfBroadcasts NumberOfBroadcasts, iE-Extensions ProtocolExtensionContainer { {CellIDCancelledNR-Item-ExtIEs} } OPTIONAL, ... } CellIDCancelledNR-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CellIDListForRestart ::= CHOICE { eUTRA-CGIListforRestart EUTRA-CGIList, nR-CGIListforRestart NR-CGIList, choice-Extensions ProtocolIE-SingleContainer { {CellIDListForRestart-ExtIEs} } } CellIDListForRestart-ExtIEs NGAP-PROTOCOL-IES ::= { ... } CellSize ::= ENUMERATED {verysmall, small, medium, large, ...} CellType ::= SEQUENCE { cellSize CellSize, iE-Extensions ProtocolExtensionContainer { {CellType-ExtIEs} } OPTIONAL, ... } CellType-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CEmodeBSupport-Indicator ::= ENUMERATED {supported,...} CEmodeBrestricted ::= ENUMERATED { restricted, not-restricted, ... } CNAssistedRANTuning ::= SEQUENCE { expectedUEBehaviour ExpectedUEBehaviour OPTIONAL, iE-Extensions ProtocolExtensionContainer { {CNAssistedRANTuning-ExtIEs} } OPTIONAL, ... } CNAssistedRANTuning-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CNsubgroupID ::= INTEGER (0..7, ...) CNTypeRestrictionsForEquivalent ::= SEQUENCE (SIZE(1..maxnoofEPLMNs)) OF CNTypeRestrictionsForEquivalentItem CNTypeRestrictionsForEquivalentItem ::= SEQUENCE { plmnIdentity PLMNIdentity, cn-Type ENUMERATED {epc-forbidden, fiveGC-forbidden, ...}, iE-Extensions ProtocolExtensionContainer { {CNTypeRestrictionsForEquivalentItem-ExtIEs} } OPTIONAL, ... } CNTypeRestrictionsForEquivalentItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::={ ... } CNTypeRestrictionsForServing ::= ENUMERATED { epc-forbidden, ... } CommonNetworkInstance ::= OCTET STRING CompletedCellsInEAI-EUTRA ::= SEQUENCE (SIZE(1..maxnoofCellinEAI)) OF CompletedCellsInEAI-EUTRA-Item CompletedCellsInEAI-EUTRA-Item ::= SEQUENCE { eUTRA-CGI EUTRA-CGI, iE-Extensions ProtocolExtensionContainer { {CompletedCellsInEAI-EUTRA-Item-ExtIEs} } OPTIONAL, ... } CompletedCellsInEAI-EUTRA-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CompletedCellsInEAI-NR ::= SEQUENCE (SIZE(1..maxnoofCellinEAI)) OF CompletedCellsInEAI-NR-Item CompletedCellsInEAI-NR-Item ::= SEQUENCE { nR-CGI NR-CGI, iE-Extensions ProtocolExtensionContainer { {CompletedCellsInEAI-NR-Item-ExtIEs} } OPTIONAL, ... } CompletedCellsInEAI-NR-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CompletedCellsInTAI-EUTRA ::= SEQUENCE (SIZE(1..maxnoofCellinTAI)) OF CompletedCellsInTAI-EUTRA-Item CompletedCellsInTAI-EUTRA-Item ::= SEQUENCE{ eUTRA-CGI EUTRA-CGI, iE-Extensions ProtocolExtensionContainer { {CompletedCellsInTAI-EUTRA-Item-ExtIEs} } OPTIONAL, ... } CompletedCellsInTAI-EUTRA-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CompletedCellsInTAI-NR ::= SEQUENCE (SIZE(1..maxnoofCellinTAI)) OF CompletedCellsInTAI-NR-Item CompletedCellsInTAI-NR-Item ::= SEQUENCE{ nR-CGI NR-CGI, iE-Extensions ProtocolExtensionContainer { {CompletedCellsInTAI-NR-Item-ExtIEs} } OPTIONAL, ... } CompletedCellsInTAI-NR-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ConcurrentWarningMessageInd ::= ENUMERATED { true, ... } ConfidentialityProtectionIndication ::= ENUMERATED { required, preferred, not-needed, ... } ConfidentialityProtectionResult ::= ENUMERATED { performed, not-performed, ... } ConfiguredTACIndication ::= ENUMERATED { true, ... } CoreNetworkAssistanceInformationForInactive ::= SEQUENCE { uEIdentityIndexValue UEIdentityIndexValue, uESpecificDRX PagingDRX OPTIONAL, periodicRegistrationUpdateTimer PeriodicRegistrationUpdateTimer, mICOModeIndication MICOModeIndication OPTIONAL, tAIListForInactive TAIListForInactive, expectedUEBehaviour ExpectedUEBehaviour OPTIONAL, iE-Extensions ProtocolExtensionContainer { {CoreNetworkAssistanceInformationForInactive-ExtIEs} } OPTIONAL, ... } CoreNetworkAssistanceInformationForInactive-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-EUTRA-PagingeDRXInformation CRITICALITY ignore EXTENSION EUTRA-PagingeDRXInformation PRESENCE optional }| { ID id-ExtendedUEIdentityIndexValue CRITICALITY ignore EXTENSION ExtendedUEIdentityIndexValue PRESENCE optional }| { ID id-UERadioCapabilityForPaging CRITICALITY ignore EXTENSION UERadioCapabilityForPaging PRESENCE optional }| { ID id-MicoAllPLMN CRITICALITY ignore EXTENSION MicoAllPLMN PRESENCE optional }| { ID id-NR-PagingeDRXInformation CRITICALITY ignore EXTENSION NR-PagingeDRXInformation PRESENCE optional }| { ID id-PagingCauseIndicationForVoiceService CRITICALITY ignore EXTENSION PagingCauseIndicationForVoiceService PRESENCE optional }| { ID id-PEIPSassistanceInformation CRITICALITY ignore EXTENSION PEIPSassistanceInformation PRESENCE optional }| { ID id-HashedUEIdentityIndexValue CRITICALITY ignore EXTENSION HashedUEIdentityIndexValue PRESENCE optional }, ... } COUNTValueForPDCP-SN12 ::= SEQUENCE { pDCP-SN12 INTEGER (0..4095), hFN-PDCP-SN12 INTEGER (0..1048575), iE-Extensions ProtocolExtensionContainer { {COUNTValueForPDCP-SN12-ExtIEs} } OPTIONAL, ... } COUNTValueForPDCP-SN12-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } COUNTValueForPDCP-SN18 ::= SEQUENCE { pDCP-SN18 INTEGER (0..262143), hFN-PDCP-SN18 INTEGER (0..16383), iE-Extensions ProtocolExtensionContainer { {COUNTValueForPDCP-SN18-ExtIEs} } OPTIONAL, ... } COUNTValueForPDCP-SN18-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CoverageEnhancementLevel ::= OCTET STRING CPTransportLayerInformation ::= CHOICE { endpointIPAddress TransportLayerAddress, choice-Extensions ProtocolIE-SingleContainer { {CPTransportLayerInformation-ExtIEs} } } CPTransportLayerInformation-ExtIEs NGAP-PROTOCOL-IES ::= { { ID id-EndpointIPAddressAndPort CRITICALITY reject TYPE EndpointIPAddressAndPort PRESENCE mandatory }, ... } CriticalityDiagnostics ::= SEQUENCE { procedureCode ProcedureCode OPTIONAL, triggeringMessage TriggeringMessage OPTIONAL, procedureCriticality Criticality OPTIONAL, iEsCriticalityDiagnostics CriticalityDiagnostics-IE-List OPTIONAL, iE-Extensions ProtocolExtensionContainer {{CriticalityDiagnostics-ExtIEs}} OPTIONAL, ... } CriticalityDiagnostics-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CriticalityDiagnostics-IE-List ::= SEQUENCE (SIZE(1..maxnoofErrors)) OF CriticalityDiagnostics-IE-Item CriticalityDiagnostics-IE-Item ::= SEQUENCE { iECriticality Criticality, iE-ID ProtocolIE-ID, typeOfError TypeOfError, iE-Extensions ProtocolExtensionContainer {{CriticalityDiagnostics-IE-Item-ExtIEs}} OPTIONAL, ... } CriticalityDiagnostics-IE-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CellBasedMDT-NR::= SEQUENCE { cellIdListforMDT CellIdListforMDT-NR, iE-Extensions ProtocolExtensionContainer { {CellBasedMDT-NR-ExtIEs} } OPTIONAL, ... } CellBasedMDT-NR-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CellIdListforMDT-NR ::= SEQUENCE (SIZE(1..maxnoofCellIDforMDT)) OF NR-CGI CellBasedMDT-EUTRA::= SEQUENCE { cellIdListforMDT CellIdListforMDT-EUTRA, iE-Extensions ProtocolExtensionContainer { {CellBasedMDT-EUTRA-ExtIEs} } OPTIONAL, ... } CellBasedMDT-EUTRA-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CellBasedQMC ::= SEQUENCE { cellIdListforQMC CellIdListforQMC, iE-Extensions ProtocolExtensionContainer { {CellBasedQMC-ExtIEs} } OPTIONAL, ... } CellBasedQMC-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CellIdListforQMC ::= SEQUENCE (SIZE(1..maxnoofCellIDforQMC)) OF NGRAN-CGI CellIdListforMDT-EUTRA ::= SEQUENCE (SIZE(1..maxnoofCellIDforMDT)) OF EUTRA-CGI -- D DataCodingScheme ::= BIT STRING (SIZE(8)) DataForwardingAccepted ::= ENUMERATED { data-forwarding-accepted, ... } DataForwardingNotPossible ::= ENUMERATED { data-forwarding-not-possible, ... } DataForwardingResponseDRBList ::= SEQUENCE (SIZE(1..maxnoofDRBs)) OF DataForwardingResponseDRBItem DataForwardingResponseDRBItem ::= SEQUENCE { dRB-ID DRB-ID, dLForwardingUP-TNLInformation UPTransportLayerInformation OPTIONAL, uLForwardingUP-TNLInformation UPTransportLayerInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer {{DataForwardingResponseDRBItem-ExtIEs}} OPTIONAL, ... } DataForwardingResponseDRBItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } DAPSRequestInfo ::= SEQUENCE { dAPSIndicator ENUMERATED {daps-ho-required, ...}, iE-Extensions ProtocolExtensionContainer { {DAPSRequestInfo-ExtIEs} } OPTIONAL, ... } DAPSRequestInfo-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } DAPSResponseInfoList ::= SEQUENCE (SIZE(1.. maxnoofDRBs)) OF DAPSResponseInfoItem DAPSResponseInfoItem ::= SEQUENCE { dRB-ID DRB-ID, dAPSResponseInfo DAPSResponseInfo, iE-Extension ProtocolExtensionContainer { {DAPSResponseInfoItem-ExtIEs} } OPTIONAL, ... } DAPSResponseInfoItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } DAPSResponseInfo ::= SEQUENCE { dapsresponseindicator ENUMERATED {daps-ho-accepted, daps-ho-not-accepted, ...}, iE-Extensions ProtocolExtensionContainer { { DAPSResponseInfo-ExtIEs} } OPTIONAL, ... } DAPSResponseInfo-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } DataForwardingResponseERABList ::= SEQUENCE (SIZE(1..maxnoofE-RABs)) OF DataForwardingResponseERABListItem DataForwardingResponseERABListItem ::= SEQUENCE { e-RAB-ID E-RAB-ID, dLForwardingUP-TNLInformation UPTransportLayerInformation, iE-Extensions ProtocolExtensionContainer { {DataForwardingResponseERABListItem-ExtIEs} } OPTIONAL, ... } DataForwardingResponseERABListItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } DelayCritical ::= ENUMERATED { delay-critical, non-delay-critical, ... } DL-CP-SecurityInformation ::= SEQUENCE { dl-NAS-MAC DL-NAS-MAC, iE-Extensions ProtocolExtensionContainer { { DL-CP-SecurityInformation-ExtIEs} } OPTIONAL, ... } DL-CP-SecurityInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } DL-NAS-MAC ::= BIT STRING (SIZE (16)) DLForwarding ::= ENUMERATED { dl-forwarding-proposed, ... } DL-NGU-TNLInformationReused ::= ENUMERATED { true, ... } DirectForwardingPathAvailability ::= ENUMERATED { direct-path-available, ... } DRB-ID ::= INTEGER (1..32, ...) DRBsSubjectToStatusTransferList ::= SEQUENCE (SIZE(1..maxnoofDRBs)) OF DRBsSubjectToStatusTransferItem DRBsSubjectToStatusTransferItem ::= SEQUENCE { dRB-ID DRB-ID, dRBStatusUL DRBStatusUL, dRBStatusDL DRBStatusDL, iE-Extension ProtocolExtensionContainer { {DRBsSubjectToStatusTransferItem-ExtIEs} } OPTIONAL, ... } DRBsSubjectToStatusTransferItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-OldAssociatedQosFlowList-ULendmarkerexpected CRITICALITY ignore EXTENSION AssociatedQosFlowList PRESENCE optional }, ... } DRBStatusDL ::= CHOICE { dRBStatusDL12 DRBStatusDL12, dRBStatusDL18 DRBStatusDL18, choice-Extensions ProtocolIE-SingleContainer { {DRBStatusDL-ExtIEs} } } DRBStatusDL-ExtIEs NGAP-PROTOCOL-IES ::= { ... } DRBStatusDL12 ::= SEQUENCE { dL-COUNTValue COUNTValueForPDCP-SN12, iE-Extension ProtocolExtensionContainer { {DRBStatusDL12-ExtIEs} } OPTIONAL, ... } DRBStatusDL12-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } DRBStatusDL18 ::= SEQUENCE { dL-COUNTValue COUNTValueForPDCP-SN18, iE-Extension ProtocolExtensionContainer { {DRBStatusDL18-ExtIEs} } OPTIONAL, ... } DRBStatusDL18-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } DRBStatusUL ::= CHOICE { dRBStatusUL12 DRBStatusUL12, dRBStatusUL18 DRBStatusUL18, choice-Extensions ProtocolIE-SingleContainer { {DRBStatusUL-ExtIEs} } } DRBStatusUL-ExtIEs NGAP-PROTOCOL-IES ::= { ... } DRBStatusUL12 ::= SEQUENCE { uL-COUNTValue COUNTValueForPDCP-SN12, receiveStatusOfUL-PDCP-SDUs BIT STRING (SIZE(1..2048)) OPTIONAL, iE-Extension ProtocolExtensionContainer { {DRBStatusUL12-ExtIEs} } OPTIONAL, ... } DRBStatusUL12-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } DRBStatusUL18 ::= SEQUENCE { uL-COUNTValue COUNTValueForPDCP-SN18, receiveStatusOfUL-PDCP-SDUs BIT STRING (SIZE(1..131072)) OPTIONAL, iE-Extension ProtocolExtensionContainer { {DRBStatusUL18-ExtIEs} } OPTIONAL, ... } DRBStatusUL18-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } DRBsToQosFlowsMappingList ::= SEQUENCE (SIZE(1..maxnoofDRBs)) OF DRBsToQosFlowsMappingItem DRBsToQosFlowsMappingItem ::= SEQUENCE { dRB-ID DRB-ID, associatedQosFlowList AssociatedQosFlowList, iE-Extensions ProtocolExtensionContainer { {DRBsToQosFlowsMappingItem-ExtIEs} } OPTIONAL, ... } DRBsToQosFlowsMappingItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-DAPSRequestInfo CRITICALITY ignore EXTENSION DAPSRequestInfo PRESENCE optional }, ... } Dynamic5QIDescriptor ::= SEQUENCE { priorityLevelQos PriorityLevelQos, packetDelayBudget PacketDelayBudget, packetErrorRate PacketErrorRate, fiveQI FiveQI OPTIONAL, delayCritical DelayCritical OPTIONAL, -- The above IE shall be present in case of GBR QoS flow averagingWindow AveragingWindow OPTIONAL, -- The above IE shall be present in case of GBR QoS flow maximumDataBurstVolume MaximumDataBurstVolume OPTIONAL, iE-Extensions ProtocolExtensionContainer { {Dynamic5QIDescriptor-ExtIEs} } OPTIONAL, ... } Dynamic5QIDescriptor-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-ExtendedPacketDelayBudget CRITICALITY ignore EXTENSION ExtendedPacketDelayBudget PRESENCE optional }| { ID id-CNPacketDelayBudgetDL CRITICALITY ignore EXTENSION ExtendedPacketDelayBudget PRESENCE optional }| { ID id-CNPacketDelayBudgetUL CRITICALITY ignore EXTENSION ExtendedPacketDelayBudget PRESENCE optional }, ... } -- E EarlyMeasurement ::= ENUMERATED {true, ...} EarlyStatusTransfer-TransparentContainer ::= SEQUENCE { procedureStage ProcedureStageChoice, iE-Extensions ProtocolExtensionContainer { {EarlyStatusTransfer-TransparentContainer-ExtIEs} } OPTIONAL, ... } EarlyStatusTransfer-TransparentContainer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ProcedureStageChoice ::= CHOICE { first-dl-count FirstDLCount, choice-Extensions ProtocolIE-SingleContainer { {ProcedureStageChoice-ExtIEs} } } ProcedureStageChoice-ExtIEs NGAP-PROTOCOL-IES ::= { ... } FirstDLCount ::= SEQUENCE { dRBsSubjectToEarlyStatusTransfer DRBsSubjectToEarlyStatusTransfer-List, iE-Extension ProtocolExtensionContainer { {FirstDLCount-ExtIEs} } OPTIONAL, ... } FirstDLCount-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } DRBsSubjectToEarlyStatusTransfer-List ::= SEQUENCE (SIZE (1.. maxnoofDRBs)) OF DRBsSubjectToEarlyStatusTransfer-Item DRBsSubjectToEarlyStatusTransfer-Item ::= SEQUENCE { dRB-ID DRB-ID, firstDLCOUNT DRBStatusDL, iE-Extension ProtocolExtensionContainer { { DRBsSubjectToEarlyStatusTransfer-Item-ExtIEs} } OPTIONAL, ... } DRBsSubjectToEarlyStatusTransfer-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EDT-Session ::= ENUMERATED { true, ... } EmergencyAreaID ::= OCTET STRING (SIZE(3)) EmergencyAreaIDBroadcastEUTRA ::= SEQUENCE (SIZE(1..maxnoofEmergencyAreaID)) OF EmergencyAreaIDBroadcastEUTRA-Item EmergencyAreaIDBroadcastEUTRA-Item ::= SEQUENCE { emergencyAreaID EmergencyAreaID, completedCellsInEAI-EUTRA CompletedCellsInEAI-EUTRA, iE-Extensions ProtocolExtensionContainer { {EmergencyAreaIDBroadcastEUTRA-Item-ExtIEs} } OPTIONAL, ... } EmergencyAreaIDBroadcastEUTRA-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EmergencyAreaIDBroadcastNR ::= SEQUENCE (SIZE(1..maxnoofEmergencyAreaID)) OF EmergencyAreaIDBroadcastNR-Item EmergencyAreaIDBroadcastNR-Item ::= SEQUENCE { emergencyAreaID EmergencyAreaID, completedCellsInEAI-NR CompletedCellsInEAI-NR, iE-Extensions ProtocolExtensionContainer { {EmergencyAreaIDBroadcastNR-Item-ExtIEs} } OPTIONAL, ... } EmergencyAreaIDBroadcastNR-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EmergencyAreaIDCancelledEUTRA ::= SEQUENCE (SIZE(1..maxnoofEmergencyAreaID)) OF EmergencyAreaIDCancelledEUTRA-Item EmergencyAreaIDCancelledEUTRA-Item ::= SEQUENCE { emergencyAreaID EmergencyAreaID, cancelledCellsInEAI-EUTRA CancelledCellsInEAI-EUTRA, iE-Extensions ProtocolExtensionContainer { {EmergencyAreaIDCancelledEUTRA-Item-ExtIEs} } OPTIONAL, ... } EmergencyAreaIDCancelledEUTRA-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EmergencyAreaIDCancelledNR ::= SEQUENCE (SIZE(1..maxnoofEmergencyAreaID)) OF EmergencyAreaIDCancelledNR-Item EmergencyAreaIDCancelledNR-Item ::= SEQUENCE { emergencyAreaID EmergencyAreaID, cancelledCellsInEAI-NR CancelledCellsInEAI-NR, iE-Extensions ProtocolExtensionContainer { {EmergencyAreaIDCancelledNR-Item-ExtIEs} } OPTIONAL, ... } EmergencyAreaIDCancelledNR-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EmergencyAreaIDList ::= SEQUENCE (SIZE(1..maxnoofEmergencyAreaID)) OF EmergencyAreaID EmergencyAreaIDListForRestart ::= SEQUENCE (SIZE(1..maxnoofEAIforRestart)) OF EmergencyAreaID EmergencyFallbackIndicator ::= SEQUENCE { emergencyFallbackRequestIndicator EmergencyFallbackRequestIndicator, emergencyServiceTargetCN EmergencyServiceTargetCN OPTIONAL, iE-Extensions ProtocolExtensionContainer { {EmergencyFallbackIndicator-ExtIEs} } OPTIONAL, ... } EmergencyFallbackIndicator-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EmergencyFallbackRequestIndicator ::= ENUMERATED { emergency-fallback-requested, ... } EmergencyServiceTargetCN ::= ENUMERATED { fiveGC, epc, ... } ENB-ID ::= CHOICE { macroENB-ID BIT STRING (SIZE(20)), homeENB-ID BIT STRING (SIZE(28)), short-macroENB-ID BIT STRING (SIZE(18)), long-macroENB-ID BIT STRING (SIZE(21)), choice-Extensions ProtocolIE-SingleContainer { { ENB-ID-ExtIEs} } } ENB-ID-ExtIEs NGAP-PROTOCOL-IES ::= { ... } Enhanced-CoverageRestriction ::= ENUMERATED {restricted, ... } Extended-ConnectedTime ::= INTEGER (0..255) EN-DCSONConfigurationTransfer ::= OCTET STRING EndpointIPAddressAndPort ::=SEQUENCE { endpointIPAddress TransportLayerAddress, portNumber PortNumber, iE-Extensions ProtocolExtensionContainer { { EndpointIPAddressAndPort-ExtIEs} } OPTIONAL } EndIndication ::= ENUMERATED { no-further-data, further-data-exists, ... } EndpointIPAddressAndPort-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EquivalentPLMNs ::= SEQUENCE (SIZE(1..maxnoofEPLMNs)) OF PLMNIdentity EPS-TAC ::= OCTET STRING (SIZE(2)) EPS-TAI ::= SEQUENCE { pLMNIdentity PLMNIdentity, ePS-TAC EPS-TAC, iE-Extensions ProtocolExtensionContainer { {EPS-TAI-ExtIEs} } OPTIONAL, ... } EPS-TAI-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } E-RAB-ID ::= INTEGER (0..15, ...) E-RABInformationList ::= SEQUENCE (SIZE(1..maxnoofE-RABs)) OF E-RABInformationItem E-RABInformationItem ::= SEQUENCE { e-RAB-ID E-RAB-ID, dLForwarding DLForwarding OPTIONAL, iE-Extensions ProtocolExtensionContainer { {E-RABInformationItem-ExtIEs} } OPTIONAL, ... } E-RABInformationItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { {ID id-SourceTNLAddrInfo CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional}| {ID id-SourceNodeTNLAddrInfo CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional}, ... } EUTRACellIdentity ::= BIT STRING (SIZE(28)) EUTRA-CGI ::= SEQUENCE { pLMNIdentity PLMNIdentity, eUTRACellIdentity EUTRACellIdentity, iE-Extensions ProtocolExtensionContainer { {EUTRA-CGI-ExtIEs} } OPTIONAL, ... } EUTRA-CGI-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EUTRA-CGIList ::= SEQUENCE (SIZE(1..maxnoofCellsinngeNB)) OF EUTRA-CGI EUTRA-CGIListForWarning ::= SEQUENCE (SIZE(1..maxnoofCellIDforWarning)) OF EUTRA-CGI EUTRA-PagingeDRXInformation ::= SEQUENCE { eUTRA-paging-eDRX-Cycle EUTRA-Paging-eDRX-Cycle, eUTRA-paging-Time-Window EUTRA-Paging-Time-Window OPTIONAL, iE-Extensions ProtocolExtensionContainer { {EUTRA-PagingeDRXInformation-ExtIEs} } OPTIONAL, ... } EUTRA-PagingeDRXInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EUTRA-Paging-eDRX-Cycle ::= ENUMERATED { hfhalf, hf1, hf2, hf4, hf6, hf8, hf10, hf12, hf14, hf16, hf32, hf64, hf128, hf256, ... } EUTRA-Paging-Time-Window ::= ENUMERATED { s1, s2, s3, s4, s5, s6, s7, s8, s9, s10, s11, s12, s13, s14, s15, s16, ... } EUTRAencryptionAlgorithms ::= BIT STRING (SIZE(16, ...)) EUTRAintegrityProtectionAlgorithms ::= BIT STRING (SIZE(16, ...)) EventType ::= ENUMERATED { direct, change-of-serve-cell, ue-presence-in-area-of-interest, stop-change-of-serve-cell, stop-ue-presence-in-area-of-interest, cancel-location-reporting-for-the-ue, ... } ExcessPacketDelayThresholdConfiguration ::= SEQUENCE (SIZE(1..maxnoofThresholdsForExcessPacketDelay)) OF ExcessPacketDelayThresholdItem ExcessPacketDelayThresholdItem ::= SEQUENCE { fiveQi FiveQI, excessPacketDelayThresholdValue ExcessPacketDelayThresholdValue, iE-Extensions ProtocolExtensionContainer { { ExcessPacketDelayThresholdItem-ExtIEs} } OPTIONAL, ... } ExcessPacketDelayThresholdItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ExcessPacketDelayThresholdValue ::= ENUMERATED { ms0dot25, ms0dot5, ms1, ms2, ms4, ms5, ms10, ms20, ms30, ms40, ms50, ms60, ms70, ms80, ms90, ms100, ms150, ms300, ms500, ... } ExpectedActivityPeriod ::= INTEGER (1..30|40|50|60|80|100|120|150|180|181, ...) ExpectedHOInterval ::= ENUMERATED { sec15, sec30, sec60, sec90, sec120, sec180, long-time, ... } ExpectedIdlePeriod ::= INTEGER (1..30|40|50|60|80|100|120|150|180|181, ...) ExpectedUEActivityBehaviour ::= SEQUENCE { expectedActivityPeriod ExpectedActivityPeriod OPTIONAL, expectedIdlePeriod ExpectedIdlePeriod OPTIONAL, sourceOfUEActivityBehaviourInformation SourceOfUEActivityBehaviourInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { {ExpectedUEActivityBehaviour-ExtIEs} } OPTIONAL, ... } ExpectedUEActivityBehaviour-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ExpectedUEBehaviour ::= SEQUENCE { expectedUEActivityBehaviour ExpectedUEActivityBehaviour OPTIONAL, expectedHOInterval ExpectedHOInterval OPTIONAL, expectedUEMobility ExpectedUEMobility OPTIONAL, expectedUEMovingTrajectory ExpectedUEMovingTrajectory OPTIONAL, iE-Extensions ProtocolExtensionContainer { {ExpectedUEBehaviour-ExtIEs} } OPTIONAL, ... } ExpectedUEBehaviour-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ExpectedUEMobility ::= ENUMERATED { stationary, mobile, ... } ExpectedUEMovingTrajectory ::= SEQUENCE (SIZE(1..maxnoofCellsUEMovingTrajectory)) OF ExpectedUEMovingTrajectoryItem ExpectedUEMovingTrajectoryItem ::= SEQUENCE { nGRAN-CGI NGRAN-CGI, timeStayedInCell INTEGER (0..4095) OPTIONAL, iE-Extensions ProtocolExtensionContainer { {ExpectedUEMovingTrajectoryItem-ExtIEs} } OPTIONAL, ... } ExpectedUEMovingTrajectoryItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } Extended-AMFName ::= SEQUENCE { aMFNameVisibleString AMFNameVisibleString OPTIONAL, aMFNameUTF8String AMFNameUTF8String OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Extended-AMFName-ExtIEs } } OPTIONAL, ... } Extended-AMFName-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ExtendedPacketDelayBudget ::= INTEGER (1..65535, ..., 65536..109999) Extended-RANNodeName ::= SEQUENCE { rANNodeNameVisibleString RANNodeNameVisibleString OPTIONAL, rANNodeNameUTF8String RANNodeNameUTF8String OPTIONAL, iE-Extensions ProtocolExtensionContainer { { Extended-RANNodeName-ExtIEs } } OPTIONAL, ... } Extended-RANNodeName-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ExtendedRATRestrictionInformation ::= SEQUENCE { primaryRATRestriction BIT STRING (SIZE(8, ...)), secondaryRATRestriction BIT STRING (SIZE(8, ...)), iE-Extensions ProtocolExtensionContainer { {ExtendedRATRestrictionInformation-ExtIEs} } OPTIONAL, ... } ExtendedRATRestrictionInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ExtendedRNC-ID ::= INTEGER (4096..65535) ExtendedSliceSupportList ::= SEQUENCE (SIZE(1..maxnoofExtSliceItems)) OF SliceSupportItem ExtendedUEIdentityIndexValue ::= BIT STRING (SIZE(16)) EventTrigger::= CHOICE { outOfCoverage ENUMERATED {true, ...}, eventL1LoggedMDTConfig EventL1LoggedMDTConfig, choice-Extensions ProtocolIE-SingleContainer { { EventTrigger-ExtIEs} } } EventTrigger-ExtIEs NGAP-PROTOCOL-IES ::= { ... } EventL1LoggedMDTConfig ::= SEQUENCE { l1Threshold MeasurementThresholdL1LoggedMDT, hysteresis Hysteresis, timeToTrigger TimeToTrigger, iE-Extensions ProtocolExtensionContainer { { EventL1LoggedMDTConfig-ExtIEs} } OPTIONAL, ... } EventL1LoggedMDTConfig-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MeasurementThresholdL1LoggedMDT ::= CHOICE { threshold-RSRP Threshold-RSRP, threshold-RSRQ Threshold-RSRQ, choice-Extensions ProtocolIE-SingleContainer { { MeasurementThresholdL1LoggedMDT-ExtIEs} } } MeasurementThresholdL1LoggedMDT-ExtIEs NGAP-PROTOCOL-IES ::= { ... } -- F FailureIndication ::= SEQUENCE { uERLFReportContainer UERLFReportContainer, iE-Extensions ProtocolExtensionContainer { { FailureIndication-ExtIEs} } OPTIONAL, ... } FailureIndication-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } FiveG-ProSeAuthorized ::= SEQUENCE { fiveGProSeDirectDiscovery FiveGProSeDirectDiscovery OPTIONAL, fiveGProSeDirectCommunication FiveGProSeDirectCommunication OPTIONAL, fiveGProSeLayer2UEtoNetworkRelay FiveGProSeLayer2UEtoNetworkRelay OPTIONAL, fiveGProSeLayer3UEtoNetworkRelay FiveGProSeLayer3UEtoNetworkRelay OPTIONAL, fiveGProSeLayer2RemoteUE FiveGProSeLayer2RemoteUE OPTIONAL, iE-Extensions ProtocolExtensionContainer { {FiveG-ProSeAuthorized-ExtIEs} } OPTIONAL, ... } FiveG-ProSeAuthorized-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } FiveGProSeDirectDiscovery ::= ENUMERATED { authorized, not-authorized, ... } FiveGProSeDirectCommunication ::= ENUMERATED { authorized, not-authorized, ... } FiveGProSeLayer2UEtoNetworkRelay ::= ENUMERATED { authorized, not-authorized, ... } FiveGProSeLayer3UEtoNetworkRelay ::= ENUMERATED { authorized, not-authorized, ... } FiveGProSeLayer2RemoteUE ::= ENUMERATED { authorized, not-authorized, ... } FiveG-ProSePC5QoSParameters ::= SEQUENCE { fiveGProSepc5QoSFlowList FiveGProSePC5QoSFlowList, fiveGProSepc5LinkAggregateBitRates BitRate OPTIONAL, iE-Extensions ProtocolExtensionContainer { { FiveG-ProSePC5QoSParameters-ExtIEs} } OPTIONAL, ... } FiveG-ProSePC5QoSParameters-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } FiveGProSePC5QoSFlowList ::= SEQUENCE (SIZE(1..maxnoofPC5QoSFlows)) OF FiveGProSePC5QoSFlowItem FiveGProSePC5QoSFlowItem ::= SEQUENCE { fiveGproSepQI FiveQI, fiveGproSepc5FlowBitRates FiveGProSePC5FlowBitRates OPTIONAL, fiveGproSerange Range OPTIONAL, iE-Extensions ProtocolExtensionContainer { { FiveGProSePC5QoSFlowItem-ExtIEs} } OPTIONAL, ... } FiveGProSePC5QoSFlowItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } FiveGProSePC5FlowBitRates ::= SEQUENCE { fiveGproSeguaranteedFlowBitRate BitRate, fiveGproSemaximumFlowBitRate BitRate, iE-Extensions ProtocolExtensionContainer { { FiveGProSePC5FlowBitRates-ExtIEs} } OPTIONAL, ... } FiveGProSePC5FlowBitRates-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } FiveG-S-TMSI ::= SEQUENCE { aMFSetID AMFSetID, aMFPointer AMFPointer, fiveG-TMSI FiveG-TMSI, iE-Extensions ProtocolExtensionContainer { {FiveG-S-TMSI-ExtIEs} } OPTIONAL, ... } FiveG-S-TMSI-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } FiveG-TMSI ::= OCTET STRING (SIZE(4)) FiveQI ::= INTEGER (0..255, ...) ForbiddenAreaInformation ::= SEQUENCE (SIZE(1.. maxnoofEPLMNsPlusOne)) OF ForbiddenAreaInformation-Item ForbiddenAreaInformation-Item ::= SEQUENCE { pLMNIdentity PLMNIdentity, forbiddenTACs ForbiddenTACs, iE-Extensions ProtocolExtensionContainer { {ForbiddenAreaInformation-Item-ExtIEs} } OPTIONAL, ... } ForbiddenAreaInformation-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ForbiddenTACs ::= SEQUENCE (SIZE(1..maxnoofForbTACs)) OF TAC FromEUTRANtoNGRAN ::= SEQUENCE { sourceeNBID IntersystemSONeNBID, targetNGRANnodeID IntersystemSONNGRANnodeID, iE-Extensions ProtocolExtensionContainer { { FromEUTRANtoNGRAN-ExtIEs} } OPTIONAL } FromEUTRANtoNGRAN-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } FromNGRANtoEUTRAN ::= SEQUENCE { sourceNGRANnodeID IntersystemSONNGRANnodeID, targeteNBID IntersystemSONeNBID, iE-Extensions ProtocolExtensionContainer { { FromNGRANtoEUTRAN-ExtIEs} } OPTIONAL } FromNGRANtoEUTRAN-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- G GBR-QosInformation ::= SEQUENCE { maximumFlowBitRateDL BitRate, maximumFlowBitRateUL BitRate, guaranteedFlowBitRateDL BitRate, guaranteedFlowBitRateUL BitRate, notificationControl NotificationControl OPTIONAL, maximumPacketLossRateDL PacketLossRate OPTIONAL, maximumPacketLossRateUL PacketLossRate OPTIONAL, iE-Extensions ProtocolExtensionContainer { {GBR-QosInformation-ExtIEs} } OPTIONAL, ... } GBR-QosInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-AlternativeQoSParaSetList CRITICALITY ignore EXTENSION AlternativeQoSParaSetList PRESENCE optional }, ... } GlobalCable-ID ::= OCTET STRING GlobalCable-ID-new ::= SEQUENCE { globalCable-ID GlobalCable-ID, tAI TAI, iE-Extensions ProtocolExtensionContainer { { GlobalCable-ID-new-ExtIEs} } OPTIONAL, ... } GlobalCable-ID-new-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } GlobalENB-ID ::= SEQUENCE { pLMNidentity PLMNIdentity, eNB-ID ENB-ID, iE-Extensions ProtocolExtensionContainer { {GlobalENB-ID-ExtIEs} } OPTIONAL, ... } GlobalENB-ID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } GlobalGNB-ID ::= SEQUENCE { pLMNIdentity PLMNIdentity, gNB-ID GNB-ID, iE-Extensions ProtocolExtensionContainer { {GlobalGNB-ID-ExtIEs} } OPTIONAL, ... } GlobalGNB-ID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } GlobalN3IWF-ID ::= SEQUENCE { pLMNIdentity PLMNIdentity, n3IWF-ID N3IWF-ID, iE-Extensions ProtocolExtensionContainer { {GlobalN3IWF-ID-ExtIEs} } OPTIONAL, ... } GlobalN3IWF-ID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } GlobalLine-ID ::= SEQUENCE { globalLineIdentity GlobalLineIdentity, lineType LineType OPTIONAL, iE-Extensions ProtocolExtensionContainer { {GlobalLine-ID-ExtIEs} } OPTIONAL, ... } GlobalLine-ID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-TAI CRITICALITY ignore EXTENSION TAI PRESENCE optional }, ... } GlobalLineIdentity ::= OCTET STRING GlobalNgENB-ID ::= SEQUENCE { pLMNIdentity PLMNIdentity, ngENB-ID NgENB-ID, iE-Extensions ProtocolExtensionContainer { {GlobalNgENB-ID-ExtIEs} } OPTIONAL, ... } GlobalNgENB-ID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } GlobalRANNodeID ::= CHOICE { globalGNB-ID GlobalGNB-ID, globalNgENB-ID GlobalNgENB-ID, globalN3IWF-ID GlobalN3IWF-ID, choice-Extensions ProtocolIE-SingleContainer { {GlobalRANNodeID-ExtIEs} } } GlobalRANNodeID-ExtIEs NGAP-PROTOCOL-IES ::= { { ID id-GlobalTNGF-ID CRITICALITY reject TYPE GlobalTNGF-ID PRESENCE mandatory }| { ID id-GlobalTWIF-ID CRITICALITY reject TYPE GlobalTWIF-ID PRESENCE mandatory }| { ID id-GlobalW-AGF-ID CRITICALITY reject TYPE GlobalW-AGF-ID PRESENCE mandatory }, ... } GlobalTNGF-ID ::= SEQUENCE { pLMNIdentity PLMNIdentity, tNGF-ID TNGF-ID, iE-Extensions ProtocolExtensionContainer { { GlobalTNGF-ID-ExtIEs} } OPTIONAL, ... } GlobalTNGF-ID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } GlobalTWIF-ID ::= SEQUENCE { pLMNIdentity PLMNIdentity, tWIF-ID TWIF-ID, iE-Extensions ProtocolExtensionContainer { { GlobalTWIF-ID-ExtIEs} } OPTIONAL, ... } GlobalTWIF-ID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } GlobalW-AGF-ID ::= SEQUENCE { pLMNIdentity PLMNIdentity, w-AGF-ID W-AGF-ID, iE-Extensions ProtocolExtensionContainer { { GlobalW-AGF-ID-ExtIEs} } OPTIONAL, ... } GlobalW-AGF-ID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } GNB-ID ::= CHOICE { gNB-ID BIT STRING (SIZE(22..32)), choice-Extensions ProtocolIE-SingleContainer { {GNB-ID-ExtIEs} } } GNB-ID-ExtIEs NGAP-PROTOCOL-IES ::= { ... } GTP-TEID ::= OCTET STRING (SIZE(4)) GTPTunnel ::= SEQUENCE { transportLayerAddress TransportLayerAddress, gTP-TEID GTP-TEID, iE-Extensions ProtocolExtensionContainer { {GTPTunnel-ExtIEs} } OPTIONAL, ... } GTPTunnel-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } GUAMI ::= SEQUENCE { pLMNIdentity PLMNIdentity, aMFRegionID AMFRegionID, aMFSetID AMFSetID, aMFPointer AMFPointer, iE-Extensions ProtocolExtensionContainer { {GUAMI-ExtIEs} } OPTIONAL, ... } GUAMI-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } GUAMIType ::= ENUMERATED {native, mapped, ...} -- H HandoverCommandTransfer ::= SEQUENCE { dLForwardingUP-TNLInformation UPTransportLayerInformation OPTIONAL, qosFlowToBeForwardedList QosFlowToBeForwardedList OPTIONAL, dataForwardingResponseDRBList DataForwardingResponseDRBList OPTIONAL, iE-Extensions ProtocolExtensionContainer { {HandoverCommandTransfer-ExtIEs} } OPTIONAL, ... } HandoverCommandTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-AdditionalDLForwardingUPTNLInformation CRITICALITY ignore EXTENSION QosFlowPerTNLInformationList PRESENCE optional }| { ID id-ULForwardingUP-TNLInformation CRITICALITY reject EXTENSION UPTransportLayerInformation PRESENCE optional }| { ID id-AdditionalULForwardingUPTNLInformation CRITICALITY reject EXTENSION UPTransportLayerInformationList PRESENCE optional }| { ID id-DataForwardingResponseERABList CRITICALITY ignore EXTENSION DataForwardingResponseERABList PRESENCE optional }| { ID id-QosFlowFailedToSetupList CRITICALITY ignore EXTENSION QosFlowListWithCause PRESENCE optional }, ... } HandoverFlag ::= ENUMERATED { handover-preparation, ... } HandoverPreparationUnsuccessfulTransfer ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { {HandoverPreparationUnsuccessfulTransfer-ExtIEs} } OPTIONAL, ... } HandoverPreparationUnsuccessfulTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } HandoverRequestAcknowledgeTransfer ::= SEQUENCE { dL-NGU-UP-TNLInformation UPTransportLayerInformation, dLForwardingUP-TNLInformation UPTransportLayerInformation OPTIONAL, securityResult SecurityResult OPTIONAL, qosFlowSetupResponseList QosFlowListWithDataForwarding, qosFlowFailedToSetupList QosFlowListWithCause OPTIONAL, dataForwardingResponseDRBList DataForwardingResponseDRBList OPTIONAL, iE-Extensions ProtocolExtensionContainer { {HandoverRequestAcknowledgeTransfer-ExtIEs} } OPTIONAL, ... } HandoverRequestAcknowledgeTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-AdditionalDLUPTNLInformationForHOList CRITICALITY ignore EXTENSION AdditionalDLUPTNLInformationForHOList PRESENCE optional }| { ID id-ULForwardingUP-TNLInformation CRITICALITY reject EXTENSION UPTransportLayerInformation PRESENCE optional }| { ID id-AdditionalULForwardingUPTNLInformation CRITICALITY reject EXTENSION UPTransportLayerInformationList PRESENCE optional }| { ID id-DataForwardingResponseERABList CRITICALITY ignore EXTENSION DataForwardingResponseERABList PRESENCE optional }| { ID id-RedundantDL-NGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformation PRESENCE optional }| { ID id-UsedRSNInformation CRITICALITY ignore EXTENSION RedundantPDUSessionInformation PRESENCE optional }| { ID id-GlobalRANNodeID CRITICALITY ignore EXTENSION GlobalRANNodeID PRESENCE optional }| { ID id-MBS-SupportIndicator CRITICALITY ignore EXTENSION MBS-SupportIndicator PRESENCE optional }, ... } HandoverRequiredTransfer ::= SEQUENCE { directForwardingPathAvailability DirectForwardingPathAvailability OPTIONAL, iE-Extensions ProtocolExtensionContainer { {HandoverRequiredTransfer-ExtIEs} } OPTIONAL, ... } HandoverRequiredTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } HandoverResourceAllocationUnsuccessfulTransfer ::= SEQUENCE { cause Cause, criticalityDiagnostics CriticalityDiagnostics OPTIONAL, iE-Extensions ProtocolExtensionContainer { {HandoverResourceAllocationUnsuccessfulTransfer-ExtIEs} } OPTIONAL, ... } HandoverResourceAllocationUnsuccessfulTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } HandoverType ::= ENUMERATED { intra5gs, fivegs-to-eps, eps-to-5gs, ..., fivegs-to-utran } HashedUEIdentityIndexValue ::= BIT STRING (SIZE(13, ...)) HFCNode-ID ::= OCTET STRING HFCNode-ID-new ::= SEQUENCE { hFCNode-ID HFCNode-ID, tAI TAI, iE-Extensions ProtocolExtensionContainer { { HFCNode-ID-new-ExtIEs} } OPTIONAL, ... } HFCNode-ID-new-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } HOReport::= SEQUENCE { handoverReportType ENUMERATED {ho-too-early, ho-to-wrong-cell, intersystem-ping-pong, ...}, handoverCause Cause, sourcecellCGI NGRAN-CGI, targetcellCGI NGRAN-CGI, reestablishmentcellCGI NGRAN-CGI OPTIONAL, -- The above IE shall be present if the Handover Report Type IE is set to the value "HO to wrong cell" -- sourcecellC-RNTI BIT STRING (SIZE(16)) OPTIONAL, targetcellinE-UTRAN EUTRA-CGI OPTIONAL, -- The above IE shall be present if the Handover Report Type IE is set to the value "Inter System ping-pong" -- mobilityInformation MobilityInformation OPTIONAL, uERLFReportContainer UERLFReportContainer OPTIONAL, iE-Extensions ProtocolExtensionContainer { { HOReport-ExtIEs} } OPTIONAL, ... } HOReport-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } Hysteresis ::= INTEGER (0..30) -- I IAB-Authorized ::= ENUMERATED { authorized, not-authorized, ... } IAB-Supported ::= ENUMERATED { true, ... } IABNodeIndication ::= ENUMERATED { true, ... } IMSVoiceSupportIndicator ::= ENUMERATED { supported, not-supported, ... } IndexToRFSP ::= INTEGER (1..256, ...) InfoOnRecommendedCellsAndRANNodesForPaging ::= SEQUENCE { recommendedCellsForPaging RecommendedCellsForPaging, recommendRANNodesForPaging RecommendedRANNodesForPaging, iE-Extensions ProtocolExtensionContainer { {InfoOnRecommendedCellsAndRANNodesForPaging-ExtIEs} } OPTIONAL, ... } InfoOnRecommendedCellsAndRANNodesForPaging-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } IntegrityProtectionIndication ::= ENUMERATED { required, preferred, not-needed, ... } IntegrityProtectionResult ::= ENUMERATED { performed, not-performed, ... } IntendedNumberOfPagingAttempts ::= INTEGER (1..16, ...) InterfacesToTrace ::= BIT STRING (SIZE(8)) ImmediateMDTNr ::= SEQUENCE { measurementsToActivate MeasurementsToActivate, m1Configuration M1Configuration OPTIONAL, -- The above IE shall be present if the Measurements to Activate IE has the first bit set to “1” m4Configuration M4Configuration OPTIONAL, -- The above IE shall be present if the Measurements to Activate IE has the third bit set to “1” m5Configuration M5Configuration OPTIONAL, -- The above IE shall be present if the Measurements to Activate IE has the fourth bit set to “1” m6Configuration M6Configuration OPTIONAL, -- The above IE shall be present if the Measurements to Activate IE has the fifth bit set to “1” m7Configuration M7Configuration OPTIONAL, -- The above IE shall be present if the Measurements to Activate IE has the sixth bit set to “1” bluetoothMeasurementConfiguration BluetoothMeasurementConfiguration OPTIONAL, wLANMeasurementConfiguration WLANMeasurementConfiguration OPTIONAL, mDT-Location-Info MDT-Location-Info OPTIONAL, sensorMeasurementConfiguration SensorMeasurementConfiguration OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ImmediateMDTNr-ExtIEs} } OPTIONAL, ... } ImmediateMDTNr-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } InterSystemFailureIndication ::= SEQUENCE { uERLFReportContainer UERLFReportContainer OPTIONAL, iE-Extensions ProtocolExtensionContainer { { InterSystemFailureIndication-ExtIEs} } OPTIONAL, ... } InterSystemFailureIndication-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } IntersystemSONConfigurationTransfer ::= SEQUENCE { transferType IntersystemSONTransferType, intersystemSONInformation IntersystemSONInformation, iE-Extensions ProtocolExtensionContainer { { IntersystemSONConfigurationTransfer-ExtIEs} } OPTIONAL, ... } IntersystemSONConfigurationTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } IntersystemSONTransferType ::= CHOICE { fromEUTRANtoNGRAN FromEUTRANtoNGRAN, fromNGRANtoEUTRAN FromNGRANtoEUTRAN, choice-Extensions ProtocolIE-SingleContainer { { IntersystemSONTransferType-ExtIEs} } } IntersystemSONTransferType-ExtIEs NGAP-PROTOCOL-IES ::= { ... } IntersystemSONeNBID ::= SEQUENCE { globaleNBID GlobalENB-ID, selectedEPSTAI EPS-TAI, iE-Extensions ProtocolExtensionContainer { { IntersystemSONeNBID-ExtIEs} } OPTIONAL, ... } IntersystemSONeNBID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } IntersystemSONNGRANnodeID ::= SEQUENCE { globalRANNodeID GlobalRANNodeID, selectedTAI TAI, iE-Extensions ProtocolExtensionContainer { { IntersystemSONNGRANnodeID-ExtIEs} } OPTIONAL, ... } IntersystemSONNGRANnodeID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } IntersystemSONInformation ::= CHOICE { intersystemSONInformationReport IntersystemSONInformationReport, choice-Extensions ProtocolIE-SingleContainer { { IntersystemSONInformation-ExtIEs} } } IntersystemSONInformation-ExtIEs NGAP-PROTOCOL-IES ::= { { ID id-IntersystemSONInformationRequest CRITICALITY ignore TYPE IntersystemSONInformationRequest PRESENCE mandatory }| { ID id-IntersystemSONInformationReply CRITICALITY ignore TYPE IntersystemSONInformationReply PRESENCE mandatory }, ... } -- -------------------------------------------------------------------- -- INTER SYSTEM SON INFORMATION REQUEST -- -------------------------------------------------------------------- IntersystemSONInformationRequest ::= CHOICE { nGRAN-CellActivation IntersystemCellActivationRequest, resourceStatus IntersystemResourceStatusRequest, choice-Extensions ProtocolIE-SingleContainer { { IntersystemSONInformationRequest-ExtIEs} } } IntersystemSONInformationRequest-ExtIEs NGAP-PROTOCOL-IES ::= { ... } IntersystemCellActivationRequest ::= SEQUENCE { activationID INTEGER (0..16384, ...), cellsToActivateList CellsToActivateList, iE-Extensions ProtocolExtensionContainer { { IntersystemCellActivationRequest-ExtIEs} } OPTIONAL, ... } IntersystemCellActivationRequest-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CellsToActivateList ::= SEQUENCE (SIZE(1..maxnoofCellsinNGRANNode)) OF NGRAN-CGI -- -------------------------------------------------------------------- -- Inter System Resource Status Request -- -------------------------------------------------------------------- IntersystemResourceStatusRequest ::= SEQUENCE { reportingSystem ReportingSystem, reportCharacteristics ReportCharacteristics, reportType ReportType, iE-Extensions ProtocolExtensionContainer { { IntersystemResourceStatusRequest-ExtIEs} } OPTIONAL, ... } IntersystemResourceStatusRequest-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ReportingSystem ::= CHOICE { eUTRAN EUTRAN-ReportingSystemIEs, nGRAN NGRAN-ReportingSystemIEs, noReporting NULL, choice-Extensions ProtocolIE-SingleContainer { { ReportingSystem-ExtIEs}} } ReportingSystem-ExtIEs NGAP-PROTOCOL-IES ::= { ... } EUTRAN-ReportingSystemIEs::= SEQUENCE { eUTRAN-CellToReportList EUTRAN-CellToReportList, iE-Extensions ProtocolExtensionContainer { {EUTRAN-ReportingSystemIEs-ExtIEs} } OPTIONAL, ... } EUTRAN-ReportingSystemIEs-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NGRAN-ReportingSystemIEs ::= SEQUENCE { nGRAN-CellToReportList NGRAN-CellToReportList, iE-Extensions ProtocolExtensionContainer { {NGRAN-ReportingSystemIEs-ExtIEs} } OPTIONAL, ... } NGRAN-ReportingSystemIEs-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EUTRAN-CellToReportList ::= SEQUENCE (SIZE(1..maxnoofReportedCells)) OF EUTRAN-CellToReportItem EUTRAN-CellToReportItem::= SEQUENCE { eCGI EUTRA-CGI, iE-Extensions ProtocolExtensionContainer { {EUTRAN-CellToReportItem-ExtIEs} } OPTIONAL, ... } EUTRAN-CellToReportItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NGRAN-CellToReportList ::= SEQUENCE (SIZE(1.. maxnoofReportedCells)) OF NGRAN-CellToReportItem NGRAN-CellToReportItem::= SEQUENCE { nGRAN-CGI NGRAN-CGI, iE-Extensions ProtocolExtensionContainer { {NGRAN-CellToReportItem-ExtIEs} } OPTIONAL, ... } NGRAN-CellToReportItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ReportCharacteristics ::= BIT STRING(SIZE(32)) ReportType ::= CHOICE { eventBasedReporting EventBasedReportingIEs, periodicReporting PeriodicReportingIEs, choice-Extensions ProtocolIE-SingleContainer { { ReportType-ExtIEs}} } ReportType-ExtIEs NGAP-PROTOCOL-IES ::= { ... } EventBasedReportingIEs ::= SEQUENCE { intersystemResourceThresholdLow IntersystemResourceThreshold, intersystemResourceThresholdHigh IntersystemResourceThreshold, numberOfMeasurementReportingLevels NumberOfMeasurementReportingLevels, iE-Extensions ProtocolExtensionContainer { {EventBasedReportingIEs-ExtIEs} } OPTIONAL, ... } EventBasedReportingIEs-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } IntersystemResourceThreshold ::= INTEGER(0..100) NumberOfMeasurementReportingLevels ::= ENUMERATED {n2, n3, n4, n5, n10, ...} PeriodicReportingIEs ::= SEQUENCE { reportingPeriodicity ReportingPeriodicity, iE-Extensions ProtocolExtensionContainer { {PeriodicReportingIEs-ExtIEs} } OPTIONAL, ... } PeriodicReportingIEs-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ReportingPeriodicity ::= ENUMERATED { stop, single, ms1000, ms2000, ms5000, ms10000, ... } -- -------------------------------------------------------------------- -- INTER SYSTEM SON INFORMATION REPLY -- -------------------------------------------------------------------- IntersystemSONInformationReply ::= CHOICE { nGRAN-CellActivation IntersystemCellActivationReply, resourceStatus IntersystemResourceStatusReply, choice-Extensions ProtocolIE-SingleContainer { { IntersystemSONInformationReply-ExtIEs} } } IntersystemSONInformationReply-ExtIEs NGAP-PROTOCOL-IES ::= { ... } IntersystemCellActivationReply ::= SEQUENCE { activatedCellList ActivatedCellList, activation-ID INTEGER(0..16384, ...), iE-Extensions ProtocolExtensionContainer { { IntersystemCellActivationReply-ExtIEs} } OPTIONAL, ... } IntersystemCellActivationReply-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ActivatedCellList ::= SEQUENCE (SIZE(1..maxnoofCellsinNGRANNode)) OF NGRAN-CGI -- -------------------------------------------------------------------- -- Inter System Resource Status Reply -- -------------------------------------------------------------------- IntersystemResourceStatusReply ::= SEQUENCE { reportingsystem ReportingSystem, iE-Extensions ProtocolExtensionContainer { { IntersystemResourceStatusReply-ExtIEs} } OPTIONAL, ... } IntersystemResourceStatusReply-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- -------------------------------------------------------------------- -- INTER SYSTEM SON INFORMATION REPORT -- -------------------------------------------------------------------- IntersystemSONInformationReport::= CHOICE { hOReportInformation InterSystemHOReport, failureIndicationInformation InterSystemFailureIndication, choice-Extensions ProtocolIE-SingleContainer { { IntersystemSONInformationReport-ExtIEs} } } IntersystemSONInformationReport-ExtIEs NGAP-PROTOCOL-IES ::= { { ID id-EnergySavingIndication CRITICALITY ignore TYPE IntersystemCellStateIndication PRESENCE mandatory }| { ID id-IntersystemResourceStatusUpdate CRITICALITY ignore TYPE IntersystemResourceStatusReport PRESENCE mandatory }, ... } IntersystemCellStateIndication ::= SEQUENCE { notificationCellList NotificationCellList, iE-Extensions ProtocolExtensionContainer { { IntersystemCellStateIndication-ExtIEs} } OPTIONAL, ... } IntersystemCellStateIndication-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NotificationCellList ::= SEQUENCE (SIZE(1.. maxnoofCellsinNGRANNode)) OF NotificationCell-Item NotificationCell-Item ::= SEQUENCE { nGRAN-CGI NGRAN-CGI, notifyFlag ENUMERATED {activated, deactivated, ...}, iE-Extensions ProtocolExtensionContainer { { NotificationCell-Item-ExtIEs} } OPTIONAL, ... } NotificationCell-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- -------------------------------------------------------------------- -- Inter System Resource Status Report -- -------------------------------------------------------------------- IntersystemResourceStatusReport ::= SEQUENCE { reportingSystem ResourceStatusReportingSystem, iE-Extensions ProtocolExtensionContainer { { IntersystemResourceStatusReport-ExtIEs} } OPTIONAL, ... } IntersystemResourceStatusReport-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ResourceStatusReportingSystem ::= CHOICE { eUTRAN-ReportingStatus EUTRAN-ReportingStatusIEs, nGRAN-ReportingStatus NGRAN-ReportingStatusIEs, choice-Extensions ProtocolIE-SingleContainer { { ResourceStatusReportingSystem-ExtIEs}} } ResourceStatusReportingSystem-ExtIEs NGAP-PROTOCOL-IES ::= { ... } EUTRAN-ReportingStatusIEs::= SEQUENCE { eUTRAN-CellReportList EUTRAN-CellReportList, iE-Extensions ProtocolExtensionContainer { {EUTRAN-ReportingStatusIEs-ExtIEs} } OPTIONAL, ... } EUTRAN-ReportingStatusIEs-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EUTRAN-CellReportList ::= SEQUENCE (SIZE(1..maxnoofReportedCells)) OF EUTRAN-CellReportItem EUTRAN-CellReportItem ::= SEQUENCE { eCGI EUTRA-CGI, eUTRAN-CompositeAvailableCapacityGroup EUTRAN-CompositeAvailableCapacityGroup, eUTRAN-NumberOfActiveUEs EUTRAN-NumberOfActiveUEs OPTIONAL, eUTRAN-NoofRRCConnections NGRAN-NoofRRCConnections OPTIONAL, eUTRAN-RadioResourceStatus EUTRAN-RadioResourceStatus OPTIONAL, iE-Extensions ProtocolExtensionContainer { {EUTRAN-CellReportItem-ExtIEs} } OPTIONAL, ... } EUTRAN-CellReportItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EUTRAN-CompositeAvailableCapacityGroup ::= SEQUENCE { dL-CompositeAvailableCapacity CompositeAvailableCapacity, uL-CompositeAvailableCapacity CompositeAvailableCapacity, iE-Extensions ProtocolExtensionContainer { { EUTRAN-CompositeAvailableCapacityGroup-ExtIEs} } OPTIONAL, ... } EUTRAN-CompositeAvailableCapacityGroup-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } CompositeAvailableCapacity ::= SEQUENCE { cellCapacityClassValue INTEGER (1..100, ...) OPTIONAL, capacityValue INTEGER (0..100), iE-Extensions ProtocolExtensionContainer { {CompositeAvailableCapacity-ExtIEs} } OPTIONAL, ... } CompositeAvailableCapacity-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } EUTRAN-NumberOfActiveUEs ::= INTEGER (0..16777215, ...) EUTRAN-RadioResourceStatus ::= SEQUENCE { dL-GBR-PRB-usage INTEGER (0..100), uL-GBR-PRB-usage INTEGER (0..100), dL-non-GBR-PRB-usage INTEGER (0..100), uL-non-GBR-PRB-usage INTEGER (0..100), dL-Total-PRB-usage INTEGER (0..100), uL-Total-PRB-usage INTEGER (0..100), dL-scheduling-PDCCH-CCE-usage INTEGER (0..100) OPTIONAL, uL-scheduling-PDCCH-CCE-usage INTEGER (0..100) OPTIONAL, iE-Extensions ProtocolExtensionContainer { {EUTRAN-RadioResourceStatus-ExtIEs} } OPTIONAL, ... } EUTRAN-RadioResourceStatus-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NGRAN-ReportingStatusIEs ::= SEQUENCE { nGRAN-CellReportList NGRAN-CellReportList, iE-Extensions ProtocolExtensionContainer { {NGRAN-ReportingStatusIEs-ExtIEs} } OPTIONAL, ... } NGRAN-ReportingStatusIEs-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NGRAN-CellReportList ::= SEQUENCE (SIZE(1..maxnoofReportedCells)) OF NGRAN-CellReportItem NGRAN-CellReportItem ::= SEQUENCE { nGRAN-CGI NGRAN-CGI, nGRAN-CompositeAvailableCapacityGroup EUTRAN-CompositeAvailableCapacityGroup, nGRAN-NumberOfActiveUEs NGRAN-NumberOfActiveUEs OPTIONAL, nGRAN-NoofRRCConnections NGRAN-NoofRRCConnections OPTIONAL, nGRAN-RadioResourceStatus NGRAN-RadioResourceStatus OPTIONAL, iE-Extensions ProtocolExtensionContainer { {NGRAN-CellReportItem-ExtIEs} } OPTIONAL, ... } NGRAN-CellReportItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NGRAN-NumberOfActiveUEs ::= INTEGER (0..16777215, ...) NGRAN-NoofRRCConnections ::= INTEGER (1..65536, ...) NGRAN-RadioResourceStatus ::= SEQUENCE { dL-GBR-PRB-usage-for-MIMO INTEGER (0..100), uL-GBR-PRB-usage-for-MIMO INTEGER (0..100), dL-non-GBR-PRB-usage-for-MIMO INTEGER (0..100), uL-non-GBR-PRB-usage-for-MIMO INTEGER (0..100), dL-Total-PRB-usage-for-MIMO INTEGER (0..100), uL-Total-PRB-usage-for-MIMO INTEGER (0..100), iE-Extensions ProtocolExtensionContainer { { NGRAN-RadioResourceStatus-ExtIEs} } OPTIONAL, ... } NGRAN-RadioResourceStatus-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } InterSystemHOReport ::= SEQUENCE { handoverReportType InterSystemHandoverReportType, iE-Extensions ProtocolExtensionContainer { { InterSystemHOReport-ExtIEs} } OPTIONAL, ... } InterSystemHOReport-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } InterSystemHandoverReportType ::= CHOICE { tooearlyIntersystemHO TooearlyIntersystemHO, intersystemUnnecessaryHO IntersystemUnnecessaryHO, choice-Extensions ProtocolIE-SingleContainer { { InterSystemHandoverReportType-ExtIEs} } } InterSystemHandoverReportType-ExtIEs NGAP-PROTOCOL-IES ::= { ... } IntersystemUnnecessaryHO ::= SEQUENCE { sourcecellID NGRAN-CGI, targetcellID EUTRA-CGI, earlyIRATHO ENUMERATED {true, false, ...}, candidateCellList CandidateCellList, iE-Extensions ProtocolExtensionContainer { { IntersystemUnnecessaryHO-ExtIEs} } OPTIONAL, ... } IntersystemUnnecessaryHO-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- J -- K -- L LAC ::= OCTET STRING (SIZE (2)) LAI ::= SEQUENCE { pLMNidentity PLMNIdentity, lAC LAC, iE-Extensions ProtocolExtensionContainer { {LAI-ExtIEs} } OPTIONAL, ... } LAI-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } LastVisitedCellInformation ::= CHOICE { nGRANCell LastVisitedNGRANCellInformation, eUTRANCell LastVisitedEUTRANCellInformation, uTRANCell LastVisitedUTRANCellInformation, gERANCell LastVisitedGERANCellInformation, choice-Extensions ProtocolIE-SingleContainer { {LastVisitedCellInformation-ExtIEs} } } LastVisitedCellInformation-ExtIEs NGAP-PROTOCOL-IES ::= { ... } LastVisitedCellItem ::= SEQUENCE { lastVisitedCellInformation LastVisitedCellInformation, iE-Extensions ProtocolExtensionContainer { {LastVisitedCellItem-ExtIEs} } OPTIONAL, ... } LastVisitedCellItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } LastVisitedEUTRANCellInformation ::= OCTET STRING LastVisitedGERANCellInformation ::= OCTET STRING LastVisitedNGRANCellInformation::= SEQUENCE { globalCellID NGRAN-CGI, cellType CellType, timeUEStayedInCell TimeUEStayedInCell, timeUEStayedInCellEnhancedGranularity TimeUEStayedInCellEnhancedGranularity OPTIONAL, hOCauseValue Cause OPTIONAL, iE-Extensions ProtocolExtensionContainer { {LastVisitedNGRANCellInformation-ExtIEs} } OPTIONAL, ... } LastVisitedNGRANCellInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-LastVisitedPSCellList CRITICALITY ignore EXTENSION LastVisitedPSCellList PRESENCE optional }, ... } LastVisitedPSCellList ::= SEQUENCE (SIZE(1..maxnoofPSCellsPerPrimaryCellinUEHistoryInfo)) OF LastVisitedPSCellInformation LastVisitedPSCellInformation ::= SEQUENCE { pSCellID NGRAN-CGI OPTIONAL, timeStay INTEGER (0..40950), iE-Extensions ProtocolExtensionContainer { {LastVisitedPSCellInformation-ExtIEs} } OPTIONAL, ... } LastVisitedPSCellInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } LastVisitedUTRANCellInformation ::= OCTET STRING LineType ::= ENUMERATED { dsl, pon, ... } LocationReportingAdditionalInfo ::= ENUMERATED { includePSCell, ... } LocationReportingReferenceID ::= INTEGER (1..64, ...) LocationReportingRequestType ::= SEQUENCE { eventType EventType, reportArea ReportArea, areaOfInterestList AreaOfInterestList OPTIONAL, locationReportingReferenceIDToBeCancelled LocationReportingReferenceID OPTIONAL, -- The above IE shall be present if the event type is set to “stop reporting UE presence in the area of interest” iE-Extensions ProtocolExtensionContainer { {LocationReportingRequestType-ExtIEs} } OPTIONAL, ... } LocationReportingRequestType-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-LocationReportingAdditionalInfo CRITICALITY ignore EXTENSION LocationReportingAdditionalInfo PRESENCE optional }, ... } LoggedMDTNr ::= SEQUENCE { loggingInterval LoggingInterval, loggingDuration LoggingDuration, loggedMDTTrigger LoggedMDTTrigger, bluetoothMeasurementConfiguration BluetoothMeasurementConfiguration OPTIONAL, wLANMeasurementConfiguration WLANMeasurementConfiguration OPTIONAL, sensorMeasurementConfiguration SensorMeasurementConfiguration OPTIONAL, areaScopeOfNeighCellsList AreaScopeOfNeighCellsList OPTIONAL, iE-Extensions ProtocolExtensionContainer { {LoggedMDTNr-ExtIEs} } OPTIONAL, ... } LoggedMDTNr-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-EarlyMeasurement CRITICALITY ignore EXTENSION EarlyMeasurement PRESENCE optional }, ... } LoggingInterval ::= ENUMERATED { ms320, ms640, ms1280, ms2560, ms5120, ms10240, ms20480, ms30720, ms40960, ms61440, infinity, ... } LoggingDuration ::= ENUMERATED {m10, m20, m40, m60, m90, m120, ...} Links-to-log ::= ENUMERATED { uplink, downlink, both-uplink-and-downlink, ... } LoggedMDTTrigger ::= CHOICE{ periodical NULL, eventTrigger EventTrigger, choice-Extensions ProtocolIE-SingleContainer { {LoggedMDTTrigger-ExtIEs} } } LoggedMDTTrigger-ExtIEs NGAP-PROTOCOL-IES ::= { ... } LTEM-Indication ::= ENUMERATED {lte-m,...} LTEUERLFReportContainer ::= OCTET STRING LTEV2XServicesAuthorized ::= SEQUENCE { vehicleUE VehicleUE OPTIONAL, pedestrianUE PedestrianUE OPTIONAL, iE-Extensions ProtocolExtensionContainer { {LTEV2XServicesAuthorized-ExtIEs} } OPTIONAL, ... } LTEV2XServicesAuthorized-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } LTEUESidelinkAggregateMaximumBitrate ::= SEQUENCE { uESidelinkAggregateMaximumBitRate BitRate, iE-Extensions ProtocolExtensionContainer { {LTEUE-Sidelink-Aggregate-MaximumBitrates-ExtIEs} } OPTIONAL, ... } LTEUE-Sidelink-Aggregate-MaximumBitrates-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- M MaskedIMEISV ::= BIT STRING (SIZE(64)) MaximumDataBurstVolume ::= INTEGER (0..4095, ..., 4096.. 2000000) MessageIdentifier ::= BIT STRING (SIZE(16)) MaximumIntegrityProtectedDataRate ::= ENUMERATED { bitrate64kbs, maximum-UE-rate, ... } MBS-AreaSessionID ::= INTEGER (0..65535, ...) MBS-DataForwardingResponseMRBList ::= SEQUENCE (SIZE(1..maxnoofMRBs)) OF MBS-DataForwardingResponseMRBItem MBS-DataForwardingResponseMRBItem ::= SEQUENCE { mRB-ID MRB-ID, dL-Forwarding-UPTNLInformation UPTransportLayerInformation, mRB-ProgressInformation MRB-ProgressInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MBS-DataForwardingResponseMRBItem-ExtIEs} } OPTIONAL, ... } MBS-DataForwardingResponseMRBItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-MappingandDataForwardingRequestList ::= SEQUENCE (SIZE(1..maxnoofMRBs)) OF MBS-MappingandDataForwardingRequestItem MBS-MappingandDataForwardingRequestItem ::= SEQUENCE { mRB-ID MRB-ID, mBS-QoSFlowList MBS-QoSFlowList, mRB-ProgressInformation MRB-ProgressInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MBS-MappingandDataForwardingRequestItem-ExtIEs} } OPTIONAL, ... } MBS-MappingandDataForwardingRequestItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-QoSFlowList ::= SEQUENCE (SIZE(1..maxnoofMBSQoSFlows)) OF QosFlowIdentifier MRB-ProgressInformation ::= CHOICE { pDCP-SN-Length12 INTEGER (0..4095), pDCP-SN-Length18 INTEGER (0..262143), choice-Extensions ProtocolIE-SingleContainer { { MRB-ProgressInformation-ExtIEs} } } MRB-ProgressInformation-ExtIEs NGAP-PROTOCOL-IES ::= { ... } MBS-QoSFlowsToBeSetupList ::= SEQUENCE (SIZE(1.. maxnoofMBSQoSFlows)) OF MBS-QoSFlowsToBeSetupItem MBS-QoSFlowsToBeSetupItem ::= SEQUENCE { mBSqosFlowIdentifier QosFlowIdentifier, mBSqosFlowLevelQosParameters QosFlowLevelQosParameters, iE-Extensions ProtocolExtensionContainer { {MBS-QoSFlowsToBeSetupItem-ExtIEs} } OPTIONAL, ... } MBS-QoSFlowsToBeSetupItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-ServiceArea ::= CHOICE { locationindependent MBS-ServiceAreaInformation, locationdependent MBS-ServiceAreaInformationList, choice-Extensions ProtocolIE-SingleContainer { {MBS-ServiceArea-ExtIEs} } } MBS-ServiceArea-ExtIEs NGAP-PROTOCOL-IES ::= { ... } MBS-ServiceAreaInformationList ::= SEQUENCE (SIZE(1..maxnoofMBSServiceAreaInformation)) OF MBS-ServiceAreaInformationItem MBS-ServiceAreaInformationItem ::= SEQUENCE { mBS-AreaSessionID MBS-AreaSessionID, mBS-ServiceAreaInformation MBS-ServiceAreaInformation, iE-Extensions ProtocolExtensionContainer { {MBS-ServiceAreaInformationItem-ExtIEs} } OPTIONAL, ... } MBS-ServiceAreaInformationItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-ServiceAreaInformation ::= SEQUENCE { mBS-ServiceAreaCellList MBS-ServiceAreaCellList OPTIONAL, mBS-ServiceAreaTAIList MBS-ServiceAreaTAIList OPTIONAL, iE-Extensions ProtocolExtensionContainer { {MBS-ServiceAreaInformation-ExtIEs} } OPTIONAL, ... } MBS-ServiceAreaInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-ServiceAreaCellList ::= SEQUENCE (SIZE(1.. maxnoofCellsforMBS)) OF NR-CGI MBS-ServiceAreaTAIList ::= SEQUENCE (SIZE(1.. maxnoofTAIforMBS)) OF TAI MBS-SessionID ::= SEQUENCE { tMGI TMGI, nID NID OPTIONAL, iE-Extensions ProtocolExtensionContainer { {MBS-SessionID-ExtIEs} } OPTIONAL, ... } MBS-SessionID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBSSessionFailedtoSetupList ::= SEQUENCE (SIZE(1.. maxnoofMBSSessions)) OF MBSSessionFailedtoSetupItem MBSSessionFailedtoSetupItem ::= SEQUENCE { mBS-SessionID MBS-SessionID, mBS-AreaSessionID MBS-AreaSessionID OPTIONAL, cause Cause, iE-Extensions ProtocolExtensionContainer { { MBSSessionFailedtoSetupItem-ExtIEs} } OPTIONAL, ... } MBSSessionFailedtoSetupItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-ActiveSessionInformation-SourcetoTargetList ::= SEQUENCE (SIZE(1..maxnoofMBSSessionsofUE)) OF MBS-ActiveSessionInformation-SourcetoTargetItem MBS-ActiveSessionInformation-SourcetoTargetItem ::= SEQUENCE { mBS-SessionID MBS-SessionID, mBS-AreaSessionID MBS-AreaSessionID OPTIONAL, mBS-ServiceArea MBS-ServiceArea OPTIONAL, mBS-QoSFlowsToBeSetupList MBS-QoSFlowsToBeSetupList, mBS-MappingandDataForwardingRequestList MBS-MappingandDataForwardingRequestList OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MBS-ActiveSessionInformation-SourcetoTargetItem-ExtIEs} } OPTIONAL, ... } MBS-ActiveSessionInformation-SourcetoTargetItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-ActiveSessionInformation-TargettoSourceList ::= SEQUENCE (SIZE(1..maxnoofMBSSessionsofUE)) OF MBS-ActiveSessionInformation-TargettoSourceItem MBS-ActiveSessionInformation-TargettoSourceItem ::= SEQUENCE { mBS-SessionID MBS-SessionID, mBS-DataForwardingResponseMRBList MBS-DataForwardingResponseMRBList OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MBS-ActiveSessionInformation-TargettoSourceItem-ExtIEs} } OPTIONAL, ... } MBS-ActiveSessionInformation-TargettoSourceItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBSSessionSetupOrModFailureTransfer ::= SEQUENCE { cause Cause, criticalityDiagnostics CriticalityDiagnostics OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MBSSessionSetupOrModFailureTransfer-ExtIEs} } OPTIONAL, ... } MBSSessionSetupOrModFailureTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBSSessionSetupResponseList ::= SEQUENCE (SIZE(1.. maxnoofMBSSessions)) OF MBSSessionSetupResponseItem MBSSessionSetupResponseItem ::= SEQUENCE { mBS-SessionID MBS-SessionID, mBS-AreaSessionID MBS-AreaSessionID OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MBSSessionSetupResponseItem-ExtIEs} } OPTIONAL, ... } MBSSessionSetupResponseItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBSSessionSetupOrModRequestTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {MBSSessionSetupOrModRequestTransferIEs} }, ... } MBSSessionSetupOrModRequestTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionTNLInfo5GC CRITICALITY reject TYPE MBS-SessionTNLInfo5GC PRESENCE optional }| { ID id-MBS-QoSFlowsToBeSetupModList CRITICALITY reject TYPE MBS-QoSFlowsToBeSetupList PRESENCE mandatory }| { ID id-MBS-SessionFSAIDList CRITICALITY ignore TYPE MBS-SessionFSAIDList PRESENCE optional }, ... } MBS-SessionFSAIDList ::= SEQUENCE (SIZE(1.. maxnoofMBSFSAs)) OF MBS-SessionFSAID MBS-SessionFSAID ::= OCTET STRING (SIZE(3)) MBSSessionReleaseResponseTransfer ::= SEQUENCE { mBS-SessionTNLInfoNGRAN MBS-SessionTNLInfoNGRAN OPTIONAL, iE-Extensions ProtocolExtensionContainer { {MBSSessionReleaseResponseTransfer-ExtIEs} } OPTIONAL, ... } MBSSessionReleaseResponseTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBSSessionSetupOrModResponseTransfer ::= SEQUENCE { mBS-SessionTNLInfoNGRAN MBS-SessionTNLInfoNGRAN OPTIONAL, iE-Extensions ProtocolExtensionContainer { {MBSSessionSetupOrModResponseTransfer-ExtIEs} } OPTIONAL, ... } MBSSessionSetupOrModResponseTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-SupportIndicator ::= ENUMERATED { true, ... } MBS-SessionTNLInfo5GC ::= CHOICE { locationindependent SharedNGU-MulticastTNLInformation, locationdependent MBS-SessionTNLInfo5GCList, choice-Extensions ProtocolIE-SingleContainer { {MBS-SessionTNLInfo5GC-ExtIEs} } } MBS-SessionTNLInfo5GC-ExtIEs NGAP-PROTOCOL-IES ::= { ... } MBS-SessionTNLInfo5GCList ::= SEQUENCE (SIZE(1..maxnoofMBSServiceAreaInformation)) OF MBS-SessionTNLInfo5GCItem MBS-SessionTNLInfo5GCItem ::= SEQUENCE { mBS-AreaSessionID MBS-AreaSessionID, sharedNGU-MulticastTNLInformation SharedNGU-MulticastTNLInformation, iE-Extensions ProtocolExtensionContainer { {MBS-SessionTNLInfo5GCItem-ExtIEs} } OPTIONAL, ... } MBS-SessionTNLInfo5GCItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-SessionTNLInfoNGRAN ::= CHOICE { locationindependent UPTransportLayerInformation, locationdependent MBS-SessionTNLInfoNGRANList, choice-Extensions ProtocolIE-SingleContainer { {MBS-SessionTNLInfoNGRAN-ExtIEs} } } MBS-SessionTNLInfoNGRAN-ExtIEs NGAP-PROTOCOL-IES ::= { ... } MBS-SessionTNLInfoNGRANList ::= SEQUENCE (SIZE(1..maxnoofMBSServiceAreaInformation)) OF MBS-SessionTNLInfoNGRANItem MBS-SessionTNLInfoNGRANItem ::= SEQUENCE { mBS-AreaSessionID MBS-AreaSessionID, sharedNGU-UnicastTNLInformation UPTransportLayerInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { {MBS-SessionTNLInfoNGRANItem-ExtIEs} } OPTIONAL, ... } MBS-SessionTNLInfoNGRANItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-DistributionReleaseRequestTransfer ::= SEQUENCE { mBS-SessionID MBS-SessionID, mBS-AreaSessionID MBS-AreaSessionID OPTIONAL, sharedNGU-UnicastTNLInformation UPTransportLayerInformation OPTIONAL, cause Cause, iE-Extensions ProtocolExtensionContainer { { MBS-DistributionReleaseRequesTransfer-ExtIEs} } OPTIONAL, ... } MBS-DistributionReleaseRequesTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-DistributionSetupRequestTransfer ::= SEQUENCE { mBS-SessionID MBS-SessionID, mBS-AreaSessionID MBS-AreaSessionID OPTIONAL, sharedNGU-UnicastTNLInformation UPTransportLayerInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MBS-DistributionSetupRequestTransfer-ExtIEs} } OPTIONAL, ... } MBS-DistributionSetupRequestTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-DistributionSetupResponseTransfer ::= SEQUENCE { mBS-SessionID MBS-SessionID, mBS-AreaSessionID MBS-AreaSessionID OPTIONAL, sharedNGU-MulticastTNLInformation MBS-SessionTNLInfo5GCItem OPTIONAL, mBS-QoSFlowsToBeSetupList MBS-QoSFlowsToBeSetupList, mBSSessionStatus MBSSessionStatus, mBS-ServiceArea MBS-ServiceArea OPTIONAL, iE-Extensions ProtocolExtensionContainer { {MBS-DistributionSetupResponseTransfer-ExtIEs} } OPTIONAL, ... } MBS-DistributionSetupResponseTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-DistributionSetupUnsuccessfulTransfer ::= SEQUENCE { mBS-SessionID MBS-SessionID, mBS-AreaSessionID MBS-AreaSessionID OPTIONAL, cause Cause, criticalityDiagnostics CriticalityDiagnostics OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MBS-DistributionSetupUnsuccessfulTransfer-ExtIEs} } OPTIONAL, ... } MBS-DistributionSetupUnsuccessfulTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBSSessionSetupRequestList ::= SEQUENCE (SIZE(1..maxnoofMBSSessions)) OF MBSSessionSetupRequestItem MBSSessionSetupRequestItem ::= SEQUENCE { mBS-SessionID MBS-SessionID, mBS-AreaSessionID MBS-AreaSessionID OPTIONAL, associatedMBSQosFlowSetupRequestList AssociatedMBSQosFlowSetupRequestList OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MBSSessionSetupRequestItem-ExtIEs} } OPTIONAL, ... } MBSSessionSetupRequestItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBSSessionSetuporModifyRequestList ::= SEQUENCE (SIZE(1..maxnoofMBSSessions)) OF MBSSessionSetuporModifyRequestItem MBSSessionSetuporModifyRequestItem ::= SEQUENCE { mBS-SessionID MBS-SessionID, mBS-AreaSessionID MBS-AreaSessionID OPTIONAL, associatedMBSQosFlowSetuporModifyRequestList AssociatedMBSQosFlowSetuporModifyRequestList OPTIONAL, mBS-QosFlowToReleaseList QosFlowListWithCause OPTIONAL, iE-Extensions ProtocolExtensionContainer {{MBSSessionSetuporModifyRequestItem-ExtIEs}} OPTIONAL, ... } MBSSessionSetuporModifyRequestItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBSSessionToReleaseList ::= SEQUENCE (SIZE(1..maxnoofMBSSessions)) OF MBSSessionToReleaseItem MBSSessionToReleaseItem ::= SEQUENCE { mBS-SessionID MBS-SessionID, cause Cause, iE-Extensions ProtocolExtensionContainer { { MBSSessionToReleaseItem-ExtIEs} } OPTIONAL, ... } MBSSessionToReleaseItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBSSessionStatus ::= ENUMERATED { activated, deactivated, ... } MicoAllPLMN ::= ENUMERATED { true, ... } MICOModeIndication ::= ENUMERATED { true, ... } MobilityInformation ::= BIT STRING (SIZE(16)) MobilityRestrictionList ::= SEQUENCE { servingPLMN PLMNIdentity, equivalentPLMNs EquivalentPLMNs OPTIONAL, rATRestrictions RATRestrictions OPTIONAL, forbiddenAreaInformation ForbiddenAreaInformation OPTIONAL, serviceAreaInformation ServiceAreaInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { {MobilityRestrictionList-ExtIEs} } OPTIONAL, ... } MobilityRestrictionList-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-LastEUTRAN-PLMNIdentity CRITICALITY ignore EXTENSION PLMNIdentity PRESENCE optional }| { ID id-CNTypeRestrictionsForServing CRITICALITY ignore EXTENSION CNTypeRestrictionsForServing PRESENCE optional }| { ID id-CNTypeRestrictionsForEquivalent CRITICALITY ignore EXTENSION CNTypeRestrictionsForEquivalent PRESENCE optional }| { ID id-NPN-MobilityInformation CRITICALITY reject EXTENSION NPN-MobilityInformation PRESENCE optional }, ... } MDT-AlignmentInfo ::= CHOICE { s-basedMDT NGRANTraceID, choice-Extensions ProtocolIE-SingleContainer { { MDT-AlignmentInfo-ExtIEs} } } MDT-AlignmentInfo-ExtIEs NGAP-PROTOCOL-IES ::= { ... } MDTPLMNList ::= SEQUENCE (SIZE(1..maxnoofMDTPLMNs)) OF PLMNIdentity MDTPLMNModificationList ::= SEQUENCE (SIZE(0..maxnoofMDTPLMNs)) OF PLMNIdentity MDT-Configuration ::= SEQUENCE { mdt-Config-NR MDT-Configuration-NR OPTIONAL, mdt-Config-EUTRA MDT-Configuration-EUTRA OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MDT-Configuration-ExtIEs} } OPTIONAL, ... } MDT-Configuration-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MDT-Configuration-NR ::= SEQUENCE { mdt-Activation MDT-Activation, areaScopeOfMDT AreaScopeOfMDT-NR, mDTModeNr MDTModeNr, signallingBasedMDTPLMNList MDTPLMNList OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MDT-Configuration-NR-ExtIEs} } OPTIONAL, ... } MDT-Configuration-NR-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MDT-Configuration-EUTRA ::= SEQUENCE { mdt-Activation MDT-Activation, areaScopeOfMDT AreaScopeOfMDT-EUTRA, mDTMode MDTModeEutra, signallingBasedMDTPLMNList MDTPLMNList OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MDT-Configuration-EUTRA-ExtIEs} } OPTIONAL, ... } MDT-Configuration-EUTRA-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MDT-Activation ::= ENUMERATED { immediate-MDT-only, logged-MDT-only, immediate-MDT-and-Trace, ... } MDTModeNr ::= CHOICE { immediateMDTNr ImmediateMDTNr, loggedMDTNr LoggedMDTNr, choice-Extensions ProtocolIE-SingleContainer { {MDTModeNr-ExtIEs} } } MDTModeNr-ExtIEs NGAP-PROTOCOL-IES ::= { ... } MDTModeEutra ::= OCTET STRING MeasurementsToActivate ::= BIT STRING(SIZE(8)) MRB-ID ::= INTEGER (1..512, ...) MulticastSessionActivationRequestTransfer ::= SEQUENCE { mBS-SessionID MBS-SessionID, iE-Extensions ProtocolExtensionContainer { { MulticastSessionActivationRequestTransfer-ExtIEs} } OPTIONAL, ... } MulticastSessionActivationRequestTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MulticastSessionDeactivationRequestTransfer ::= SEQUENCE { mBS-SessionID MBS-SessionID, iE-Extensions ProtocolExtensionContainer { { MulticastSessionDeactivationRequestTransfer-ExtIEs} } OPTIONAL, ... } MulticastSessionDeactivationRequestTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MulticastSessionUpdateRequestTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {MulticastSessionUpdateRequestTransferIEs} }, ... } MulticastSessionUpdateRequestTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-MBS-ServiceArea CRITICALITY reject TYPE MBS-ServiceArea PRESENCE optional }| { ID id-MBS-QoSFlowsToBeSetupModList CRITICALITY reject TYPE MBS-QoSFlowsToBeSetupList PRESENCE optional }| { ID id-MBS-QoSFlowToReleaseList CRITICALITY reject TYPE QosFlowListWithCause PRESENCE optional }| { ID id-MBS-SessionTNLInfo5GC CRITICALITY reject TYPE MBS-SessionTNLInfo5GC PRESENCE optional }, ... } MulticastGroupPagingAreaList ::= SEQUENCE (SIZE(1..maxnoofPagingAreas)) OF MulticastGroupPagingAreaItem MulticastGroupPagingAreaItem ::= SEQUENCE { multicastGroupPagingArea MulticastGroupPagingArea, uE-PagingList UE-PagingList OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MulticastGroupPagingAreaItem-ExtIEs} } OPTIONAL, ... } MulticastGroupPagingAreaItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MBS-AreaTAIList ::= SEQUENCE (SIZE(1..maxnoofTAIforPaging)) OF TAI MulticastGroupPagingArea ::= SEQUENCE { mBS-AreaTAIList MBS-AreaTAIList, iE-Extensions ProtocolExtensionContainer { { MulticastGroupPagingArea-ExtIEs} } OPTIONAL, ... } MulticastGroupPagingArea-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UE-PagingList ::= SEQUENCE (SIZE(1..maxnoofUEsforPaging)) OF UE-PagingItem UE-PagingItem ::= SEQUENCE { uEIdentityIndexValue UEIdentityIndexValue, pagingDRX PagingDRX OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UE-PagingItem-ExtIEs} } OPTIONAL, ... } UE-PagingItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } M1Configuration ::= SEQUENCE { m1reportingTrigger M1ReportingTrigger, m1thresholdEventA2 M1ThresholdEventA2 OPTIONAL, -- The above IE shall be present if the M1 Reporting Trigger IE is set to “A2event-triggered” or “A2event-triggered periodic” m1periodicReporting M1PeriodicReporting OPTIONAL, -- The above IE shall be present if the M1 Reporting Trigger IE is set to “periodic” or “A2event-triggered periodic” iE-Extensions ProtocolExtensionContainer { { M1Configuration-ExtIEs} } OPTIONAL, ... } M1Configuration-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-IncludeBeamMeasurementsIndication CRITICALITY ignore EXTENSION IncludeBeamMeasurementsIndication PRESENCE optional }| { ID id-BeamMeasurementsReportConfiguration CRITICALITY ignore EXTENSION BeamMeasurementsReportConfiguration PRESENCE conditional }, -- The above IE shall be present if the IncludeBeamMeasurementsIndication IE is set to “true” ... } IncludeBeamMeasurementsIndication ::= ENUMERATED { true, ... } MaxNrofRS-IndexesToReport ::= INTEGER (1..64, ...) M1ReportingTrigger ::= ENUMERATED { periodic, a2eventtriggered, a2eventtriggered-periodic, ... } M1ThresholdEventA2 ::= SEQUENCE { m1ThresholdType M1ThresholdType, iE-Extensions ProtocolExtensionContainer { { M1ThresholdEventA2-ExtIEs} } OPTIONAL, ... } M1ThresholdEventA2-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } M1ThresholdType ::= CHOICE { threshold-RSRP Threshold-RSRP, threshold-RSRQ Threshold-RSRQ, threshold-SINR Threshold-SINR, choice-Extensions ProtocolIE-SingleContainer { {M1ThresholdType-ExtIEs} } } M1ThresholdType-ExtIEs NGAP-PROTOCOL-IES ::= { ... } M1PeriodicReporting ::= SEQUENCE { reportInterval ReportIntervalMDT, reportAmount ReportAmountMDT, iE-Extensions ProtocolExtensionContainer { { M1PeriodicReporting-ExtIEs} } OPTIONAL, ... } M1PeriodicReporting-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { {ID id-ExtendedReportIntervalMDT CRITICALITY ignore EXTENSION ExtendedReportIntervalMDT PRESENCE optional}, ... } M4Configuration ::= SEQUENCE { m4period M4period, m4-links-to-log Links-to-log, iE-Extensions ProtocolExtensionContainer { { M4Configuration-ExtIEs} } OPTIONAL, ... } M4Configuration-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-M4ReportAmount CRITICALITY ignore EXTENSION M4ReportAmountMDT PRESENCE optional }, ... } M4ReportAmountMDT ::= ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity, ...} M4period ::= ENUMERATED {ms1024, ms2048, ms5120, ms10240, min1, ... } M5Configuration ::= SEQUENCE { m5period M5period, m5-links-to-log Links-to-log, iE-Extensions ProtocolExtensionContainer { { M5Configuration-ExtIEs} } OPTIONAL, ... } M5Configuration-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-M5ReportAmount CRITICALITY ignore EXTENSION M5ReportAmountMDT PRESENCE optional }, ... } M5ReportAmountMDT ::= ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity, ...} M5period ::= ENUMERATED {ms1024, ms2048, ms5120, ms10240, min1, ... } M6Configuration ::= SEQUENCE { m6report-Interval M6report-Interval, m6-links-to-log Links-to-log, iE-Extensions ProtocolExtensionContainer { { M6Configuration-ExtIEs} } OPTIONAL, ... } M6Configuration-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-M6ReportAmount CRITICALITY ignore EXTENSION M6ReportAmountMDT PRESENCE optional }| { ID id-ExcessPacketDelayThresholdConfiguration CRITICALITY ignore EXTENSION ExcessPacketDelayThresholdConfiguration PRESENCE optional }, ... } M6ReportAmountMDT ::= ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity, ...} M6report-Interval ::= ENUMERATED { ms120, ms240, ms480, ms640, ms1024, ms2048, ms5120, ms10240, ms20480, ms40960, min1, min6, min12, min30, ... } M7Configuration ::= SEQUENCE { m7period M7period, m7-links-to-log Links-to-log, iE-Extensions ProtocolExtensionContainer { { M7Configuration-ExtIEs} } OPTIONAL, ... } M7Configuration-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-M7ReportAmount CRITICALITY ignore EXTENSION M7ReportAmountMDT PRESENCE optional }, ... } M7ReportAmountMDT ::= ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity, ...} M7period ::= INTEGER(1..60, ...) MDT-Location-Info ::= SEQUENCE { mDT-Location-Information MDT-Location-Information, iE-Extensions ProtocolExtensionContainer { { MDT-Location-Info-ExtIEs} } OPTIONAL, ... } MDT-Location-Info-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } MDT-Location-Information::= BIT STRING (SIZE (8)) -- N N3IWF-ID ::= CHOICE { n3IWF-ID BIT STRING (SIZE(16)), choice-Extensions ProtocolIE-SingleContainer { {N3IWF-ID-ExtIEs} } } N3IWF-ID-ExtIEs NGAP-PROTOCOL-IES ::= { ... } NAS-PDU ::= OCTET STRING NASSecurityParametersFromNGRAN ::= OCTET STRING NB-IoT-DefaultPagingDRX ::= ENUMERATED { rf128, rf256, rf512, rf1024, ... } NB-IoT-PagingDRX ::= ENUMERATED { rf32, rf64, rf128, rf256, rf512, rf1024, ... } NB-IoT-Paging-eDRXCycle ::= ENUMERATED { hf2, hf4, hf6, hf8, hf10, hf12, hf14, hf16, hf32, hf64, hf128, hf256, hf512, hf1024, ... } NB-IoT-Paging-TimeWindow ::= ENUMERATED { s1, s2, s3, s4, s5, s6, s7, s8, s9, s10, s11, s12, s13, s14, s15, s16, ... } NB-IoT-Paging-eDRXInfo ::= SEQUENCE { nB-IoT-Paging-eDRXCycle NB-IoT-Paging-eDRXCycle, nB-IoT-Paging-TimeWindow NB-IoT-Paging-TimeWindow OPTIONAL, iE-Extensions ProtocolExtensionContainer { { NB-IoT-Paging-eDRXInfo-ExtIEs} } OPTIONAL, ... } NB-IoT-Paging-eDRXInfo-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NB-IoT-UEPriority ::= INTEGER (0..255, ...) NetworkInstance ::= INTEGER (1..256, ...) NewSecurityContextInd ::= ENUMERATED { true, ... } NextHopChainingCount ::= INTEGER (0..7) NextPagingAreaScope ::= ENUMERATED { same, changed, ... } NGAPIESupportInformationRequestList ::= SEQUENCE (SIZE(1.. maxnoofNGAPIESupportInfo)) OF NGAPIESupportInformationRequestItem NGAPIESupportInformationRequestItem ::= SEQUENCE { ngap-ProtocolIE-Id ProtocolIE-ID, iE-Extensions ProtocolExtensionContainer { { NGAPIESupportInformationRequestItem-ExtIEs} } OPTIONAL, ... } NGAPIESupportInformationRequestItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NGAPIESupportInformationResponseList ::= SEQUENCE (SIZE(1.. maxnoofNGAPIESupportInfo)) OF NGAPIESupportInformationResponseItem NGAPIESupportInformationResponseItem ::= SEQUENCE { ngap-ProtocolIE-Id ProtocolIE-ID, ngap-ProtocolIESupportInfo ENUMERATED {supported, not-supported, ...}, ngap-ProtocolIEPresenceInfo ENUMERATED {present, not-present, ...}, iE-Extensions ProtocolExtensionContainer { { NGAPIESupportInformationResponseItem-ExtIEs} } OPTIONAL, ... } NGAPIESupportInformationResponseItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NgENB-ID ::= CHOICE { macroNgENB-ID BIT STRING (SIZE(20)), shortMacroNgENB-ID BIT STRING (SIZE(18)), longMacroNgENB-ID BIT STRING (SIZE(21)), choice-Extensions ProtocolIE-SingleContainer { {NgENB-ID-ExtIEs} } } NgENB-ID-ExtIEs NGAP-PROTOCOL-IES ::= { ... } NotifySourceNGRANNode ::= ENUMERATED { notifySource, ... } NGRAN-CGI ::= CHOICE { nR-CGI NR-CGI, eUTRA-CGI EUTRA-CGI, choice-Extensions ProtocolIE-SingleContainer { {NGRAN-CGI-ExtIEs} } } NGRAN-CGI-ExtIEs NGAP-PROTOCOL-IES ::= { ... } NGRAN-TNLAssociationToRemoveList ::= SEQUENCE (SIZE(1..maxnoofTNLAssociations)) OF NGRAN-TNLAssociationToRemoveItem NGRAN-TNLAssociationToRemoveItem::= SEQUENCE { tNLAssociationTransportLayerAddress CPTransportLayerInformation, tNLAssociationTransportLayerAddressAMF CPTransportLayerInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { NGRAN-TNLAssociationToRemoveItem-ExtIEs} } OPTIONAL } NGRAN-TNLAssociationToRemoveItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NGRANTraceID ::= OCTET STRING (SIZE(8)) NID ::= BIT STRING (SIZE(44)) NonDynamic5QIDescriptor ::= SEQUENCE { fiveQI FiveQI, priorityLevelQos PriorityLevelQos OPTIONAL, averagingWindow AveragingWindow OPTIONAL, maximumDataBurstVolume MaximumDataBurstVolume OPTIONAL, iE-Extensions ProtocolExtensionContainer { {NonDynamic5QIDescriptor-ExtIEs} } OPTIONAL, ... } NonDynamic5QIDescriptor-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-CNPacketDelayBudgetDL CRITICALITY ignore EXTENSION ExtendedPacketDelayBudget PRESENCE optional }| { ID id-CNPacketDelayBudgetUL CRITICALITY ignore EXTENSION ExtendedPacketDelayBudget PRESENCE optional }, ... } NotAllowedTACs ::= SEQUENCE (SIZE(1..maxnoofAllowedAreas)) OF TAC NotificationCause ::= ENUMERATED { fulfilled, not-fulfilled, ... } NotificationControl ::= ENUMERATED { notification-requested, ... } NPN-AccessInformation ::= CHOICE { pNI-NPN-Access-Information CellCAGList, choice-Extensions ProtocolIE-SingleContainer { {NPN-AccessInformation-ExtIEs} } } NPN-AccessInformation-ExtIEs NGAP-PROTOCOL-IES ::= { ... } NPN-MobilityInformation ::= CHOICE { sNPN-MobilityInformation SNPN-MobilityInformation, pNI-NPN-MobilityInformation PNI-NPN-MobilityInformation, choice-Extensions ProtocolIE-SingleContainer { {NPN-MobilityInformation-ExtIEs} } } NPN-MobilityInformation-ExtIEs NGAP-PROTOCOL-IES ::= { ... } NPN-PagingAssistanceInformation ::= CHOICE { pNI-NPN-PagingAssistance Allowed-PNI-NPN-List, choice-Extensions ProtocolIE-SingleContainer { {NPN-PagingAssistanceInformation-ExtIEs} } } NPN-PagingAssistanceInformation-ExtIEs NGAP-PROTOCOL-IES ::= { ... } NPN-Support ::= CHOICE { sNPN NID, choice-Extensions ProtocolIE-SingleContainer { {NPN-Support-ExtIEs} } } NPN-Support-ExtIEs NGAP-PROTOCOL-IES ::= { ... } NRCellIdentity ::= BIT STRING (SIZE(36)) NR-CGI ::= SEQUENCE { pLMNIdentity PLMNIdentity, nRCellIdentity NRCellIdentity, iE-Extensions ProtocolExtensionContainer { {NR-CGI-ExtIEs} } OPTIONAL, ... } NR-CGI-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NR-CGIList ::= SEQUENCE (SIZE(1..maxnoofCellsingNB)) OF NR-CGI NR-CGIListForWarning ::= SEQUENCE (SIZE(1..maxnoofCellIDforWarning)) OF NR-CGI NR-PagingeDRXInformation ::= SEQUENCE { nR-paging-eDRX-Cycle NR-Paging-eDRX-Cycle, nR-paging-Time-Window NR-Paging-Time-Window OPTIONAL, iE-Extensions ProtocolExtensionContainer { {NR-PagingeDRXInformation-ExtIEs} } OPTIONAL, ... } NR-PagingeDRXInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NR-Paging-eDRX-Cycle ::= ENUMERATED { hfquarter, hfhalf, hf1, hf2, hf4, hf8, hf16, hf32, hf64, hf128, hf256, hf512, hf1024, ... } NR-Paging-Time-Window ::= ENUMERATED { s1, s2, s3, s4, s5, s6, s7, s8, s9, s10, s11, s12, s13, s14, s15, s16, ..., s17, s18, s19, s20, s21, s22, s23, s24, s25, s26, s27, s28, s29, s30, s31, s32 } NRencryptionAlgorithms ::= BIT STRING (SIZE(16, ...)) NRintegrityProtectionAlgorithms ::= BIT STRING (SIZE(16, ...)) NRMobilityHistoryReport ::= OCTET STRING NRPPa-PDU ::= OCTET STRING NRUERLFReportContainer ::= OCTET STRING NRNTNTAIInformation ::= SEQUENCE { servingPLMN PLMNIdentity, tACListInNRNTN TACListInNRNTN, uELocationDerivedTACInNRNTN TAC OPTIONAL, iE-Extensions ProtocolExtensionContainer { { NRNTNTAIInformation-ExtIEs} } OPTIONAL, ... } NRNTNTAIInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NumberOfBroadcasts ::= INTEGER (0..65535) NumberOfBroadcastsRequested ::= INTEGER (0..65535) NRARFCN ::= INTEGER (0.. maxNRARFCN) NRFrequencyBand ::= INTEGER (1..1024, ...) NRFrequencyBand-List ::= SEQUENCE (SIZE(1..maxnoofNRCellBands)) OF NRFrequencyBandItem NRFrequencyBandItem ::= SEQUENCE { nr-frequency-band NRFrequencyBand, iE-Extension ProtocolExtensionContainer { {NRFrequencyBandItem-ExtIEs} } OPTIONAL, ... } NRFrequencyBandItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NRFrequencyInfo ::= SEQUENCE { nrARFCN NRARFCN, frequencyBand-List NRFrequencyBand-List, iE-Extension ProtocolExtensionContainer { {NRFrequencyInfo-ExtIEs} } OPTIONAL, ... } NRFrequencyInfo-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NR-PCI ::= INTEGER (0..1007, ...) NRV2XServicesAuthorized ::= SEQUENCE { vehicleUE VehicleUE OPTIONAL, pedestrianUE PedestrianUE OPTIONAL, iE-Extensions ProtocolExtensionContainer { {NRV2XServicesAuthorized-ExtIEs} } OPTIONAL, ... } NRV2XServicesAuthorized-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } VehicleUE ::= ENUMERATED { authorized, not-authorized, ... } PedestrianUE ::= ENUMERATED { authorized, not-authorized, ... } NRUESidelinkAggregateMaximumBitrate ::= SEQUENCE { uESidelinkAggregateMaximumBitRate BitRate, iE-Extensions ProtocolExtensionContainer { {NRUESidelinkAggregateMaximumBitrate-ExtIEs} } OPTIONAL, ... } NRUESidelinkAggregateMaximumBitrate-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } NSAG-ID ::= INTEGER (0..255, ...) -- O OnboardingSupport ::= ENUMERATED { true, ... } OverloadAction ::= ENUMERATED { reject-non-emergency-mo-dt, reject-rrc-cr-signalling, permit-emergency-sessions-and-mobile-terminated-services-only, permit-high-priority-sessions-and-mobile-terminated-services-only, ... } OverloadResponse ::= CHOICE { overloadAction OverloadAction, choice-Extensions ProtocolIE-SingleContainer { {OverloadResponse-ExtIEs} } } OverloadResponse-ExtIEs NGAP-PROTOCOL-IES ::= { ... } OverloadStartNSSAIList ::= SEQUENCE (SIZE (1..maxnoofSliceItems)) OF OverloadStartNSSAIItem OverloadStartNSSAIItem ::= SEQUENCE { sliceOverloadList SliceOverloadList, sliceOverloadResponse OverloadResponse OPTIONAL, sliceTrafficLoadReductionIndication TrafficLoadReductionIndication OPTIONAL, iE-Extensions ProtocolExtensionContainer { {OverloadStartNSSAIItem-ExtIEs} } OPTIONAL, ... } OverloadStartNSSAIItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- P PacketDelayBudget ::= INTEGER (0..1023, ...) PacketErrorRate ::= SEQUENCE { pERScalar INTEGER (0..9, ...), pERExponent INTEGER (0..9, ...), iE-Extensions ProtocolExtensionContainer { {PacketErrorRate-ExtIEs} } OPTIONAL, ... } PacketErrorRate-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PacketLossRate ::= INTEGER (0..1000, ...) PagingAssisDataforCEcapabUE ::= SEQUENCE { eUTRA-CGI EUTRA-CGI, coverageEnhancementLevel CoverageEnhancementLevel, iE-Extensions ProtocolExtensionContainer { { PagingAssisDataforCEcapabUE-ExtIEs} } OPTIONAL, ... } PagingAssisDataforCEcapabUE-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PagingAttemptInformation ::= SEQUENCE { pagingAttemptCount PagingAttemptCount, intendedNumberOfPagingAttempts IntendedNumberOfPagingAttempts, nextPagingAreaScope NextPagingAreaScope OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PagingAttemptInformation-ExtIEs} } OPTIONAL, ... } PagingAttemptInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PagingAttemptCount ::= INTEGER (1..16, ...) PagingCause ::= ENUMERATED { voice, ... } PagingCauseIndicationForVoiceService ::= ENUMERATED { supported, ... } PagingDRX ::= ENUMERATED { v32, v64, v128, v256, ... } PagingOrigin ::= ENUMERATED { non-3gpp, ... } PagingPriority ::= ENUMERATED { priolevel1, priolevel2, priolevel3, priolevel4, priolevel5, priolevel6, priolevel7, priolevel8, ... } PagingProbabilityInformation ::= ENUMERATED { p00, p05, p10, p15, p20, p25, p30, p35, p40, p45, p50, p55, p60, p65, p70, p75, p80, p85, p90, p95, p100, ... } PathSwitchRequestAcknowledgeTransfer ::= SEQUENCE { uL-NGU-UP-TNLInformation UPTransportLayerInformation OPTIONAL, securityIndication SecurityIndication OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PathSwitchRequestAcknowledgeTransfer-ExtIEs} } OPTIONAL, ... } PathSwitchRequestAcknowledgeTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-AdditionalNGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformationPairList PRESENCE optional }| { ID id-RedundantUL-NGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformation PRESENCE optional }| { ID id-AdditionalRedundantNGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformationPairList PRESENCE optional }| { ID id-QosFlowParametersList CRITICALITY ignore EXTENSION QosFlowParametersList PRESENCE optional }, ... } PathSwitchRequestSetupFailedTransfer ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { {PathSwitchRequestSetupFailedTransfer-ExtIEs} } OPTIONAL, ... } PathSwitchRequestSetupFailedTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PathSwitchRequestTransfer ::= SEQUENCE { dL-NGU-UP-TNLInformation UPTransportLayerInformation, dL-NGU-TNLInformationReused DL-NGU-TNLInformationReused OPTIONAL, userPlaneSecurityInformation UserPlaneSecurityInformation OPTIONAL, qosFlowAcceptedList QosFlowAcceptedList, iE-Extensions ProtocolExtensionContainer { {PathSwitchRequestTransfer-ExtIEs} } OPTIONAL, ... } PathSwitchRequestTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-AdditionalDLQosFlowPerTNLInformation CRITICALITY ignore EXTENSION QosFlowPerTNLInformationList PRESENCE optional }| { ID id-RedundantDL-NGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformation PRESENCE optional }| { ID id-RedundantDL-NGU-TNLInformationReused CRITICALITY ignore EXTENSION DL-NGU-TNLInformationReused PRESENCE optional }| { ID id-AdditionalRedundantDLQosFlowPerTNLInformation CRITICALITY ignore EXTENSION QosFlowPerTNLInformationList PRESENCE optional }| { ID id-UsedRSNInformation CRITICALITY ignore EXTENSION RedundantPDUSessionInformation PRESENCE optional }| { ID id-GlobalRANNodeID CRITICALITY ignore EXTENSION GlobalRANNodeID PRESENCE optional }| { ID id-MBS-SupportIndicator CRITICALITY ignore EXTENSION MBS-SupportIndicator PRESENCE optional }, ... } PathSwitchRequestUnsuccessfulTransfer ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { {PathSwitchRequestUnsuccessfulTransfer-ExtIEs} } OPTIONAL, ... } PathSwitchRequestUnsuccessfulTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PC5QoSParameters ::= SEQUENCE { pc5QoSFlowList PC5QoSFlowList, pc5LinkAggregateBitRates BitRate OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PC5QoSParameters-ExtIEs} } OPTIONAL, ... } PC5QoSParameters-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PC5QoSFlowList ::= SEQUENCE (SIZE(1..maxnoofPC5QoSFlows)) OF PC5QoSFlowItem PC5QoSFlowItem::= SEQUENCE { pQI FiveQI, pc5FlowBitRates PC5FlowBitRates OPTIONAL, range Range OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PC5QoSFlowItem-ExtIEs} } OPTIONAL, ... } PC5QoSFlowItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PC5FlowBitRates ::= SEQUENCE { guaranteedFlowBitRate BitRate, maximumFlowBitRate BitRate, iE-Extensions ProtocolExtensionContainer { { PC5FlowBitRates-ExtIEs} } OPTIONAL, ... } PC5FlowBitRates-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PCIListForMDT ::= SEQUENCE (SIZE(1.. maxnoofNeighPCIforMDT)) OF NR-PCI PrivacyIndicator ::= ENUMERATED { immediate-MDT, logged-MDT, ... } PDUSessionAggregateMaximumBitRate ::= SEQUENCE { pDUSessionAggregateMaximumBitRateDL BitRate, pDUSessionAggregateMaximumBitRateUL BitRate, iE-Extensions ProtocolExtensionContainer { {PDUSessionAggregateMaximumBitRate-ExtIEs} } OPTIONAL, ... } PDUSessionAggregateMaximumBitRate-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionID ::= INTEGER (0..255) PDUSessionPairID ::= INTEGER (0..255, ...) PDUSessionResourceAdmittedList ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceAdmittedItem PDUSessionResourceAdmittedItem ::= SEQUENCE { pDUSessionID PDUSessionID, handoverRequestAcknowledgeTransfer OCTET STRING (CONTAINING HandoverRequestAcknowledgeTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceAdmittedItem-ExtIEs} } OPTIONAL, ... } PDUSessionResourceAdmittedItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceFailedToModifyListModCfm ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceFailedToModifyItemModCfm PDUSessionResourceFailedToModifyItemModCfm ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceModifyIndicationUnsuccessfulTransfer OCTET STRING (CONTAINING PDUSessionResourceModifyIndicationUnsuccessfulTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceFailedToModifyItemModCfm-ExtIEs} } OPTIONAL, ... } PDUSessionResourceFailedToModifyItemModCfm-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceFailedToModifyListModRes ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceFailedToModifyItemModRes PDUSessionResourceFailedToModifyItemModRes ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceModifyUnsuccessfulTransfer OCTET STRING (CONTAINING PDUSessionResourceModifyUnsuccessfulTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceFailedToModifyItemModRes-ExtIEs} } OPTIONAL, ... } PDUSessionResourceFailedToModifyItemModRes-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceFailedToResumeListRESReq ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceFailedToResumeItemRESReq PDUSessionResourceFailedToResumeItemRESReq ::= SEQUENCE { pDUSessionID PDUSessionID, cause Cause, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceFailedToResumeItemRESReq-ExtIEs} } OPTIONAL, ... } PDUSessionResourceFailedToResumeItemRESReq-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceFailedToResumeListRESRes ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceFailedToResumeItemRESRes PDUSessionResourceFailedToResumeItemRESRes ::= SEQUENCE { pDUSessionID PDUSessionID, cause Cause, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceFailedToResumeItemRESRes-ExtIEs} } OPTIONAL, ... } PDUSessionResourceFailedToResumeItemRESRes-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceFailedToSetupListCxtFail ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceFailedToSetupItemCxtFail PDUSessionResourceFailedToSetupItemCxtFail ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceSetupUnsuccessfulTransfer OCTET STRING (CONTAINING PDUSessionResourceSetupUnsuccessfulTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceFailedToSetupItemCxtFail-ExtIEs} } OPTIONAL, ... } PDUSessionResourceFailedToSetupItemCxtFail-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceFailedToSetupListCxtRes ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceFailedToSetupItemCxtRes PDUSessionResourceFailedToSetupItemCxtRes ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceSetupUnsuccessfulTransfer OCTET STRING (CONTAINING PDUSessionResourceSetupUnsuccessfulTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceFailedToSetupItemCxtRes-ExtIEs} } OPTIONAL, ... } PDUSessionResourceFailedToSetupItemCxtRes-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceFailedToSetupListHOAck ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceFailedToSetupItemHOAck PDUSessionResourceFailedToSetupItemHOAck ::= SEQUENCE { pDUSessionID PDUSessionID, handoverResourceAllocationUnsuccessfulTransfer OCTET STRING (CONTAINING HandoverResourceAllocationUnsuccessfulTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceFailedToSetupItemHOAck-ExtIEs} } OPTIONAL, ... } PDUSessionResourceFailedToSetupItemHOAck-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceFailedToSetupListPSReq ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceFailedToSetupItemPSReq PDUSessionResourceFailedToSetupItemPSReq ::= SEQUENCE { pDUSessionID PDUSessionID, pathSwitchRequestSetupFailedTransfer OCTET STRING (CONTAINING PathSwitchRequestSetupFailedTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceFailedToSetupItemPSReq-ExtIEs} } OPTIONAL, ... } PDUSessionResourceFailedToSetupItemPSReq-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceFailedToSetupListSURes ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceFailedToSetupItemSURes PDUSessionResourceFailedToSetupItemSURes ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceSetupUnsuccessfulTransfer OCTET STRING (CONTAINING PDUSessionResourceSetupUnsuccessfulTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceFailedToSetupItemSURes-ExtIEs} } OPTIONAL, ... } PDUSessionResourceFailedToSetupItemSURes-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceHandoverList ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceHandoverItem PDUSessionResourceHandoverItem ::= SEQUENCE { pDUSessionID PDUSessionID, handoverCommandTransfer OCTET STRING (CONTAINING HandoverCommandTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceHandoverItem-ExtIEs} } OPTIONAL, ... } PDUSessionResourceHandoverItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceInformationList ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceInformationItem PDUSessionResourceInformationItem ::= SEQUENCE { pDUSessionID PDUSessionID, qosFlowInformationList QosFlowInformationList, dRBsToQosFlowsMappingList DRBsToQosFlowsMappingList OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceInformationItem-ExtIEs} } OPTIONAL, ... } PDUSessionResourceInformationItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceListCxtRelCpl ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceItemCxtRelCpl PDUSessionResourceItemCxtRelCpl ::= SEQUENCE { pDUSessionID PDUSessionID, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceItemCxtRelCpl-ExtIEs} } OPTIONAL, ... } -- WS modification: define a dedicated type PDUSessionResourceReleaseResponseTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING PDUSessionResourceReleaseResponseTransfer) PDUSessionResourceItemCxtRelCpl-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { -- WS modification: define a dedicated type -- { ID id-PDUSessionResourceReleaseResponseTransfer CRITICALITY ignore EXTENSION OCTET STRING (CONTAINING PDUSessionResourceReleaseResponseTransfer) PRESENCE optional }, { ID id-PDUSessionResourceReleaseResponseTransfer CRITICALITY ignore EXTENSION PDUSessionResourceReleaseResponseTransfer-OCTET-STRING PRESENCE optional }, ... } PDUSessionResourceListCxtRelReq ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceItemCxtRelReq PDUSessionResourceItemCxtRelReq ::= SEQUENCE { pDUSessionID PDUSessionID, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceItemCxtRelReq-ExtIEs} } OPTIONAL, ... } PDUSessionResourceItemCxtRelReq-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceListHORqd ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceItemHORqd PDUSessionResourceItemHORqd ::= SEQUENCE { pDUSessionID PDUSessionID, handoverRequiredTransfer OCTET STRING (CONTAINING HandoverRequiredTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceItemHORqd-ExtIEs} } OPTIONAL, ... } PDUSessionResourceItemHORqd-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceModifyConfirmTransfer ::= SEQUENCE { qosFlowModifyConfirmList QosFlowModifyConfirmList, uLNGU-UP-TNLInformation UPTransportLayerInformation, additionalNG-UUPTNLInformation UPTransportLayerInformationPairList OPTIONAL, qosFlowFailedToModifyList QosFlowListWithCause OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceModifyConfirmTransfer-ExtIEs} } OPTIONAL, ... } PDUSessionResourceModifyConfirmTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-RedundantUL-NGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformation PRESENCE optional }| { ID id-AdditionalRedundantNGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformationPairList PRESENCE optional }, ... } PDUSessionResourceModifyIndicationUnsuccessfulTransfer ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceModifyIndicationUnsuccessfulTransfer-ExtIEs} } OPTIONAL, ... } PDUSessionResourceModifyIndicationUnsuccessfulTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceModifyRequestTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PDUSessionResourceModifyRequestTransferIEs} }, ... } PDUSessionResourceModifyRequestTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-PDUSessionAggregateMaximumBitRate CRITICALITY reject TYPE PDUSessionAggregateMaximumBitRate PRESENCE optional }| { ID id-UL-NGU-UP-TNLModifyList CRITICALITY reject TYPE UL-NGU-UP-TNLModifyList PRESENCE optional }| { ID id-NetworkInstance CRITICALITY reject TYPE NetworkInstance PRESENCE optional }| { ID id-QosFlowAddOrModifyRequestList CRITICALITY reject TYPE QosFlowAddOrModifyRequestList PRESENCE optional }| { ID id-QosFlowToReleaseList CRITICALITY reject TYPE QosFlowListWithCause PRESENCE optional }| { ID id-AdditionalUL-NGU-UP-TNLInformation CRITICALITY reject TYPE UPTransportLayerInformationList PRESENCE optional }| { ID id-CommonNetworkInstance CRITICALITY ignore TYPE CommonNetworkInstance PRESENCE optional }| { ID id-AdditionalRedundantUL-NGU-UP-TNLInformation CRITICALITY ignore TYPE UPTransportLayerInformationList PRESENCE optional }| { ID id-RedundantCommonNetworkInstance CRITICALITY ignore TYPE CommonNetworkInstance PRESENCE optional }| { ID id-RedundantUL-NGU-UP-TNLInformation CRITICALITY ignore TYPE UPTransportLayerInformation PRESENCE optional }| { ID id-SecurityIndication CRITICALITY ignore TYPE SecurityIndication PRESENCE optional }| { ID id-MBSSessionSetuporModifyRequestList CRITICALITY ignore TYPE MBSSessionSetuporModifyRequestList PRESENCE optional }| { ID id-MBSSessionToReleaseList CRITICALITY ignore TYPE MBSSessionToReleaseList PRESENCE optional }, ... } PDUSessionResourceModifyResponseTransfer ::= SEQUENCE { dL-NGU-UP-TNLInformation UPTransportLayerInformation OPTIONAL, uL-NGU-UP-TNLInformation UPTransportLayerInformation OPTIONAL, qosFlowAddOrModifyResponseList QosFlowAddOrModifyResponseList OPTIONAL, additionalDLQosFlowPerTNLInformation QosFlowPerTNLInformationList OPTIONAL, qosFlowFailedToAddOrModifyList QosFlowListWithCause OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceModifyResponseTransfer-ExtIEs} } OPTIONAL, ... } PDUSessionResourceModifyResponseTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-AdditionalNGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformationPairList PRESENCE optional }| { ID id-RedundantDL-NGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformation PRESENCE optional }| { ID id-RedundantUL-NGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformation PRESENCE optional }| { ID id-AdditionalRedundantDLQosFlowPerTNLInformation CRITICALITY ignore EXTENSION QosFlowPerTNLInformationList PRESENCE optional }| { ID id-AdditionalRedundantNGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformationPairList PRESENCE optional }| { ID id-SecondaryRATUsageInformation CRITICALITY ignore EXTENSION SecondaryRATUsageInformation PRESENCE optional }| { ID id-MBS-SupportIndicator CRITICALITY ignore EXTENSION MBS-SupportIndicator PRESENCE optional }| { ID id-MBSSessionSetuporModifyResponseList CRITICALITY ignore EXTENSION MBSSessionSetupResponseList PRESENCE optional }| { ID id-MBSSessionFailedtoSetuporModifyList CRITICALITY ignore EXTENSION MBSSessionFailedtoSetupList PRESENCE optional }, ... } PDUSessionResourceModifyIndicationTransfer ::= SEQUENCE { dLQosFlowPerTNLInformation QosFlowPerTNLInformation, additionalDLQosFlowPerTNLInformation QosFlowPerTNLInformationList OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceModifyIndicationTransfer-ExtIEs} } OPTIONAL, ... } PDUSessionResourceModifyIndicationTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-SecondaryRATUsageInformation CRITICALITY ignore EXTENSION SecondaryRATUsageInformation PRESENCE optional }| { ID id-SecurityResult CRITICALITY ignore EXTENSION SecurityResult PRESENCE optional }| { ID id-RedundantDLQosFlowPerTNLInformation CRITICALITY ignore EXTENSION QosFlowPerTNLInformation PRESENCE optional }| { ID id-AdditionalRedundantDLQosFlowPerTNLInformation CRITICALITY ignore EXTENSION QosFlowPerTNLInformationList PRESENCE optional }| { ID id-GlobalRANNodeID CRITICALITY ignore EXTENSION GlobalRANNodeID PRESENCE optional }, ... } PDUSessionResourceModifyListModCfm ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceModifyItemModCfm PDUSessionResourceModifyItemModCfm ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceModifyConfirmTransfer OCTET STRING (CONTAINING PDUSessionResourceModifyConfirmTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceModifyItemModCfm-ExtIEs} } OPTIONAL, ... } PDUSessionResourceModifyItemModCfm-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceModifyListModInd ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceModifyItemModInd PDUSessionResourceModifyItemModInd ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceModifyIndicationTransfer OCTET STRING (CONTAINING PDUSessionResourceModifyIndicationTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceModifyItemModInd-ExtIEs} } OPTIONAL, ... } PDUSessionResourceModifyItemModInd-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceModifyListModReq ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceModifyItemModReq PDUSessionResourceModifyItemModReq ::= SEQUENCE { pDUSessionID PDUSessionID, nAS-PDU NAS-PDU OPTIONAL, pDUSessionResourceModifyRequestTransfer OCTET STRING (CONTAINING PDUSessionResourceModifyRequestTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceModifyItemModReq-ExtIEs} } OPTIONAL, ... } PDUSessionResourceModifyItemModReq-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-S-NSSAI CRITICALITY reject EXTENSION S-NSSAI PRESENCE optional }| { ID id-PduSessionExpectedUEActivityBehaviour CRITICALITY ignore EXTENSION ExpectedUEActivityBehaviour PRESENCE optional }, ... } PDUSessionResourceModifyListModRes ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceModifyItemModRes PDUSessionResourceModifyItemModRes ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceModifyResponseTransfer OCTET STRING (CONTAINING PDUSessionResourceModifyResponseTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceModifyItemModRes-ExtIEs} } OPTIONAL, ... } PDUSessionResourceModifyItemModRes-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceModifyUnsuccessfulTransfer ::= SEQUENCE { cause Cause, criticalityDiagnostics CriticalityDiagnostics OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceModifyUnsuccessfulTransfer-ExtIEs} } OPTIONAL, ... } PDUSessionResourceModifyUnsuccessfulTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceNotifyList ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceNotifyItem PDUSessionResourceNotifyItem ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceNotifyTransfer OCTET STRING (CONTAINING PDUSessionResourceNotifyTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceNotifyItem-ExtIEs} } OPTIONAL, ... } PDUSessionResourceNotifyItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceNotifyReleasedTransfer ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceNotifyReleasedTransfer-ExtIEs} } OPTIONAL, ... } PDUSessionResourceNotifyReleasedTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-SecondaryRATUsageInformation CRITICALITY ignore EXTENSION SecondaryRATUsageInformation PRESENCE optional }, ... } PDUSessionResourceNotifyTransfer ::= SEQUENCE { qosFlowNotifyList QosFlowNotifyList OPTIONAL, qosFlowReleasedList QosFlowListWithCause OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceNotifyTransfer-ExtIEs} } OPTIONAL, ... } PDUSessionResourceNotifyTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-SecondaryRATUsageInformation CRITICALITY ignore EXTENSION SecondaryRATUsageInformation PRESENCE optional }| { ID id-QosFlowFeedbackList CRITICALITY ignore EXTENSION QosFlowFeedbackList PRESENCE optional }, ... } PDUSessionResourceReleaseCommandTransfer ::= SEQUENCE { cause Cause, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceReleaseCommandTransfer-ExtIEs} } OPTIONAL, ... } PDUSessionResourceReleaseCommandTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceReleasedListNot ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceReleasedItemNot PDUSessionResourceReleasedItemNot ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceNotifyReleasedTransfer OCTET STRING (CONTAINING PDUSessionResourceNotifyReleasedTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceReleasedItemNot-ExtIEs} } OPTIONAL, ... } PDUSessionResourceReleasedItemNot-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceReleasedListPSAck ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceReleasedItemPSAck PDUSessionResourceReleasedItemPSAck ::= SEQUENCE { pDUSessionID PDUSessionID, pathSwitchRequestUnsuccessfulTransfer OCTET STRING (CONTAINING PathSwitchRequestUnsuccessfulTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceReleasedItemPSAck-ExtIEs} } OPTIONAL, ... } PDUSessionResourceReleasedItemPSAck-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceReleasedListPSFail ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceReleasedItemPSFail PDUSessionResourceReleasedItemPSFail ::= SEQUENCE { pDUSessionID PDUSessionID, pathSwitchRequestUnsuccessfulTransfer OCTET STRING (CONTAINING PathSwitchRequestUnsuccessfulTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceReleasedItemPSFail-ExtIEs} } OPTIONAL, ... } PDUSessionResourceReleasedItemPSFail-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceReleasedListRelRes ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceReleasedItemRelRes PDUSessionResourceReleasedItemRelRes ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceReleaseResponseTransfer OCTET STRING (CONTAINING PDUSessionResourceReleaseResponseTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceReleasedItemRelRes-ExtIEs} } OPTIONAL, ... } PDUSessionResourceReleasedItemRelRes-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceReleaseResponseTransfer ::= SEQUENCE { iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceReleaseResponseTransfer-ExtIEs} } OPTIONAL, ... } PDUSessionResourceReleaseResponseTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-SecondaryRATUsageInformation CRITICALITY ignore EXTENSION SecondaryRATUsageInformation PRESENCE optional }, ... } PDUSessionResourceResumeListRESReq ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceResumeItemRESReq PDUSessionResourceResumeItemRESReq ::= SEQUENCE { pDUSessionID PDUSessionID, uEContextResumeRequestTransfer OCTET STRING (CONTAINING UEContextResumeRequestTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceResumeItemRESReq-ExtIEs} } OPTIONAL, ... } PDUSessionResourceResumeItemRESReq-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceResumeListRESRes ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceResumeItemRESRes PDUSessionResourceResumeItemRESRes ::= SEQUENCE { pDUSessionID PDUSessionID, uEContextResumeResponseTransfer OCTET STRING (CONTAINING UEContextResumeResponseTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceResumeItemRESRes-ExtIEs} } OPTIONAL, ... } PDUSessionResourceResumeItemRESRes-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceSecondaryRATUsageList ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceSecondaryRATUsageItem PDUSessionResourceSecondaryRATUsageItem ::= SEQUENCE { pDUSessionID PDUSessionID, secondaryRATDataUsageReportTransfer OCTET STRING (CONTAINING SecondaryRATDataUsageReportTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceSecondaryRATUsageItem-ExtIEs} } OPTIONAL, ... } PDUSessionResourceSecondaryRATUsageItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceSetupListCxtReq ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceSetupItemCxtReq PDUSessionResourceSetupItemCxtReq ::= SEQUENCE { pDUSessionID PDUSessionID, nAS-PDU NAS-PDU OPTIONAL, s-NSSAI S-NSSAI, pDUSessionResourceSetupRequestTransfer OCTET STRING (CONTAINING PDUSessionResourceSetupRequestTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceSetupItemCxtReq-ExtIEs} } OPTIONAL, ... } PDUSessionResourceSetupItemCxtReq-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-PduSessionExpectedUEActivityBehaviour CRITICALITY ignore EXTENSION ExpectedUEActivityBehaviour PRESENCE optional }, ... } PDUSessionResourceSetupListCxtRes ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceSetupItemCxtRes PDUSessionResourceSetupItemCxtRes ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceSetupResponseTransfer OCTET STRING (CONTAINING PDUSessionResourceSetupResponseTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceSetupItemCxtRes-ExtIEs} } OPTIONAL, ... } PDUSessionResourceSetupItemCxtRes-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceSetupListHOReq ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceSetupItemHOReq PDUSessionResourceSetupItemHOReq ::= SEQUENCE { pDUSessionID PDUSessionID, s-NSSAI S-NSSAI, handoverRequestTransfer OCTET STRING (CONTAINING PDUSessionResourceSetupRequestTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceSetupItemHOReq-ExtIEs} } OPTIONAL, ... } PDUSessionResourceSetupItemHOReq-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-PduSessionExpectedUEActivityBehaviour CRITICALITY ignore EXTENSION ExpectedUEActivityBehaviour PRESENCE optional }, ... } PDUSessionResourceSetupListSUReq ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceSetupItemSUReq PDUSessionResourceSetupItemSUReq ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionNAS-PDU NAS-PDU OPTIONAL, s-NSSAI S-NSSAI, pDUSessionResourceSetupRequestTransfer OCTET STRING (CONTAINING PDUSessionResourceSetupRequestTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceSetupItemSUReq-ExtIEs} } OPTIONAL, ... } PDUSessionResourceSetupItemSUReq-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-PduSessionExpectedUEActivityBehaviour CRITICALITY ignore EXTENSION ExpectedUEActivityBehaviour PRESENCE optional }, ... } PDUSessionResourceSetupListSURes ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceSetupItemSURes PDUSessionResourceSetupItemSURes ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceSetupResponseTransfer OCTET STRING (CONTAINING PDUSessionResourceSetupResponseTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceSetupItemSURes-ExtIEs} } OPTIONAL, ... } PDUSessionResourceSetupItemSURes-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceSetupRequestTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PDUSessionResourceSetupRequestTransferIEs} }, ... } PDUSessionResourceSetupRequestTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-PDUSessionAggregateMaximumBitRate CRITICALITY reject TYPE PDUSessionAggregateMaximumBitRate PRESENCE optional }| { ID id-UL-NGU-UP-TNLInformation CRITICALITY reject TYPE UPTransportLayerInformation PRESENCE mandatory }| { ID id-AdditionalUL-NGU-UP-TNLInformation CRITICALITY reject TYPE UPTransportLayerInformationList PRESENCE optional }| { ID id-DataForwardingNotPossible CRITICALITY reject TYPE DataForwardingNotPossible PRESENCE optional }| { ID id-PDUSessionType CRITICALITY reject TYPE PDUSessionType PRESENCE mandatory }| { ID id-SecurityIndication CRITICALITY reject TYPE SecurityIndication PRESENCE optional }| { ID id-NetworkInstance CRITICALITY reject TYPE NetworkInstance PRESENCE optional }| { ID id-QosFlowSetupRequestList CRITICALITY reject TYPE QosFlowSetupRequestList PRESENCE mandatory }| { ID id-CommonNetworkInstance CRITICALITY ignore TYPE CommonNetworkInstance PRESENCE optional }| { ID id-DirectForwardingPathAvailability CRITICALITY ignore TYPE DirectForwardingPathAvailability PRESENCE optional }| { ID id-RedundantUL-NGU-UP-TNLInformation CRITICALITY ignore TYPE UPTransportLayerInformation PRESENCE optional }| { ID id-AdditionalRedundantUL-NGU-UP-TNLInformation CRITICALITY ignore TYPE UPTransportLayerInformationList PRESENCE optional }| { ID id-RedundantCommonNetworkInstance CRITICALITY ignore TYPE CommonNetworkInstance PRESENCE optional }| { ID id-RedundantPDUSessionInformation CRITICALITY ignore TYPE RedundantPDUSessionInformation PRESENCE optional }| { ID id-MBSSessionSetupRequestList CRITICALITY ignore TYPE MBSSessionSetupRequestList PRESENCE optional }, ... } PDUSessionResourceSetupResponseTransfer ::= SEQUENCE { dLQosFlowPerTNLInformation QosFlowPerTNLInformation, additionalDLQosFlowPerTNLInformation QosFlowPerTNLInformationList OPTIONAL, securityResult SecurityResult OPTIONAL, qosFlowFailedToSetupList QosFlowListWithCause OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceSetupResponseTransfer-ExtIEs} } OPTIONAL, ... } PDUSessionResourceSetupResponseTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-RedundantDLQosFlowPerTNLInformation CRITICALITY ignore EXTENSION QosFlowPerTNLInformation PRESENCE optional }| { ID id-AdditionalRedundantDLQosFlowPerTNLInformation CRITICALITY ignore EXTENSION QosFlowPerTNLInformationList PRESENCE optional }| { ID id-UsedRSNInformation CRITICALITY ignore EXTENSION RedundantPDUSessionInformation PRESENCE optional }| { ID id-GlobalRANNodeID CRITICALITY ignore EXTENSION GlobalRANNodeID PRESENCE optional }| { ID id-MBS-SupportIndicator CRITICALITY ignore EXTENSION MBS-SupportIndicator PRESENCE optional }| { ID id-MBSSessionSetupResponseList CRITICALITY ignore EXTENSION MBSSessionSetupResponseList PRESENCE optional }| { ID id-MBSSessionFailedtoSetupList CRITICALITY ignore EXTENSION MBSSessionFailedtoSetupList PRESENCE optional }, ... } PDUSessionResourceSetupUnsuccessfulTransfer ::= SEQUENCE { cause Cause, criticalityDiagnostics CriticalityDiagnostics OPTIONAL, iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceSetupUnsuccessfulTransfer-ExtIEs} } OPTIONAL, ... } PDUSessionResourceSetupUnsuccessfulTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceSuspendListSUSReq ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceSuspendItemSUSReq PDUSessionResourceSuspendItemSUSReq ::= SEQUENCE { pDUSessionID PDUSessionID, uEContextSuspendRequestTransfer OCTET STRING (CONTAINING UEContextSuspendRequestTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceSuspendItemSUSReq-ExtIEs} } OPTIONAL, ... } PDUSessionResourceSuspendItemSUSReq-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceSwitchedList ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceSwitchedItem PDUSessionResourceSwitchedItem ::= SEQUENCE { pDUSessionID PDUSessionID, pathSwitchRequestAcknowledgeTransfer OCTET STRING (CONTAINING PathSwitchRequestAcknowledgeTransfer), iE-Extensions ProtocolExtensionContainer { { PDUSessionResourceSwitchedItem-ExtIEs} } OPTIONAL, ... } PDUSessionResourceSwitchedItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-PduSessionExpectedUEActivityBehaviour CRITICALITY ignore EXTENSION ExpectedUEActivityBehaviour PRESENCE optional }, ... } PDUSessionResourceToBeSwitchedDLList ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceToBeSwitchedDLItem PDUSessionResourceToBeSwitchedDLItem ::= SEQUENCE { pDUSessionID PDUSessionID, pathSwitchRequestTransfer OCTET STRING (CONTAINING PathSwitchRequestTransfer), iE-Extensions ProtocolExtensionContainer { { PDUSessionResourceToBeSwitchedDLItem-ExtIEs} } OPTIONAL, ... } PDUSessionResourceToBeSwitchedDLItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceToReleaseListHOCmd ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceToReleaseItemHOCmd PDUSessionResourceToReleaseItemHOCmd ::= SEQUENCE { pDUSessionID PDUSessionID, handoverPreparationUnsuccessfulTransfer OCTET STRING (CONTAINING HandoverPreparationUnsuccessfulTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceToReleaseItemHOCmd-ExtIEs} } OPTIONAL, ... } PDUSessionResourceToReleaseItemHOCmd-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionResourceToReleaseListRelCmd ::= SEQUENCE (SIZE(1..maxnoofPDUSessions)) OF PDUSessionResourceToReleaseItemRelCmd PDUSessionResourceToReleaseItemRelCmd ::= SEQUENCE { pDUSessionID PDUSessionID, pDUSessionResourceReleaseCommandTransfer OCTET STRING (CONTAINING PDUSessionResourceReleaseCommandTransfer), iE-Extensions ProtocolExtensionContainer { {PDUSessionResourceToReleaseItemRelCmd-ExtIEs} } OPTIONAL, ... } PDUSessionResourceToReleaseItemRelCmd-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PDUSessionType ::= ENUMERATED { ipv4, ipv6, ipv4v6, ethernet, unstructured, ... } PDUSessionUsageReport ::= SEQUENCE { rATType ENUMERATED {nr, eutra, ..., nr-unlicensed, e-utra-unlicensed}, pDUSessionTimedReportList VolumeTimedReportList, iE-Extensions ProtocolExtensionContainer { {PDUSessionUsageReport-ExtIEs} } OPTIONAL, ... } PDUSessionUsageReport-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PEIPSassistanceInformation ::= SEQUENCE { cNsubgroupID CNsubgroupID, iE-Extensions ProtocolExtensionContainer { {PEIPSassistanceInformation-ExtIEs} } OPTIONAL, ... } PEIPSassistanceInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } Periodicity ::= INTEGER (0..640000, ...) PeriodicRegistrationUpdateTimer ::= BIT STRING (SIZE(8)) PLMNIdentity ::= OCTET STRING (SIZE(3)) PLMNAreaBasedQMC ::= SEQUENCE { plmnListforQMC PLMNListforQMC, iE-Extensions ProtocolExtensionContainer { {PLMNAreaBasedQMC-ExtIEs} } OPTIONAL, ... } PLMNAreaBasedQMC-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PLMNListforQMC ::= SEQUENCE (SIZE(1..maxnoofPLMNforQMC)) OF PLMNIdentity PLMNSupportList ::= SEQUENCE (SIZE(1..maxnoofPLMNs)) OF PLMNSupportItem PLMNSupportItem ::= SEQUENCE { pLMNIdentity PLMNIdentity, sliceSupportList SliceSupportList, iE-Extensions ProtocolExtensionContainer { {PLMNSupportItem-ExtIEs} } OPTIONAL, ... } PLMNSupportItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-NPN-Support CRITICALITY reject EXTENSION NPN-Support PRESENCE optional }| { ID id-ExtendedSliceSupportList CRITICALITY reject EXTENSION ExtendedSliceSupportList PRESENCE optional }| { ID id-OnboardingSupport CRITICALITY ignore EXTENSION OnboardingSupport PRESENCE optional }, ... } PNI-NPN-MobilityInformation ::= SEQUENCE { allowed-PNI-NPI-List Allowed-PNI-NPN-List, iE-Extensions ProtocolExtensionContainer { {PNI-NPN-MobilityInformation-ExtIEs} } OPTIONAL, ... } PNI-NPN-MobilityInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } PortNumber ::= OCTET STRING (SIZE(2)) Pre-emptionCapability ::= ENUMERATED { shall-not-trigger-pre-emption, may-trigger-pre-emption, ... } Pre-emptionVulnerability ::= ENUMERATED { not-pre-emptable, pre-emptable, ... } PriorityLevelARP ::= INTEGER (1..15) PriorityLevelQos ::= INTEGER (1..127, ...) PWSFailedCellIDList ::= CHOICE { eUTRA-CGI-PWSFailedList EUTRA-CGIList, nR-CGI-PWSFailedList NR-CGIList, choice-Extensions ProtocolIE-SingleContainer { {PWSFailedCellIDList-ExtIEs} } } PWSFailedCellIDList-ExtIEs NGAP-PROTOCOL-IES ::= { ... } -- Q QMCConfigInfo ::= SEQUENCE { uEAppLayerMeasInfoList UEAppLayerMeasInfoList, iE-Extensions ProtocolExtensionContainer { { QMCConfigInfo-ExtIEs} } OPTIONAL, ... } QMCConfigInfo-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } QMCDeactivation ::= SEQUENCE { qoEReferenceList QoEReferenceList, iE-Extensions ProtocolExtensionContainer { { QMCDeactivation-ExtIEs} } OPTIONAL, ... } QMCDeactivation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } QoEReferenceList ::= SEQUENCE (SIZE(1..maxnoofUEAppLayerMeas)) OF QoEReference QoEReference ::= OCTET STRING (SIZE(6)) QosCharacteristics ::= CHOICE { nonDynamic5QI NonDynamic5QIDescriptor, dynamic5QI Dynamic5QIDescriptor, choice-Extensions ProtocolIE-SingleContainer { {QosCharacteristics-ExtIEs} } } QosCharacteristics-ExtIEs NGAP-PROTOCOL-IES ::= { ... } QosFlowAcceptedList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowAcceptedItem QosFlowAcceptedItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, iE-Extensions ProtocolExtensionContainer { {QosFlowAcceptedItem-ExtIEs} } OPTIONAL, ... } QosFlowAcceptedItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-CurrentQoSParaSetIndex CRITICALITY ignore EXTENSION AlternativeQoSParaSetIndex PRESENCE optional }, ... } QosFlowAddOrModifyRequestList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowAddOrModifyRequestItem QosFlowAddOrModifyRequestItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, qosFlowLevelQosParameters QosFlowLevelQosParameters OPTIONAL, e-RAB-ID E-RAB-ID OPTIONAL, iE-Extensions ProtocolExtensionContainer { {QosFlowAddOrModifyRequestItem-ExtIEs} } OPTIONAL, ... } QosFlowAddOrModifyRequestItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { {ID id-TSCTrafficCharacteristics CRITICALITY ignore EXTENSION TSCTrafficCharacteristics PRESENCE optional }| {ID id-RedundantQosFlowIndicator CRITICALITY ignore EXTENSION RedundantQosFlowIndicator PRESENCE optional }, ... } QosFlowAddOrModifyResponseList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowAddOrModifyResponseItem QosFlowAddOrModifyResponseItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, iE-Extensions ProtocolExtensionContainer { {QosFlowAddOrModifyResponseItem-ExtIEs} } OPTIONAL, ... } QosFlowAddOrModifyResponseItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-CurrentQoSParaSetIndex CRITICALITY ignore EXTENSION AlternativeQoSParaSetIndex PRESENCE optional }, ... } QosFlowFeedbackList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowFeedbackItem QosFlowFeedbackItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, updateFeedback UpdateFeedback OPTIONAL, cNpacketDelayBudgetDL ExtendedPacketDelayBudget OPTIONAL, cNpacketDelayBudgetUL ExtendedPacketDelayBudget OPTIONAL, iE-Extensions ProtocolExtensionContainer { {QosFlowFeedbackItem-ExtIEs} } OPTIONAL, ... } QosFlowFeedbackItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } QosFlowIdentifier ::= INTEGER (0..63, ...) QosFlowInformationList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowInformationItem QosFlowInformationItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, dLForwarding DLForwarding OPTIONAL, iE-Extensions ProtocolExtensionContainer { {QosFlowInformationItem-ExtIEs} } OPTIONAL, ... } QosFlowInformationItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { {ID id-ULForwarding CRITICALITY ignore EXTENSION ULForwarding PRESENCE optional}| {ID id-SourceTNLAddrInfo CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional}| {ID id-SourceNodeTNLAddrInfo CRITICALITY ignore EXTENSION TransportLayerAddress PRESENCE optional}, ... } QosFlowLevelQosParameters ::= SEQUENCE { qosCharacteristics QosCharacteristics, allocationAndRetentionPriority AllocationAndRetentionPriority, gBR-QosInformation GBR-QosInformation OPTIONAL, reflectiveQosAttribute ReflectiveQosAttribute OPTIONAL, additionalQosFlowInformation AdditionalQosFlowInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { {QosFlowLevelQosParameters-ExtIEs} } OPTIONAL, ... } QosFlowLevelQosParameters-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { {ID id-QosMonitoringRequest CRITICALITY ignore EXTENSION QosMonitoringRequest PRESENCE optional}| {ID id-QosMonitoringReportingFrequency CRITICALITY ignore EXTENSION QosMonitoringReportingFrequency PRESENCE optional}, ... } QosMonitoringRequest ::= ENUMERATED {ul, dl, both, ..., stop} QosMonitoringReportingFrequency ::= INTEGER (1..1800, ...) QoSFlowList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowIdentifier QosFlowListWithCause ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowWithCauseItem QosFlowWithCauseItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, cause Cause, iE-Extensions ProtocolExtensionContainer { {QosFlowWithCauseItem-ExtIEs} } OPTIONAL, ... } QosFlowWithCauseItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } QosFlowModifyConfirmList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowModifyConfirmItem QosFlowModifyConfirmItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, iE-Extensions ProtocolExtensionContainer { {QosFlowModifyConfirmItem-ExtIEs} } OPTIONAL, ... } QosFlowModifyConfirmItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } QosFlowNotifyList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowNotifyItem QosFlowNotifyItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, notificationCause NotificationCause, iE-Extensions ProtocolExtensionContainer { {QosFlowNotifyItem-ExtIEs} } OPTIONAL, ... } QosFlowNotifyItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-CurrentQoSParaSetIndex CRITICALITY ignore EXTENSION AlternativeQoSParaSetNotifyIndex PRESENCE optional }, ... } QosFlowParametersList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowParametersItem QosFlowParametersItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, alternativeQoSParaSetList AlternativeQoSParaSetList OPTIONAL, iE-Extensions ProtocolExtensionContainer { {QosFlowParametersItem-ExtIEs} } OPTIONAL, ... } QosFlowParametersItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-CNPacketDelayBudgetDL CRITICALITY ignore EXTENSION ExtendedPacketDelayBudget PRESENCE optional }| { ID id-CNPacketDelayBudgetUL CRITICALITY ignore EXTENSION ExtendedPacketDelayBudget PRESENCE optional }| { ID id-BurstArrivalTimeDownlink CRITICALITY ignore EXTENSION BurstArrivalTime PRESENCE optional }, ... } QosFlowPerTNLInformation ::= SEQUENCE { uPTransportLayerInformation UPTransportLayerInformation, associatedQosFlowList AssociatedQosFlowList, iE-Extensions ProtocolExtensionContainer { { QosFlowPerTNLInformation-ExtIEs} } OPTIONAL, ... } QosFlowPerTNLInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } QosFlowPerTNLInformationList ::= SEQUENCE (SIZE(1..maxnoofMultiConnectivityMinusOne)) OF QosFlowPerTNLInformationItem QosFlowPerTNLInformationItem ::= SEQUENCE { qosFlowPerTNLInformation QosFlowPerTNLInformation, iE-Extensions ProtocolExtensionContainer { { QosFlowPerTNLInformationItem-ExtIEs} } OPTIONAL, ... } QosFlowPerTNLInformationItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } QosFlowSetupRequestList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowSetupRequestItem QosFlowSetupRequestItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, qosFlowLevelQosParameters QosFlowLevelQosParameters, e-RAB-ID E-RAB-ID OPTIONAL, iE-Extensions ProtocolExtensionContainer { {QosFlowSetupRequestItem-ExtIEs} } OPTIONAL, ... } QosFlowSetupRequestItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { {ID id-TSCTrafficCharacteristics CRITICALITY ignore EXTENSION TSCTrafficCharacteristics PRESENCE optional }| {ID id-RedundantQosFlowIndicator CRITICALITY ignore EXTENSION RedundantQosFlowIndicator PRESENCE optional }, ... } QosFlowListWithDataForwarding ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowItemWithDataForwarding QosFlowItemWithDataForwarding ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, dataForwardingAccepted DataForwardingAccepted OPTIONAL, iE-Extensions ProtocolExtensionContainer { {QosFlowItemWithDataForwarding-ExtIEs} } OPTIONAL, ... } QosFlowItemWithDataForwarding-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-CurrentQoSParaSetIndex CRITICALITY ignore EXTENSION AlternativeQoSParaSetIndex PRESENCE optional }, ... } QosFlowToBeForwardedList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QosFlowToBeForwardedItem QosFlowToBeForwardedItem ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, iE-Extensions ProtocolExtensionContainer { {QosFlowToBeForwardedItem-ExtIEs} } OPTIONAL, ... } QosFlowToBeForwardedItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } QoSFlowsUsageReportList ::= SEQUENCE (SIZE(1..maxnoofQosFlows)) OF QoSFlowsUsageReport-Item QoSFlowsUsageReport-Item ::= SEQUENCE { qosFlowIdentifier QosFlowIdentifier, rATType ENUMERATED {nr, eutra, ..., nr-unlicensed, e-utra-unlicensed}, qoSFlowsTimedReportList VolumeTimedReportList, iE-Extensions ProtocolExtensionContainer { {QoSFlowsUsageReport-Item-ExtIEs} } OPTIONAL, ... } QoSFlowsUsageReport-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- R Range ::= ENUMERATED {m50, m80, m180, m200, m350, m400, m500, m700, m1000, ...} RANNodeName ::= PrintableString (SIZE(1..150, ...)) RANNodeNameVisibleString ::= VisibleString (SIZE(1..150, ...)) RANNodeNameUTF8String ::= UTF8String (SIZE(1..150, ...)) RANPagingPriority ::= INTEGER (1..256) RANStatusTransfer-TransparentContainer ::= SEQUENCE { dRBsSubjectToStatusTransferList DRBsSubjectToStatusTransferList, iE-Extensions ProtocolExtensionContainer { {RANStatusTransfer-TransparentContainer-ExtIEs} } OPTIONAL, ... } RANStatusTransfer-TransparentContainer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } RAN-UE-NGAP-ID ::= INTEGER (0..4294967295) RAT-Information ::= ENUMERATED { unlicensed, nb-IoT, ..., nR-LEO, nR-MEO, nR-GEO, nR-OTHERSAT } RATRestrictions ::= SEQUENCE (SIZE(1..maxnoofEPLMNsPlusOne)) OF RATRestrictions-Item RATRestrictions-Item ::= SEQUENCE { pLMNIdentity PLMNIdentity, rATRestrictionInformation RATRestrictionInformation, iE-Extensions ProtocolExtensionContainer { {RATRestrictions-Item-ExtIEs} } OPTIONAL, ... } RATRestrictions-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-ExtendedRATRestrictionInformation CRITICALITY ignore EXTENSION ExtendedRATRestrictionInformation PRESENCE optional }, ... } RATRestrictionInformation ::= BIT STRING (SIZE(8, ...)) RecommendedCellsForPaging ::= SEQUENCE { recommendedCellList RecommendedCellList, iE-Extensions ProtocolExtensionContainer { {RecommendedCellsForPaging-ExtIEs} } OPTIONAL, ... } RecommendedCellsForPaging-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } RecommendedCellList ::= SEQUENCE (SIZE(1..maxnoofRecommendedCells)) OF RecommendedCellItem RecommendedCellItem ::= SEQUENCE { nGRAN-CGI NGRAN-CGI, timeStayedInCell INTEGER (0..4095) OPTIONAL, iE-Extensions ProtocolExtensionContainer { {RecommendedCellItem-ExtIEs} } OPTIONAL, ... } RecommendedCellItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } RecommendedRANNodesForPaging ::= SEQUENCE { recommendedRANNodeList RecommendedRANNodeList, iE-Extensions ProtocolExtensionContainer { {RecommendedRANNodesForPaging-ExtIEs} } OPTIONAL, ... } RecommendedRANNodesForPaging-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } RecommendedRANNodeList::= SEQUENCE (SIZE(1..maxnoofRecommendedRANNodes)) OF RecommendedRANNodeItem RecommendedRANNodeItem ::= SEQUENCE { aMFPagingTarget AMFPagingTarget, iE-Extensions ProtocolExtensionContainer { {RecommendedRANNodeItem-ExtIEs} } OPTIONAL, ... } RecommendedRANNodeItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } RedCapIndication ::= ENUMERATED { redcap, ... } RedirectionVoiceFallback ::= ENUMERATED { possible, not-possible, ... } RedundantPDUSessionInformation ::= SEQUENCE { rSN RSN, iE-Extensions ProtocolExtensionContainer { {RedundantPDUSessionInformation-ExtIEs} } OPTIONAL, ... } RedundantPDUSessionInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-PDUSessionPairID CRITICALITY ignore EXTENSION PDUSessionPairID PRESENCE optional }, ... } RedundantQosFlowIndicator ::= ENUMERATED {true, false} ReflectiveQosAttribute ::= ENUMERATED { subject-to, ... } RelativeAMFCapacity ::= INTEGER (0..255) ReportArea ::= ENUMERATED { cell, ... } RepetitionPeriod ::= INTEGER (0..131071) ResetAll ::= ENUMERATED { reset-all, ... } ReportAmountMDT ::= ENUMERATED { r1, r2, r4, r8, r16, r32, r64, rinfinity } ReportIntervalMDT ::= ENUMERATED { ms120, ms240, ms480, ms640, ms1024, ms2048, ms5120, ms10240, min1, min6, min12, min30, min60 } ExtendedReportIntervalMDT ::= ENUMERATED { ms20480, ms40960, ... } ResetType ::= CHOICE { nG-Interface ResetAll, partOfNG-Interface UE-associatedLogicalNG-connectionList, choice-Extensions ProtocolIE-SingleContainer { {ResetType-ExtIEs} } } ResetType-ExtIEs NGAP-PROTOCOL-IES ::= { ... } RGLevelWirelineAccessCharacteristics ::= OCTET STRING RNC-ID ::= INTEGER (0..4095) RoutingID ::= OCTET STRING RRCContainer ::= OCTET STRING RRCEstablishmentCause ::= ENUMERATED { emergency, highPriorityAccess, mt-Access, mo-Signalling, mo-Data, mo-VoiceCall, mo-VideoCall, mo-SMS, mps-PriorityAccess, mcs-PriorityAccess, ..., notAvailable, mo-ExceptionData } RRCInactiveTransitionReportRequest ::= ENUMERATED { subsequent-state-transition-report, single-rrc-connected-state-report, cancel-report, ... } RRCState ::= ENUMERATED { inactive, connected, ... } RSN ::= ENUMERATED {v1, v2, ...} RIMInformationTransfer ::= SEQUENCE { targetRANNodeID-RIM TargetRANNodeID-RIM, sourceRANNodeID SourceRANNodeID, rIMInformation RIMInformation, iE-Extensions ProtocolExtensionContainer { {RIMInformationTransfer-ExtIEs} } OPTIONAL, ... } RIMInformationTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } RIMInformation ::= SEQUENCE { targetgNBSetID GNBSetID, rIM-RSDetection ENUMERATED {rs-detected, rs-disappeared, ...}, iE-Extensions ProtocolExtensionContainer { {RIMInformation-ExtIEs} } OPTIONAL, ... } RIMInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } GNBSetID ::= BIT STRING (SIZE(22)) -- S ScheduledCommunicationTime ::= SEQUENCE { dayofWeek BIT STRING (SIZE(7)) OPTIONAL, timeofDayStart INTEGER (0..86399, ...) OPTIONAL, timeofDayEnd INTEGER (0..86399, ...) OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ScheduledCommunicationTime-ExtIEs}} OPTIONAL, ... } ScheduledCommunicationTime-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SCTP-TLAs ::= SEQUENCE (SIZE(1..maxnoofXnTLAs)) OF TransportLayerAddress SD ::= OCTET STRING (SIZE(3)) SecondaryRATUsageInformation ::= SEQUENCE { pDUSessionUsageReport PDUSessionUsageReport OPTIONAL, qosFlowsUsageReportList QoSFlowsUsageReportList OPTIONAL, iE-Extension ProtocolExtensionContainer { {SecondaryRATUsageInformation-ExtIEs} } OPTIONAL, ... } SecondaryRATUsageInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SecondaryRATDataUsageReportTransfer ::= SEQUENCE { secondaryRATUsageInformation SecondaryRATUsageInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { {SecondaryRATDataUsageReportTransfer-ExtIEs} } OPTIONAL, ... } SecondaryRATDataUsageReportTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SecurityContext ::= SEQUENCE { nextHopChainingCount NextHopChainingCount, nextHopNH SecurityKey, iE-Extensions ProtocolExtensionContainer { {SecurityContext-ExtIEs} } OPTIONAL, ... } SecurityContext-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SecurityIndication ::= SEQUENCE { integrityProtectionIndication IntegrityProtectionIndication, confidentialityProtectionIndication ConfidentialityProtectionIndication, maximumIntegrityProtectedDataRate-UL MaximumIntegrityProtectedDataRate OPTIONAL, -- The above IE shall be present if integrity protection is required or preferred iE-Extensions ProtocolExtensionContainer { {SecurityIndication-ExtIEs} } OPTIONAL, ... } SecurityIndication-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-MaximumIntegrityProtectedDataRate-DL CRITICALITY ignore EXTENSION MaximumIntegrityProtectedDataRate PRESENCE optional }, ... } SecurityKey ::= BIT STRING (SIZE(256)) SecurityResult ::= SEQUENCE { integrityProtectionResult IntegrityProtectionResult, confidentialityProtectionResult ConfidentialityProtectionResult, iE-Extensions ProtocolExtensionContainer { {SecurityResult-ExtIEs} } OPTIONAL, ... } SecurityResult-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SensorMeasurementConfiguration ::= SEQUENCE { sensorMeasConfig SensorMeasConfig, sensorMeasConfigNameList SensorMeasConfigNameList OPTIONAL, iE-Extensions ProtocolExtensionContainer { {SensorMeasurementConfiguration-ExtIEs} } OPTIONAL, ... } SensorMeasurementConfiguration-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SensorMeasConfigNameList ::= SEQUENCE (SIZE(1..maxnoofSensorName)) OF SensorMeasConfigNameItem SensorMeasConfigNameItem ::= SEQUENCE { sensorNameConfig SensorNameConfig, iE-Extensions ProtocolExtensionContainer { { SensorMeasConfigNameItem-ExtIEs } } OPTIONAL, ... } SensorMeasConfigNameItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SensorMeasConfig::= ENUMERATED {setup,...} SensorNameConfig ::= CHOICE { uncompensatedBarometricConfig ENUMERATED {true, ...}, ueSpeedConfig ENUMERATED {true, ...}, ueOrientationConfig ENUMERATED {true, ...}, choice-Extensions ProtocolIE-SingleContainer { {SensorNameConfig-ExtIEs} } } SensorNameConfig-ExtIEs NGAP-PROTOCOL-IES ::= { ... } SerialNumber ::= BIT STRING (SIZE(16)) ServedGUAMIList ::= SEQUENCE (SIZE(1..maxnoofServedGUAMIs)) OF ServedGUAMIItem ServedGUAMIItem ::= SEQUENCE { gUAMI GUAMI, backupAMFName AMFName OPTIONAL, iE-Extensions ProtocolExtensionContainer { {ServedGUAMIItem-ExtIEs} } OPTIONAL, ... } ServedGUAMIItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { {ID id-GUAMIType CRITICALITY ignore EXTENSION GUAMIType PRESENCE optional }, ... } ServiceAreaInformation ::= SEQUENCE (SIZE(1.. maxnoofEPLMNsPlusOne)) OF ServiceAreaInformation-Item ServiceAreaInformation-Item ::= SEQUENCE { pLMNIdentity PLMNIdentity, allowedTACs AllowedTACs OPTIONAL, notAllowedTACs NotAllowedTACs OPTIONAL, iE-Extensions ProtocolExtensionContainer { {ServiceAreaInformation-Item-ExtIEs} } OPTIONAL, ... } ServiceAreaInformation-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ServiceType ::= ENUMERATED {streaming, mTSI, vR, ...} SgNB-UE-X2AP-ID ::= INTEGER (0..4294967295) SharedNGU-MulticastTNLInformation ::= SEQUENCE { iP-MulticastAddress TransportLayerAddress, iP-SourceAddress TransportLayerAddress, gTP-TEID GTP-TEID, iE-Extensions ProtocolExtensionContainer { {SharedNGU-MulticastTNLInformation-ExtIEs} } OPTIONAL, ... } SharedNGU-MulticastTNLInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SliceOverloadList ::= SEQUENCE (SIZE(1..maxnoofSliceItems)) OF SliceOverloadItem SliceOverloadItem ::= SEQUENCE { s-NSSAI S-NSSAI, iE-Extensions ProtocolExtensionContainer { {SliceOverloadItem-ExtIEs} } OPTIONAL, ... } SliceOverloadItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SliceSupportList ::= SEQUENCE (SIZE(1..maxnoofSliceItems)) OF SliceSupportItem SliceSupportItem ::= SEQUENCE { s-NSSAI S-NSSAI, iE-Extensions ProtocolExtensionContainer { {SliceSupportItem-ExtIEs} } OPTIONAL, ... } SliceSupportItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SliceSupportListQMC ::= SEQUENCE (SIZE(1..maxnoofSNSSAIforQMC)) OF SliceSupportQMC-Item SliceSupportQMC-Item ::= SEQUENCE { s-NSSAI S-NSSAI, iE-Extensions ProtocolExtensionContainer { {SliceSupportQMC-Item-ExtIEs} } OPTIONAL, ... } SliceSupportQMC-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SNPN-MobilityInformation ::= SEQUENCE { serving-NID NID, iE-Extensions ProtocolExtensionContainer { {SNPN-MobilityInformation-ExtIEs} } OPTIONAL, ... } SNPN-MobilityInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } S-NSSAI ::= SEQUENCE { sST SST, sD SD OPTIONAL, iE-Extensions ProtocolExtensionContainer { { S-NSSAI-ExtIEs} } OPTIONAL, ... } S-NSSAI-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SONConfigurationTransfer ::= SEQUENCE { targetRANNodeID-SON TargetRANNodeID-SON, sourceRANNodeID SourceRANNodeID, sONInformation SONInformation, xnTNLConfigurationInfo XnTNLConfigurationInfo OPTIONAL, -- The above IE shall be present if the SON Information IE contains the SON Information Request IE set to “Xn TNL Configuration Info” iE-Extensions ProtocolExtensionContainer { {SONConfigurationTransfer-ExtIEs} } OPTIONAL, ... } SONConfigurationTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SONInformation ::= CHOICE { sONInformationRequest SONInformationRequest, sONInformationReply SONInformationReply, choice-Extensions ProtocolIE-SingleContainer { {SONInformation-ExtIEs} } } SONInformation-ExtIEs NGAP-PROTOCOL-IES ::= { { ID id-SONInformationReport CRITICALITY ignore TYPE SONInformationReport PRESENCE mandatory }, ... } SONInformationReply ::= SEQUENCE { xnTNLConfigurationInfo XnTNLConfigurationInfo OPTIONAL, iE-Extensions ProtocolExtensionContainer { {SONInformationReply-ExtIEs} } OPTIONAL, ... } SONInformationReply-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SONInformationReport::= CHOICE { failureIndicationInformation FailureIndication, hOReportInformation HOReport, choice-Extensions ProtocolIE-SingleContainer { { SONInformationReport-ExtIEs} } } SONInformationReport-ExtIEs NGAP-PROTOCOL-IES ::= { { ID id-SuccessfulHandoverReportList CRITICALITY ignore TYPE SuccessfulHandoverReportList PRESENCE mandatory }, ... } -- -------------------------------------------------------------------- -- SON Information Report -- -------------------------------------------------------------------- SuccessfulHandoverReportList ::= SEQUENCE (SIZE(1..maxnoofSuccessfulHOReports)) OF SuccessfulHandoverReport-Item SuccessfulHandoverReport-Item ::= SEQUENCE { successfulHOReportContainer OCTET STRING, iE-Extensions ProtocolExtensionContainer { { SuccessfulHandoverReport-Item-ExtIEs} } OPTIONAL, ... } SuccessfulHandoverReport-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SONInformationRequest ::= ENUMERATED { xn-TNL-configuration-info, ... } SourceNGRANNode-ToTargetNGRANNode-TransparentContainer ::= SEQUENCE { rRCContainer RRCContainer, pDUSessionResourceInformationList PDUSessionResourceInformationList OPTIONAL, e-RABInformationList E-RABInformationList OPTIONAL, targetCell-ID NGRAN-CGI, indexToRFSP IndexToRFSP OPTIONAL, uEHistoryInformation UEHistoryInformation, iE-Extensions ProtocolExtensionContainer { {SourceNGRANNode-ToTargetNGRANNode-TransparentContainer-ExtIEs} } OPTIONAL, ... } SourceNGRANNode-ToTargetNGRANNode-TransparentContainer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-SgNB-UE-X2AP-ID CRITICALITY ignore EXTENSION SgNB-UE-X2AP-ID PRESENCE optional }| { ID id-UEHistoryInformationFromTheUE CRITICALITY ignore EXTENSION UEHistoryInformationFromTheUE PRESENCE optional }| { ID id-SourceNodeID CRITICALITY ignore EXTENSION SourceNodeID PRESENCE optional }| { ID id-UEContextReferenceAtSource CRITICALITY ignore EXTENSION RAN-UE-NGAP-ID PRESENCE optional }| { ID id-MBS-ActiveSessionInformation-SourcetoTargetList CRITICALITY ignore EXTENSION MBS-ActiveSessionInformation-SourcetoTargetList PRESENCE optional }| { ID id-QMCConfigInfo CRITICALITY ignore EXTENSION QMCConfigInfo PRESENCE optional }| { ID id-NGAPIESupportInformationRequestList CRITICALITY ignore EXTENSION NGAPIESupportInformationRequestList PRESENCE optional }, ... } SourceNodeID ::= CHOICE { sourceengNB-ID GlobalGNB-ID, choice-Extensions ProtocolIE-SingleContainer { { SourceNodeID-ExtIEs} } } SourceNodeID-ExtIEs NGAP-PROTOCOL-IES ::= { ... } SourceOfUEActivityBehaviourInformation ::= ENUMERATED { subscription-information, statistics, ... } SourceRANNodeID ::= SEQUENCE { globalRANNodeID GlobalRANNodeID, selectedTAI TAI, iE-Extensions ProtocolExtensionContainer { {SourceRANNodeID-ExtIEs} } OPTIONAL, ... } SourceRANNodeID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } SourceToTarget-TransparentContainer ::= OCTET STRING -- This IE includes a transparent container from the source RAN node to the target RAN node. -- The octets of the OCTET STRING are encoded according to the specifications of the target system. SourceToTarget-AMFInformationReroute ::= SEQUENCE { configuredNSSAI ConfiguredNSSAI OPTIONAL, rejectedNSSAIinPLMN RejectedNSSAIinPLMN OPTIONAL, rejectedNSSAIinTA RejectedNSSAIinTA OPTIONAL, iE-Extensions ProtocolExtensionContainer { {SourceToTarget-AMFInformationReroute-ExtIEs} } OPTIONAL, ... } SourceToTarget-AMFInformationReroute-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- This IE includes information from the source Core node to the target Core node for reroute information provide by NSSF. -- The octets of the OCTET STRING are encoded according to the specifications of the Core network. SRVCCOperationPossible ::= ENUMERATED { possible, notPossible, ... } ConfiguredNSSAI ::= OCTET STRING (SIZE(128)) RejectedNSSAIinPLMN ::= OCTET STRING (SIZE(32)) RejectedNSSAIinTA ::= OCTET STRING (SIZE(32)) SST ::= OCTET STRING (SIZE(1)) SupportedTAList ::= SEQUENCE (SIZE(1..maxnoofTACs)) OF SupportedTAItem SupportedTAItem ::= SEQUENCE { tAC TAC, broadcastPLMNList BroadcastPLMNList, iE-Extensions ProtocolExtensionContainer { {SupportedTAItem-ExtIEs} } OPTIONAL, ... } SupportedTAItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { {ID id-ConfiguredTACIndication CRITICALITY ignore EXTENSION ConfiguredTACIndication PRESENCE optional }| {ID id-RAT-Information CRITICALITY reject EXTENSION RAT-Information PRESENCE optional }, ... } SuspendIndicator ::= ENUMERATED { true, ... } Suspend-Request-Indication ::= ENUMERATED { suspend-requested, ... } Suspend-Response-Indication ::= ENUMERATED { suspend-indicated, ... } SurvivalTime ::= INTEGER (0..1920000, ...) -- T TAC ::= OCTET STRING (SIZE(3)) TACListInNRNTN ::= SEQUENCE (SIZE(1..maxnoofTACsinNTN)) OF TAC TAI ::= SEQUENCE { pLMNIdentity PLMNIdentity, tAC TAC, iE-Extensions ProtocolExtensionContainer { {TAI-ExtIEs} } OPTIONAL, ... } TAI-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TAIBroadcastEUTRA ::= SEQUENCE (SIZE(1..maxnoofTAIforWarning)) OF TAIBroadcastEUTRA-Item TAIBroadcastEUTRA-Item ::= SEQUENCE { tAI TAI, completedCellsInTAI-EUTRA CompletedCellsInTAI-EUTRA, iE-Extensions ProtocolExtensionContainer { {TAIBroadcastEUTRA-Item-ExtIEs} } OPTIONAL, ... } TAIBroadcastEUTRA-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TAIBroadcastNR ::= SEQUENCE (SIZE(1..maxnoofTAIforWarning)) OF TAIBroadcastNR-Item TAIBroadcastNR-Item ::= SEQUENCE { tAI TAI, completedCellsInTAI-NR CompletedCellsInTAI-NR, iE-Extensions ProtocolExtensionContainer { {TAIBroadcastNR-Item-ExtIEs} } OPTIONAL, ... } TAIBroadcastNR-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TAICancelledEUTRA ::= SEQUENCE (SIZE(1..maxnoofTAIforWarning)) OF TAICancelledEUTRA-Item TAICancelledEUTRA-Item ::= SEQUENCE { tAI TAI, cancelledCellsInTAI-EUTRA CancelledCellsInTAI-EUTRA, iE-Extensions ProtocolExtensionContainer { {TAICancelledEUTRA-Item-ExtIEs} } OPTIONAL, ... } TAICancelledEUTRA-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TAICancelledNR ::= SEQUENCE (SIZE(1..maxnoofTAIforWarning)) OF TAICancelledNR-Item TAICancelledNR-Item ::= SEQUENCE { tAI TAI, cancelledCellsInTAI-NR CancelledCellsInTAI-NR, iE-Extensions ProtocolExtensionContainer { {TAICancelledNR-Item-ExtIEs} } OPTIONAL, ... } TAICancelledNR-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TAIListForInactive ::= SEQUENCE (SIZE(1..maxnoofTAIforInactive)) OF TAIListForInactiveItem TAIListForInactiveItem ::= SEQUENCE { tAI TAI, iE-Extensions ProtocolExtensionContainer { {TAIListForInactiveItem-ExtIEs} } OPTIONAL, ... } TAIListForInactiveItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TAIListForPaging ::= SEQUENCE (SIZE(1..maxnoofTAIforPaging)) OF TAIListForPagingItem TAIListForPagingItem ::= SEQUENCE { tAI TAI, iE-Extensions ProtocolExtensionContainer { {TAIListForPagingItem-ExtIEs} } OPTIONAL, ... } TAIListForPagingItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TAIListForRestart ::= SEQUENCE (SIZE(1..maxnoofTAIforRestart)) OF TAI TAIListForWarning ::= SEQUENCE (SIZE(1..maxnoofTAIforWarning)) OF TAI TAINSAGSupportList ::= SEQUENCE (SIZE(1..maxnoofNSAGs)) OF TAINSAGSupportItem TAINSAGSupportItem ::= SEQUENCE { nSAG-ID NSAG-ID, nSAGSliceSupportList ExtendedSliceSupportList, iE-Extensions ProtocolExtensionContainer { {TAINSAGSupportItem-ExtIEs} } OPTIONAL, ... } TAINSAGSupportItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TargeteNB-ID ::= SEQUENCE { globalENB-ID GlobalNgENB-ID, selected-EPS-TAI EPS-TAI, iE-Extensions ProtocolExtensionContainer { {TargeteNB-ID-ExtIEs} } OPTIONAL, ... } TargeteNB-ID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TargetHomeENB-ID ::= SEQUENCE { pLMNidentity PLMNIdentity, homeENB-ID BIT STRING (SIZE(28)), selected-EPS-TAI EPS-TAI, iE-Extensions ProtocolExtensionContainer { {TargetHomeENB-ID-ExtIEs} } OPTIONAL, ... } TargetHomeENB-ID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TargetID ::= CHOICE { targetRANNodeID TargetRANNodeID, targeteNB-ID TargeteNB-ID, choice-Extensions ProtocolIE-SingleContainer { {TargetID-ExtIEs} } } TargetID-ExtIEs NGAP-PROTOCOL-IES ::= { {ID id-TargetRNC-ID CRITICALITY reject TYPE TargetRNC-ID PRESENCE mandatory }| {ID id-TargetHomeENB-ID CRITICALITY reject TYPE TargetHomeENB-ID PRESENCE mandatory }, ... } TargetNGRANNode-ToSourceNGRANNode-TransparentContainer ::= SEQUENCE { rRCContainer RRCContainer, iE-Extensions ProtocolExtensionContainer { {TargetNGRANNode-ToSourceNGRANNode-TransparentContainer-ExtIEs} } OPTIONAL, ... } TargetNGRANNode-ToSourceNGRANNode-TransparentContainer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-DAPSResponseInfoList CRITICALITY ignore EXTENSION DAPSResponseInfoList PRESENCE optional }| { ID id-DirectForwardingPathAvailability CRITICALITY ignore EXTENSION DirectForwardingPathAvailability PRESENCE optional }| { ID id-MBS-ActiveSessionInformation-TargettoSourceList CRITICALITY ignore EXTENSION MBS-ActiveSessionInformation-TargettoSourceList PRESENCE optional }| { ID id-NGAPIESupportInformationResponseList CRITICALITY ignore EXTENSION NGAPIESupportInformationResponseList PRESENCE optional }, ... } TargetNGRANNode-ToSourceNGRANNode-FailureTransparentContainer ::= SEQUENCE { cell-CAGInformation Cell-CAGInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { {TargetNGRANNode-ToSourceNGRANNode-FailureTransparentContainer-ExtIEs} } OPTIONAL, ... } TargetNGRANNode-ToSourceNGRANNode-FailureTransparentContainer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-NGAPIESupportInformationResponseList CRITICALITY ignore EXTENSION NGAPIESupportInformationResponseList PRESENCE optional }, ... } TargetNSSAI ::= SEQUENCE (SIZE(1..maxnoofTargetS-NSSAIs)) OF TargetNSSAI-Item TargetNSSAI-Item ::= SEQUENCE { s-NSSAI S-NSSAI, iE-Extensions ProtocolExtensionContainer { {TargetNSSAI-Item-ExtIEs} } OPTIONAL, ... } TargetNSSAI-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TargetNSSAIInformation ::= SEQUENCE { targetNSSAI TargetNSSAI, indexToRFSP IndexToRFSP, iE-Extensions ProtocolExtensionContainer { {TargetNSSAIInformation-Item-ExtIEs} } OPTIONAL, ... } TargetNSSAIInformation-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TargetRANNodeID ::= SEQUENCE { globalRANNodeID GlobalRANNodeID, selectedTAI TAI, iE-Extensions ProtocolExtensionContainer { {TargetRANNodeID-ExtIEs} } OPTIONAL, ... } TargetRANNodeID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TargetRANNodeID-RIM ::= SEQUENCE { globalRANNodeID GlobalRANNodeID, selectedTAI TAI, iE-Extensions ProtocolExtensionContainer { {TargetRANNodeID-RIM-ExtIEs} } OPTIONAL, ... } TargetRANNodeID-RIM-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TargetRANNodeID-SON ::= SEQUENCE { globalRANNodeID GlobalRANNodeID, selectedTAI TAI, iE-Extensions ProtocolExtensionContainer { {TargetRANNodeID-SON-ExtIEs} } OPTIONAL, ... } TargetRANNodeID-SON-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { {ID id-NR-CGI CRITICALITY ignore EXTENSION NR-CGI PRESENCE optional }, ... } TargetRNC-ID ::= SEQUENCE { lAI LAI, rNC-ID RNC-ID, extendedRNC-ID ExtendedRNC-ID OPTIONAL, iE-Extensions ProtocolExtensionContainer { {TargetRNC-ID-ExtIEs} } OPTIONAL, ... } TargetRNC-ID-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TargetToSource-TransparentContainer ::= OCTET STRING -- This IE includes a transparent container from the target RAN node to the source RAN node. -- The octets of the OCTET STRING are encoded according to the specifications of the target system. TargettoSource-Failure-TransparentContainer ::= OCTET STRING -- This IE includes a transparent container from the target RAN node to the source RAN node. -- The octets of the OCTET STRING are encoded according to the specifications of the target system (if applicable). TimerApproachForGUAMIRemoval ::= ENUMERATED { apply-timer, ... } TimeStamp ::= OCTET STRING (SIZE(4)) TimeSyncAssistanceInfo ::= SEQUENCE { timeDistributionIndication ENUMERATED {enabled, disabled, ...}, uUTimeSyncErrorBudget INTEGER (1..1000000, ...) OPTIONAL, -- The above IE shall be present if the Time Distribution Indication IE is set to the value “enabled” iE-Extensions ProtocolExtensionContainer { {TimeSyncAssistanceInfo-ExtIEs} } OPTIONAL, ... } TimeSyncAssistanceInfo-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TimeToWait ::= ENUMERATED {v1s, v2s, v5s, v10s, v20s, v60s, ...} TimeUEStayedInCell ::= INTEGER (0..4095) TimeUEStayedInCellEnhancedGranularity ::= INTEGER (0..40950) TMGI ::= OCTET STRING (SIZE(6)) TNAP-ID ::= OCTET STRING TNGF-ID ::= CHOICE { tNGF-ID BIT STRING (SIZE(32, ...)), choice-Extensions ProtocolIE-SingleContainer { {TNGF-ID-ExtIEs} } } TNGF-ID-ExtIEs NGAP-PROTOCOL-IES ::= { ... } TNLAddressWeightFactor ::= INTEGER (0..255) TNLAssociationList ::= SEQUENCE (SIZE(1..maxnoofTNLAssociations)) OF TNLAssociationItem TNLAssociationItem ::= SEQUENCE { tNLAssociationAddress CPTransportLayerInformation, cause Cause, iE-Extensions ProtocolExtensionContainer { {TNLAssociationItem-ExtIEs} } OPTIONAL, ... } TNLAssociationItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TNLAssociationUsage ::= ENUMERATED { ue, non-ue, both, ... } TooearlyIntersystemHO::= SEQUENCE { sourcecellID EUTRA-CGI, failurecellID NGRAN-CGI, uERLFReportContainer UERLFReportContainer OPTIONAL, iE-Extensions ProtocolExtensionContainer { { TooearlyIntersystemHO-ExtIEs} } OPTIONAL, ... } TooearlyIntersystemHO-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TraceActivation ::= SEQUENCE { nGRANTraceID NGRANTraceID, interfacesToTrace InterfacesToTrace, traceDepth TraceDepth, traceCollectionEntityIPAddress TransportLayerAddress, iE-Extensions ProtocolExtensionContainer { {TraceActivation-ExtIEs} } OPTIONAL, ... } TraceActivation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-MDTConfiguration CRITICALITY ignore EXTENSION MDT-Configuration PRESENCE optional }| { ID id-TraceCollectionEntityURI CRITICALITY ignore EXTENSION URI-address PRESENCE optional }, ... } TraceDepth ::= ENUMERATED { minimum, medium, maximum, minimumWithoutVendorSpecificExtension, mediumWithoutVendorSpecificExtension, maximumWithoutVendorSpecificExtension, ... } TrafficLoadReductionIndication ::= INTEGER (1..99) TransportLayerAddress ::= BIT STRING (SIZE(1..160, ...)) TypeOfError ::= ENUMERATED { not-understood, missing, ... } TAIBasedMDT ::= SEQUENCE { tAIListforMDT TAIListforMDT, iE-Extensions ProtocolExtensionContainer { {TAIBasedMDT-ExtIEs} } OPTIONAL, ... } TAIBasedMDT-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TAIListforMDT ::= SEQUENCE (SIZE(1..maxnoofTAforMDT)) OF TAI TAIBasedQMC ::= SEQUENCE { tAIListforQMC TAIListforQMC, iE-Extensions ProtocolExtensionContainer { {TAIBasedQMC-ExtIEs} } OPTIONAL, ... } TAIBasedQMC-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TAIListforQMC ::= SEQUENCE (SIZE(1..maxnoofTAforQMC)) OF TAI TABasedQMC ::= SEQUENCE { tAListforQMC TAListforQMC, iE-Extensions ProtocolExtensionContainer { {TABasedQMC-ExtIEs} } OPTIONAL, ... } TABasedQMC-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TAListforQMC ::= SEQUENCE (SIZE(1..maxnoofTAforQMC)) OF TAC TABasedMDT ::= SEQUENCE { tAListforMDT TAListforMDT, iE-Extensions ProtocolExtensionContainer { {TABasedMDT-ExtIEs} } OPTIONAL, ... } TABasedMDT-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } TAListforMDT ::= SEQUENCE (SIZE(1..maxnoofTAforMDT)) OF TAC Threshold-RSRP ::= INTEGER(0..127) Threshold-RSRQ ::= INTEGER(0..127) Threshold-SINR ::= INTEGER(0..127) TimeToTrigger ::= ENUMERATED {ms0, ms40, ms64, ms80, ms100, ms128, ms160, ms256, ms320, ms480, ms512, ms640, ms1024, ms1280, ms2560, ms5120} TWAP-ID ::= OCTET STRING TWIF-ID ::= CHOICE { tWIF-ID BIT STRING (SIZE(32, ...)), choice-Extensions ProtocolIE-SingleContainer { {TWIF-ID-ExtIEs} } } TWIF-ID-ExtIEs NGAP-PROTOCOL-IES ::= { ... } TSCAssistanceInformation ::= SEQUENCE { periodicity Periodicity, burstArrivalTime BurstArrivalTime OPTIONAL, iE-Extensions ProtocolExtensionContainer { {TSCAssistanceInformation-ExtIEs} } OPTIONAL, ... } TSCAssistanceInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-SurvivalTime CRITICALITY ignore EXTENSION SurvivalTime PRESENCE optional}, ... } TSCTrafficCharacteristics ::= SEQUENCE { tSCAssistanceInformationDL TSCAssistanceInformation OPTIONAL, tSCAssistanceInformationUL TSCAssistanceInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { {TSCTrafficCharacteristics-ExtIEs} } OPTIONAL, ... } TSCTrafficCharacteristics-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- U UEAggregateMaximumBitRate ::= SEQUENCE { uEAggregateMaximumBitRateDL BitRate, uEAggregateMaximumBitRateUL BitRate, iE-Extensions ProtocolExtensionContainer { {UEAggregateMaximumBitRate-ExtIEs} } OPTIONAL, ... } UEAggregateMaximumBitRate-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UEAppLayerMeasInfoList ::= SEQUENCE (SIZE(1..maxnoofUEAppLayerMeas)) OF UEAppLayerMeasInfoItem UEAppLayerMeasInfoItem ::= SEQUENCE { uEAppLayerMeasConfigInfo UEAppLayerMeasConfigInfo, iE-Extensions ProtocolExtensionContainer { { UEAppLayerMeasInfoItem-ExtIEs} } OPTIONAL, ... } UEAppLayerMeasInfoItem-ExtIEs NGAP-PROTOCOL-EXTENSION::= { ... } UEAppLayerMeasConfigInfo ::= SEQUENCE { qoEReference QoEReference, serviceType ServiceType, areaScopeOfQMC AreaScopeOfQMC OPTIONAL, measCollEntityIPAddress TransportLayerAddress, qoEMeasurementStatus ENUMERATED {ongoing,...} OPTIONAL, containerForAppLayerMeasConfig OCTET STRING (SIZE(1..8000)) OPTIONAL, measConfigAppLayerID INTEGER (0..15, ...) OPTIONAL, sliceSupportListQMC SliceSupportListQMC OPTIONAL, mDT-AlignmentInfo MDT-AlignmentInfo OPTIONAL, availableRANVisibleQoEMetrics AvailableRANVisibleQoEMetrics OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UEAppLayerMeasConfigInfo-ExtIEs} } OPTIONAL, ... } UEAppLayerMeasConfigInfo-ExtIEs NGAP-PROTOCOL-EXTENSION::= { ... } UE-associatedLogicalNG-connectionList ::= SEQUENCE (SIZE(1..maxnoofNGConnectionsToReset)) OF UE-associatedLogicalNG-connectionItem UE-associatedLogicalNG-connectionItem ::= SEQUENCE { aMF-UE-NGAP-ID AMF-UE-NGAP-ID OPTIONAL, rAN-UE-NGAP-ID RAN-UE-NGAP-ID OPTIONAL, iE-Extensions ProtocolExtensionContainer { {UE-associatedLogicalNG-connectionItem-ExtIEs} } OPTIONAL, ... } UE-associatedLogicalNG-connectionItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UECapabilityInfoRequest ::= ENUMERATED { requested, ... } UEContextRequest ::= ENUMERATED {requested, ...} UEContextResumeRequestTransfer ::= SEQUENCE { qosFlowFailedToResumeList QosFlowListWithCause OPTIONAL, iE-Extensions ProtocolExtensionContainer { {UEContextResumeRequestTransfer-ExtIEs} } OPTIONAL, ... } UEContextResumeRequestTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UEContextResumeResponseTransfer ::= SEQUENCE { qosFlowFailedToResumeList QosFlowListWithCause OPTIONAL, iE-Extensions ProtocolExtensionContainer { {UEContextResumeResponseTransfer-ExtIEs} } OPTIONAL, ... } UEContextResumeResponseTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UEContextSuspendRequestTransfer ::= SEQUENCE { suspendIndicator SuspendIndicator OPTIONAL, iE-Extensions ProtocolExtensionContainer { {UEContextSuspendRequestTransfer-ExtIEs} } OPTIONAL, ... } UEContextSuspendRequestTransfer-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UE-DifferentiationInfo ::= SEQUENCE { periodicCommunicationIndicator ENUMERATED {periodically, ondemand, ... } OPTIONAL, periodicTime INTEGER (1..3600, ...) OPTIONAL, scheduledCommunicationTime ScheduledCommunicationTime OPTIONAL, stationaryIndication ENUMERATED {stationary, mobile, ...} OPTIONAL, trafficProfile ENUMERATED {single-packet, dual-packets, multiple-packets, ...} OPTIONAL, batteryIndication ENUMERATED {battery-powered, battery-powered-not-rechargeable-or-replaceable, not-battery-powered, ...} OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UE-DifferentiationInfo-ExtIEs} } OPTIONAL, ... } UE-DifferentiationInfo-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UEHistoryInformation ::= SEQUENCE (SIZE(1..maxnoofCellsinUEHistoryInfo)) OF LastVisitedCellItem UEHistoryInformationFromTheUE ::= CHOICE { nR NRMobilityHistoryReport, choice-Extensions ProtocolIE-SingleContainer { {UEHistoryInformationFromTheUE-ExtIEs} } } UEHistoryInformationFromTheUE-ExtIEs NGAP-PROTOCOL-IES ::= { ... } UEIdentityIndexValue ::= CHOICE { indexLength10 BIT STRING (SIZE(10)), choice-Extensions ProtocolIE-SingleContainer { {UEIdentityIndexValue-ExtIEs} } } UEIdentityIndexValue-ExtIEs NGAP-PROTOCOL-IES ::= { ... } UE-NGAP-IDs ::= CHOICE { uE-NGAP-ID-pair UE-NGAP-ID-pair, aMF-UE-NGAP-ID AMF-UE-NGAP-ID, choice-Extensions ProtocolIE-SingleContainer { {UE-NGAP-IDs-ExtIEs} } } UE-NGAP-IDs-ExtIEs NGAP-PROTOCOL-IES ::= { ... } UE-NGAP-ID-pair ::= SEQUENCE{ aMF-UE-NGAP-ID AMF-UE-NGAP-ID, rAN-UE-NGAP-ID RAN-UE-NGAP-ID, iE-Extensions ProtocolExtensionContainer { {UE-NGAP-ID-pair-ExtIEs} } OPTIONAL, ... } UE-NGAP-ID-pair-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UEPagingIdentity ::= CHOICE { fiveG-S-TMSI FiveG-S-TMSI, choice-Extensions ProtocolIE-SingleContainer { {UEPagingIdentity-ExtIEs} } } UEPagingIdentity-ExtIEs NGAP-PROTOCOL-IES ::= { ... } UEPresence ::= ENUMERATED {in, out, unknown, ...} UEPresenceInAreaOfInterestList ::= SEQUENCE (SIZE(1..maxnoofAoI)) OF UEPresenceInAreaOfInterestItem UEPresenceInAreaOfInterestItem ::= SEQUENCE { locationReportingReferenceID LocationReportingReferenceID, uEPresence UEPresence, iE-Extensions ProtocolExtensionContainer { {UEPresenceInAreaOfInterestItem-ExtIEs} } OPTIONAL, ... } UEPresenceInAreaOfInterestItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UERadioCapability ::= OCTET STRING UERadioCapabilityForPaging ::= SEQUENCE { uERadioCapabilityForPagingOfNR UERadioCapabilityForPagingOfNR OPTIONAL, uERadioCapabilityForPagingOfEUTRA UERadioCapabilityForPagingOfEUTRA OPTIONAL, iE-Extensions ProtocolExtensionContainer { {UERadioCapabilityForPaging-ExtIEs} } OPTIONAL, ... } UERadioCapabilityForPaging-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-UERadioCapabilityForPagingOfNB-IoT CRITICALITY ignore EXTENSION UERadioCapabilityForPagingOfNB-IoT PRESENCE optional }, ... } UERadioCapabilityForPagingOfNB-IoT ::= OCTET STRING UERadioCapabilityForPagingOfNR ::= OCTET STRING UERadioCapabilityForPagingOfEUTRA ::= OCTET STRING UERadioCapabilityID ::= OCTET STRING UERetentionInformation ::= ENUMERATED { ues-retained, ... } UERLFReportContainer ::= CHOICE { nR NRUERLFReportContainer, lTE LTEUERLFReportContainer, choice-Extensions ProtocolIE-SingleContainer { {UERLFReportContainer-ExtIEs} } } UERLFReportContainer-ExtIEs NGAP-PROTOCOL-IES ::= { ... } UESecurityCapabilities ::= SEQUENCE { nRencryptionAlgorithms NRencryptionAlgorithms, nRintegrityProtectionAlgorithms NRintegrityProtectionAlgorithms, eUTRAencryptionAlgorithms EUTRAencryptionAlgorithms, eUTRAintegrityProtectionAlgorithms EUTRAintegrityProtectionAlgorithms, iE-Extensions ProtocolExtensionContainer { {UESecurityCapabilities-ExtIEs} } OPTIONAL, ... } UESecurityCapabilities-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UESliceMaximumBitRateList ::= SEQUENCE (SIZE(1..maxnoofAllowedS-NSSAIs)) OF UESliceMaximumBitRateItem UESliceMaximumBitRateItem ::= SEQUENCE { s-NSSAI S-NSSAI, uESliceMaximumBitRateDL BitRate, uESliceMaximumBitRateUL BitRate, iE-Extensions ProtocolExtensionContainer { { UESliceMaximumBitRateItem-ExtIEs} } OPTIONAL, ... } UESliceMaximumBitRateItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UE-UP-CIoT-Support ::= ENUMERATED {supported, ...} UL-CP-SecurityInformation ::= SEQUENCE { ul-NAS-MAC UL-NAS-MAC, ul-NAS-Count UL-NAS-Count, iE-Extensions ProtocolExtensionContainer { { UL-CP-SecurityInformation-ExtIEs} } OPTIONAL, ... } UL-CP-SecurityInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } UL-NAS-MAC ::= BIT STRING (SIZE (16)) UL-NAS-Count ::= BIT STRING (SIZE (5)) UL-NGU-UP-TNLModifyList ::= SEQUENCE (SIZE(1..maxnoofMultiConnectivity)) OF UL-NGU-UP-TNLModifyItem UL-NGU-UP-TNLModifyItem ::= SEQUENCE { uL-NGU-UP-TNLInformation UPTransportLayerInformation, dL-NGU-UP-TNLInformation UPTransportLayerInformation, iE-Extensions ProtocolExtensionContainer { {UL-NGU-UP-TNLModifyItem-ExtIEs} } OPTIONAL, ... } UL-NGU-UP-TNLModifyItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-RedundantUL-NGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformation PRESENCE optional }| { ID id-RedundantDL-NGU-UP-TNLInformation CRITICALITY ignore EXTENSION UPTransportLayerInformation PRESENCE optional }, ... } UnavailableGUAMIList ::= SEQUENCE (SIZE(1..maxnoofServedGUAMIs)) OF UnavailableGUAMIItem UnavailableGUAMIItem ::= SEQUENCE { gUAMI GUAMI, timerApproachForGUAMIRemoval TimerApproachForGUAMIRemoval OPTIONAL, backupAMFName AMFName OPTIONAL, iE-Extensions ProtocolExtensionContainer { {UnavailableGUAMIItem-ExtIEs} } OPTIONAL, ... } UnavailableGUAMIItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } ULForwarding ::= ENUMERATED { ul-forwarding-proposed, ... } UpdateFeedback ::= BIT STRING (SIZE(8, ...)) UPTransportLayerInformation ::= CHOICE { gTPTunnel GTPTunnel, choice-Extensions ProtocolIE-SingleContainer { {UPTransportLayerInformation-ExtIEs} } } UPTransportLayerInformation-ExtIEs NGAP-PROTOCOL-IES ::= { ... } UPTransportLayerInformationList ::= SEQUENCE (SIZE(1..maxnoofMultiConnectivityMinusOne)) OF UPTransportLayerInformationItem UPTransportLayerInformationItem ::= SEQUENCE { nGU-UP-TNLInformation UPTransportLayerInformation, iE-Extensions ProtocolExtensionContainer { {UPTransportLayerInformationItem-ExtIEs} } OPTIONAL, ... } UPTransportLayerInformationItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-CommonNetworkInstance CRITICALITY ignore EXTENSION CommonNetworkInstance PRESENCE optional }, ... } UPTransportLayerInformationPairList ::= SEQUENCE (SIZE(1..maxnoofMultiConnectivityMinusOne)) OF UPTransportLayerInformationPairItem UPTransportLayerInformationPairItem ::= SEQUENCE { uL-NGU-UP-TNLInformation UPTransportLayerInformation, dL-NGU-UP-TNLInformation UPTransportLayerInformation, iE-Extensions ProtocolExtensionContainer { {UPTransportLayerInformationPairItem-ExtIEs} } OPTIONAL, ... } UPTransportLayerInformationPairItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } URI-address ::= VisibleString UserLocationInformation ::= CHOICE { userLocationInformationEUTRA UserLocationInformationEUTRA, userLocationInformationNR UserLocationInformationNR, userLocationInformationN3IWF UserLocationInformationN3IWF, choice-Extensions ProtocolIE-SingleContainer { {UserLocationInformation-ExtIEs} } } UserLocationInformation-ExtIEs NGAP-PROTOCOL-IES ::= { { ID id-UserLocationInformationTNGF CRITICALITY ignore TYPE UserLocationInformationTNGF PRESENCE mandatory }| { ID id-UserLocationInformationTWIF CRITICALITY ignore TYPE UserLocationInformationTWIF PRESENCE mandatory }| { ID id-UserLocationInformationW-AGF CRITICALITY ignore TYPE UserLocationInformationW-AGF PRESENCE mandatory }, ... } UserLocationInformationEUTRA ::= SEQUENCE { eUTRA-CGI EUTRA-CGI, tAI TAI, timeStamp TimeStamp OPTIONAL, iE-Extensions ProtocolExtensionContainer { {UserLocationInformationEUTRA-ExtIEs} } OPTIONAL, ... } UserLocationInformationEUTRA-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-PSCellInformation CRITICALITY ignore EXTENSION NGRAN-CGI PRESENCE optional}, ... } UserLocationInformationN3IWF ::= SEQUENCE { iPAddress TransportLayerAddress, portNumber PortNumber, iE-Extensions ProtocolExtensionContainer { {UserLocationInformationN3IWF-ExtIEs} } OPTIONAL, ... } UserLocationInformationN3IWF-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-TAI CRITICALITY ignore EXTENSION TAI PRESENCE optional }, ... } UserLocationInformationTNGF ::= SEQUENCE { tNAP-ID TNAP-ID, iPAddress TransportLayerAddress, portNumber PortNumber OPTIONAL, iE-Extensions ProtocolExtensionContainer { {UserLocationInformationTNGF-ExtIEs} } OPTIONAL, ... } UserLocationInformationTNGF-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-TAI CRITICALITY ignore EXTENSION TAI PRESENCE optional }, ... } UserLocationInformationTWIF ::= SEQUENCE { tWAP-ID TWAP-ID, iPAddress TransportLayerAddress, portNumber PortNumber OPTIONAL, iE-Extensions ProtocolExtensionContainer { {UserLocationInformationTWIF-ExtIEs} } OPTIONAL, ... } UserLocationInformationTWIF-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-TAI CRITICALITY ignore EXTENSION TAI PRESENCE optional }, ... } UserLocationInformationW-AGF ::= CHOICE { globalLine-ID GlobalLine-ID, hFCNode-ID HFCNode-ID, choice-Extensions ProtocolIE-SingleContainer { { UserLocationInformationW-AGF-ExtIEs} } } UserLocationInformationW-AGF-ExtIEs NGAP-PROTOCOL-IES ::= { { ID id-GlobalCable-ID CRITICALITY ignore TYPE GlobalCable-ID PRESENCE mandatory }| { ID id-HFCNode-ID-new CRITICALITY ignore TYPE HFCNode-ID-new PRESENCE mandatory }| { ID id-GlobalCable-ID-new CRITICALITY ignore TYPE GlobalCable-ID-new PRESENCE mandatory }, ... } UserLocationInformationNR ::= SEQUENCE { nR-CGI NR-CGI, tAI TAI, timeStamp TimeStamp OPTIONAL, iE-Extensions ProtocolExtensionContainer { {UserLocationInformationNR-ExtIEs} } OPTIONAL, ... } UserLocationInformationNR-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-PSCellInformation CRITICALITY ignore EXTENSION NGRAN-CGI PRESENCE optional }| { ID id-NID CRITICALITY reject EXTENSION NID PRESENCE optional }| { ID id-NRNTNTAIInformation CRITICALITY ignore EXTENSION NRNTNTAIInformation PRESENCE optional }, ... } UserPlaneSecurityInformation ::= SEQUENCE { securityResult SecurityResult, securityIndication SecurityIndication, iE-Extensions ProtocolExtensionContainer { {UserPlaneSecurityInformation-ExtIEs} } OPTIONAL, ... } UserPlaneSecurityInformation-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- V VolumeTimedReportList ::= SEQUENCE (SIZE(1..maxnoofTimePeriods)) OF VolumeTimedReport-Item VolumeTimedReport-Item ::= SEQUENCE { startTimeStamp OCTET STRING (SIZE(4)), endTimeStamp OCTET STRING (SIZE(4)), usageCountUL INTEGER (0..18446744073709551615), usageCountDL INTEGER (0..18446744073709551615), iE-Extensions ProtocolExtensionContainer { {VolumeTimedReport-Item-ExtIEs} } OPTIONAL, ... } VolumeTimedReport-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- W W-AGF-ID ::= CHOICE { w-AGF-ID BIT STRING (SIZE(16, ...)), choice-Extensions ProtocolIE-SingleContainer { {W-AGF-ID-ExtIEs} } } W-AGF-ID-ExtIEs NGAP-PROTOCOL-IES ::= { ... } WarningAreaCoordinates ::= OCTET STRING (SIZE(1..1024)) WarningAreaList ::= CHOICE { eUTRA-CGIListForWarning EUTRA-CGIListForWarning, nR-CGIListForWarning NR-CGIListForWarning, tAIListForWarning TAIListForWarning, emergencyAreaIDList EmergencyAreaIDList, choice-Extensions ProtocolIE-SingleContainer { {WarningAreaList-ExtIEs} } } WarningAreaList-ExtIEs NGAP-PROTOCOL-IES ::= { ... } WarningMessageContents ::= OCTET STRING (SIZE(1..9600)) WarningSecurityInfo ::= OCTET STRING (SIZE(50)) WarningType ::= OCTET STRING (SIZE(2)) WLANMeasurementConfiguration ::= SEQUENCE { wlanMeasConfig WLANMeasConfig, wlanMeasConfigNameList WLANMeasConfigNameList OPTIONAL, wlan-rssi ENUMERATED {true, ...} OPTIONAL, wlan-rtt ENUMERATED {true, ...} OPTIONAL, iE-Extensions ProtocolExtensionContainer { { WLANMeasurementConfiguration-ExtIEs } } OPTIONAL, ... } WLANMeasurementConfiguration-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } WLANMeasConfigNameList ::= SEQUENCE (SIZE(1..maxnoofWLANName)) OF WLANMeasConfigNameItem WLANMeasConfigNameItem ::= SEQUENCE { wLANName WLANName, iE-Extensions ProtocolExtensionContainer { { WLANMeasConfigNameItem-ExtIEs } } OPTIONAL, ... } WLANMeasConfigNameItem-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } WLANMeasConfig::= ENUMERATED {setup,...} WLANName ::= OCTET STRING (SIZE (1..32)) WUS-Assistance-Information ::= SEQUENCE { pagingProbabilityInformation PagingProbabilityInformation, iE-Extensions ProtocolExtensionContainer { { WUS-Assistance-Information-ExtIEs } } OPTIONAL, ... } WUS-Assistance-Information-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- X XnExtTLAs ::= SEQUENCE (SIZE(1..maxnoofXnExtTLAs)) OF XnExtTLA-Item XnExtTLA-Item ::= SEQUENCE { iPsecTLA TransportLayerAddress OPTIONAL, gTP-TLAs XnGTP-TLAs OPTIONAL, iE-Extensions ProtocolExtensionContainer { {XnExtTLA-Item-ExtIEs} } OPTIONAL, ... } XnExtTLA-Item-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { { ID id-SCTP-TLAs CRITICALITY ignore EXTENSION SCTP-TLAs PRESENCE optional }, ... } XnGTP-TLAs ::= SEQUENCE (SIZE(1..maxnoofXnGTP-TLAs)) OF TransportLayerAddress XnTLAs ::= SEQUENCE (SIZE(1..maxnoofXnTLAs)) OF TransportLayerAddress XnTNLConfigurationInfo ::= SEQUENCE { xnTransportLayerAddresses XnTLAs, xnExtendedTransportLayerAddresses XnExtTLAs OPTIONAL, iE-Extensions ProtocolExtensionContainer { {XnTNLConfigurationInfo-ExtIEs} } OPTIONAL, ... } XnTNLConfigurationInfo-ExtIEs NGAP-PROTOCOL-EXTENSION ::= { ... } -- Y -- Z END
ASN.1
wireshark/epan/dissectors/asn1/ngap/NGAP-PDU-Contents.asn
-- 3GPP TS 38.413 V17.5.0 (2023-06) -- 9.4.4 PDU Definitions -- ************************************************************** -- -- PDU definitions for NGAP. -- -- ************************************************************** NGAP-PDU-Contents { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-Access (22) modules (3) ngap (1) version1 (1) ngap-PDU-Contents (1) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- IE parameter types from other modules. -- -- ************************************************************** IMPORTS AllowedNSSAI, AMFName, AMFSetID, AMF-TNLAssociationSetupList, AMF-TNLAssociationToAddList, AMF-TNLAssociationToRemoveList, AMF-TNLAssociationToUpdateList, AMF-UE-NGAP-ID, AssistanceDataForPaging, AuthenticatedIndication, BroadcastCancelledAreaList, BroadcastCompletedAreaList, CancelAllWarningMessages, Cause, CellIDListForRestart, CEmodeBrestricted, CEmodeBSupport-Indicator, CNAssistedRANTuning, ConcurrentWarningMessageInd, CoreNetworkAssistanceInformationForInactive, CPTransportLayerInformation, CriticalityDiagnostics, DataCodingScheme, DL-CP-SecurityInformation, DirectForwardingPathAvailability, EarlyStatusTransfer-TransparentContainer, EDT-Session, EmergencyAreaIDListForRestart, EmergencyFallbackIndicator, EN-DCSONConfigurationTransfer, EndIndication, Enhanced-CoverageRestriction, EUTRA-CGI, EUTRA-PagingeDRXInformation, Extended-AMFName, Extended-ConnectedTime, Extended-RANNodeName, FiveG-ProSeAuthorized, FiveG-ProSePC5QoSParameters, FiveG-S-TMSI, GlobalRANNodeID, GUAMI, HandoverFlag, HandoverType, IAB-Authorized, IAB-Supported, IABNodeIndication, IMSVoiceSupportIndicator, IndexToRFSP, InfoOnRecommendedCellsAndRANNodesForPaging, IntersystemSONConfigurationTransfer, LAI, LTEM-Indication, LocationReportingRequestType, LTEUESidelinkAggregateMaximumBitrate, LTEV2XServicesAuthorized, MaskedIMEISV, MBS-AreaSessionID, MBS-ServiceArea, MBS-SessionID, MBS-DistributionReleaseRequestTransfer, MBS-DistributionSetupRequestTransfer, MBS-DistributionSetupResponseTransfer, MBS-DistributionSetupUnsuccessfulTransfer, MBSSessionReleaseResponseTransfer, MBSSessionSetupOrModFailureTransfer, MBSSessionSetupOrModRequestTransfer, MBSSessionSetupOrModResponseTransfer, MessageIdentifier, MDTPLMNList, MDTPLMNModificationList, MobilityRestrictionList, MulticastSessionActivationRequestTransfer, MulticastSessionDeactivationRequestTransfer, MulticastSessionUpdateRequestTransfer, MulticastGroupPagingAreaList, NAS-PDU, NASSecurityParametersFromNGRAN, NB-IoT-DefaultPagingDRX, NB-IoT-PagingDRX, NB-IoT-Paging-eDRXInfo, NB-IoT-UEPriority, NewSecurityContextInd, NGRAN-CGI, NGRAN-TNLAssociationToRemoveList, NGRANTraceID, NotifySourceNGRANNode, NPN-AccessInformation, NR-CGI, NR-PagingeDRXInformation, NRPPa-PDU, NumberOfBroadcastsRequested, NRUESidelinkAggregateMaximumBitrate, NRV2XServicesAuthorized, OverloadResponse, OverloadStartNSSAIList, PagingAssisDataforCEcapabUE, PagingCause, PagingDRX, PagingOrigin, PagingPriority, PDUSessionAggregateMaximumBitRate, PDUSessionResourceAdmittedList, PDUSessionResourceFailedToModifyListModCfm, PDUSessionResourceFailedToModifyListModRes, PDUSessionResourceFailedToResumeListRESReq, PDUSessionResourceFailedToResumeListRESRes, PDUSessionResourceFailedToSetupListCxtFail, PDUSessionResourceFailedToSetupListCxtRes, PDUSessionResourceFailedToSetupListHOAck, PDUSessionResourceFailedToSetupListPSReq, PDUSessionResourceFailedToSetupListSURes, PDUSessionResourceHandoverList, PDUSessionResourceListCxtRelCpl, PDUSessionResourceListCxtRelReq, PDUSessionResourceListHORqd, PDUSessionResourceModifyListModCfm, PDUSessionResourceModifyListModInd, PDUSessionResourceModifyListModReq, PDUSessionResourceModifyListModRes, PDUSessionResourceNotifyList, PDUSessionResourceReleasedListNot, PDUSessionResourceReleasedListPSAck, PDUSessionResourceReleasedListPSFail, PDUSessionResourceReleasedListRelRes, PDUSessionResourceResumeListRESReq, PDUSessionResourceResumeListRESRes, PDUSessionResourceSecondaryRATUsageList, PDUSessionResourceSetupListCxtReq, PDUSessionResourceSetupListCxtRes, PDUSessionResourceSetupListHOReq, PDUSessionResourceSetupListSUReq, PDUSessionResourceSetupListSURes, PDUSessionResourceSuspendListSUSReq, PDUSessionResourceSwitchedList, PDUSessionResourceToBeSwitchedDLList, PDUSessionResourceToReleaseListHOCmd, PDUSessionResourceToReleaseListRelCmd, PEIPSassistanceInformation, PLMNIdentity, PLMNSupportList, PrivacyIndicator, PWSFailedCellIDList, PC5QoSParameters, QMCConfigInfo, QMCDeactivation, RANNodeName, RANPagingPriority, RANStatusTransfer-TransparentContainer, RAN-UE-NGAP-ID, RedCapIndication, RedirectionVoiceFallback, RelativeAMFCapacity, RepetitionPeriod, ResetType, RGLevelWirelineAccessCharacteristics, RoutingID, RRCEstablishmentCause, RRCInactiveTransitionReportRequest, RRCState, SecurityContext, SecurityKey, SerialNumber, ServedGUAMIList, SliceSupportList, S-NSSAI, SONConfigurationTransfer, SourceToTarget-TransparentContainer, SourceToTarget-AMFInformationReroute, SRVCCOperationPossible, SupportedTAList, Suspend-Request-Indication, Suspend-Response-Indication, TAI, TAIListForPaging, TAIListForRestart, TargetID, TargetNSSAIInformation, TargetToSource-TransparentContainer, TargettoSource-Failure-TransparentContainer, TimeSyncAssistanceInfo, TimeToWait, TNLAssociationList, TraceActivation, TrafficLoadReductionIndication, TransportLayerAddress, UEAggregateMaximumBitRate, UE-associatedLogicalNG-connectionList, UECapabilityInfoRequest, UEContextRequest, UE-DifferentiationInfo, UE-NGAP-IDs, UEPagingIdentity, UEPresenceInAreaOfInterestList, UERadioCapability, UERadioCapabilityForPaging, UERadioCapabilityID, UERetentionInformation, UESecurityCapabilities, UESliceMaximumBitRateList, UE-UP-CIoT-Support, UL-CP-SecurityInformation, UnavailableGUAMIList, URI-address, UserLocationInformation, WarningAreaCoordinates, WarningAreaList, WarningMessageContents, WarningSecurityInfo, WarningType, WUS-Assistance-Information, RIMInformationTransfer FROM NGAP-IEs PrivateIE-Container{}, ProtocolExtensionContainer{}, ProtocolIE-Container{}, ProtocolIE-ContainerList{}, ProtocolIE-ContainerPair{}, ProtocolIE-SingleContainer{}, NGAP-PRIVATE-IES, NGAP-PROTOCOL-EXTENSION, NGAP-PROTOCOL-IES, NGAP-PROTOCOL-IES-PAIR FROM NGAP-Containers id-AllowedNSSAI, id-AMFName, id-AMFOverloadResponse, id-AMFSetID, id-AMF-TNLAssociationFailedToSetupList, id-AMF-TNLAssociationSetupList, id-AMF-TNLAssociationToAddList, id-AMF-TNLAssociationToRemoveList, id-AMF-TNLAssociationToUpdateList, id-AMFTrafficLoadReductionIndication, id-AMF-UE-NGAP-ID, id-AssistanceDataForPaging, id-AuthenticatedIndication, id-BroadcastCancelledAreaList, id-BroadcastCompletedAreaList, id-CancelAllWarningMessages, id-Cause, id-CellIDListForRestart, id-CEmodeBrestricted, id-CEmodeBSupport-Indicator, id-CNAssistedRANTuning, id-ConcurrentWarningMessageInd, id-CoreNetworkAssistanceInformationForInactive, id-CriticalityDiagnostics, id-DataCodingScheme, id-DefaultPagingDRX, id-DirectForwardingPathAvailability, id-DL-CP-SecurityInformation, id-EarlyStatusTransfer-TransparentContainer, id-EDT-Session, id-EmergencyAreaIDListForRestart, id-EmergencyFallbackIndicator, id-ENDC-SONConfigurationTransferDL, id-ENDC-SONConfigurationTransferUL, id-EndIndication, id-Enhanced-CoverageRestriction, id-EUTRA-CGI, id-EUTRA-PagingeDRXInformation, id-Extended-AMFName, id-Extended-ConnectedTime, id-Extended-RANNodeName, id-FiveG-ProSeAuthorized, id-FiveG-ProSeUEPC5AggregateMaximumBitRate, id-FiveG-ProSePC5QoSParameters, id-FiveG-S-TMSI, id-GlobalRANNodeID, id-GUAMI, id-HandoverFlag, id-HandoverType, id-IAB-Authorized, id-IAB-Supported, id-IABNodeIndication, id-IMSVoiceSupportIndicator, id-IndexToRFSP, id-InfoOnRecommendedCellsAndRANNodesForPaging, id-IntersystemSONConfigurationTransferDL, id-IntersystemSONConfigurationTransferUL, id-LocationReportingRequestType, id-LTEM-Indication, id-LTEV2XServicesAuthorized, id-LTEUESidelinkAggregateMaximumBitrate, id-ManagementBasedMDTPLMNList, id-ManagementBasedMDTPLMNModificationList, id-MaskedIMEISV, id-MBS-AreaSessionID, id-MBS-ServiceArea, id-MBS-SessionID, id-MBS-DistributionReleaseRequestTransfer, id-MBS-DistributionSetupRequestTransfer, id-MBS-DistributionSetupResponseTransfer, id-MBS-DistributionSetupUnsuccessfulTransfer, id-MBSSessionModificationFailureTransfer, id-MBSSessionModificationRequestTransfer, id-MBSSessionModificationResponseTransfer, id-MBSSessionReleaseResponseTransfer, id-MBSSessionSetupFailureTransfer, id-MBSSessionSetupRequestTransfer, id-MBSSessionSetupResponseTransfer, id-MessageIdentifier, id-MobilityRestrictionList, id-MulticastSessionActivationRequestTransfer, id-MulticastSessionDeactivationRequestTransfer, id-MulticastSessionUpdateRequestTransfer, id-MulticastGroupPagingAreaList, id-NAS-PDU, id-NASC, id-NASSecurityParametersFromNGRAN, id-NB-IoT-DefaultPagingDRX, id-NB-IoT-PagingDRX, id-NB-IoT-Paging-eDRXInfo, id-NB-IoT-UEPriority, id-NewAMF-UE-NGAP-ID, id-NewGUAMI, id-NewSecurityContextInd, id-NGAP-Message, id-NGRAN-CGI, id-NGRAN-TNLAssociationToRemoveList, id-NGRANTraceID, id-NotifySourceNGRANNode, id-NPN-AccessInformation, id-NR-PagingeDRXInformation, id-NRPPa-PDU, id-NRV2XServicesAuthorized, id-NRUESidelinkAggregateMaximumBitrate, id-NumberOfBroadcastsRequested, id-OldAMF, id-OverloadStartNSSAIList, id-PagingAssisDataforCEcapabUE, id-PagingCause, id-PagingDRX, id-PagingOrigin, id-PagingPriority, id-PDUSessionResourceAdmittedList, id-PDUSessionResourceFailedToModifyListModCfm, id-PDUSessionResourceFailedToModifyListModRes, id-PDUSessionResourceFailedToResumeListRESReq, id-PDUSessionResourceFailedToResumeListRESRes, id-PDUSessionResourceFailedToSetupListCxtFail, id-PDUSessionResourceFailedToSetupListCxtRes, id-PDUSessionResourceFailedToSetupListHOAck, id-PDUSessionResourceFailedToSetupListPSReq, id-PDUSessionResourceFailedToSetupListSURes, id-PDUSessionResourceHandoverList, id-PDUSessionResourceListCxtRelCpl, id-PDUSessionResourceListCxtRelReq, id-PDUSessionResourceListHORqd, id-PDUSessionResourceModifyListModCfm, id-PDUSessionResourceModifyListModInd, id-PDUSessionResourceModifyListModReq, id-PDUSessionResourceModifyListModRes, id-PDUSessionResourceNotifyList, id-PDUSessionResourceReleasedListNot, id-PDUSessionResourceReleasedListPSAck, id-PDUSessionResourceReleasedListPSFail, id-PDUSessionResourceReleasedListRelRes, id-PDUSessionResourceResumeListRESReq, id-PDUSessionResourceResumeListRESRes, id-PDUSessionResourceSecondaryRATUsageList, id-PDUSessionResourceSetupListCxtReq, id-PDUSessionResourceSetupListCxtRes, id-PDUSessionResourceSetupListHOReq, id-PDUSessionResourceSetupListSUReq, id-PDUSessionResourceSetupListSURes, id-PDUSessionResourceSuspendListSUSReq, id-PDUSessionResourceSwitchedList, id-PDUSessionResourceToBeSwitchedDLList, id-PDUSessionResourceToReleaseListHOCmd, id-PDUSessionResourceToReleaseListRelCmd, id-PEIPSassistanceInformation, id-PLMNSupportList, id-PrivacyIndicator, id-PWSFailedCellIDList, id-PC5QoSParameters, id-QMCConfigInfo, id-QMCDeactivation, id-RANNodeName, id-RANPagingPriority, id-RANStatusTransfer-TransparentContainer, id-RAN-UE-NGAP-ID, id-RedCapIndication, id-RedirectionVoiceFallback, id-RelativeAMFCapacity, id-RepetitionPeriod, id-ResetType, id-RGLevelWirelineAccessCharacteristics, id-RoutingID, id-RRCEstablishmentCause, id-RRCInactiveTransitionReportRequest, id-RRC-Resume-Cause, id-RRCState, id-SecurityContext, id-SecurityKey, id-SelectedPLMNIdentity, id-SerialNumber, id-ServedGUAMIList, id-SliceSupportList, id-S-NSSAI, id-SONConfigurationTransferDL, id-SONConfigurationTransferUL, id-SourceAMF-UE-NGAP-ID, id-SourceToTarget-TransparentContainer, id-SourceToTarget-AMFInformationReroute, id-SRVCCOperationPossible, id-SupportedTAList, id-Suspend-Request-Indication, id-Suspend-Response-Indication, id-TAI, id-TAIListForPaging, id-TAIListForRestart, id-TargetID, id-TargetNSSAIInformation, id-TargetToSource-TransparentContainer, id-TargettoSource-Failure-TransparentContainer, id-TimeSyncAssistanceInfo, id-TimeToWait, id-TNGFIdentityInformation, id-TraceActivation, id-TraceCollectionEntityIPAddress, id-TraceCollectionEntityURI, id-TWIFIdentityInformation, id-UEAggregateMaximumBitRate, id-UE-associatedLogicalNG-connectionList, id-UECapabilityInfoRequest, id-UEContextRequest, id-UE-DifferentiationInfo, id-UE-NGAP-IDs, id-UEPagingIdentity, id-UEPresenceInAreaOfInterestList, id-UERadioCapability, id-UERadioCapabilityForPaging, id-UERadioCapabilityID, id-UERadioCapability-EUTRA-Format, id-UERetentionInformation, id-UESecurityCapabilities, id-UESliceMaximumBitRateList, id-UE-UP-CIoT-Support, id-UL-CP-SecurityInformation, id-UnavailableGUAMIList, id-UserLocationInformation, id-W-AGFIdentityInformation, id-WarningAreaCoordinates, id-WarningAreaList, id-WarningMessageContents, id-WarningSecurityInfo, id-WarningType, id-WUS-Assistance-Information, id-RIMInformationTransfer FROM NGAP-Constants; -- ************************************************************** -- -- PDU SESSION MANAGEMENT ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- PDU Session Resource Setup Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- PDU SESSION RESOURCE SETUP REQUEST -- -- ************************************************************** PDUSessionResourceSetupRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PDUSessionResourceSetupRequestIEs} }, ... } PDUSessionResourceSetupRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-RANPagingPriority CRITICALITY ignore TYPE RANPagingPriority PRESENCE optional }| { ID id-NAS-PDU CRITICALITY reject TYPE NAS-PDU PRESENCE optional }| { ID id-PDUSessionResourceSetupListSUReq CRITICALITY reject TYPE PDUSessionResourceSetupListSUReq PRESENCE mandatory }| { ID id-UEAggregateMaximumBitRate CRITICALITY ignore TYPE UEAggregateMaximumBitRate PRESENCE optional }| { ID id-UESliceMaximumBitRateList CRITICALITY ignore TYPE UESliceMaximumBitRateList PRESENCE optional }, ... } -- ************************************************************** -- -- PDU SESSION RESOURCE SETUP RESPONSE -- -- ************************************************************** PDUSessionResourceSetupResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PDUSessionResourceSetupResponseIEs} }, ... } PDUSessionResourceSetupResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceSetupListSURes CRITICALITY ignore TYPE PDUSessionResourceSetupListSURes PRESENCE optional }| { ID id-PDUSessionResourceFailedToSetupListSURes CRITICALITY ignore TYPE PDUSessionResourceFailedToSetupListSURes PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE optional }, ... } -- ************************************************************** -- -- PDU Session Resource Release Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- PDU SESSION RESOURCE RELEASE COMMAND -- -- ************************************************************** PDUSessionResourceReleaseCommand ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PDUSessionResourceReleaseCommandIEs} }, ... } PDUSessionResourceReleaseCommandIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-RANPagingPriority CRITICALITY ignore TYPE RANPagingPriority PRESENCE optional }| { ID id-NAS-PDU CRITICALITY ignore TYPE NAS-PDU PRESENCE optional }| { ID id-PDUSessionResourceToReleaseListRelCmd CRITICALITY reject TYPE PDUSessionResourceToReleaseListRelCmd PRESENCE mandatory }, ... } -- ************************************************************** -- -- PDU SESSION RESOURCE RELEASE RESPONSE -- -- ************************************************************** PDUSessionResourceReleaseResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PDUSessionResourceReleaseResponseIEs} }, ... } PDUSessionResourceReleaseResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceReleasedListRelRes CRITICALITY ignore TYPE PDUSessionResourceReleasedListRelRes PRESENCE mandatory }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- PDU Session Resource Modify Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- PDU SESSION RESOURCE MODIFY REQUEST -- -- ************************************************************** PDUSessionResourceModifyRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PDUSessionResourceModifyRequestIEs} }, ... } PDUSessionResourceModifyRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-RANPagingPriority CRITICALITY ignore TYPE RANPagingPriority PRESENCE optional }| { ID id-PDUSessionResourceModifyListModReq CRITICALITY reject TYPE PDUSessionResourceModifyListModReq PRESENCE mandatory }, ... } -- ************************************************************** -- -- PDU SESSION RESOURCE MODIFY RESPONSE -- -- ************************************************************** PDUSessionResourceModifyResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PDUSessionResourceModifyResponseIEs} }, ... } PDUSessionResourceModifyResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceModifyListModRes CRITICALITY ignore TYPE PDUSessionResourceModifyListModRes PRESENCE optional }| { ID id-PDUSessionResourceFailedToModifyListModRes CRITICALITY ignore TYPE PDUSessionResourceFailedToModifyListModRes PRESENCE optional }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- PDU Session Resource Notify Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- PDU SESSION RESOURCE NOTIFY -- -- ************************************************************** PDUSessionResourceNotify ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PDUSessionResourceNotifyIEs} }, ... } PDUSessionResourceNotifyIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceNotifyList CRITICALITY reject TYPE PDUSessionResourceNotifyList PRESENCE optional }| { ID id-PDUSessionResourceReleasedListNot CRITICALITY ignore TYPE PDUSessionResourceReleasedListNot PRESENCE optional }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE optional }, ... } -- ************************************************************** -- -- PDU Session Resource Modify Indication Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- PDU SESSION RESOURCE MODIFY INDICATION -- -- ************************************************************** PDUSessionResourceModifyIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PDUSessionResourceModifyIndicationIEs} }, ... } PDUSessionResourceModifyIndicationIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceModifyListModInd CRITICALITY reject TYPE PDUSessionResourceModifyListModInd PRESENCE mandatory }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE optional }, ... } -- ************************************************************** -- -- PDU SESSION RESOURCE MODIFY CONFIRM -- -- ************************************************************** PDUSessionResourceModifyConfirm ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PDUSessionResourceModifyConfirmIEs} }, ... } PDUSessionResourceModifyConfirmIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceModifyListModCfm CRITICALITY ignore TYPE PDUSessionResourceModifyListModCfm PRESENCE optional }| { ID id-PDUSessionResourceFailedToModifyListModCfm CRITICALITY ignore TYPE PDUSessionResourceFailedToModifyListModCfm PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- UE CONTEXT MANAGEMENT ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- Initial Context Setup Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- INITIAL CONTEXT SETUP REQUEST -- -- ************************************************************** InitialContextSetupRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {InitialContextSetupRequestIEs} }, ... } InitialContextSetupRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-OldAMF CRITICALITY reject TYPE AMFName PRESENCE optional }| { ID id-UEAggregateMaximumBitRate CRITICALITY reject TYPE UEAggregateMaximumBitRate PRESENCE conditional }| { ID id-CoreNetworkAssistanceInformationForInactive CRITICALITY ignore TYPE CoreNetworkAssistanceInformationForInactive PRESENCE optional }| { ID id-GUAMI CRITICALITY reject TYPE GUAMI PRESENCE mandatory }| { ID id-PDUSessionResourceSetupListCxtReq CRITICALITY reject TYPE PDUSessionResourceSetupListCxtReq PRESENCE optional }| { ID id-AllowedNSSAI CRITICALITY reject TYPE AllowedNSSAI PRESENCE mandatory }| { ID id-UESecurityCapabilities CRITICALITY reject TYPE UESecurityCapabilities PRESENCE mandatory }| { ID id-SecurityKey CRITICALITY reject TYPE SecurityKey PRESENCE mandatory }| { ID id-TraceActivation CRITICALITY ignore TYPE TraceActivation PRESENCE optional }| { ID id-MobilityRestrictionList CRITICALITY ignore TYPE MobilityRestrictionList PRESENCE optional }| { ID id-UERadioCapability CRITICALITY ignore TYPE UERadioCapability PRESENCE optional }| { ID id-IndexToRFSP CRITICALITY ignore TYPE IndexToRFSP PRESENCE optional }| { ID id-MaskedIMEISV CRITICALITY ignore TYPE MaskedIMEISV PRESENCE optional }| { ID id-NAS-PDU CRITICALITY ignore TYPE NAS-PDU PRESENCE optional }| { ID id-EmergencyFallbackIndicator CRITICALITY reject TYPE EmergencyFallbackIndicator PRESENCE optional }| { ID id-RRCInactiveTransitionReportRequest CRITICALITY ignore TYPE RRCInactiveTransitionReportRequest PRESENCE optional }| { ID id-UERadioCapabilityForPaging CRITICALITY ignore TYPE UERadioCapabilityForPaging PRESENCE optional }| { ID id-RedirectionVoiceFallback CRITICALITY ignore TYPE RedirectionVoiceFallback PRESENCE optional }| { ID id-LocationReportingRequestType CRITICALITY ignore TYPE LocationReportingRequestType PRESENCE optional }| { ID id-CNAssistedRANTuning CRITICALITY ignore TYPE CNAssistedRANTuning PRESENCE optional }| { ID id-SRVCCOperationPossible CRITICALITY ignore TYPE SRVCCOperationPossible PRESENCE optional }| { ID id-IAB-Authorized CRITICALITY ignore TYPE IAB-Authorized PRESENCE optional }| { ID id-Enhanced-CoverageRestriction CRITICALITY ignore TYPE Enhanced-CoverageRestriction PRESENCE optional }| { ID id-Extended-ConnectedTime CRITICALITY ignore TYPE Extended-ConnectedTime PRESENCE optional }| { ID id-UE-DifferentiationInfo CRITICALITY ignore TYPE UE-DifferentiationInfo PRESENCE optional }| { ID id-NRV2XServicesAuthorized CRITICALITY ignore TYPE NRV2XServicesAuthorized PRESENCE optional }| { ID id-LTEV2XServicesAuthorized CRITICALITY ignore TYPE LTEV2XServicesAuthorized PRESENCE optional }| { ID id-NRUESidelinkAggregateMaximumBitrate CRITICALITY ignore TYPE NRUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-LTEUESidelinkAggregateMaximumBitrate CRITICALITY ignore TYPE LTEUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-PC5QoSParameters CRITICALITY ignore TYPE PC5QoSParameters PRESENCE optional }| { ID id-CEmodeBrestricted CRITICALITY ignore TYPE CEmodeBrestricted PRESENCE optional }| { ID id-UE-UP-CIoT-Support CRITICALITY ignore TYPE UE-UP-CIoT-Support PRESENCE optional }| { ID id-RGLevelWirelineAccessCharacteristics CRITICALITY ignore TYPE RGLevelWirelineAccessCharacteristics PRESENCE optional }| { ID id-ManagementBasedMDTPLMNList CRITICALITY ignore TYPE MDTPLMNList PRESENCE optional }| { ID id-UERadioCapabilityID CRITICALITY reject TYPE UERadioCapabilityID PRESENCE optional }| { ID id-TimeSyncAssistanceInfo CRITICALITY ignore TYPE TimeSyncAssistanceInfo PRESENCE optional }| { ID id-QMCConfigInfo CRITICALITY ignore TYPE QMCConfigInfo PRESENCE optional }| { ID id-TargetNSSAIInformation CRITICALITY ignore TYPE TargetNSSAIInformation PRESENCE optional }| { ID id-UESliceMaximumBitRateList CRITICALITY ignore TYPE UESliceMaximumBitRateList PRESENCE optional }| { ID id-FiveG-ProSeAuthorized CRITICALITY ignore TYPE FiveG-ProSeAuthorized PRESENCE optional }| { ID id-FiveG-ProSeUEPC5AggregateMaximumBitRate CRITICALITY ignore TYPE NRUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-FiveG-ProSePC5QoSParameters CRITICALITY ignore TYPE FiveG-ProSePC5QoSParameters PRESENCE optional }, ... } -- ************************************************************** -- -- INITIAL CONTEXT SETUP RESPONSE -- -- ************************************************************** InitialContextSetupResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {InitialContextSetupResponseIEs} }, ... } InitialContextSetupResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceSetupListCxtRes CRITICALITY ignore TYPE PDUSessionResourceSetupListCxtRes PRESENCE optional }| { ID id-PDUSessionResourceFailedToSetupListCxtRes CRITICALITY ignore TYPE PDUSessionResourceFailedToSetupListCxtRes PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- INITIAL CONTEXT SETUP FAILURE -- -- ************************************************************** InitialContextSetupFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { {InitialContextSetupFailureIEs} }, ... } InitialContextSetupFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceFailedToSetupListCxtFail CRITICALITY ignore TYPE PDUSessionResourceFailedToSetupListCxtFail PRESENCE optional }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- UE Context Release Request Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- UE CONTEXT RELEASE REQUEST -- -- ************************************************************** UEContextReleaseRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UEContextReleaseRequest-IEs} }, ... } UEContextReleaseRequest-IEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceListCxtRelReq CRITICALITY reject TYPE PDUSessionResourceListCxtRelReq PRESENCE optional }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } -- ************************************************************** -- -- UE Context Release Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- UE CONTEXT RELEASE COMMAND -- -- ************************************************************** UEContextReleaseCommand ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UEContextReleaseCommand-IEs} }, ... } UEContextReleaseCommand-IEs NGAP-PROTOCOL-IES ::= { { ID id-UE-NGAP-IDs CRITICALITY reject TYPE UE-NGAP-IDs PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } -- ************************************************************** -- -- UE CONTEXT RELEASE COMPLETE -- -- ************************************************************** UEContextReleaseComplete ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UEContextReleaseComplete-IEs} }, ... } UEContextReleaseComplete-IEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE optional }| { ID id-InfoOnRecommendedCellsAndRANNodesForPaging CRITICALITY ignore TYPE InfoOnRecommendedCellsAndRANNodesForPaging PRESENCE optional }| { ID id-PDUSessionResourceListCxtRelCpl CRITICALITY reject TYPE PDUSessionResourceListCxtRelCpl PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }| { ID id-PagingAssisDataforCEcapabUE CRITICALITY ignore TYPE PagingAssisDataforCEcapabUE PRESENCE optional }, ... } -- ************************************************************** -- -- UE Context Resume Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- UE CONTEXT RESUME REQUEST -- -- ************************************************************** UEContextResumeRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UEContextResumeRequestIEs} }, ... } UEContextResumeRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-RRC-Resume-Cause CRITICALITY ignore TYPE RRCEstablishmentCause PRESENCE mandatory }| { ID id-PDUSessionResourceResumeListRESReq CRITICALITY reject TYPE PDUSessionResourceResumeListRESReq PRESENCE optional }| { ID id-PDUSessionResourceFailedToResumeListRESReq CRITICALITY reject TYPE PDUSessionResourceFailedToResumeListRESReq PRESENCE optional }| { ID id-Suspend-Request-Indication CRITICALITY ignore TYPE Suspend-Request-Indication PRESENCE optional }| { ID id-InfoOnRecommendedCellsAndRANNodesForPaging CRITICALITY ignore TYPE InfoOnRecommendedCellsAndRANNodesForPaging PRESENCE optional }| { ID id-PagingAssisDataforCEcapabUE CRITICALITY ignore TYPE PagingAssisDataforCEcapabUE PRESENCE optional }, ... } -- ************************************************************** -- -- UE CONTEXT RESUME RESPONSE -- -- ************************************************************** UEContextResumeResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UEContextResumeResponseIEs} }, ... } UEContextResumeResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceResumeListRESRes CRITICALITY reject TYPE PDUSessionResourceResumeListRESRes PRESENCE optional }| { ID id-PDUSessionResourceFailedToResumeListRESRes CRITICALITY reject TYPE PDUSessionResourceFailedToResumeListRESRes PRESENCE optional }| { ID id-SecurityContext CRITICALITY reject TYPE SecurityContext PRESENCE optional }| { ID id-Suspend-Response-Indication CRITICALITY ignore TYPE Suspend-Response-Indication PRESENCE optional }| { ID id-Extended-ConnectedTime CRITICALITY ignore TYPE Extended-ConnectedTime PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- UE CONTEXT RESUME FAILURE -- -- ************************************************************** UEContextResumeFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { { UEContextResumeFailureIEs} }, ... } UEContextResumeFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- UE Context Suspend Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- UE CONTEXT SUSPEND REQUEST -- -- ************************************************************** UEContextSuspendRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UEContextSuspendRequestIEs} }, ... } UEContextSuspendRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-InfoOnRecommendedCellsAndRANNodesForPaging CRITICALITY ignore TYPE InfoOnRecommendedCellsAndRANNodesForPaging PRESENCE optional }| { ID id-PagingAssisDataforCEcapabUE CRITICALITY ignore TYPE PagingAssisDataforCEcapabUE PRESENCE optional }| { ID id-PDUSessionResourceSuspendListSUSReq CRITICALITY reject TYPE PDUSessionResourceSuspendListSUSReq PRESENCE optional }, ... } -- ************************************************************** -- -- UE CONTEXT SUSPEND RESPONSE -- -- ************************************************************** UEContextSuspendResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UEContextSuspendResponseIEs} }, ... } UEContextSuspendResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-SecurityContext CRITICALITY reject TYPE SecurityContext PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- UE CONTEXT SUSPEND FAILURE -- -- ************************************************************** UEContextSuspendFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { { UEContextSuspendFailureIEs} }, ... } UEContextSuspendFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- UE Context Modification Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- UE CONTEXT MODIFICATION REQUEST -- -- ************************************************************** UEContextModificationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UEContextModificationRequestIEs} }, ... } UEContextModificationRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-RANPagingPriority CRITICALITY ignore TYPE RANPagingPriority PRESENCE optional }| { ID id-SecurityKey CRITICALITY reject TYPE SecurityKey PRESENCE optional }| { ID id-IndexToRFSP CRITICALITY ignore TYPE IndexToRFSP PRESENCE optional }| { ID id-UEAggregateMaximumBitRate CRITICALITY ignore TYPE UEAggregateMaximumBitRate PRESENCE optional }| { ID id-UESecurityCapabilities CRITICALITY reject TYPE UESecurityCapabilities PRESENCE optional }| { ID id-CoreNetworkAssistanceInformationForInactive CRITICALITY ignore TYPE CoreNetworkAssistanceInformationForInactive PRESENCE optional }| { ID id-EmergencyFallbackIndicator CRITICALITY reject TYPE EmergencyFallbackIndicator PRESENCE optional }| { ID id-NewAMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE optional }| { ID id-RRCInactiveTransitionReportRequest CRITICALITY ignore TYPE RRCInactiveTransitionReportRequest PRESENCE optional }| { ID id-NewGUAMI CRITICALITY reject TYPE GUAMI PRESENCE optional }| { ID id-CNAssistedRANTuning CRITICALITY ignore TYPE CNAssistedRANTuning PRESENCE optional }| { ID id-SRVCCOperationPossible CRITICALITY ignore TYPE SRVCCOperationPossible PRESENCE optional }| { ID id-IAB-Authorized CRITICALITY ignore TYPE IAB-Authorized PRESENCE optional }| { ID id-NRV2XServicesAuthorized CRITICALITY ignore TYPE NRV2XServicesAuthorized PRESENCE optional }| { ID id-LTEV2XServicesAuthorized CRITICALITY ignore TYPE LTEV2XServicesAuthorized PRESENCE optional }| { ID id-NRUESidelinkAggregateMaximumBitrate CRITICALITY ignore TYPE NRUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-LTEUESidelinkAggregateMaximumBitrate CRITICALITY ignore TYPE LTEUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-PC5QoSParameters CRITICALITY ignore TYPE PC5QoSParameters PRESENCE optional }| { ID id-UERadioCapabilityID CRITICALITY reject TYPE UERadioCapabilityID PRESENCE optional }| { ID id-RGLevelWirelineAccessCharacteristics CRITICALITY ignore TYPE RGLevelWirelineAccessCharacteristics PRESENCE optional }| { ID id-TimeSyncAssistanceInfo CRITICALITY ignore TYPE TimeSyncAssistanceInfo PRESENCE optional }| { ID id-QMCConfigInfo CRITICALITY ignore TYPE QMCConfigInfo PRESENCE optional }| { ID id-QMCDeactivation CRITICALITY ignore TYPE QMCDeactivation PRESENCE optional }| { ID id-UESliceMaximumBitRateList CRITICALITY ignore TYPE UESliceMaximumBitRateList PRESENCE optional }| { ID id-ManagementBasedMDTPLMNModificationList CRITICALITY ignore TYPE MDTPLMNModificationList PRESENCE optional }| { ID id-FiveG-ProSeAuthorized CRITICALITY ignore TYPE FiveG-ProSeAuthorized PRESENCE optional }| { ID id-FiveG-ProSeUEPC5AggregateMaximumBitRate CRITICALITY ignore TYPE NRUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-FiveG-ProSePC5QoSParameters CRITICALITY ignore TYPE FiveG-ProSePC5QoSParameters PRESENCE optional }, ... } -- ************************************************************** -- -- UE CONTEXT MODIFICATION RESPONSE -- -- ************************************************************** UEContextModificationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UEContextModificationResponseIEs} }, ... } UEContextModificationResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-RRCState CRITICALITY ignore TYPE RRCState PRESENCE optional }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- UE CONTEXT MODIFICATION FAILURE -- -- ************************************************************** UEContextModificationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UEContextModificationFailureIEs} }, ... } UEContextModificationFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- RRC INACTIVE TRANSITION REPORT -- -- ************************************************************** RRCInactiveTransitionReport ::= SEQUENCE { protocolIEs ProtocolIE-Container { {RRCInactiveTransitionReportIEs} }, ... } RRCInactiveTransitionReportIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-RRCState CRITICALITY ignore TYPE RRCState PRESENCE mandatory }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE mandatory }, ... } -- ************************************************************** -- -- Retrieve UE Information -- -- ************************************************************** RetrieveUEInformation ::= SEQUENCE { protocolIEs ProtocolIE-Container { { RetrieveUEInformationIEs} }, ... } RetrieveUEInformationIEs NGAP-PROTOCOL-IES ::= { { ID id-FiveG-S-TMSI CRITICALITY reject TYPE FiveG-S-TMSI PRESENCE mandatory }, ... } -- ************************************************************** -- UE Information Transfer -- -- ************************************************************** UEInformationTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { { UEInformationTransferIEs} }, ... } UEInformationTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-FiveG-S-TMSI CRITICALITY reject TYPE FiveG-S-TMSI PRESENCE mandatory }| { ID id-NB-IoT-UEPriority CRITICALITY ignore TYPE NB-IoT-UEPriority PRESENCE optional }| { ID id-UERadioCapability CRITICALITY ignore TYPE UERadioCapability PRESENCE optional }| { ID id-S-NSSAI CRITICALITY ignore TYPE S-NSSAI PRESENCE optional }| { ID id-AllowedNSSAI CRITICALITY ignore TYPE AllowedNSSAI PRESENCE optional }| { ID id-UE-DifferentiationInfo CRITICALITY ignore TYPE UE-DifferentiationInfo PRESENCE optional }| { ID id-MaskedIMEISV CRITICALITY ignore TYPE MaskedIMEISV PRESENCE optional }, ... } -- ************************************************************** -- -- RAN CP Relocation Indication -- -- ************************************************************** RANCPRelocationIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container { { RANCPRelocationIndicationIEs} }, ... } RANCPRelocationIndicationIEs NGAP-PROTOCOL-IES ::= { { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-FiveG-S-TMSI CRITICALITY reject TYPE FiveG-S-TMSI PRESENCE mandatory }| { ID id-EUTRA-CGI CRITICALITY ignore TYPE EUTRA-CGI PRESENCE mandatory }| { ID id-TAI CRITICALITY ignore TYPE TAI PRESENCE mandatory }| { ID id-UL-CP-SecurityInformation CRITICALITY reject TYPE UL-CP-SecurityInformation PRESENCE mandatory }, ... } -- ************************************************************** -- -- UE MOBILITY MANAGEMENT ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- Handover Preparation Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- HANDOVER REQUIRED -- -- ************************************************************** HandoverRequired ::= SEQUENCE { protocolIEs ProtocolIE-Container { {HandoverRequiredIEs} }, ... } HandoverRequiredIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-HandoverType CRITICALITY reject TYPE HandoverType PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-TargetID CRITICALITY reject TYPE TargetID PRESENCE mandatory }| { ID id-DirectForwardingPathAvailability CRITICALITY ignore TYPE DirectForwardingPathAvailability PRESENCE optional }| { ID id-PDUSessionResourceListHORqd CRITICALITY reject TYPE PDUSessionResourceListHORqd PRESENCE mandatory }| { ID id-SourceToTarget-TransparentContainer CRITICALITY reject TYPE SourceToTarget-TransparentContainer PRESENCE mandatory }, ... } -- ************************************************************** -- -- HANDOVER COMMAND -- -- ************************************************************** HandoverCommand ::= SEQUENCE { protocolIEs ProtocolIE-Container { {HandoverCommandIEs} }, ... } HandoverCommandIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-HandoverType CRITICALITY reject TYPE HandoverType PRESENCE mandatory }| { ID id-NASSecurityParametersFromNGRAN CRITICALITY reject TYPE NASSecurityParametersFromNGRAN PRESENCE conditional }| -- This IE shall be present if HandoverType IE is set to value "5GStoEPPS" or “5GStoUTRAN” -- { ID id-PDUSessionResourceHandoverList CRITICALITY ignore TYPE PDUSessionResourceHandoverList PRESENCE optional }| { ID id-PDUSessionResourceToReleaseListHOCmd CRITICALITY ignore TYPE PDUSessionResourceToReleaseListHOCmd PRESENCE optional }| { ID id-TargetToSource-TransparentContainer CRITICALITY reject TYPE TargetToSource-TransparentContainer PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- HANDOVER PREPARATION FAILURE -- -- ************************************************************** HandoverPreparationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { {HandoverPreparationFailureIEs} }, ... } HandoverPreparationFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }| { ID id-TargettoSource-Failure-TransparentContainer CRITICALITY ignore TYPE TargettoSource-Failure-TransparentContainer PRESENCE optional }, ... } -- ************************************************************** -- -- Handover Resource Allocation Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- HANDOVER REQUEST -- -- ************************************************************** HandoverRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {HandoverRequestIEs} }, ... } HandoverRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-HandoverType CRITICALITY reject TYPE HandoverType PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-UEAggregateMaximumBitRate CRITICALITY reject TYPE UEAggregateMaximumBitRate PRESENCE mandatory }| { ID id-CoreNetworkAssistanceInformationForInactive CRITICALITY ignore TYPE CoreNetworkAssistanceInformationForInactive PRESENCE optional }| { ID id-UESecurityCapabilities CRITICALITY reject TYPE UESecurityCapabilities PRESENCE mandatory }| { ID id-SecurityContext CRITICALITY reject TYPE SecurityContext PRESENCE mandatory }| { ID id-NewSecurityContextInd CRITICALITY reject TYPE NewSecurityContextInd PRESENCE optional }| { ID id-NASC CRITICALITY reject TYPE NAS-PDU PRESENCE optional }| { ID id-PDUSessionResourceSetupListHOReq CRITICALITY reject TYPE PDUSessionResourceSetupListHOReq PRESENCE mandatory }| { ID id-AllowedNSSAI CRITICALITY reject TYPE AllowedNSSAI PRESENCE mandatory }| { ID id-TraceActivation CRITICALITY ignore TYPE TraceActivation PRESENCE optional }| { ID id-MaskedIMEISV CRITICALITY ignore TYPE MaskedIMEISV PRESENCE optional }| { ID id-SourceToTarget-TransparentContainer CRITICALITY reject TYPE SourceToTarget-TransparentContainer PRESENCE mandatory }| { ID id-MobilityRestrictionList CRITICALITY ignore TYPE MobilityRestrictionList PRESENCE optional }| { ID id-LocationReportingRequestType CRITICALITY ignore TYPE LocationReportingRequestType PRESENCE optional }| { ID id-RRCInactiveTransitionReportRequest CRITICALITY ignore TYPE RRCInactiveTransitionReportRequest PRESENCE optional }| { ID id-GUAMI CRITICALITY reject TYPE GUAMI PRESENCE mandatory }| { ID id-RedirectionVoiceFallback CRITICALITY ignore TYPE RedirectionVoiceFallback PRESENCE optional }| { ID id-CNAssistedRANTuning CRITICALITY ignore TYPE CNAssistedRANTuning PRESENCE optional }| { ID id-SRVCCOperationPossible CRITICALITY ignore TYPE SRVCCOperationPossible PRESENCE optional }| { ID id-IAB-Authorized CRITICALITY reject TYPE IAB-Authorized PRESENCE optional }| { ID id-Enhanced-CoverageRestriction CRITICALITY ignore TYPE Enhanced-CoverageRestriction PRESENCE optional }| { ID id-UE-DifferentiationInfo CRITICALITY ignore TYPE UE-DifferentiationInfo PRESENCE optional }| { ID id-NRV2XServicesAuthorized CRITICALITY ignore TYPE NRV2XServicesAuthorized PRESENCE optional }| { ID id-LTEV2XServicesAuthorized CRITICALITY ignore TYPE LTEV2XServicesAuthorized PRESENCE optional }| { ID id-NRUESidelinkAggregateMaximumBitrate CRITICALITY ignore TYPE NRUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-LTEUESidelinkAggregateMaximumBitrate CRITICALITY ignore TYPE LTEUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-PC5QoSParameters CRITICALITY ignore TYPE PC5QoSParameters PRESENCE optional }| { ID id-CEmodeBrestricted CRITICALITY ignore TYPE CEmodeBrestricted PRESENCE optional }| { ID id-UE-UP-CIoT-Support CRITICALITY ignore TYPE UE-UP-CIoT-Support PRESENCE optional }| { ID id-ManagementBasedMDTPLMNList CRITICALITY ignore TYPE MDTPLMNList PRESENCE optional }| { ID id-UERadioCapabilityID CRITICALITY reject TYPE UERadioCapabilityID PRESENCE optional }| { ID id-Extended-ConnectedTime CRITICALITY ignore TYPE Extended-ConnectedTime PRESENCE optional }| { ID id-TimeSyncAssistanceInfo CRITICALITY ignore TYPE TimeSyncAssistanceInfo PRESENCE optional }| { ID id-UESliceMaximumBitRateList CRITICALITY ignore TYPE UESliceMaximumBitRateList PRESENCE optional }| { ID id-FiveG-ProSeAuthorized CRITICALITY ignore TYPE FiveG-ProSeAuthorized PRESENCE optional }| { ID id-FiveG-ProSeUEPC5AggregateMaximumBitRate CRITICALITY ignore TYPE NRUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-FiveG-ProSePC5QoSParameters CRITICALITY ignore TYPE FiveG-ProSePC5QoSParameters PRESENCE optional }, ... } -- ************************************************************** -- -- HANDOVER REQUEST ACKNOWLEDGE -- -- ************************************************************** HandoverRequestAcknowledge ::= SEQUENCE { protocolIEs ProtocolIE-Container { {HandoverRequestAcknowledgeIEs} }, ... } HandoverRequestAcknowledgeIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceAdmittedList CRITICALITY ignore TYPE PDUSessionResourceAdmittedList PRESENCE mandatory }| { ID id-PDUSessionResourceFailedToSetupListHOAck CRITICALITY ignore TYPE PDUSessionResourceFailedToSetupListHOAck PRESENCE optional }| { ID id-TargetToSource-TransparentContainer CRITICALITY reject TYPE TargetToSource-TransparentContainer PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }| { ID id-NPN-AccessInformation CRITICALITY reject TYPE NPN-AccessInformation PRESENCE optional }| { ID id-RedCapIndication CRITICALITY ignore TYPE RedCapIndication PRESENCE optional }, ... } -- ************************************************************** -- -- HANDOVER FAILURE -- -- ************************************************************** HandoverFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { { HandoverFailureIEs} }, ... } HandoverFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }| { ID id-TargettoSource-Failure-TransparentContainer CRITICALITY ignore TYPE TargettoSource-Failure-TransparentContainer PRESENCE optional }, ... } -- ************************************************************** -- -- Handover Notification Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- HANDOVER NOTIFY -- -- ************************************************************** HandoverNotify ::= SEQUENCE { protocolIEs ProtocolIE-Container { { HandoverNotifyIEs} }, ... } HandoverNotifyIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE mandatory }| { ID id-NotifySourceNGRANNode CRITICALITY ignore TYPE NotifySourceNGRANNode PRESENCE optional }, ... } -- ************************************************************** -- -- Path Switch Request Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- PATH SWITCH REQUEST -- -- ************************************************************** PathSwitchRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { { PathSwitchRequestIEs} }, ... } PathSwitchRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-SourceAMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE mandatory }| { ID id-UESecurityCapabilities CRITICALITY ignore TYPE UESecurityCapabilities PRESENCE mandatory }| { ID id-PDUSessionResourceToBeSwitchedDLList CRITICALITY reject TYPE PDUSessionResourceToBeSwitchedDLList PRESENCE mandatory }| { ID id-PDUSessionResourceFailedToSetupListPSReq CRITICALITY ignore TYPE PDUSessionResourceFailedToSetupListPSReq PRESENCE optional }| { ID id-RRC-Resume-Cause CRITICALITY ignore TYPE RRCEstablishmentCause PRESENCE optional }| { ID id-RedCapIndication CRITICALITY ignore TYPE RedCapIndication PRESENCE optional }, ... } -- ************************************************************** -- -- PATH SWITCH REQUEST ACKNOWLEDGE -- -- ************************************************************** PathSwitchRequestAcknowledge ::= SEQUENCE { protocolIEs ProtocolIE-Container { { PathSwitchRequestAcknowledgeIEs} }, ... } PathSwitchRequestAcknowledgeIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-UESecurityCapabilities CRITICALITY reject TYPE UESecurityCapabilities PRESENCE optional }| { ID id-SecurityContext CRITICALITY reject TYPE SecurityContext PRESENCE mandatory }| { ID id-NewSecurityContextInd CRITICALITY reject TYPE NewSecurityContextInd PRESENCE optional }| { ID id-PDUSessionResourceSwitchedList CRITICALITY ignore TYPE PDUSessionResourceSwitchedList PRESENCE mandatory }| { ID id-PDUSessionResourceReleasedListPSAck CRITICALITY ignore TYPE PDUSessionResourceReleasedListPSAck PRESENCE optional }| { ID id-AllowedNSSAI CRITICALITY reject TYPE AllowedNSSAI PRESENCE mandatory }| { ID id-CoreNetworkAssistanceInformationForInactive CRITICALITY ignore TYPE CoreNetworkAssistanceInformationForInactive PRESENCE optional }| { ID id-RRCInactiveTransitionReportRequest CRITICALITY ignore TYPE RRCInactiveTransitionReportRequest PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }| { ID id-RedirectionVoiceFallback CRITICALITY ignore TYPE RedirectionVoiceFallback PRESENCE optional }| { ID id-CNAssistedRANTuning CRITICALITY ignore TYPE CNAssistedRANTuning PRESENCE optional }| { ID id-SRVCCOperationPossible CRITICALITY ignore TYPE SRVCCOperationPossible PRESENCE optional }| { ID id-Enhanced-CoverageRestriction CRITICALITY ignore TYPE Enhanced-CoverageRestriction PRESENCE optional }| { ID id-Extended-ConnectedTime CRITICALITY ignore TYPE Extended-ConnectedTime PRESENCE optional }| { ID id-UE-DifferentiationInfo CRITICALITY ignore TYPE UE-DifferentiationInfo PRESENCE optional }| { ID id-NRV2XServicesAuthorized CRITICALITY ignore TYPE NRV2XServicesAuthorized PRESENCE optional }| { ID id-LTEV2XServicesAuthorized CRITICALITY ignore TYPE LTEV2XServicesAuthorized PRESENCE optional }| { ID id-NRUESidelinkAggregateMaximumBitrate CRITICALITY ignore TYPE NRUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-LTEUESidelinkAggregateMaximumBitrate CRITICALITY ignore TYPE LTEUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-PC5QoSParameters CRITICALITY ignore TYPE PC5QoSParameters PRESENCE optional }| { ID id-CEmodeBrestricted CRITICALITY ignore TYPE CEmodeBrestricted PRESENCE optional }| { ID id-UE-UP-CIoT-Support CRITICALITY ignore TYPE UE-UP-CIoT-Support PRESENCE optional }| { ID id-UERadioCapabilityID CRITICALITY reject TYPE UERadioCapabilityID PRESENCE optional }| { ID id-ManagementBasedMDTPLMNList CRITICALITY ignore TYPE MDTPLMNList PRESENCE optional }| { ID id-TimeSyncAssistanceInfo CRITICALITY ignore TYPE TimeSyncAssistanceInfo PRESENCE optional }| { ID id-FiveG-ProSeAuthorized CRITICALITY ignore TYPE FiveG-ProSeAuthorized PRESENCE optional }| { ID id-FiveG-ProSeUEPC5AggregateMaximumBitRate CRITICALITY ignore TYPE NRUESidelinkAggregateMaximumBitrate PRESENCE optional }| { ID id-FiveG-ProSePC5QoSParameters CRITICALITY ignore TYPE FiveG-ProSePC5QoSParameters PRESENCE optional }| { ID id-ManagementBasedMDTPLMNModificationList CRITICALITY ignore TYPE MDTPLMNModificationList PRESENCE optional }, ... } -- ************************************************************** -- -- PATH SWITCH REQUEST FAILURE -- -- ************************************************************** PathSwitchRequestFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { { PathSwitchRequestFailureIEs} }, ... } PathSwitchRequestFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceReleasedListPSFail CRITICALITY ignore TYPE PDUSessionResourceReleasedListPSFail PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- Handover Cancellation Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- HANDOVER CANCEL -- -- ************************************************************** HandoverCancel ::= SEQUENCE { protocolIEs ProtocolIE-Container { { HandoverCancelIEs} }, ... } HandoverCancelIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } -- ************************************************************** -- -- HANDOVER CANCEL ACKNOWLEDGE -- -- ************************************************************** HandoverCancelAcknowledge ::= SEQUENCE { protocolIEs ProtocolIE-Container { { HandoverCancelAcknowledgeIEs} }, ... } HandoverCancelAcknowledgeIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- HANDOVER SUCCESS ELEMENTARY PROCEDURE -- -- ************************************************************** -- ************************************************************** -- -- HANDOVER SUCCESS -- -- ************************************************************** HandoverSuccess ::= SEQUENCE { protocolIEs ProtocolIE-Container { { HandoverSuccessIEs} }, ... } HandoverSuccessIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }, ... } -- ************************************************************** -- -- UPLINK RAN EARLY STATUS TRANSFER ELEMENTARY PROCEDURE -- -- ************************************************************** -- ************************************************************** -- -- Uplink RAN Early Status Transfer -- -- ************************************************************** UplinkRANEarlyStatusTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UplinkRANEarlyStatusTransferIEs} }, ... } UplinkRANEarlyStatusTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory}| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory}| { ID id-EarlyStatusTransfer-TransparentContainer CRITICALITY reject TYPE EarlyStatusTransfer-TransparentContainer PRESENCE mandatory}, ... } -- ************************************************************** -- -- DOWNLINK RAN EARLY STATUS TRANSFER ELEMENTARY PROCEDURE -- -- ************************************************************** -- ************************************************************** -- -- Downlink RAN Early Status Transfer -- -- ************************************************************** DownlinkRANEarlyStatusTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DownlinkRANEarlyStatusTransferIEs} }, ... } DownlinkRANEarlyStatusTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory}| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory}| { ID id-EarlyStatusTransfer-TransparentContainer CRITICALITY reject TYPE EarlyStatusTransfer-TransparentContainer PRESENCE mandatory}, ... } -- ************************************************************** -- -- Uplink RAN Status Transfer Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- UPLINK RAN STATUS TRANSFER -- -- ************************************************************** UplinkRANStatusTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UplinkRANStatusTransferIEs} }, ... } UplinkRANStatusTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-RANStatusTransfer-TransparentContainer CRITICALITY reject TYPE RANStatusTransfer-TransparentContainer PRESENCE mandatory }, ... } -- ************************************************************** -- -- Downlink RAN Status Transfer Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- DOWNLINK RAN STATUS TRANSFER -- -- ************************************************************** DownlinkRANStatusTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DownlinkRANStatusTransferIEs} }, ... } DownlinkRANStatusTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-RANStatusTransfer-TransparentContainer CRITICALITY reject TYPE RANStatusTransfer-TransparentContainer PRESENCE mandatory }, ... } -- ************************************************************** -- -- PAGING ELEMENTARY PROCEDURE -- -- ************************************************************** -- ************************************************************** -- -- PAGING -- -- ************************************************************** Paging ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PagingIEs} }, ... } PagingIEs NGAP-PROTOCOL-IES ::= { { ID id-UEPagingIdentity CRITICALITY ignore TYPE UEPagingIdentity PRESENCE mandatory }| { ID id-PagingDRX CRITICALITY ignore TYPE PagingDRX PRESENCE optional }| { ID id-TAIListForPaging CRITICALITY ignore TYPE TAIListForPaging PRESENCE mandatory }| { ID id-PagingPriority CRITICALITY ignore TYPE PagingPriority PRESENCE optional }| { ID id-UERadioCapabilityForPaging CRITICALITY ignore TYPE UERadioCapabilityForPaging PRESENCE optional }| { ID id-PagingOrigin CRITICALITY ignore TYPE PagingOrigin PRESENCE optional }| { ID id-AssistanceDataForPaging CRITICALITY ignore TYPE AssistanceDataForPaging PRESENCE optional }| { ID id-NB-IoT-Paging-eDRXInfo CRITICALITY ignore TYPE NB-IoT-Paging-eDRXInfo PRESENCE optional }| { ID id-NB-IoT-PagingDRX CRITICALITY ignore TYPE NB-IoT-PagingDRX PRESENCE optional }| { ID id-Enhanced-CoverageRestriction CRITICALITY ignore TYPE Enhanced-CoverageRestriction PRESENCE optional }| { ID id-WUS-Assistance-Information CRITICALITY ignore TYPE WUS-Assistance-Information PRESENCE optional }| { ID id-EUTRA-PagingeDRXInformation CRITICALITY ignore TYPE EUTRA-PagingeDRXInformation PRESENCE optional }| { ID id-CEmodeBrestricted CRITICALITY ignore TYPE CEmodeBrestricted PRESENCE optional }| { ID id-NR-PagingeDRXInformation CRITICALITY ignore TYPE NR-PagingeDRXInformation PRESENCE optional }| { ID id-PagingCause CRITICALITY ignore TYPE PagingCause PRESENCE optional }| { ID id-PEIPSassistanceInformation CRITICALITY ignore TYPE PEIPSassistanceInformation PRESENCE optional }, ... } -- ************************************************************** -- -- NAS TRANSPORT ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- INITIAL UE MESSAGE -- -- ************************************************************** InitialUEMessage ::= SEQUENCE { protocolIEs ProtocolIE-Container { {InitialUEMessage-IEs} }, ... } InitialUEMessage-IEs NGAP-PROTOCOL-IES ::= { { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-NAS-PDU CRITICALITY reject TYPE NAS-PDU PRESENCE mandatory }| { ID id-UserLocationInformation CRITICALITY reject TYPE UserLocationInformation PRESENCE mandatory }| { ID id-RRCEstablishmentCause CRITICALITY ignore TYPE RRCEstablishmentCause PRESENCE mandatory }| { ID id-FiveG-S-TMSI CRITICALITY reject TYPE FiveG-S-TMSI PRESENCE optional }| { ID id-AMFSetID CRITICALITY ignore TYPE AMFSetID PRESENCE optional }| { ID id-UEContextRequest CRITICALITY ignore TYPE UEContextRequest PRESENCE optional }| { ID id-AllowedNSSAI CRITICALITY reject TYPE AllowedNSSAI PRESENCE optional }| { ID id-SourceToTarget-AMFInformationReroute CRITICALITY ignore TYPE SourceToTarget-AMFInformationReroute PRESENCE optional }| { ID id-SelectedPLMNIdentity CRITICALITY ignore TYPE PLMNIdentity PRESENCE optional }| { ID id-IABNodeIndication CRITICALITY reject TYPE IABNodeIndication PRESENCE optional }| { ID id-CEmodeBSupport-Indicator CRITICALITY reject TYPE CEmodeBSupport-Indicator PRESENCE optional }| { ID id-LTEM-Indication CRITICALITY ignore TYPE LTEM-Indication PRESENCE optional }| { ID id-EDT-Session CRITICALITY ignore TYPE EDT-Session PRESENCE optional }| { ID id-AuthenticatedIndication CRITICALITY ignore TYPE AuthenticatedIndication PRESENCE optional }| { ID id-NPN-AccessInformation CRITICALITY reject TYPE NPN-AccessInformation PRESENCE optional }| { ID id-RedCapIndication CRITICALITY ignore TYPE RedCapIndication PRESENCE optional }, ... } -- ************************************************************** -- -- DOWNLINK NAS TRANSPORT -- -- ************************************************************** DownlinkNASTransport ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DownlinkNASTransport-IEs} }, ... } DownlinkNASTransport-IEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-OldAMF CRITICALITY reject TYPE AMFName PRESENCE optional }| { ID id-RANPagingPriority CRITICALITY ignore TYPE RANPagingPriority PRESENCE optional }| { ID id-NAS-PDU CRITICALITY reject TYPE NAS-PDU PRESENCE mandatory }| { ID id-MobilityRestrictionList CRITICALITY ignore TYPE MobilityRestrictionList PRESENCE optional }| { ID id-IndexToRFSP CRITICALITY ignore TYPE IndexToRFSP PRESENCE optional }| { ID id-UEAggregateMaximumBitRate CRITICALITY ignore TYPE UEAggregateMaximumBitRate PRESENCE optional }| { ID id-AllowedNSSAI CRITICALITY reject TYPE AllowedNSSAI PRESENCE optional }| { ID id-SRVCCOperationPossible CRITICALITY ignore TYPE SRVCCOperationPossible PRESENCE optional }| { ID id-Enhanced-CoverageRestriction CRITICALITY ignore TYPE Enhanced-CoverageRestriction PRESENCE optional }| { ID id-Extended-ConnectedTime CRITICALITY ignore TYPE Extended-ConnectedTime PRESENCE optional }| { ID id-UE-DifferentiationInfo CRITICALITY ignore TYPE UE-DifferentiationInfo PRESENCE optional }| { ID id-CEmodeBrestricted CRITICALITY ignore TYPE CEmodeBrestricted PRESENCE optional }| { ID id-UERadioCapability CRITICALITY ignore TYPE UERadioCapability PRESENCE optional }| { ID id-UECapabilityInfoRequest CRITICALITY ignore TYPE UECapabilityInfoRequest PRESENCE optional }| { ID id-EndIndication CRITICALITY ignore TYPE EndIndication PRESENCE optional }| { ID id-UERadioCapabilityID CRITICALITY reject TYPE UERadioCapabilityID PRESENCE optional }| { ID id-TargetNSSAIInformation CRITICALITY ignore TYPE TargetNSSAIInformation PRESENCE optional }| { ID id-MaskedIMEISV CRITICALITY ignore TYPE MaskedIMEISV PRESENCE optional }, ... } -- ************************************************************** -- -- UPLINK NAS TRANSPORT -- -- ************************************************************** UplinkNASTransport ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UplinkNASTransport-IEs} }, ... } -- WS modification, add a definition for messages W-AGFIdentityInformation ::= OCTET STRING TNGFIdentityInformation ::= OCTET STRING TWIFIdentityInformation ::= OCTET STRING UplinkNASTransport-IEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-NAS-PDU CRITICALITY reject TYPE NAS-PDU PRESENCE mandatory }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE mandatory }| -- WS modification, add a definition for messages -- { ID id-W-AGFIdentityInformation CRITICALITY reject TYPE OCTET STRING PRESENCE optional }| { ID id-W-AGFIdentityInformation CRITICALITY reject TYPE W-AGFIdentityInformation PRESENCE optional }| -- { ID id-TNGFIdentityInformation CRITICALITY reject TYPE OCTET STRING PRESENCE optional }| { ID id-TNGFIdentityInformation CRITICALITY reject TYPE TNGFIdentityInformation PRESENCE optional }| -- { ID id-TWIFIdentityInformation CRITICALITY reject TYPE OCTET STRING PRESENCE optional }, { ID id-TWIFIdentityInformation CRITICALITY reject TYPE TWIFIdentityInformation PRESENCE optional }, ... } -- ************************************************************** -- -- NAS NON DELIVERY INDICATION -- -- ************************************************************** NASNonDeliveryIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container { {NASNonDeliveryIndication-IEs} }, ... } NASNonDeliveryIndication-IEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-NAS-PDU CRITICALITY ignore TYPE NAS-PDU PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } -- ************************************************************** -- -- REROUTE NAS REQUEST -- -- ************************************************************** RerouteNASRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {RerouteNASRequest-IEs} }, ... } -- WS modification, add a definition for NGAP Message NGAP-Message ::= OCTET STRING RerouteNASRequest-IEs NGAP-PROTOCOL-IES ::= { { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE optional }| -- WS modification, add a definition for NGAP Message -- { ID id-NGAP-Message CRITICALITY reject TYPE OCTET STRING PRESENCE mandatory }| { ID id-NGAP-Message CRITICALITY reject TYPE NGAP-Message PRESENCE mandatory }| { ID id-AMFSetID CRITICALITY reject TYPE AMFSetID PRESENCE mandatory }| { ID id-AllowedNSSAI CRITICALITY reject TYPE AllowedNSSAI PRESENCE optional }| { ID id-SourceToTarget-AMFInformationReroute CRITICALITY ignore TYPE SourceToTarget-AMFInformationReroute PRESENCE optional }, ... } -- ************************************************************** -- -- INTERFACE MANAGEMENT ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- NG Setup Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- NG SETUP REQUEST -- -- ************************************************************** NGSetupRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {NGSetupRequestIEs} }, ... } NGSetupRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-GlobalRANNodeID CRITICALITY reject TYPE GlobalRANNodeID PRESENCE mandatory }| { ID id-RANNodeName CRITICALITY ignore TYPE RANNodeName PRESENCE optional }| { ID id-SupportedTAList CRITICALITY reject TYPE SupportedTAList PRESENCE mandatory }| { ID id-DefaultPagingDRX CRITICALITY ignore TYPE PagingDRX PRESENCE mandatory }| { ID id-UERetentionInformation CRITICALITY ignore TYPE UERetentionInformation PRESENCE optional }| { ID id-NB-IoT-DefaultPagingDRX CRITICALITY ignore TYPE NB-IoT-DefaultPagingDRX PRESENCE optional }| { ID id-Extended-RANNodeName CRITICALITY ignore TYPE Extended-RANNodeName PRESENCE optional }, ... } -- ************************************************************** -- -- NG SETUP RESPONSE -- -- ************************************************************** NGSetupResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {NGSetupResponseIEs} }, ... } NGSetupResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-AMFName CRITICALITY reject TYPE AMFName PRESENCE mandatory }| { ID id-ServedGUAMIList CRITICALITY reject TYPE ServedGUAMIList PRESENCE mandatory }| { ID id-RelativeAMFCapacity CRITICALITY ignore TYPE RelativeAMFCapacity PRESENCE mandatory }| { ID id-PLMNSupportList CRITICALITY reject TYPE PLMNSupportList PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }| { ID id-UERetentionInformation CRITICALITY ignore TYPE UERetentionInformation PRESENCE optional }| { ID id-IAB-Supported CRITICALITY ignore TYPE IAB-Supported PRESENCE optional }| { ID id-Extended-AMFName CRITICALITY ignore TYPE Extended-AMFName PRESENCE optional }, ... } -- ************************************************************** -- -- NG SETUP FAILURE -- -- ************************************************************** NGSetupFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { {NGSetupFailureIEs} }, ... } NGSetupFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-TimeToWait CRITICALITY ignore TYPE TimeToWait PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- RAN Configuration Update Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- RAN CONFIGURATION UPDATE -- -- ************************************************************** RANConfigurationUpdate ::= SEQUENCE { protocolIEs ProtocolIE-Container { {RANConfigurationUpdateIEs} }, ... } RANConfigurationUpdateIEs NGAP-PROTOCOL-IES ::= { { ID id-RANNodeName CRITICALITY ignore TYPE RANNodeName PRESENCE optional }| { ID id-SupportedTAList CRITICALITY reject TYPE SupportedTAList PRESENCE optional }| { ID id-DefaultPagingDRX CRITICALITY ignore TYPE PagingDRX PRESENCE optional }| { ID id-GlobalRANNodeID CRITICALITY ignore TYPE GlobalRANNodeID PRESENCE optional }| { ID id-NGRAN-TNLAssociationToRemoveList CRITICALITY reject TYPE NGRAN-TNLAssociationToRemoveList PRESENCE optional }| { ID id-NB-IoT-DefaultPagingDRX CRITICALITY ignore TYPE NB-IoT-DefaultPagingDRX PRESENCE optional }| { ID id-Extended-RANNodeName CRITICALITY ignore TYPE Extended-RANNodeName PRESENCE optional }, ... } -- ************************************************************** -- -- RAN CONFIGURATION UPDATE ACKNOWLEDGE -- -- ************************************************************** RANConfigurationUpdateAcknowledge ::= SEQUENCE { protocolIEs ProtocolIE-Container { {RANConfigurationUpdateAcknowledgeIEs} }, ... } RANConfigurationUpdateAcknowledgeIEs NGAP-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- RAN CONFIGURATION UPDATE FAILURE -- -- ************************************************************** RANConfigurationUpdateFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { {RANConfigurationUpdateFailureIEs} }, ... } RANConfigurationUpdateFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-TimeToWait CRITICALITY ignore TYPE TimeToWait PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- AMF Configuration Update Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- AMF CONFIGURATION UPDATE -- -- ************************************************************** AMFConfigurationUpdate ::= SEQUENCE { protocolIEs ProtocolIE-Container { {AMFConfigurationUpdateIEs} }, ... } AMFConfigurationUpdateIEs NGAP-PROTOCOL-IES ::= { { ID id-AMFName CRITICALITY reject TYPE AMFName PRESENCE optional }| { ID id-ServedGUAMIList CRITICALITY reject TYPE ServedGUAMIList PRESENCE optional }| { ID id-RelativeAMFCapacity CRITICALITY ignore TYPE RelativeAMFCapacity PRESENCE optional }| { ID id-PLMNSupportList CRITICALITY reject TYPE PLMNSupportList PRESENCE optional }| { ID id-AMF-TNLAssociationToAddList CRITICALITY ignore TYPE AMF-TNLAssociationToAddList PRESENCE optional }| { ID id-AMF-TNLAssociationToRemoveList CRITICALITY ignore TYPE AMF-TNLAssociationToRemoveList PRESENCE optional }| { ID id-AMF-TNLAssociationToUpdateList CRITICALITY ignore TYPE AMF-TNLAssociationToUpdateList PRESENCE optional }| { ID id-Extended-AMFName CRITICALITY ignore TYPE Extended-AMFName PRESENCE optional }, ... } -- ************************************************************** -- -- AMF CONFIGURATION UPDATE ACKNOWLEDGE -- -- ************************************************************** AMFConfigurationUpdateAcknowledge ::= SEQUENCE { protocolIEs ProtocolIE-Container { {AMFConfigurationUpdateAcknowledgeIEs} }, ... } AMFConfigurationUpdateAcknowledgeIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-TNLAssociationSetupList CRITICALITY ignore TYPE AMF-TNLAssociationSetupList PRESENCE optional }| { ID id-AMF-TNLAssociationFailedToSetupList CRITICALITY ignore TYPE TNLAssociationList PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- AMF CONFIGURATION UPDATE FAILURE -- -- ************************************************************** AMFConfigurationUpdateFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { {AMFConfigurationUpdateFailureIEs} }, ... } AMFConfigurationUpdateFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-TimeToWait CRITICALITY ignore TYPE TimeToWait PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- AMF Status Indication Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- AMF STATUS INDICATION -- -- ************************************************************** AMFStatusIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container { {AMFStatusIndicationIEs} }, ... } AMFStatusIndicationIEs NGAP-PROTOCOL-IES ::= { { ID id-UnavailableGUAMIList CRITICALITY reject TYPE UnavailableGUAMIList PRESENCE mandatory }, ... } -- ************************************************************** -- -- NG Reset Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- NG RESET -- -- ************************************************************** NGReset ::= SEQUENCE { protocolIEs ProtocolIE-Container { {NGResetIEs} }, ... } NGResetIEs NGAP-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-ResetType CRITICALITY reject TYPE ResetType PRESENCE mandatory }, ... } -- ************************************************************** -- -- NG RESET ACKNOWLEDGE -- -- ************************************************************** NGResetAcknowledge ::= SEQUENCE { protocolIEs ProtocolIE-Container { {NGResetAcknowledgeIEs} }, ... } NGResetAcknowledgeIEs NGAP-PROTOCOL-IES ::= { { ID id-UE-associatedLogicalNG-connectionList CRITICALITY ignore TYPE UE-associatedLogicalNG-connectionList PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- Error Indication Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- ERROR INDICATION -- -- ************************************************************** ErrorIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container { {ErrorIndicationIEs} }, ... } ErrorIndicationIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE optional }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE optional }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }| { ID id-FiveG-S-TMSI CRITICALITY ignore TYPE FiveG-S-TMSI PRESENCE optional }, ... } -- ************************************************************** -- -- OVERLOAD START -- -- ************************************************************** OverloadStart ::= SEQUENCE { protocolIEs ProtocolIE-Container { {OverloadStartIEs} }, ... } OverloadStartIEs NGAP-PROTOCOL-IES ::= { { ID id-AMFOverloadResponse CRITICALITY reject TYPE OverloadResponse PRESENCE optional }| { ID id-AMFTrafficLoadReductionIndication CRITICALITY ignore TYPE TrafficLoadReductionIndication PRESENCE optional }| { ID id-OverloadStartNSSAIList CRITICALITY ignore TYPE OverloadStartNSSAIList PRESENCE optional }, ... } -- ************************************************************** -- -- OVERLOAD STOP -- -- ************************************************************** OverloadStop ::= SEQUENCE { protocolIEs ProtocolIE-Container { {OverloadStopIEs} }, ... } OverloadStopIEs NGAP-PROTOCOL-IES ::= { ... } -- ************************************************************** -- -- CONFIGURATION TRANSFER ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- UPLINK RAN CONFIGURATION TRANSFER -- -- ************************************************************** UplinkRANConfigurationTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UplinkRANConfigurationTransferIEs} }, ... } UplinkRANConfigurationTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-SONConfigurationTransferUL CRITICALITY ignore TYPE SONConfigurationTransfer PRESENCE optional }| { ID id-ENDC-SONConfigurationTransferUL CRITICALITY ignore TYPE EN-DCSONConfigurationTransfer PRESENCE optional }| { ID id-IntersystemSONConfigurationTransferUL CRITICALITY ignore TYPE IntersystemSONConfigurationTransfer PRESENCE optional }, ... } -- ************************************************************** -- -- DOWNLINK RAN CONFIGURATION TRANSFER -- -- ************************************************************** DownlinkRANConfigurationTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DownlinkRANConfigurationTransferIEs} }, ... } DownlinkRANConfigurationTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-SONConfigurationTransferDL CRITICALITY ignore TYPE SONConfigurationTransfer PRESENCE optional }| { ID id-ENDC-SONConfigurationTransferDL CRITICALITY ignore TYPE EN-DCSONConfigurationTransfer PRESENCE optional }| { ID id-IntersystemSONConfigurationTransferDL CRITICALITY ignore TYPE IntersystemSONConfigurationTransfer PRESENCE optional }, ... } -- ************************************************************** -- -- WARNING MESSAGE TRANSMISSION ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- Write-Replace Warning Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- WRITE-REPLACE WARNING REQUEST -- -- ************************************************************** WriteReplaceWarningRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {WriteReplaceWarningRequestIEs} }, ... } WriteReplaceWarningRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-MessageIdentifier CRITICALITY reject TYPE MessageIdentifier PRESENCE mandatory }| { ID id-SerialNumber CRITICALITY reject TYPE SerialNumber PRESENCE mandatory }| { ID id-WarningAreaList CRITICALITY ignore TYPE WarningAreaList PRESENCE optional }| { ID id-RepetitionPeriod CRITICALITY reject TYPE RepetitionPeriod PRESENCE mandatory }| { ID id-NumberOfBroadcastsRequested CRITICALITY reject TYPE NumberOfBroadcastsRequested PRESENCE mandatory }| { ID id-WarningType CRITICALITY ignore TYPE WarningType PRESENCE optional }| { ID id-WarningSecurityInfo CRITICALITY ignore TYPE WarningSecurityInfo PRESENCE optional }| { ID id-DataCodingScheme CRITICALITY ignore TYPE DataCodingScheme PRESENCE optional }| { ID id-WarningMessageContents CRITICALITY ignore TYPE WarningMessageContents PRESENCE optional }| { ID id-ConcurrentWarningMessageInd CRITICALITY reject TYPE ConcurrentWarningMessageInd PRESENCE optional }| { ID id-WarningAreaCoordinates CRITICALITY ignore TYPE WarningAreaCoordinates PRESENCE optional }, ... } -- ************************************************************** -- -- WRITE-REPLACE WARNING RESPONSE -- -- ************************************************************** WriteReplaceWarningResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {WriteReplaceWarningResponseIEs} }, ... } WriteReplaceWarningResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-MessageIdentifier CRITICALITY reject TYPE MessageIdentifier PRESENCE mandatory }| { ID id-SerialNumber CRITICALITY reject TYPE SerialNumber PRESENCE mandatory }| { ID id-BroadcastCompletedAreaList CRITICALITY ignore TYPE BroadcastCompletedAreaList PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- PWS Cancel Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- PWS CANCEL REQUEST -- -- ************************************************************** PWSCancelRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PWSCancelRequestIEs} }, ... } PWSCancelRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-MessageIdentifier CRITICALITY reject TYPE MessageIdentifier PRESENCE mandatory }| { ID id-SerialNumber CRITICALITY reject TYPE SerialNumber PRESENCE mandatory }| { ID id-WarningAreaList CRITICALITY ignore TYPE WarningAreaList PRESENCE optional }| { ID id-CancelAllWarningMessages CRITICALITY reject TYPE CancelAllWarningMessages PRESENCE optional }, ... } -- ************************************************************** -- -- PWS CANCEL RESPONSE -- -- ************************************************************** PWSCancelResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PWSCancelResponseIEs} }, ... } PWSCancelResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-MessageIdentifier CRITICALITY reject TYPE MessageIdentifier PRESENCE mandatory }| { ID id-SerialNumber CRITICALITY reject TYPE SerialNumber PRESENCE mandatory }| { ID id-BroadcastCancelledAreaList CRITICALITY ignore TYPE BroadcastCancelledAreaList PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- PWS Restart Indication Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- PWS RESTART INDICATION -- -- ************************************************************** PWSRestartIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PWSRestartIndicationIEs} }, ... } PWSRestartIndicationIEs NGAP-PROTOCOL-IES ::= { { ID id-CellIDListForRestart CRITICALITY reject TYPE CellIDListForRestart PRESENCE mandatory }| { ID id-GlobalRANNodeID CRITICALITY reject TYPE GlobalRANNodeID PRESENCE mandatory }| { ID id-TAIListForRestart CRITICALITY reject TYPE TAIListForRestart PRESENCE mandatory }| { ID id-EmergencyAreaIDListForRestart CRITICALITY reject TYPE EmergencyAreaIDListForRestart PRESENCE optional }, ... } -- ************************************************************** -- -- PWS Failure Indication Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- PWS FAILURE INDICATION -- -- ************************************************************** PWSFailureIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container { {PWSFailureIndicationIEs} }, ... } PWSFailureIndicationIEs NGAP-PROTOCOL-IES ::= { { ID id-PWSFailedCellIDList CRITICALITY reject TYPE PWSFailedCellIDList PRESENCE mandatory }| { ID id-GlobalRANNodeID CRITICALITY reject TYPE GlobalRANNodeID PRESENCE mandatory }, ... } -- ************************************************************** -- -- NRPPA TRANSPORT ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- DOWNLINK UE ASSOCIATED NRPPA TRANSPORT -- -- ************************************************************** DownlinkUEAssociatedNRPPaTransport ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DownlinkUEAssociatedNRPPaTransportIEs} }, ... } DownlinkUEAssociatedNRPPaTransportIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-RoutingID CRITICALITY reject TYPE RoutingID PRESENCE mandatory }| { ID id-NRPPa-PDU CRITICALITY reject TYPE NRPPa-PDU PRESENCE mandatory }, ... } -- ************************************************************** -- -- UPLINK UE ASSOCIATED NRPPA TRANSPORT -- -- ************************************************************** UplinkUEAssociatedNRPPaTransport ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UplinkUEAssociatedNRPPaTransportIEs} }, ... } UplinkUEAssociatedNRPPaTransportIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-RoutingID CRITICALITY reject TYPE RoutingID PRESENCE mandatory }| { ID id-NRPPa-PDU CRITICALITY reject TYPE NRPPa-PDU PRESENCE mandatory }, ... } -- ************************************************************** -- -- DOWNLINK NON UE ASSOCIATED NRPPA TRANSPORT -- -- ************************************************************** DownlinkNonUEAssociatedNRPPaTransport ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DownlinkNonUEAssociatedNRPPaTransportIEs} }, ... } DownlinkNonUEAssociatedNRPPaTransportIEs NGAP-PROTOCOL-IES ::= { { ID id-RoutingID CRITICALITY reject TYPE RoutingID PRESENCE mandatory }| { ID id-NRPPa-PDU CRITICALITY reject TYPE NRPPa-PDU PRESENCE mandatory }, ... } -- ************************************************************** -- -- UPLINK NON UE ASSOCIATED NRPPA TRANSPORT -- -- ************************************************************** UplinkNonUEAssociatedNRPPaTransport ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UplinkNonUEAssociatedNRPPaTransportIEs} }, ... } UplinkNonUEAssociatedNRPPaTransportIEs NGAP-PROTOCOL-IES ::= { { ID id-RoutingID CRITICALITY reject TYPE RoutingID PRESENCE mandatory }| { ID id-NRPPa-PDU CRITICALITY reject TYPE NRPPa-PDU PRESENCE mandatory }, ... } -- ************************************************************** -- -- TRACE ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- TRACE START -- -- ************************************************************** TraceStart ::= SEQUENCE { protocolIEs ProtocolIE-Container { {TraceStartIEs} }, ... } TraceStartIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-TraceActivation CRITICALITY ignore TYPE TraceActivation PRESENCE mandatory }, ... } -- ************************************************************** -- -- TRACE FAILURE INDICATION -- -- ************************************************************** TraceFailureIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container { {TraceFailureIndicationIEs} }, ... } TraceFailureIndicationIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-NGRANTraceID CRITICALITY ignore TYPE NGRANTraceID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } -- ************************************************************** -- -- DEACTIVATE TRACE -- -- ************************************************************** DeactivateTrace ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DeactivateTraceIEs} }, ... } DeactivateTraceIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-NGRANTraceID CRITICALITY ignore TYPE NGRANTraceID PRESENCE mandatory }, ... } -- ************************************************************** -- -- CELL TRAFFIC TRACE -- -- ************************************************************** CellTrafficTrace ::= SEQUENCE { protocolIEs ProtocolIE-Container { {CellTrafficTraceIEs} }, ... } CellTrafficTraceIEs NGAP-PROTOCOL-IES ::= { {ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| {ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| {ID id-NGRANTraceID CRITICALITY ignore TYPE NGRANTraceID PRESENCE mandatory }| {ID id-NGRAN-CGI CRITICALITY ignore TYPE NGRAN-CGI PRESENCE mandatory }| {ID id-TraceCollectionEntityIPAddress CRITICALITY ignore TYPE TransportLayerAddress PRESENCE mandatory }| {ID id-PrivacyIndicator CRITICALITY ignore TYPE PrivacyIndicator PRESENCE optional }| {ID id-TraceCollectionEntityURI CRITICALITY ignore TYPE URI-address PRESENCE optional }, ... } -- ************************************************************** -- -- LOCATION REPORTING ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- LOCATION REPORTING CONTROL -- -- ************************************************************** LocationReportingControl ::= SEQUENCE { protocolIEs ProtocolIE-Container { {LocationReportingControlIEs} }, ... } LocationReportingControlIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-LocationReportingRequestType CRITICALITY ignore TYPE LocationReportingRequestType PRESENCE mandatory }, ... } -- ************************************************************** -- -- LOCATION REPORTING FAILURE INDICATION -- -- ************************************************************** LocationReportingFailureIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container { {LocationReportingFailureIndicationIEs} }, ... } LocationReportingFailureIndicationIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } -- ************************************************************** -- -- LOCATION REPORT -- -- ************************************************************** LocationReport ::= SEQUENCE { protocolIEs ProtocolIE-Container { {LocationReportIEs} }, ... } LocationReportIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE mandatory }| { ID id-UEPresenceInAreaOfInterestList CRITICALITY ignore TYPE UEPresenceInAreaOfInterestList PRESENCE optional }| { ID id-LocationReportingRequestType CRITICALITY ignore TYPE LocationReportingRequestType PRESENCE mandatory }, ... } -- ************************************************************** -- -- UE TNLA BINDING ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- UE TNLA BINDING RELEASE REQUEST -- -- ************************************************************** UETNLABindingReleaseRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UETNLABindingReleaseRequestIEs} }, ... } UETNLABindingReleaseRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }, ... } -- ************************************************************** -- -- UE RADIO CAPABILITY MANAGEMENT ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- UE RADIO CAPABILITY INFO INDICATION -- -- ************************************************************** UERadioCapabilityInfoIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UERadioCapabilityInfoIndicationIEs} }, ... } UERadioCapabilityInfoIndicationIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-UERadioCapability CRITICALITY ignore TYPE UERadioCapability PRESENCE mandatory }| { ID id-UERadioCapabilityForPaging CRITICALITY ignore TYPE UERadioCapabilityForPaging PRESENCE optional }| { ID id-UERadioCapability-EUTRA-Format CRITICALITY ignore TYPE UERadioCapability PRESENCE optional }, ... } -- ************************************************************** -- -- UE Radio Capability Check Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- UE RADIO CAPABILITY CHECK REQUEST -- -- ************************************************************** UERadioCapabilityCheckRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UERadioCapabilityCheckRequestIEs} }, ... } UERadioCapabilityCheckRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-UERadioCapability CRITICALITY ignore TYPE UERadioCapability PRESENCE optional }| { ID id-UERadioCapabilityID CRITICALITY reject TYPE UERadioCapabilityID PRESENCE optional }, ... } -- ************************************************************** -- -- UE RADIO CAPABILITY CHECK RESPONSE -- -- ************************************************************** UERadioCapabilityCheckResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UERadioCapabilityCheckResponseIEs} }, ... } UERadioCapabilityCheckResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-IMSVoiceSupportIndicator CRITICALITY reject TYPE IMSVoiceSupportIndicator PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- PRIVATE MESSAGE ELEMENTARY PROCEDURE -- -- ************************************************************** -- ************************************************************** -- -- PRIVATE MESSAGE -- -- ************************************************************** PrivateMessage ::= SEQUENCE { privateIEs PrivateIE-Container { { PrivateMessageIEs } }, ... } PrivateMessageIEs NGAP-PRIVATE-IES ::= { ... } -- ************************************************************** -- -- DATA USAGE REPORTING ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- SECONDARY RAT DATA USAGE REPORT -- -- ************************************************************** SecondaryRATDataUsageReport ::= SEQUENCE { protocolIEs ProtocolIE-Container { {SecondaryRATDataUsageReportIEs} }, ... } SecondaryRATDataUsageReportIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY ignore TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY ignore TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-PDUSessionResourceSecondaryRATUsageList CRITICALITY ignore TYPE PDUSessionResourceSecondaryRATUsageList PRESENCE mandatory }| { ID id-HandoverFlag CRITICALITY ignore TYPE HandoverFlag PRESENCE optional }| { ID id-UserLocationInformation CRITICALITY ignore TYPE UserLocationInformation PRESENCE optional }, ... } -- ************************************************************** -- -- RIM INFORMATION TRANSFER ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- UPLINK RIM INFORMATION TRANSFER -- -- ************************************************************** UplinkRIMInformationTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UplinkRIMInformationTransferIEs} }, ... } UplinkRIMInformationTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-RIMInformationTransfer CRITICALITY ignore TYPE RIMInformationTransfer PRESENCE optional }, ... } -- ************************************************************** -- -- DOWNLINK RIM INFORMATION TRANSFER -- -- ************************************************************** DownlinkRIMInformationTransfer ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DownlinkRIMInformationTransferIEs} }, ... } DownlinkRIMInformationTransferIEs NGAP-PROTOCOL-IES ::= { { ID id-RIMInformationTransfer CRITICALITY ignore TYPE RIMInformationTransfer PRESENCE optional }, ... } -- ************************************************************** -- -- Connection Establishment Indication -- -- ************************************************************** ConnectionEstablishmentIndication::= SEQUENCE { protocolIEs ProtocolIE-Container { {ConnectionEstablishmentIndicationIEs} }, ... } ConnectionEstablishmentIndicationIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-UERadioCapability CRITICALITY ignore TYPE UERadioCapability PRESENCE optional }| { ID id-EndIndication CRITICALITY ignore TYPE EndIndication PRESENCE optional }| { ID id-S-NSSAI CRITICALITY ignore TYPE S-NSSAI PRESENCE optional }| { ID id-AllowedNSSAI CRITICALITY ignore TYPE AllowedNSSAI PRESENCE optional }| { ID id-UE-DifferentiationInfo CRITICALITY ignore TYPE UE-DifferentiationInfo PRESENCE optional }| { ID id-DL-CP-SecurityInformation CRITICALITY ignore TYPE DL-CP-SecurityInformation PRESENCE optional }| { ID id-NB-IoT-UEPriority CRITICALITY ignore TYPE NB-IoT-UEPriority PRESENCE optional }| { ID id-Enhanced-CoverageRestriction CRITICALITY ignore TYPE Enhanced-CoverageRestriction PRESENCE optional }| { ID id-CEmodeBrestricted CRITICALITY ignore TYPE CEmodeBrestricted PRESENCE optional }| { ID id-UERadioCapabilityID CRITICALITY reject TYPE UERadioCapabilityID PRESENCE optional }| { ID id-MaskedIMEISV CRITICALITY ignore TYPE MaskedIMEISV PRESENCE optional }| { ID id-OldAMF CRITICALITY reject TYPE AMFName PRESENCE optional }, ... } -- ************************************************************** -- -- UE RADIO CAPABILITY ID MAPPING ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- UE RADIO CAPABILITY ID MAPPING REQUEST -- -- ************************************************************** UERadioCapabilityIDMappingRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UERadioCapabilityIDMappingRequestIEs} }, ... } UERadioCapabilityIDMappingRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-UERadioCapabilityID CRITICALITY reject TYPE UERadioCapabilityID PRESENCE mandatory }, ... } -- ************************************************************** -- -- UE RADIO CAPABILITY ID MAPPING RESPONSE -- -- ************************************************************** UERadioCapabilityIDMappingResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {UERadioCapabilityIDMappingResponseIEs} }, ... } UERadioCapabilityIDMappingResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-UERadioCapabilityID CRITICALITY reject TYPE UERadioCapabilityID PRESENCE mandatory }| { ID id-UERadioCapability CRITICALITY ignore TYPE UERadioCapability PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- AMF CP Relocation Indication -- -- ************************************************************** AMFCPRelocationIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container { { AMFCPRelocationIndicationIEs} }, ... } AMFCPRelocationIndicationIEs NGAP-PROTOCOL-IES ::= { { ID id-AMF-UE-NGAP-ID CRITICALITY reject TYPE AMF-UE-NGAP-ID PRESENCE mandatory }| { ID id-RAN-UE-NGAP-ID CRITICALITY reject TYPE RAN-UE-NGAP-ID PRESENCE mandatory }| { ID id-S-NSSAI CRITICALITY ignore TYPE S-NSSAI PRESENCE optional }| { ID id-AllowedNSSAI CRITICALITY ignore TYPE AllowedNSSAI PRESENCE optional }, ... } -- ************************************************************** -- -- MBS SESSION MANAGEMENT ELEMENTARY PROCEDURES -- -- ************************************************************** -- ************************************************************** -- -- Broadcast Session Setup Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- BROADCAST SESSION SETUP REQUEST -- -- ************************************************************** BroadcastSessionSetupRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {BroadcastSessionSetupRequestIEs} }, ... } -- WS modification: define a dedicated type MBSSessionSetupOrModRequestTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING MBSSessionSetupOrModRequestTransfer) BroadcastSessionSetupRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-S-NSSAI CRITICALITY reject TYPE S-NSSAI PRESENCE mandatory }| { ID id-MBS-ServiceArea CRITICALITY reject TYPE MBS-ServiceArea PRESENCE mandatory }| -- WS modification: define a dedicated type -- { ID id-MBSSessionSetupRequestTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MBSSessionSetupOrModRequestTransfer) PRESENCE mandatory }, { ID id-MBSSessionSetupRequestTransfer CRITICALITY reject TYPE MBSSessionSetupOrModRequestTransfer-OCTET-STRING PRESENCE mandatory }, ... } -- ************************************************************** -- -- BROADCAST SESSION SETUP RESPONSE -- -- ************************************************************** BroadcastSessionSetupResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {BroadcastSessionSetupResponseIEs} }, ... } -- WS modification: define a dedicated type MBSSessionSetupOrModResponseTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING MBSSessionSetupOrModResponseTransfer) BroadcastSessionSetupResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| -- WS modification: define a dedicated type -- { ID id-MBSSessionSetupResponseTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MBSSessionSetupOrModResponseTransfer) PRESENCE optional }| { ID id-MBSSessionSetupResponseTransfer CRITICALITY reject TYPE MBSSessionSetupOrModResponseTransfer-OCTET-STRING PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- BROADCAST SESSION SETUP FAILURE -- -- ************************************************************** BroadcastSessionSetupFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { {BroadcastSessionSetupFailureIEs} }, ... } -- WS modification: define a dedicated type MBSSessionSetupOrModFailureTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING MBSSessionSetupOrModFailureTransfer) BroadcastSessionSetupFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| -- WS modification: define a dedicated type -- { ID id-MBSSessionSetupFailureTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MBSSessionSetupOrModFailureTransfer ) PRESENCE optional }| { ID id-MBSSessionSetupFailureTransfer CRITICALITY reject TYPE MBSSessionSetupOrModFailureTransfer-OCTET-STRING PRESENCE optional }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- Broadcast Session Modification Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- BROADCAST SESSION MODIFICATION REQUEST -- -- ************************************************************** BroadcastSessionModificationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {BroadcastSessionModificationRequestIEs} }, ... } BroadcastSessionModificationRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-MBS-ServiceArea CRITICALITY reject TYPE MBS-ServiceArea PRESENCE optional }| -- WS modification: define a dedicated type -- { ID id-MBSSessionModificationRequestTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MBSSessionSetupOrModRequestTransfer) PRESENCE optional }, { ID id-MBSSessionModificationRequestTransfer CRITICALITY reject TYPE MBSSessionSetupOrModRequestTransfer-OCTET-STRING PRESENCE optional }, ... } -- ************************************************************** -- -- BROADCAST SESSION MODIFICATION RESPONSE -- -- ************************************************************** BroadcastSessionModificationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {BroadcastSessionModificationResponseIEs} }, ... } BroadcastSessionModificationResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| -- WS modification: define a dedicated type -- { ID id-MBSSessionModificationResponseTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MBSSessionSetupOrModResponseTransfer) PRESENCE optional }| { ID id-MBSSessionModificationResponseTransfer CRITICALITY reject TYPE MBSSessionSetupOrModResponseTransfer-OCTET-STRING PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- BROADCAST SESSION MODIFICATION FAILURE -- -- ************************************************************** BroadcastSessionModificationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { {BroadcastSessionModificationFailureIEs} }, ... } BroadcastSessionModificationFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| -- WS modification: define a dedicated type -- { ID id-MBSSessionModificationFailureTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MBSSessionSetupOrModFailureTransfer) PRESENCE optional }| { ID id-MBSSessionModificationFailureTransfer CRITICALITY reject TYPE MBSSessionSetupOrModFailureTransfer-OCTET-STRING PRESENCE optional }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- Broadcast Session Release Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- BROADCAST SESSION RELEASE REQUEST -- -- ************************************************************** BroadcastSessionReleaseRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {BroadcastSessionReleaseRequestIEs} }, ... } BroadcastSessionReleaseRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } -- ************************************************************** -- -- Broadcast Session Release Required Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- BROADCAST SESSION RELEASE REQUIRED -- -- ************************************************************** BroadcastSessionReleaseRequired ::= SEQUENCE { protocolIEs ProtocolIE-Container { {BroadcastSessionReleaseRequiredIEs} }, ... } BroadcastSessionReleaseRequiredIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } -- ************************************************************** -- -- BROADCAST SESSION RELEASE RESPONSE -- -- ************************************************************** BroadcastSessionReleaseResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {BroadcastSessionReleaseResponseIEs} }, ... } -- WS modification: defien a dedicated type MBSSessionReleaseResponseTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING MBSSessionReleaseResponseTransfer) BroadcastSessionReleaseResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| -- WS modification: define a dedicated type -- { ID id-MBSSessionReleaseResponseTransfer CRITICALITY ignore TYPE OCTET STRING (CONTAINING MBSSessionReleaseResponseTransfer) PRESENCE optional }| { ID id-MBSSessionReleaseResponseTransfer CRITICALITY ignore TYPE MBSSessionReleaseResponseTransfer-OCTET-STRING PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- Distribution Setup Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- DISTRIBUTION SETUP REQUEST -- -- ************************************************************** DistributionSetupRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DistributionSetupRequestIEs} }, ... } -- WS modification: define a dedicated type MBS-DistributionSetupRequestTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING MBS-DistributionSetupRequestTransfer) DistributionSetupRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-MBS-AreaSessionID CRITICALITY reject TYPE MBS-AreaSessionID PRESENCE optional }| -- WS modification: define a dedicated type -- { ID id-MBS-DistributionSetupRequestTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MBS-DistributionSetupRequestTransfer) PRESENCE mandatory }, { ID id-MBS-DistributionSetupRequestTransfer CRITICALITY reject TYPE MBS-DistributionSetupRequestTransfer-OCTET-STRING PRESENCE mandatory }, ... } -- ************************************************************** -- -- DISTRIBUTION SETUP RESPONSE -- -- ************************************************************** DistributionSetupResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DistributionSetupResponseIEs} }, ... } -- WS modification: define a dedicated type MBS-DistributionSetupResponseTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING MBS-DistributionSetupResponseTransfer) DistributionSetupResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-MBS-AreaSessionID CRITICALITY reject TYPE MBS-AreaSessionID PRESENCE optional }| -- WS modification: define a dedicated type -- { ID id-MBS-DistributionSetupResponseTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MBS-DistributionSetupResponseTransfer) PRESENCE mandatory }| { ID id-MBS-DistributionSetupResponseTransfer CRITICALITY reject TYPE MBS-DistributionSetupResponseTransfer-OCTET-STRING PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- DISTRIBUTION SETUP FAILURE -- -- ************************************************************** DistributionSetupFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DistributionSetupFailureIEs} }, ... } -- WS modification: define a dedicated type MBS-DistributionSetupUnsuccessfulTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING MBS-DistributionSetupUnsuccessfulTransfer) DistributionSetupFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-MBS-AreaSessionID CRITICALITY reject TYPE MBS-AreaSessionID PRESENCE optional }| -- WS modification: define a dedicated type -- { ID id-MBS-DistributionSetupUnsuccessfulTransfer CRITICALITY ignore TYPE OCTET STRING (CONTAINING MBS-DistributionSetupUnsuccessfulTransfer) PRESENCE mandatory }| { ID id-MBS-DistributionSetupUnsuccessfulTransfer CRITICALITY ignore TYPE MBS-DistributionSetupUnsuccessfulTransfer-OCTET-STRING PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- Distribution Release Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- DISTRIBUTION RELEASE REQUEST -- -- ************************************************************** DistributionReleaseRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DistributionReleaseRequestIEs} }, ... } -- WS modification: define a dedicated type MBS-DistributionReleaseRequestTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING MBS-DistributionReleaseRequestTransfer) DistributionReleaseRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-MBS-AreaSessionID CRITICALITY reject TYPE MBS-AreaSessionID PRESENCE optional }| -- WS modification: define a dedicated type -- { ID id-MBS-DistributionReleaseRequestTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MBS-DistributionReleaseRequestTransfer) PRESENCE mandatory }| { ID id-MBS-DistributionReleaseRequestTransfer CRITICALITY reject TYPE MBS-DistributionReleaseRequestTransfer-OCTET-STRING PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }, ... } -- ************************************************************** -- -- DISTRIBUTION RELEASE RESPONSE -- -- ************************************************************** DistributionReleaseResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {DistributionReleaseResponseIEs} }, ... } DistributionReleaseResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-MBS-AreaSessionID CRITICALITY reject TYPE MBS-AreaSessionID PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- Multicast Session Activation Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- MULTICAST SESSION ACTIVATION REQUEST -- -- ************************************************************** MulticastSessionActivationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {MulticastSessionActivationRequestIEs} }, ... } -- WS modification: define a dedicated type MulticastSessionActivationRequestTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING MulticastSessionActivationRequestTransfer) MulticastSessionActivationRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| -- WS modification: define a dedicated type -- { ID id-MulticastSessionActivationRequestTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MulticastSessionActivationRequestTransfer) PRESENCE mandatory }, { ID id-MulticastSessionActivationRequestTransfer CRITICALITY reject TYPE MulticastSessionActivationRequestTransfer-OCTET-STRING PRESENCE mandatory }, ... } -- ************************************************************** -- -- MULTICAST SESSION ACTIVATION RESPONSE -- -- ************************************************************** MulticastSessionActivationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {MulticastSessionActivationResponseIEs} }, ... } MulticastSessionActivationResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- MULTICAST SESSION ACTIVATION FAILURE -- -- ************************************************************** MulticastSessionActivationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { {MulticastSessionActivationFailureIEs} }, ... } MulticastSessionActivationFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- Multicast Session Deactivation Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- MULTICAST SESSION DEACTIVATION REQUEST -- -- ************************************************************** MulticastSessionDeactivationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {MulticastSessionDeactivationRequestIEs} }, ... } -- WS modification: define a dedicated type MulticastSessionDeactivationRequestTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING MulticastSessionDeactivationRequestTransfer) MulticastSessionDeactivationRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| -- WS modification: define a dedicated type -- { ID id-MulticastSessionDeactivationRequestTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MulticastSessionDeactivationRequestTransfer) PRESENCE mandatory }, { ID id-MulticastSessionDeactivationRequestTransfer CRITICALITY reject TYPE MulticastSessionDeactivationRequestTransfer-OCTET-STRING PRESENCE mandatory }, ... } -- ************************************************************** -- -- MULTICAST SESSION DEACTIVATION RESPONSE -- -- ************************************************************** MulticastSessionDeactivationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {MulticastSessionDeactivationResponseIEs} }, ... } MulticastSessionDeactivationResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- Multicast Session Update Elementary Procedure -- -- ************************************************************** -- ************************************************************** -- -- MULTICAST SESSION UPDATE REQUEST -- -- ************************************************************** MulticastSessionUpdateRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { {MulticastSessionUpdateRequestIEs} }, ... } -- WS modification: define a dedicated type MulticastSessionUpdateRequestTransfer-OCTET-STRING ::= OCTET STRING (CONTAINING MulticastSessionUpdateRequestTransfer) MulticastSessionUpdateRequestIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-MBS-AreaSessionID CRITICALITY reject TYPE MBS-AreaSessionID PRESENCE optional }| -- WS modification: define a dedicated type -- { ID id-MulticastSessionUpdateRequestTransfer CRITICALITY reject TYPE OCTET STRING (CONTAINING MulticastSessionUpdateRequestTransfer) PRESENCE mandatory }, { ID id-MulticastSessionUpdateRequestTransfer CRITICALITY reject TYPE MulticastSessionUpdateRequestTransfer-OCTET-STRING PRESENCE mandatory }, ... } -- ************************************************************** -- -- MULTICAST SESSION UPDATE RESPONSE -- -- ************************************************************** MulticastSessionUpdateResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { {MulticastSessionUpdateResponseIEs} }, ... } MulticastSessionUpdateResponseIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-MBS-AreaSessionID CRITICALITY reject TYPE MBS-AreaSessionID PRESENCE optional }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- MULTICAST SESSION UPDATE FAILURE -- -- ************************************************************** MulticastSessionUpdateFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { {MulticastSessionUpdateFailureIEs} }, ... } MulticastSessionUpdateFailureIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY reject TYPE MBS-SessionID PRESENCE mandatory }| { ID id-MBS-AreaSessionID CRITICALITY reject TYPE MBS-AreaSessionID PRESENCE optional }| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- MULTICAST GROUP PAGING ELEMENTARY PROCEDURE -- -- ************************************************************** -- ************************************************************** -- -- MULTICAST GROUP PAGING -- -- ************************************************************** MulticastGroupPaging ::= SEQUENCE { protocolIEs ProtocolIE-Container { {MulticastGroupPagingIEs} }, ... } MulticastGroupPagingIEs NGAP-PROTOCOL-IES ::= { { ID id-MBS-SessionID CRITICALITY ignore TYPE MBS-SessionID PRESENCE mandatory }| { ID id-MBS-ServiceArea CRITICALITY ignore TYPE MBS-ServiceArea PRESENCE optional }| { ID id-MulticastGroupPagingAreaList CRITICALITY ignore TYPE MulticastGroupPagingAreaList PRESENCE mandatory }, ... } END
ASN.1
wireshark/epan/dissectors/asn1/ngap/NGAP-PDU-Descriptions.asn
-- 3GPP TS 38.413 V17.5.0 (2023-06) -- 9.4.3 Elementary Procedure Definitions -- ************************************************************** -- -- Elementary Procedure definitions -- -- ************************************************************** NGAP-PDU-Descriptions { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-Access (22) modules (3) ngap (1) version1 (1) ngap-PDU-Descriptions (0)} DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- IE parameter types from other modules. -- -- ************************************************************** IMPORTS Criticality, ProcedureCode FROM NGAP-CommonDataTypes AMFConfigurationUpdate, AMFConfigurationUpdateAcknowledge, AMFConfigurationUpdateFailure, AMFCPRelocationIndication, AMFStatusIndication, BroadcastSessionModificationFailure, BroadcastSessionModificationRequest, BroadcastSessionModificationResponse, BroadcastSessionReleaseRequest, BroadcastSessionReleaseRequired, BroadcastSessionReleaseResponse, BroadcastSessionSetupFailure, BroadcastSessionSetupRequest, BroadcastSessionSetupResponse, CellTrafficTrace, ConnectionEstablishmentIndication, DeactivateTrace, DistributionReleaseRequest, DistributionReleaseResponse, DistributionSetupFailure, DistributionSetupRequest, DistributionSetupResponse, DownlinkNASTransport, DownlinkNonUEAssociatedNRPPaTransport, DownlinkRANConfigurationTransfer, DownlinkRANEarlyStatusTransfer, DownlinkRANStatusTransfer, DownlinkUEAssociatedNRPPaTransport, ErrorIndication, HandoverCancel, HandoverCancelAcknowledge, HandoverCommand, HandoverFailure, HandoverNotify, HandoverPreparationFailure, HandoverRequest, HandoverRequestAcknowledge, HandoverRequired, HandoverSuccess, InitialContextSetupFailure, InitialContextSetupRequest, InitialContextSetupResponse, InitialUEMessage, LocationReport, LocationReportingControl, LocationReportingFailureIndication, MulticastSessionActivationFailure, MulticastSessionActivationRequest, MulticastSessionActivationResponse, MulticastSessionDeactivationRequest, MulticastSessionDeactivationResponse, MulticastSessionUpdateFailure, MulticastSessionUpdateRequest, MulticastSessionUpdateResponse, MulticastGroupPaging, NASNonDeliveryIndication, NGReset, NGResetAcknowledge, NGSetupFailure, NGSetupRequest, NGSetupResponse, OverloadStart, OverloadStop, Paging, PathSwitchRequest, PathSwitchRequestAcknowledge, PathSwitchRequestFailure, PDUSessionResourceModifyConfirm, PDUSessionResourceModifyIndication, PDUSessionResourceModifyRequest, PDUSessionResourceModifyResponse, PDUSessionResourceNotify, PDUSessionResourceReleaseCommand, PDUSessionResourceReleaseResponse, PDUSessionResourceSetupRequest, PDUSessionResourceSetupResponse, PrivateMessage, PWSCancelRequest, PWSCancelResponse, PWSFailureIndication, PWSRestartIndication, RANConfigurationUpdate, RANConfigurationUpdateAcknowledge, RANConfigurationUpdateFailure, RANCPRelocationIndication, RerouteNASRequest, RetrieveUEInformation, RRCInactiveTransitionReport, SecondaryRATDataUsageReport, TraceFailureIndication, TraceStart, UEContextModificationFailure, UEContextModificationRequest, UEContextModificationResponse, UEContextReleaseCommand, UEContextReleaseComplete, UEContextReleaseRequest, UEContextResumeRequest, UEContextResumeResponse, UEContextResumeFailure, UEContextSuspendRequest, UEContextSuspendResponse, UEContextSuspendFailure, UEInformationTransfer, UERadioCapabilityCheckRequest, UERadioCapabilityCheckResponse, UERadioCapabilityIDMappingRequest, UERadioCapabilityIDMappingResponse, UERadioCapabilityInfoIndication, UETNLABindingReleaseRequest, UplinkNASTransport, UplinkNonUEAssociatedNRPPaTransport, UplinkRANConfigurationTransfer, UplinkRANEarlyStatusTransfer, UplinkRANStatusTransfer, UplinkUEAssociatedNRPPaTransport, WriteReplaceWarningRequest, WriteReplaceWarningResponse, UplinkRIMInformationTransfer, DownlinkRIMInformationTransfer FROM NGAP-PDU-Contents id-AMFConfigurationUpdate, id-AMFCPRelocationIndication, id-AMFStatusIndication, id-BroadcastSessionModification, id-BroadcastSessionRelease, id-BroadcastSessionReleaseRequired, id-BroadcastSessionSetup, id-CellTrafficTrace, id-ConnectionEstablishmentIndication, id-DeactivateTrace, id-DistributionSetup, id-DistributionRelease, id-DownlinkNASTransport, id-DownlinkNonUEAssociatedNRPPaTransport, id-DownlinkRANConfigurationTransfer, id-DownlinkRANEarlyStatusTransfer, id-DownlinkRANStatusTransfer, id-DownlinkUEAssociatedNRPPaTransport, id-ErrorIndication, id-HandoverCancel, id-HandoverNotification, id-HandoverPreparation, id-HandoverResourceAllocation, id-HandoverSuccess, id-InitialContextSetup, id-InitialUEMessage, id-LocationReport, id-LocationReportingControl, id-LocationReportingFailureIndication, id-MulticastSessionActivation, id-MulticastSessionDeactivation, id-MulticastSessionUpdate, id-MulticastGroupPaging, id-NASNonDeliveryIndication, id-NGReset, id-NGSetup, id-OverloadStart, id-OverloadStop, id-Paging, id-PathSwitchRequest, id-PDUSessionResourceModify, id-PDUSessionResourceModifyIndication, id-PDUSessionResourceNotify, id-PDUSessionResourceRelease, id-PDUSessionResourceSetup, id-PrivateMessage, id-PWSCancel, id-PWSFailureIndication, id-PWSRestartIndication, id-RANConfigurationUpdate, id-RANCPRelocationIndication, id-RerouteNASRequest, id-RetrieveUEInformation, id-RRCInactiveTransitionReport, id-SecondaryRATDataUsageReport, id-TraceFailureIndication, id-TraceStart, id-UEContextModification, id-UEContextRelease, id-UEContextReleaseRequest, id-UEContextResume, id-UEContextSuspend, id-UEInformationTransfer, id-UERadioCapabilityCheck, id-UERadioCapabilityIDMapping, id-UERadioCapabilityInfoIndication, id-UETNLABindingRelease, id-UplinkNASTransport, id-UplinkNonUEAssociatedNRPPaTransport, id-UplinkRANConfigurationTransfer, id-UplinkRANEarlyStatusTransfer, id-UplinkRANStatusTransfer, id-UplinkUEAssociatedNRPPaTransport, id-WriteReplaceWarning, id-UplinkRIMInformationTransfer, id-DownlinkRIMInformationTransfer FROM NGAP-Constants; -- ************************************************************** -- -- Interface Elementary Procedure Class -- -- ************************************************************** NGAP-ELEMENTARY-PROCEDURE ::= CLASS { &InitiatingMessage , &SuccessfulOutcome OPTIONAL, &UnsuccessfulOutcome OPTIONAL, &procedureCode ProcedureCode UNIQUE, &criticality Criticality DEFAULT ignore } WITH SYNTAX { INITIATING MESSAGE &InitiatingMessage [SUCCESSFUL OUTCOME &SuccessfulOutcome] [UNSUCCESSFUL OUTCOME &UnsuccessfulOutcome] PROCEDURE CODE &procedureCode [CRITICALITY &criticality] } -- ************************************************************** -- -- Interface PDU Definition -- -- ************************************************************** NGAP-PDU ::= CHOICE { initiatingMessage InitiatingMessage, successfulOutcome SuccessfulOutcome, unsuccessfulOutcome UnsuccessfulOutcome, ... } InitiatingMessage ::= SEQUENCE { procedureCode NGAP-ELEMENTARY-PROCEDURE.&procedureCode ({NGAP-ELEMENTARY-PROCEDURES}), criticality NGAP-ELEMENTARY-PROCEDURE.&criticality ({NGAP-ELEMENTARY-PROCEDURES}{@procedureCode}), value NGAP-ELEMENTARY-PROCEDURE.&InitiatingMessage ({NGAP-ELEMENTARY-PROCEDURES}{@procedureCode}) } SuccessfulOutcome ::= SEQUENCE { procedureCode NGAP-ELEMENTARY-PROCEDURE.&procedureCode ({NGAP-ELEMENTARY-PROCEDURES}), criticality NGAP-ELEMENTARY-PROCEDURE.&criticality ({NGAP-ELEMENTARY-PROCEDURES}{@procedureCode}), value NGAP-ELEMENTARY-PROCEDURE.&SuccessfulOutcome ({NGAP-ELEMENTARY-PROCEDURES}{@procedureCode}) } UnsuccessfulOutcome ::= SEQUENCE { procedureCode NGAP-ELEMENTARY-PROCEDURE.&procedureCode ({NGAP-ELEMENTARY-PROCEDURES}), criticality NGAP-ELEMENTARY-PROCEDURE.&criticality ({NGAP-ELEMENTARY-PROCEDURES}{@procedureCode}), value NGAP-ELEMENTARY-PROCEDURE.&UnsuccessfulOutcome ({NGAP-ELEMENTARY-PROCEDURES}{@procedureCode}) } -- ************************************************************** -- -- Interface Elementary Procedure List -- -- ************************************************************** NGAP-ELEMENTARY-PROCEDURES NGAP-ELEMENTARY-PROCEDURE ::= { NGAP-ELEMENTARY-PROCEDURES-CLASS-1 | NGAP-ELEMENTARY-PROCEDURES-CLASS-2, ... } NGAP-ELEMENTARY-PROCEDURES-CLASS-1 NGAP-ELEMENTARY-PROCEDURE ::= { aMFConfigurationUpdate | broadcastSessionModification | broadcastSessionRelease | broadcastSessionSetup | distributionSetup | distributionRelease | handoverCancel | handoverPreparation | handoverResourceAllocation | initialContextSetup | multicastSessionActivation | multicastSessionDeactivation | multicastSessionUpdate | nGReset | nGSetup | pathSwitchRequest | pDUSessionResourceModify | pDUSessionResourceModifyIndication | pDUSessionResourceRelease | pDUSessionResourceSetup | pWSCancel | rANConfigurationUpdate | uEContextModification | uEContextRelease | uEContextResume | uEContextSuspend | uERadioCapabilityCheck | uERadioCapabilityIDMapping | writeReplaceWarning, ... } NGAP-ELEMENTARY-PROCEDURES-CLASS-2 NGAP-ELEMENTARY-PROCEDURE ::= { aMFCPRelocationIndication | aMFStatusIndication | broadcastSessionReleaseRequired | cellTrafficTrace | connectionEstablishmentIndication | deactivateTrace | downlinkNASTransport | downlinkNonUEAssociatedNRPPaTransport | downlinkRANConfigurationTransfer | downlinkRANEarlyStatusTransfer | downlinkRANStatusTransfer | downlinkRIMInformationTransfer | downlinkUEAssociatedNRPPaTransport | errorIndication | handoverNotification | handoverSuccess | initialUEMessage | locationReport | locationReportingControl | locationReportingFailureIndication | multicastGroupPaging | nASNonDeliveryIndication | overloadStart | overloadStop | paging | pDUSessionResourceNotify | privateMessage | pWSFailureIndication | pWSRestartIndication | rANCPRelocationIndication | rerouteNASRequest | retrieveUEInformation | rRCInactiveTransitionReport | secondaryRATDataUsageReport | traceFailureIndication | traceStart | uEContextReleaseRequest | uEInformationTransfer | uERadioCapabilityInfoIndication | uETNLABindingRelease | uplinkNASTransport | uplinkNonUEAssociatedNRPPaTransport | uplinkRANConfigurationTransfer | uplinkRANEarlyStatusTransfer | uplinkRANStatusTransfer | uplinkRIMInformationTransfer | uplinkUEAssociatedNRPPaTransport, ... } -- ************************************************************** -- -- Interface Elementary Procedures -- -- ************************************************************** aMFConfigurationUpdate NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE AMFConfigurationUpdate SUCCESSFUL OUTCOME AMFConfigurationUpdateAcknowledge UNSUCCESSFUL OUTCOME AMFConfigurationUpdateFailure PROCEDURE CODE id-AMFConfigurationUpdate CRITICALITY reject } aMFCPRelocationIndication NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE AMFCPRelocationIndication PROCEDURE CODE id-AMFCPRelocationIndication CRITICALITY reject } aMFStatusIndication NGAP-ELEMENTARY-PROCEDURE ::={ INITIATING MESSAGE AMFStatusIndication PROCEDURE CODE id-AMFStatusIndication CRITICALITY ignore } broadcastSessionModification NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE BroadcastSessionModificationRequest SUCCESSFUL OUTCOME BroadcastSessionModificationResponse UNSUCCESSFUL OUTCOME BroadcastSessionModificationFailure PROCEDURE CODE id-BroadcastSessionModification CRITICALITY reject } broadcastSessionRelease NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE BroadcastSessionReleaseRequest SUCCESSFUL OUTCOME BroadcastSessionReleaseResponse PROCEDURE CODE id-BroadcastSessionRelease CRITICALITY reject } broadcastSessionReleaseRequired NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE BroadcastSessionReleaseRequired PROCEDURE CODE id-BroadcastSessionReleaseRequired CRITICALITY reject } broadcastSessionSetup NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE BroadcastSessionSetupRequest SUCCESSFUL OUTCOME BroadcastSessionSetupResponse UNSUCCESSFUL OUTCOME BroadcastSessionSetupFailure PROCEDURE CODE id-BroadcastSessionSetup CRITICALITY reject } cellTrafficTrace NGAP-ELEMENTARY-PROCEDURE ::={ INITIATING MESSAGE CellTrafficTrace PROCEDURE CODE id-CellTrafficTrace CRITICALITY ignore } connectionEstablishmentIndication NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE ConnectionEstablishmentIndication PROCEDURE CODE id-ConnectionEstablishmentIndication CRITICALITY reject } deactivateTrace NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DeactivateTrace PROCEDURE CODE id-DeactivateTrace CRITICALITY ignore } distributionSetup NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DistributionSetupRequest SUCCESSFUL OUTCOME DistributionSetupResponse UNSUCCESSFUL OUTCOME DistributionSetupFailure PROCEDURE CODE id-DistributionSetup CRITICALITY reject } distributionRelease NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DistributionReleaseRequest SUCCESSFUL OUTCOME DistributionReleaseResponse PROCEDURE CODE id-DistributionRelease CRITICALITY reject } downlinkNASTransport NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DownlinkNASTransport PROCEDURE CODE id-DownlinkNASTransport CRITICALITY ignore } downlinkNonUEAssociatedNRPPaTransport NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DownlinkNonUEAssociatedNRPPaTransport PROCEDURE CODE id-DownlinkNonUEAssociatedNRPPaTransport CRITICALITY ignore } downlinkRANConfigurationTransfer NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DownlinkRANConfigurationTransfer PROCEDURE CODE id-DownlinkRANConfigurationTransfer CRITICALITY ignore } downlinkRANEarlyStatusTransfer NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DownlinkRANEarlyStatusTransfer PROCEDURE CODE id-DownlinkRANEarlyStatusTransfer CRITICALITY ignore } downlinkRANStatusTransfer NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DownlinkRANStatusTransfer PROCEDURE CODE id-DownlinkRANStatusTransfer CRITICALITY ignore } downlinkUEAssociatedNRPPaTransport NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DownlinkUEAssociatedNRPPaTransport PROCEDURE CODE id-DownlinkUEAssociatedNRPPaTransport CRITICALITY ignore } errorIndication NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE ErrorIndication PROCEDURE CODE id-ErrorIndication CRITICALITY ignore } handoverCancel NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE HandoverCancel SUCCESSFUL OUTCOME HandoverCancelAcknowledge PROCEDURE CODE id-HandoverCancel CRITICALITY reject } handoverNotification NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE HandoverNotify PROCEDURE CODE id-HandoverNotification CRITICALITY ignore } handoverPreparation NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE HandoverRequired SUCCESSFUL OUTCOME HandoverCommand UNSUCCESSFUL OUTCOME HandoverPreparationFailure PROCEDURE CODE id-HandoverPreparation CRITICALITY reject } handoverResourceAllocation NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE HandoverRequest SUCCESSFUL OUTCOME HandoverRequestAcknowledge UNSUCCESSFUL OUTCOME HandoverFailure PROCEDURE CODE id-HandoverResourceAllocation CRITICALITY reject } handoverSuccess NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE HandoverSuccess PROCEDURE CODE id-HandoverSuccess CRITICALITY ignore } initialContextSetup NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE InitialContextSetupRequest SUCCESSFUL OUTCOME InitialContextSetupResponse UNSUCCESSFUL OUTCOME InitialContextSetupFailure PROCEDURE CODE id-InitialContextSetup CRITICALITY reject } initialUEMessage NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE InitialUEMessage PROCEDURE CODE id-InitialUEMessage CRITICALITY ignore } locationReport NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE LocationReport PROCEDURE CODE id-LocationReport CRITICALITY ignore } locationReportingControl NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE LocationReportingControl PROCEDURE CODE id-LocationReportingControl CRITICALITY ignore } locationReportingFailureIndication NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE LocationReportingFailureIndication PROCEDURE CODE id-LocationReportingFailureIndication CRITICALITY ignore } multicastSessionActivation NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MulticastSessionActivationRequest SUCCESSFUL OUTCOME MulticastSessionActivationResponse UNSUCCESSFUL OUTCOME MulticastSessionActivationFailure PROCEDURE CODE id-MulticastSessionActivation CRITICALITY reject } multicastSessionDeactivation NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MulticastSessionDeactivationRequest SUCCESSFUL OUTCOME MulticastSessionDeactivationResponse PROCEDURE CODE id-MulticastSessionDeactivation CRITICALITY reject } multicastSessionUpdate NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MulticastSessionUpdateRequest SUCCESSFUL OUTCOME MulticastSessionUpdateResponse UNSUCCESSFUL OUTCOME MulticastSessionUpdateFailure PROCEDURE CODE id-MulticastSessionUpdate CRITICALITY reject } multicastGroupPaging NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MulticastGroupPaging PROCEDURE CODE id-MulticastGroupPaging CRITICALITY ignore } nASNonDeliveryIndication NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE NASNonDeliveryIndication PROCEDURE CODE id-NASNonDeliveryIndication CRITICALITY ignore } nGReset NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE NGReset SUCCESSFUL OUTCOME NGResetAcknowledge PROCEDURE CODE id-NGReset CRITICALITY reject } nGSetup NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE NGSetupRequest SUCCESSFUL OUTCOME NGSetupResponse UNSUCCESSFUL OUTCOME NGSetupFailure PROCEDURE CODE id-NGSetup CRITICALITY reject } overloadStart NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE OverloadStart PROCEDURE CODE id-OverloadStart CRITICALITY ignore } overloadStop NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE OverloadStop PROCEDURE CODE id-OverloadStop CRITICALITY reject } paging NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE Paging PROCEDURE CODE id-Paging CRITICALITY ignore } pathSwitchRequest NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PathSwitchRequest SUCCESSFUL OUTCOME PathSwitchRequestAcknowledge UNSUCCESSFUL OUTCOME PathSwitchRequestFailure PROCEDURE CODE id-PathSwitchRequest CRITICALITY reject } pDUSessionResourceModify NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PDUSessionResourceModifyRequest SUCCESSFUL OUTCOME PDUSessionResourceModifyResponse PROCEDURE CODE id-PDUSessionResourceModify CRITICALITY reject } pDUSessionResourceModifyIndication NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PDUSessionResourceModifyIndication SUCCESSFUL OUTCOME PDUSessionResourceModifyConfirm PROCEDURE CODE id-PDUSessionResourceModifyIndication CRITICALITY reject } pDUSessionResourceNotify NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PDUSessionResourceNotify PROCEDURE CODE id-PDUSessionResourceNotify CRITICALITY ignore } pDUSessionResourceRelease NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PDUSessionResourceReleaseCommand SUCCESSFUL OUTCOME PDUSessionResourceReleaseResponse PROCEDURE CODE id-PDUSessionResourceRelease CRITICALITY reject } pDUSessionResourceSetup NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PDUSessionResourceSetupRequest SUCCESSFUL OUTCOME PDUSessionResourceSetupResponse PROCEDURE CODE id-PDUSessionResourceSetup CRITICALITY reject } privateMessage NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PrivateMessage PROCEDURE CODE id-PrivateMessage CRITICALITY ignore } pWSCancel NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PWSCancelRequest SUCCESSFUL OUTCOME PWSCancelResponse PROCEDURE CODE id-PWSCancel CRITICALITY reject } pWSFailureIndication NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PWSFailureIndication PROCEDURE CODE id-PWSFailureIndication CRITICALITY ignore } pWSRestartIndication NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PWSRestartIndication PROCEDURE CODE id-PWSRestartIndication CRITICALITY ignore } rANConfigurationUpdate NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RANConfigurationUpdate SUCCESSFUL OUTCOME RANConfigurationUpdateAcknowledge UNSUCCESSFUL OUTCOME RANConfigurationUpdateFailure PROCEDURE CODE id-RANConfigurationUpdate CRITICALITY reject } rANCPRelocationIndication NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RANCPRelocationIndication PROCEDURE CODE id-RANCPRelocationIndication CRITICALITY reject } rerouteNASRequest NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RerouteNASRequest PROCEDURE CODE id-RerouteNASRequest CRITICALITY reject } retrieveUEInformation NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RetrieveUEInformation PROCEDURE CODE id-RetrieveUEInformation CRITICALITY reject } rRCInactiveTransitionReport NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE RRCInactiveTransitionReport PROCEDURE CODE id-RRCInactiveTransitionReport CRITICALITY ignore } secondaryRATDataUsageReport NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE SecondaryRATDataUsageReport PROCEDURE CODE id-SecondaryRATDataUsageReport CRITICALITY ignore } traceFailureIndication NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE TraceFailureIndication PROCEDURE CODE id-TraceFailureIndication CRITICALITY ignore } traceStart NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE TraceStart PROCEDURE CODE id-TraceStart CRITICALITY ignore } uEContextModification NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UEContextModificationRequest SUCCESSFUL OUTCOME UEContextModificationResponse UNSUCCESSFUL OUTCOME UEContextModificationFailure PROCEDURE CODE id-UEContextModification CRITICALITY reject } uEContextRelease NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UEContextReleaseCommand SUCCESSFUL OUTCOME UEContextReleaseComplete PROCEDURE CODE id-UEContextRelease CRITICALITY reject } uEContextReleaseRequest NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UEContextReleaseRequest PROCEDURE CODE id-UEContextReleaseRequest CRITICALITY ignore } uEContextResume NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UEContextResumeRequest SUCCESSFUL OUTCOME UEContextResumeResponse UNSUCCESSFUL OUTCOME UEContextResumeFailure PROCEDURE CODE id-UEContextResume CRITICALITY reject } uEContextSuspend NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UEContextSuspendRequest SUCCESSFUL OUTCOME UEContextSuspendResponse UNSUCCESSFUL OUTCOME UEContextSuspendFailure PROCEDURE CODE id-UEContextSuspend CRITICALITY reject } uEInformationTransfer NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UEInformationTransfer PROCEDURE CODE id-UEInformationTransfer CRITICALITY reject } uERadioCapabilityCheck NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UERadioCapabilityCheckRequest SUCCESSFUL OUTCOME UERadioCapabilityCheckResponse PROCEDURE CODE id-UERadioCapabilityCheck CRITICALITY reject } uERadioCapabilityIDMapping NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UERadioCapabilityIDMappingRequest SUCCESSFUL OUTCOME UERadioCapabilityIDMappingResponse PROCEDURE CODE id-UERadioCapabilityIDMapping CRITICALITY reject } uERadioCapabilityInfoIndication NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UERadioCapabilityInfoIndication PROCEDURE CODE id-UERadioCapabilityInfoIndication CRITICALITY ignore } uETNLABindingRelease NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UETNLABindingReleaseRequest PROCEDURE CODE id-UETNLABindingRelease CRITICALITY ignore } uplinkNASTransport NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UplinkNASTransport PROCEDURE CODE id-UplinkNASTransport CRITICALITY ignore } uplinkNonUEAssociatedNRPPaTransport NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UplinkNonUEAssociatedNRPPaTransport PROCEDURE CODE id-UplinkNonUEAssociatedNRPPaTransport CRITICALITY ignore } uplinkRANConfigurationTransfer NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UplinkRANConfigurationTransfer PROCEDURE CODE id-UplinkRANConfigurationTransfer CRITICALITY ignore } uplinkRANEarlyStatusTransfer NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UplinkRANEarlyStatusTransfer PROCEDURE CODE id-UplinkRANEarlyStatusTransfer CRITICALITY reject } uplinkRANStatusTransfer NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UplinkRANStatusTransfer PROCEDURE CODE id-UplinkRANStatusTransfer CRITICALITY ignore } uplinkUEAssociatedNRPPaTransport NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UplinkUEAssociatedNRPPaTransport PROCEDURE CODE id-UplinkUEAssociatedNRPPaTransport CRITICALITY ignore } writeReplaceWarning NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE WriteReplaceWarningRequest SUCCESSFUL OUTCOME WriteReplaceWarningResponse PROCEDURE CODE id-WriteReplaceWarning CRITICALITY reject } uplinkRIMInformationTransfer NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE UplinkRIMInformationTransfer PROCEDURE CODE id-UplinkRIMInformationTransfer CRITICALITY ignore } downlinkRIMInformationTransfer NGAP-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE DownlinkRIMInformationTransfer PROCEDURE CODE id-DownlinkRIMInformationTransfer CRITICALITY ignore } END
Configuration
wireshark/epan/dissectors/asn1/ngap/ngap.cnf
# ngap.cnf # ngap conformation file #.OPT PER ALIGNED #.END #.USE_VALS_EXT CauseRadioNetwork ProcedureCode ProtocolIE-ID #.EXPORTS ONLY_VALS WS_DLL #.EXPORTS LastVisitedNGRANCellInformation_PDU LastVisitedPSCellInformation_PDU MDT-Configuration_PDU MobilityRestrictionList_PDU NGRAN-CGI_PDU SecondaryRATDataUsageReportTransfer SONConfigurationTransfer_PDU SourceNGRANNode-ToTargetNGRANNode-TransparentContainer_PDU TargetNGRANNode-ToSourceNGRANNode-TransparentContainer_PDU #.PDU HandoverCommandTransfer HandoverPreparationUnsuccessfulTransfer HandoverRequestAcknowledgeTransfer HandoverResourceAllocationUnsuccessfulTransfer LastVisitedNGRANCellInformation LastVisitedPSCellInformation MDT-Configuration MobilityRestrictionList NGAP-PDU NGRAN-CGI PathSwitchRequestAcknowledgeTransfer PathSwitchRequestSetupFailedTransfer PDUSessionResourceModifyUnsuccessfulTransfer PDUSessionResourceReleaseCommandTransfer PDUSessionResourceSetupRequestTransfer PDUSessionResourceSetupResponseTransfer PDUSessionResourceSetupUnsuccessfulTransfer SONConfigurationTransfer SourceNGRANNode-ToTargetNGRANNode-TransparentContainer TargetNGRANNode-ToSourceNGRANNode-FailureTransparentContainer TargetNGRANNode-ToSourceNGRANNode-TransparentContainer #.MAKE_ENUM GlobalRANNodeID HandoverType ProcedureCode ProtocolIE-ID RAT-Information #.NO_EMIT #.OMIT_ASSIGNMENT # Get rid of unused code warnings ProtocolIE-FieldPair ProtocolIE-ContainerList ProtocolIE-ContainerPair ProtocolIE-ContainerPairList Presence QoSFlowList #.END #.TYPE_RENAME InitiatingMessage/value InitiatingMessage_value SuccessfulOutcome/value SuccessfulOutcome_value UnsuccessfulOutcome/value UnsuccessfulOutcome_value #.FIELD_RENAME InitiatingMessage/value initiatingMessagevalue UnsuccessfulOutcome/value unsuccessfulOutcome_value SuccessfulOutcome/value successfulOutcome_value PrivateIE-Field/id private_id ProtocolExtensionField/id ext_id PrivateIE-Field/value private_value ProtocolIE-Field/value ie_field_value GlobalGNB-ID/gNB-ID globalGNB-ID_gNB-ID GlobalN3IWF-ID/n3IWF-ID globalN3IWF-ID_n3IWF-ID GlobalTNGF-ID/tNGF-ID globalTNGF-ID_tNGF-ID GlobalTWIF-ID/tWIF-ID globalTWIF-ID_tWIF-ID GlobalW-AGF-ID/w-AGF-ID globalW-AGF-ID_w-AGF-ID #.FIELD_ATTR GlobalGNB-ID/gNB-ID ABBREV=globalGNB_ID.gNB_ID GlobalN3IWF-ID/n3IWF-ID ABBREV=globalN3IWF_ID_n3IWF_ID GlobalTNGF-ID/tNGF-ID ABBREV=globalTNGF_ID.tNGF_ID GlobalTWIF-ID/tWIF-ID ABBREV=globalTWIF_ID.tWIF_ID GlobalW-AGF-ID/w-AGF-ID ABBREV=globalW_AGF_ID.w_AGF_ID UE-associatedLogicalNG-connectionItem/aMF-UE-NGAP-ID ABBREV=AMF_UE_NGAP_ID UE-associatedLogicalNG-connectionItem/rAN-UE-NGAP-ID ABBREV=RAN_UE_NGAP_ID UE-NGAP-ID-pair/aMF-UE-NGAP-ID ABBREV=AMF_UE_NGAP_ID UE-NGAP-ID-pair/rAN-UE-NGAP-ID ABBREV=RAN_UE_NGAP_ID UE-NGAP-IDs/aMF-UE-NGAP-ID ABBREV=AMF_UE_NGAP_ID #.FN_BODY ProtocolIE-ID VAL_PTR=&ngap_data->protocol_ie_id struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s #.FN_FTR ProtocolIE-ID if (tree) { proto_item_append_text(proto_item_get_parent_nth(actx->created_item, 2), ": %s", val_to_str_ext(ngap_data->protocol_ie_id, &ngap_ProtocolIE_ID_vals_ext, "unknown (%d)")); } #.END #.FN_PARS ProtocolIE-Field/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_ProtocolIEFieldValue # Currently not used # FN_PARS ProtocolIE-FieldPair/firstValue FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_ProtocolIEFieldPairFirstValue # FN_PARS ProtocolIE-FieldPair/secondValue FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_ProtocolIEFieldPairSecondValue #.FN_BODY ProtocolExtensionID VAL_PTR=&ngap_data->protocol_extension_id struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s #.FN_PARS ProtocolExtensionField/extensionValue FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_ProtocolExtensionFieldExtensionValue #.FN_BODY ProcedureCode VAL_PTR = &ngap_data->procedure_code struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s #.END #.FN_PARS InitiatingMessage/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_InitiatingMessageValue #.FN_HDR InitiatingMessage/value struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->message_type = INITIATING_MESSAGE; #.FN_PARS SuccessfulOutcome/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_SuccessfulOutcomeValue #.FN_HDR SuccessfulOutcome/value struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->message_type = SUCCESSFUL_OUTCOME; #.FN_PARS UnsuccessfulOutcome/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_UnsuccessfulOutcomeValue #.FN_HDR UnsuccessfulOutcome/value struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->message_type = UNSUCCESSFUL_OUTCOME; #--- Parameterization is not supported in asn2wrs --- #ProtocolIE-ContainerList {INTEGER : lowerBound, INTEGER : upperBound, NGAP-PROTOCOL-IES : IEsSetParam} ::= # SEQUENCE (SIZE (lowerBound..upperBound)) OF # ProtocolIE-Container {{IEsSetParam}} # #.FN_PARS ProtocolIE-ContainerList # MIN_VAL = asn1_param_get_integer(%(ACTX)s,"lowerBound") # MAX_VAL = asn1_param_get_integer(%(ACTX)s,"upperBound") # #.FN_HDR ProtocolIE-ContainerList # static const asn1_par_def_t ProtocolIE_ContainerList_pars[] = { # { "lowerBound", ASN1_PAR_INTEGER }, # { "upperBound", ASN1_PAR_INTEGER }, # { NULL, (asn1_par_type)0 } # }; # asn1_stack_frame_check(actx, "ProtocolIE-ContainerList", ProtocolIE_ContainerList_pars); # #.END #ProtocolIE-ContainerPairList {INTEGER : lowerBound, INTEGER : upperBound, NGAP-PROTOCOL-IES-PAIR : IEsSetParam} ::= # SEQUENCE (SIZE (lowerBound..upperBound)) OF # ProtocolIE-ContainerPair {{IEsSetParam}} # Currently not used # FN_PARS ProtocolIE-ContainerPairList #MIN_VAL = asn1_param_get_integer(%(ACTX)s,"lowerBound") #MAX_VAL = asn1_param_get_integer(%(ACTX)s,"upperBound") # FN_HDR ProtocolIE-ContainerPairList # static const asn1_par_def_t ProtocolIE_ContainerPairList_pars[] = { # { "lowerBound", ASN1_PAR_INTEGER }, # { "upperBound", ASN1_PAR_INTEGER }, # { NULL, 0 } # }; # asn1_stack_frame_check(actx, "ProtocolIE-ContainerPairList", ProtocolIE_ContainerPairList_pars); # END #PduSessionResource-IE-ContainerList { NGAP-PROTOCOL-IES : IEsSetParam } ::= ProtocolIE-ContainerList { 1, maxnoofPduSessionResources, {IEsSetParam} } # FN_BODY PduSessionResource-IE-ContainerList # asn1_stack_frame_push(%(ACTX)s, "ProtocolIE-ContainerList"); # asn1_param_push_integer(%(ACTX)s, 1); # asn1_param_push_integer(%(ACTX)s, maxnoofE_RABs); # %(DEFAULT_BODY)s # asn1_stack_frame_pop(%(ACTX)s, "ProtocolIE-ContainerList"); # END # PduSessionResource-IE-ContainerPairList { NGAP-PROTOCOL-IES-PAIR : IEsSetParam } ::= ProtocolIE-ContainerPairList { 1, maxnoofPduSessionResources, {IEsSetParam} } # Currently not used # FN_BODY SAEB-IE-ContainerPairList # asn1_stack_frame_push(%(ACTX)s, "ProtocolIE-ContainerPairList"); # asn1_param_push_integer(%(ACTX)s, 1); # asn1_param_push_integer(%(ACTX)s, maxnoofE_RABs); #%(DEFAULT_BODY)s # asn1_stack_frame_pop(%(ACTX)s, "ProtocolIE-ContainerPairList"); # END # Currently not used # ProtocolError-IE-ContainerList { NGAP-PROTOCOL-IES : IEsSetParam } ::= ProtocolIE-ContainerList { 1, maxnoofPduSessionResources, {IEsSetParam} } # FN_BODY ProtocolError-IE-ContainerList # asn1_stack_frame_push(%(ACTX)s, "ProtocolIE-ContainerList"); # asn1_param_push_integer(%(ACTX)s, 1); # asn1_param_push_integer(%(ACTX)s, maxnoofE_RABs); #%(DEFAULT_BODY)s # asn1_stack_frame_pop(%(ACTX)s, "ProtocolIE-ContainerList"); # END # .FN_HDR PrivateIE-ID # struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); # ngap_data->obj_id = NULL; # FN_BODY PrivateIE-ID/global FN_VARIANT = _str VAL_PTR = &ngap_data->obj_id # struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); # %(DEFAULT_BODY)s # FN_BODY PrivateIE-Field/value # struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); # if (ngap_data->obj_id) { # offset = call_per_oid_callback(ngap_data->obj_id, tvb, actx->pinfo, tree, offset, actx, hf_index); # } else { # %(DEFAULT_BODY)s # } #.FN_HDR QosFlowNotifyItem struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->is_qos_flow_notify = TRUE; #.FN_FTR QosFlowNotifyItem ngap_data->is_qos_flow_notify = FALSE; #.FN_HDR AlternativeQoSParaSetIndex struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); if (ngap_data->is_qos_flow_notify) { return dissect_ngap_AlternativeQoSParaSetNotifyIndex(tvb, offset, actx, tree, hf_index); } #.FN_BODY RAN-UE-NGAP-ID VAL_PTR = &ran_ue_ngap_id guint32 ran_ue_ngap_id; struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s ngap_data->ran_ue_ngap_id = ran_ue_ngap_id; #.FN_BODY NAS-PDU VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb=NULL; guint tvb_len; %(DEFAULT_BODY)s tvb_len = tvb_reported_length(parameter_tvb); if (tvb_len > 0) { struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); if (ngap_data->protocol_ie_id == id_NASC) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_NASC); /* use an heuristic based on the payload length to identify the Intra N1 mode NAS transparent container or the S1 mode to N1 mode NAS transparent container */ if (tvb_len == 8) de_nas_5gs_s1_mode_to_n1_mode_nas_transparent_cont(parameter_tvb, subtree, actx->pinfo); else de_nas_5gs_intra_n1_mode_nas_transparent_cont(parameter_tvb, subtree, actx->pinfo); } else { if (nas_5gs_handle) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_NAS_PDU); volatile int saved_offset = offset; TRY { call_dissector(nas_5gs_handle, parameter_tvb, actx->pinfo, subtree); } CATCH_BOUNDS_ERRORS { show_exception(tvb, actx->pinfo, subtree, EXCEPT_CODE, GET_MESSAGE); } ENDTRY; offset = saved_offset; } } } #.FN_HDR InitialUEMessage /* Set the direction of the message */ actx->pinfo->link_dir=P2P_DIR_UL; #.FN_HDR DownlinkNASTransport /* Set the direction of the message */ actx->pinfo->link_dir=P2P_DIR_DL; #.FN_HDR UplinkNASTransport /* Set the direction of the message */ actx->pinfo->link_dir=P2P_DIR_UL; #.FN_HDR HandoverRequest /* Set the direction of the message */ actx->pinfo->link_dir=P2P_DIR_DL; #.FN_BODY HandoverType VAL_PTR = &ngap_data->handover_type_value struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s #.FN_BODY SourceToTarget-TransparentContainer VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb; proto_tree *subtree; %(DEFAULT_BODY)s if (ngap_dissect_container && parameter_tvb && tvb_reported_length(parameter_tvb) > 0) { guint32 handover_type = ngap_get_private_data(actx->pinfo)->handover_type_value; /* Don't want elements inside container to write to info column */ col_set_writable(actx->pinfo->cinfo, COL_INFO, FALSE); subtree = proto_item_add_subtree(actx->created_item, ett_ngap_SourceToTarget_TransparentContainer); TRY { switch(handover_type) { case intra5gs: case eps_to_5gs: dissect_ngap_SourceNGRANNode_ToTargetNGRANNode_TransparentContainer_PDU(parameter_tvb, actx->pinfo, subtree, NULL); break; case fivegs_to_eps: dissect_s1ap_SourceeNB_ToTargeteNB_TransparentContainer_PDU(parameter_tvb, actx->pinfo, subtree, NULL); break; case fivegs_to_utran: dissect_rrc_ToTargetRNC_Container_PDU(parameter_tvb, actx->pinfo, subtree, NULL); break; default: break; } } CATCH_BOUNDS_ERRORS { show_exception(tvb, actx->pinfo, tree, EXCEPT_CODE, GET_MESSAGE); } ENDTRY; /* Enable writing of the column again */ col_set_writable(actx->pinfo->cinfo, COL_INFO, TRUE); } #.FN_BODY TargetToSource-TransparentContainer VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb; proto_tree *subtree; %(DEFAULT_BODY)s if (ngap_dissect_container && parameter_tvb && tvb_reported_length(parameter_tvb) > 0) { struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); /* Don't want elements inside container to write to info column */ col_set_writable(actx->pinfo->cinfo, COL_INFO, FALSE); subtree = proto_item_add_subtree(actx->created_item, ett_ngap_TargetToSource_TransparentContainer); if (ngap_data->procedure_code == id_HandoverPreparation) { switch(ngap_data->handover_type_value) { case intra5gs: case eps_to_5gs: dissect_ngap_TargetNGRANNode_ToSourceNGRANNode_TransparentContainer_PDU(parameter_tvb, actx->pinfo, subtree, NULL); break; case fivegs_to_eps: dissect_s1ap_TargeteNB_ToSourceeNB_TransparentContainer_PDU(parameter_tvb, actx->pinfo, subtree, NULL); break; case fivegs_to_utran: dissect_rrc_TargetRNC_ToSourceRNC_Container_PDU(parameter_tvb, actx->pinfo, subtree, NULL); break; default: break; } } else { dissect_ngap_TargetNGRANNode_ToSourceNGRANNode_TransparentContainer_PDU(parameter_tvb, actx->pinfo, subtree, NULL); } /* Enable writing of the column again */ col_set_writable(actx->pinfo->cinfo, COL_INFO, TRUE); } #.FN_BODY TargettoSource-Failure-TransparentContainer VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb; proto_tree *subtree; %(DEFAULT_BODY)s if (ngap_dissect_container && parameter_tvb && tvb_reported_length(parameter_tvb) > 0) { struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); /* Don't want elements inside container to write to info column */ col_set_writable(actx->pinfo->cinfo, COL_INFO, FALSE); subtree = proto_item_add_subtree(actx->created_item, ett_ngap_TargettoSource_Failure_TransparentContainer); switch(ngap_data->handover_type_value) { case intra5gs: dissect_TargetNGRANNode_ToSourceNGRANNode_FailureTransparentContainer_PDU(parameter_tvb, actx->pinfo, subtree, NULL); break; default: break; } /* Enable writing of the column again */ col_set_writable(actx->pinfo->cinfo, COL_INFO, TRUE); } #.TYPE_ATTR ProtocolExtensionID TYPE = FT_UINT8 DISPLAY = BASE_DEC|BASE_EXT_STRING STRINGS = &ngap_ProtocolIE_ID_vals_ext #.TYPE_ATTR BitRate DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_bit_sec #.TYPE_ATTR MessageIdentifier TYPE = FT_UINT16 DISPLAY = BASE_DEC|BASE_EXT_STRING STRINGS = &lte_rrc_messageIdentifier_vals_ext #.FN_BODY MessageIdentifier VAL_PTR = &parameter_tvb HF_INDEX = -1 tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { actx->created_item = proto_tree_add_item(tree, hf_index, parameter_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY SerialNumber VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_SerialNumber); proto_tree_add_item(subtree, hf_ngap_SerialNumber_gs, parameter_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_ngap_SerialNumber_msg_code, parameter_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_ngap_SerialNumber_upd_nb, parameter_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY SuccessfulHandoverReport-Item/successfulHOReportContainer VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_successfulHOReportContainer); dissect_nr_rrc_SuccessHO_Report_r17_PDU(parameter_tvb, actx->pinfo, subtree, NULL); } #.TYPE_ATTR RepetitionPeriod DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.FN_BODY WarningType VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_WarningType); proto_tree_add_item(subtree, hf_ngap_WarningType_value, parameter_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_ngap_WarningType_emergency_user_alert, parameter_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_ngap_WarningType_popup, parameter_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY DataCodingScheme VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_ngap_DataCodingScheme); ngap_data->data_coding_scheme = dissect_cbs_data_coding_scheme(parameter_tvb, actx->pinfo, subtree, 0); } #.FN_BODY WarningMessageContents VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_WarningMessageContents); dissect_ngap_warningMessageContents(parameter_tvb, subtree, actx->pinfo, ngap_data->data_coding_scheme, hf_ngap_WarningMessageContents_nb_pages, hf_ngap_WarningMessageContents_decoded_page); } #.FN_BODY EPS-TAI struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->number_type = E212_TAI; %(DEFAULT_BODY)s #.TYPE_ATTR EPS-TAC TYPE = FT_UINT16 DISPLAY = BASE_DEC_HEX #.FN_BODY EPS-TAC VAL_PTR = &parameter_tvb HF_INDEX = -1 tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { actx->created_item = proto_tree_add_item(tree, hf_index, parameter_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY TAI struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->number_type = E212_5GSTAI; ngap_data->tai = wmem_new0(actx->pinfo->pool, struct ngap_tai); %(DEFAULT_BODY)s if (!PINFO_FD_VISITED(actx->pinfo) && ngap_data->ngap_conv && (ngap_data->message_type == INITIATING_MESSAGE) && (ngap_data->procedure_code == id_InitialUEMessage)) { guint64 key = (ngap_data->tai->plmn << 24) | ngap_data->tai->tac; if (wmem_map_lookup(ngap_data->ngap_conv->nbiot_ta, &key)) { wmem_tree_key_t tree_key[3]; guint32 *id = wmem_new(wmem_file_scope(), guint32); *id = ngap_data->ran_ue_ngap_id; tree_key[0].length = 1; tree_key[0].key = id; tree_key[1].length = 1; tree_key[1].key = &actx->pinfo->num; tree_key[2].length = 0; tree_key[2].key = NULL; wmem_tree_insert32_array(ngap_data->ngap_conv->nbiot_ran_ue_ngap_id, tree_key, id); } } #.TYPE_ATTR CommonNetworkInstance TYPE=FT_BYTES DISPLAY = BASE_SHOW_UTF_8_PRINTABLE #.TYPE_ATTR SurvivalTime DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_microseconds #.TYPE_ATTR TAC TYPE = FT_UINT24 DISPLAY = BASE_DEC_HEX #.FN_BODY TAC VAL_PTR = &parameter_tvb HF_INDEX = -1 tvbuff_t *parameter_tvb = NULL; struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s if (parameter_tvb) { actx->created_item = proto_tree_add_item(tree, hf_index, parameter_tvb, 0, 3, ENC_BIG_ENDIAN); if (ngap_data->supported_ta) { ngap_data->supported_ta->tac = tvb_get_ntoh24(parameter_tvb, 0); } else if (ngap_data->tai) { ngap_data->tai->tac = tvb_get_ntoh24(parameter_tvb, 0); } } #.TYPE_ATTR TimeSynchronizationAssistanceInformation/uuTimeSynchronizationErrorBudget DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_nanoseconds #.FN_BODY PLMNIdentity VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; proto_tree *subtree; struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); e212_number_type_t number_type = ngap_data->number_type; ngap_data->number_type = E212_NONE; %(DEFAULT_BODY)s if (parameter_tvb) { subtree = proto_item_add_subtree(actx->created_item, ett_ngap_PLMNIdentity); dissect_e212_mcc_mnc(parameter_tvb, actx->pinfo, subtree, 0, number_type, FALSE); if (ngap_data->supported_ta) { guint32 plmn = tvb_get_ntoh24(parameter_tvb, 0); wmem_array_append_one(ngap_data->supported_ta->plmn, plmn); } else if (ngap_data->tai) { ngap_data->tai->plmn = tvb_get_ntoh24(parameter_tvb, 0); } } #.FN_BODY GUAMI struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->number_type = E212_GUAMI; %(DEFAULT_BODY)s #.FN_HDR SupportedTAItem struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); if (!PINFO_FD_VISITED(actx->pinfo) && (ngap_data->message_type == INITIATING_MESSAGE) && ((ngap_data->procedure_code == id_NGSetup) || (ngap_data->procedure_code == id_RANConfigurationUpdate))) { ngap_data->supported_ta = wmem_new0(actx->pinfo->pool, struct ngap_supported_ta); ngap_data->supported_ta->plmn = wmem_array_new(actx->pinfo->pool, sizeof(guint32)); } #.FN_FTR SupportedTAItem ngap_data->supported_ta = NULL; #.FN_BODY RAT-Information VAL_PTR = &rat_info guint32 rat_info = 0xffffffff; struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s if (ngap_data->ngap_conv && ngap_data->supported_ta && (rat_info == nb_IoT)) { guint64 *key; guint i; for (i = 0; i < wmem_array_get_count(ngap_data->supported_ta->plmn); i++) { key = wmem_new(wmem_file_scope(), guint64); *key = ((*(guint32*)wmem_array_index(ngap_data->supported_ta->plmn, i)) << 24) | ngap_data->supported_ta->tac; wmem_map_insert(ngap_data->ngap_conv->nbiot_ta, key, GUINT_TO_POINTER(1)); } } #.FN_BODY TransportLayerAddress VAL_PTR = &parameter_tvb LEN_PTR = &len tvbuff_t *parameter_tvb = NULL; proto_tree *subtree; int len; %(DEFAULT_BODY)s if (!parameter_tvb) return offset; subtree = proto_item_add_subtree(actx->created_item, ett_ngap_TransportLayerAddress); if (len == 32) { /* IPv4 */ proto_tree_add_item(subtree, hf_ngap_transportLayerAddressIPv4, parameter_tvb, 0, 4, ENC_BIG_ENDIAN); } else if (len == 128) { /* IPv6 */ proto_tree_add_item(subtree, hf_ngap_transportLayerAddressIPv6, parameter_tvb, 0, 16, ENC_NA); } else if (len == 160) { /* IPv4 */ proto_tree_add_item(subtree, hf_ngap_transportLayerAddressIPv4, parameter_tvb, 0, 4, ENC_BIG_ENDIAN); /* IPv6 */ proto_tree_add_item(subtree, hf_ngap_transportLayerAddressIPv6, parameter_tvb, 4, 16, ENC_NA); } #.FN_BODY NGAP-Message VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb; proto_tree *subtree; %(DEFAULT_BODY)s if (!parameter_tvb) return offset; subtree = proto_item_add_subtree(actx->created_item, ett_ngap_NGAP_Message); col_set_fence(actx->pinfo->cinfo, COL_INFO); call_dissector(ngap_handle, parameter_tvb, actx->pinfo, subtree); #.FN_BODY NGRANTraceID VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb; proto_tree *subtree = NULL; %(DEFAULT_BODY)s if (!parameter_tvb) return offset; subtree = proto_item_add_subtree(actx->created_item, ett_ngap_NGRANTraceID); dissect_e212_mcc_mnc(parameter_tvb, actx->pinfo, subtree, 0, E212_NONE, FALSE); proto_tree_add_item(subtree, hf_ngap_NGRANTraceID_TraceID, parameter_tvb, 3, 3, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_ngap_NGRANTraceID_TraceRecordingSessionReference, parameter_tvb, 6, 2, ENC_BIG_ENDIAN); #.FN_BODY NR-CGI struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->number_type = E212_NRCGI; %(DEFAULT_BODY)s #.FIELD_ATTR NR-CGI/nRCellIdentity ABBREV=NRCellIdentity TYPE=FT_UINT40 DISPLAY=BASE_HEX BITMASK=0xFFFFFFFFF0 #.FN_BODY NRCellIdentity VAL_PTR = &cell_id_tvb HF_INDEX=-1 tvbuff_t *cell_id_tvb = NULL; %(DEFAULT_BODY)s if (cell_id_tvb) { actx->created_item = proto_tree_add_item(tree, hf_index, cell_id_tvb, 0, 5, ENC_BIG_ENDIAN); } #.FN_BODY EUTRA-CGI struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->number_type = E212_ECGI; %(DEFAULT_BODY)s #.FIELD_ATTR EUTRA-CGI/eUTRACellIdentity ABBREV=EUTRACellIdentity TYPE=FT_UINT32 DISPLAY=BASE_HEX BITMASK=0xFFFFFFF0 #.FN_BODY EUTRACellIdentity VAL_PTR = &cell_id_tvb HF_INDEX=-1 tvbuff_t *cell_id_tvb = NULL; %(DEFAULT_BODY)s if (cell_id_tvb) { actx->created_item = proto_tree_add_item(tree, hf_index, cell_id_tvb, 0, 4, ENC_BIG_ENDIAN); } #.TYPE_ATTR PacketLossRate DISPLAY = BASE_CUSTOM STRINGS = CF_FUNC(ngap_PacketLossRate_fmt) #.TYPE_ATTR PacketDelayBudget DISPLAY = BASE_CUSTOM STRINGS = CF_FUNC(ngap_PacketDelayBudget_fmt) #.TYPE_ATTR AveragingWindow DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_milliseconds #.TYPE_ATTR MaximumDataBurstVolume DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_byte_bytes #.FN_BODY InterfacesToTrace VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { static int * const fields[] = { &hf_ngap_InterfacesToTrace_NG_C, &hf_ngap_InterfacesToTrace_Xn_C, &hf_ngap_InterfacesToTrace_Uu, &hf_ngap_InterfacesToTrace_F1_C, &hf_ngap_InterfacesToTrace_E1, &hf_ngap_InterfacesToTrace_reserved, NULL }; proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_InterfacesToTrace); proto_tree_add_bitmask_list(subtree, parameter_tvb, 0, 1, fields, ENC_BIG_ENDIAN); } #.TYPE_ATTR PortNumber TYPE = FT_UINT16 DISPLAY = BASE_DEC #.FN_BODY PortNumber VAL_PTR = &parameter_tvb HF_INDEX = -1 tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { actx->created_item = proto_tree_add_item(tree, hf_index, parameter_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY GlobalRANNodeID VAL_PTR = &value gint value; struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s if (ngap_data->ngap_conv && ngap_data->procedure_code == id_NGSetup) { if (addresses_equal(&actx->pinfo->src, &ngap_data->ngap_conv->addr_a) && actx->pinfo->srcport == ngap_data->ngap_conv->port_a) { ngap_data->ngap_conv->ranmode_id_a = (GlobalRANNodeID_enum)value; } else if (addresses_equal(&actx->pinfo->src, &ngap_data->ngap_conv->addr_b) && actx->pinfo->srcport == ngap_data->ngap_conv->port_b) { ngap_data->ngap_conv->ranmode_id_b = (GlobalRANNodeID_enum)value; } } #.FN_HDR SourceNGRANNode-ToTargetNGRANNode-TransparentContainer struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->transparent_container_type = SOURCE_TO_TARGET_TRANSPARENT_CONTAINER; #.FN_HDR TargetNGRANNode-ToSourceNGRANNode-TransparentContainer struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->transparent_container_type = TARGET_TO_SOURCE_TRANSPARENT_CONTAINER; #.FN_BODY RRCContainer VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); proto_tree *subtree; GlobalRANNodeID_enum ranmode_id; if (ngap_data->transparent_container_type == SOURCE_TO_TARGET_TRANSPARENT_CONTAINER || ngap_data->transparent_container_type == TARGET_TO_SOURCE_TRANSPARENT_CONTAINER) { if (value_is_in_range(gbl_ngapSctpRange, actx->pinfo->destport)) ranmode_id = ngap_get_ranmode_id(&actx->pinfo->src, actx->pinfo->srcport, actx->pinfo); else ranmode_id = ngap_get_ranmode_id(&actx->pinfo->dst, actx->pinfo->destport, actx->pinfo); } else { ranmode_id = (GlobalRANNodeID_enum)-1; } subtree = proto_item_add_subtree(actx->created_item, ett_ngap_RRCContainer); if ((ngap_dissect_target_ng_ran_container_as == NGAP_NG_RAN_CONTAINER_AUTOMATIC && ranmode_id == globalGNB_ID) || (ngap_dissect_target_ng_ran_container_as == NGAP_NG_RAN_CONTAINER_GNB)) { if (ngap_data->transparent_container_type == SOURCE_TO_TARGET_TRANSPARENT_CONTAINER) { dissect_nr_rrc_HandoverPreparationInformation_PDU(parameter_tvb, actx->pinfo, subtree, NULL); } else if (ngap_data->transparent_container_type == TARGET_TO_SOURCE_TRANSPARENT_CONTAINER) { dissect_nr_rrc_HandoverCommand_PDU(parameter_tvb, actx->pinfo, subtree, NULL); } } else if ((ngap_dissect_target_ng_ran_container_as == NGAP_NG_RAN_CONTAINER_AUTOMATIC && ranmode_id == globalNgENB_ID) || (ngap_dissect_target_ng_ran_container_as == NGAP_NG_RAN_CONTAINER_NG_ENB)) { if (ngap_data->transparent_container_type == SOURCE_TO_TARGET_TRANSPARENT_CONTAINER) { dissect_lte_rrc_HandoverPreparationInformation_PDU(parameter_tvb, actx->pinfo, subtree, NULL); } else if (ngap_data->transparent_container_type == TARGET_TO_SOURCE_TRANSPARENT_CONTAINER) { dissect_lte_rrc_HandoverCommand_PDU(parameter_tvb, actx->pinfo, subtree, NULL); } } } #.FN_BODY UERadioCapabilityForPagingOfNB-IoT VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb && lte_rrc_ue_radio_paging_info_nb_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_ngap_UERadioCapabilityForPagingOfNB_IoT); call_dissector(lte_rrc_ue_radio_paging_info_nb_handle, parameter_tvb, actx->pinfo, subtree); } #.FN_BODY UERadioCapabilityForPagingOfNR VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb && nr_rrc_ue_radio_paging_info_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_ngap_UERadioCapabilityForPagingOfNR); call_dissector(nr_rrc_ue_radio_paging_info_handle, parameter_tvb, actx->pinfo, subtree); } #.FN_BODY UERadioCapabilityForPagingOfEUTRA VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb && lte_rrc_ue_radio_paging_info_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_ngap_UERadioCapabilityForPagingOfEUTRA); call_dissector(lte_rrc_ue_radio_paging_info_handle, parameter_tvb, actx->pinfo, subtree); } #.TYPE_ATTR RecommendedCellItem/timeStayedInCell DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.FN_BODY UERadioCapability VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); %(DEFAULT_BODY)s if (parameter_tvb) { proto_tree *subtree; volatile dissector_handle_t handle; subtree = proto_item_add_subtree(actx->created_item, ett_ngap_UERadioCapability); if (ngap_data->procedure_code == id_UERadioCapability_EUTRA_Format) { handle = lte_rrc_ue_radio_access_cap_info_handle; } else if ((ngap_is_nbiot_ue(actx->pinfo) && ngap_dissect_lte_container_as == NGAP_LTE_CONTAINER_AUTOMATIC) || (ngap_dissect_lte_container_as == NGAP_LTE_CONTAINER_NBIOT)) { handle = lte_rrc_ue_radio_access_cap_info_nb_handle; } else { handle = nr_rrc_ue_radio_access_cap_info_handle; } if (handle) { TRY { call_dissector(handle, parameter_tvb, actx->pinfo, subtree); } CATCH_BOUNDS_ERRORS { show_exception(parameter_tvb, actx->pinfo, subtree, EXCEPT_CODE, GET_MESSAGE); } ENDTRY; } } #.FN_BODY TimeStamp VAL_PTR = &timestamp_tvb tvbuff_t *timestamp_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR TimeStamp if (timestamp_tvb) { proto_item_append_text(actx->created_item, " (%s)", tvb_ntp_fmt_ts_sec(timestamp_tvb, 0)); } #.TYPE_ATTR TimeSyncAssistanceInfo/uUTimeSyncErrorBudget DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_nanoseconds #.FN_BODY RATRestrictionInformation VAL_PTR=&parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { static int * const fields[] = { &hf_ngap_RATRestrictionInformation_e_UTRA, &hf_ngap_RATRestrictionInformation_nR, &hf_ngap_RATRestrictionInformation_nR_unlicensed, &hf_ngap_RATRestrictionInformation_reserved, NULL }; proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_RATRestrictionInformation); proto_tree_add_bitmask_list(subtree, parameter_tvb, 0, 1, fields, ENC_BIG_ENDIAN); } #.FN_BODY NRencryptionAlgorithms VAL_PTR=&parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { static int * const fields[] = { &hf_ngap_NrencryptionAlgorithms_nea1, &hf_ngap_NrencryptionAlgorithms_nea2, &hf_ngap_NrencryptionAlgorithms_nea3, &hf_ngap_NrencryptionAlgorithms_reserved, NULL }; proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_NrencryptionAlgorithms); proto_tree_add_bitmask_list(subtree, parameter_tvb, 0, 2, fields, ENC_BIG_ENDIAN); } #.FN_BODY NRintegrityProtectionAlgorithms VAL_PTR=&parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { static int * const fields[] = { &hf_ngap_NrintegrityProtectionAlgorithms_nia1, &hf_ngap_NrintegrityProtectionAlgorithms_nia2, &hf_ngap_NrintegrityProtectionAlgorithms_nia3, &hf_ngap_NrintegrityProtectionAlgorithms_reserved, NULL }; proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_NrintegrityProtectionAlgorithms); proto_tree_add_bitmask_list(subtree, parameter_tvb, 0, 2, fields, ENC_BIG_ENDIAN); } #.FN_BODY EUTRAencryptionAlgorithms VAL_PTR=&parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { static int * const fields[] = { &hf_ngap_EUTRAencryptionAlgorithms_eea1, &hf_ngap_EUTRAencryptionAlgorithms_eea2, &hf_ngap_EUTRAencryptionAlgorithms_eea3, &hf_ngap_EUTRAencryptionAlgorithms_reserved, NULL }; proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_EUTRAencryptionAlgorithms); proto_tree_add_bitmask_list(subtree, parameter_tvb, 0, 2, fields, ENC_BIG_ENDIAN); } #.FN_BODY EUTRAintegrityProtectionAlgorithms VAL_PTR=&parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { static int * const fields[] = { &hf_ngap_EUTRAintegrityProtectionAlgorithms_eia1, &hf_ngap_EUTRAintegrityProtectionAlgorithms_eia2, &hf_ngap_EUTRAintegrityProtectionAlgorithms_eia3, &hf_ngap_EUTRAintegrityProtectionAlgorithms_reserved, NULL }; proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_EUTRAintegrityProtectionAlgorithms); proto_tree_add_bitmask_list(subtree, parameter_tvb, 0, 2, fields, ENC_BIG_ENDIAN); } #.TYPE_ATTR ExpectedUEMovingTrajectoryItem/timeStayedInCell DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.FN_BODY LastVisitedEUTRANCellInformation VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; proto_tree *subtree; %(DEFAULT_BODY)s if (parameter_tvb) { subtree = proto_item_add_subtree(actx->created_item, ett_ngap_LastVisitedEUTRANCellInformation); dissect_s1ap_LastVisitedEUTRANCellInformation_PDU(parameter_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY LastVisitedUTRANCellInformation VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; proto_tree *subtree; %(DEFAULT_BODY)s if (parameter_tvb) { subtree = proto_item_add_subtree(actx->created_item, ett_ngap_LastVisitedUTRANCellInformation); dissect_ranap_LastVisitedUTRANCell_Item_PDU(parameter_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY LastVisitedGERANCellInformation VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; proto_tree *subtree; %(DEFAULT_BODY)s if (parameter_tvb) { subtree = proto_item_add_subtree(actx->created_item, ett_ngap_LastVisitedGERANCellInformation); dissect_s1ap_LastVisitedGERANCellInformation_PDU(parameter_tvb, actx->pinfo, subtree, NULL); } #.TYPE_ATTR ExpectedActivityPeriod DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.TYPE_ATTR ExpectedIdlePeriod DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.TYPE_ATTR TimeUEStayedInCell DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.TYPE_ATTR TimeUEStayedInCellEnhancedGranularity DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(ngap_TimeUEStayedInCellEnhancedGranularity_fmt) #.TYPE_ATTR TrafficLoadReductionIndication DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_percent #.FN_BODY PeriodicRegistrationUpdateTimer VAL_PTR=&val_tvb HF_INDEX=-1 tvbuff_t *val_tvb = NULL; %(DEFAULT_BODY)s if (val_tvb) { guint32 val = tvb_get_guint8(val_tvb, 0); actx->created_item = proto_tree_add_uint(tree, hf_index, val_tvb, 0, 1, val); } #.TYPE_ATTR PeriodicRegistrationUpdateTimer TYPE=FT_UINT8 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(ngap_PeriodicRegistrationUpdateTimer_fmt) #.FN_BODY NASSecurityParametersFromNGRAN VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_ngap_NASSecurityParametersFromNGRAN); de_nas_5gs_n1_mode_to_s1_mode_nas_transparent_cont(parameter_tvb, subtree, actx->pinfo); } #.FN_BODY EN-DCSONConfigurationTransfer VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb = NULL; proto_tree *subtree; %(DEFAULT_BODY)s if (parameter_tvb) { subtree = proto_item_add_subtree(actx->created_item, ett_ngap_EN_DCSONConfigurationTransfer); dissect_s1ap_EN_DCSONConfigurationTransfer_PDU(parameter_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY VolumeTimedReport-Item/startTimeStamp VAL_PTR = &timestamp_tvb tvbuff_t *timestamp_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR VolumeTimedReport-Item/startTimeStamp if (timestamp_tvb) { proto_item_append_text(actx->created_item, " (%s)", tvb_ntp_fmt_ts_sec(timestamp_tvb, 0)); } #.FN_BODY VolumeTimedReport-Item/endTimeStamp VAL_PTR = &timestamp_tvb tvbuff_t *timestamp_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR VolumeTimedReport-Item/endTimeStamp if (timestamp_tvb) { proto_item_append_text(actx->created_item, " (%s)", tvb_ntp_fmt_ts_sec(timestamp_tvb, 0)); } #.FN_BODY NRPPa-PDU VAL_PTR = &parameter_tvb tvbuff_t *parameter_tvb=NULL; %(DEFAULT_BODY)s if ((tvb_reported_length(parameter_tvb)>0)&&(nrppa_handle)) call_dissector(nrppa_handle, parameter_tvb, %(ACTX)s->pinfo, tree); #.TYPE_ATTR VolumeTimedReport-Item/usageCountUL DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_octet_octets #.TYPE_ATTR VolumeTimedReport-Item/usageCountDL DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_octet_octets #.TYPE_ATTR BluetoothName TYPE=FT_STRING DISPLAY = BASE_NONE #.FN_BODY BluetoothName VAL_PTR = &parameter_tvb HF_INDEX = -1 tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s actx->created_item = proto_tree_add_item(tree, hf_index, parameter_tvb, 0, -1, ENC_UTF_8|ENC_NA); #.END #.FN_BODY BurstArrivalTime VAL_PTR = &burst_arrival_time_tvb tvbuff_t *burst_arrival_time_tvb = NULL; %(DEFAULT_BODY)s if (burst_arrival_time_tvb) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_BurstArrivalTime); dissect_nr_rrc_ReferenceTime_r16_PDU(burst_arrival_time_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY CoverageEnhancementLevel VAL_PTR = &cov_enh_level_tvb tvbuff_t *cov_enh_level_tvb; proto_tree *subtree; %(DEFAULT_BODY)s if (cov_enh_level_tvb && ngap_dissect_container) { subtree = proto_item_add_subtree(actx->created_item, ett_ngap_CoverageEnhancementLevel); volatile int saved_offset = offset; if ((ngap_is_nbiot_ue(actx->pinfo) && (ngap_dissect_lte_container_as == NGAP_LTE_CONTAINER_AUTOMATIC)) || (ngap_dissect_lte_container_as == NGAP_LTE_CONTAINER_NBIOT)) { TRY { dissect_lte_rrc_UEPagingCoverageInformation_NB_PDU(cov_enh_level_tvb, actx->pinfo, subtree, NULL); } CATCH_BOUNDS_ERRORS { show_exception(cov_enh_level_tvb, actx->pinfo, subtree, EXCEPT_CODE, GET_MESSAGE); } ENDTRY; } else { TRY { dissect_lte_rrc_UEPagingCoverageInformation_PDU(cov_enh_level_tvb, actx->pinfo, subtree, NULL); } CATCH_BOUNDS_ERRORS { show_exception(cov_enh_level_tvb, actx->pinfo, subtree, EXCEPT_CODE, GET_MESSAGE); } ENDTRY; } offset = saved_offset; } #.TYPE_ATTR Extended-ConnectedTime DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.TYPE_ATTR ExtendedPacketDelayBudget DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(ngap_ExtendedPacketDelayBudget_fmt) #.FN_BODY ExtendedRATRestrictionInformation/primaryRATRestriction VAL_PTR=&parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { static int * const fields[] = { &hf_ngap_primaryRATRestriction_e_UTRA, &hf_ngap_primaryRATRestriction_nR, &hf_ngap_primaryRATRestriction_nR_unlicensed, &hf_ngap_primaryRATRestriction_nR_LEO, &hf_ngap_primaryRATRestriction_nR_MEO, &hf_ngap_primaryRATRestriction_nR_GEO, &hf_ngap_primaryRATRestriction_nR_OTHERSAT, &hf_ngap_primaryRATRestriction_reserved, NULL }; proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_primaryRATRestriction); proto_tree_add_bitmask_list(subtree, parameter_tvb, 0, 1, fields, ENC_BIG_ENDIAN); } #.FN_BODY ExtendedRATRestrictionInformation/secondaryRATRestriction VAL_PTR=&parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { static int * const fields[] = { &hf_ngap_secondaryRATRestriction_e_UTRA, &hf_ngap_secondaryRATRestriction_nR, &hf_ngap_secondaryRATRestriction_e_UTRA_unlicensed, &hf_ngap_secondaryRATRestriction_nR_unlicensed, &hf_ngap_secondaryRATRestriction_reserved, NULL }; proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_secondaryRATRestriction); proto_tree_add_bitmask_list(subtree, parameter_tvb, 0, 1, fields, ENC_BIG_ENDIAN); } #.FN_BODY LAI struct ngap_private_data *ngap_data = ngap_get_private_data(actx->pinfo); ngap_data->number_type = E212_LAI; %(DEFAULT_BODY)s #.TYPE_ATTR LAC TYPE = FT_UINT16 DISPLAY = BASE_DEC_HEX #.FN_BODY LAC VAL_PTR = &parameter_tvb HF_INDEX = -1 tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { actx->created_item = proto_tree_add_item(tree, hf_index, parameter_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY MDTModeEutra VAL_PTR = &mdt_mode_eutra_tvb tvbuff_t *mdt_mode_eutra_tvb = NULL; %(DEFAULT_BODY)s if (mdt_mode_eutra_tvb) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_MDTModeEutra); dissect_s1ap_MDTMode_PDU(mdt_mode_eutra_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY MeasurementsToActivate VAL_PTR=&parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { static int * const fields[] = { &hf_ngap_MeasurementsToActivate_M1, &hf_ngap_MeasurementsToActivate_M2, &hf_ngap_MeasurementsToActivate_M4, &hf_ngap_MeasurementsToActivate_M5, &hf_ngap_MeasurementsToActivate_M6, &hf_ngap_MeasurementsToActivate_M7, &hf_ngap_MeasurementsToActivate_M1_from_event, &hf_ngap_MeasurementsToActivate_reserved, NULL }; proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_MeasurementsToActivate); proto_tree_add_bitmask_list(subtree, parameter_tvb, 0, 1, fields, ENC_BIG_ENDIAN); } #.FN_BODY MDT-Location-Information VAL_PTR=&parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { static int * const fields[] = { &hf_ngap_MDT_Location_Information_GNSS, &hf_ngap_MDT_Location_Information_reserved, NULL }; proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_MDT_Location_Information); proto_tree_add_bitmask_list(subtree, parameter_tvb, 0, 1, fields, ENC_BIG_ENDIAN); } #.FN_BODY NRMobilityHistoryReport VAL_PTR = &nr_mob_hist_report_tvb tvbuff_t *nr_mob_hist_report_tvb = NULL; %(DEFAULT_BODY)s if (nr_mob_hist_report_tvb) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_NRMobilityHistoryReport); dissect_nr_rrc_VisitedCellInfoList_r16_PDU(nr_mob_hist_report_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY LTEUERLFReportContainer VAL_PTR = &lte_ue_rlf_report_tvb tvbuff_t *lte_ue_rlf_report_tvb = NULL; %(DEFAULT_BODY)s if (lte_ue_rlf_report_tvb) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_LTEUERLFReportContainer); dissect_lte_rrc_RLF_Report_r9_PDU(lte_ue_rlf_report_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY NRUERLFReportContainer VAL_PTR = &nr_ue_rlc_report_tvb tvbuff_t *nr_ue_rlc_report_tvb = NULL; %(DEFAULT_BODY)s if (nr_ue_rlc_report_tvb) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_NRUERLFReportContainer); dissect_nr_rrc_nr_RLF_Report_r16_PDU(nr_ue_rlc_report_tvb, actx->pinfo, subtree, NULL); } #.TYPE_ATTR Periodicity DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_microseconds #.TYPE_ATTR Threshold-RSRP DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(ngap_Threshold_RSRP_fmt) #.TYPE_ATTR Threshold-RSRQ DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(ngap_Threshold_RSRQ_fmt) #.TYPE_ATTR Threshold-SINR DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(ngap_Threshold_SINR_fmt) #.TYPE_ATTR WLANName TYPE=FT_STRING DISPLAY = BASE_NONE #.FN_BODY WLANName VAL_PTR = &parameter_tvb HF_INDEX = -1 tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s actx->created_item = proto_tree_add_item(tree, hf_index, parameter_tvb, 0, -1, ENC_UTF_8|ENC_NA); #.END #.TYPE_ATTR FiveG-TMSI TYPE = FT_UINT32 DISPLAY = BASE_DEC_HEX #.FN_BODY FiveG-TMSI VAL_PTR = &parameter_tvb HF_INDEX = -1 tvbuff_t *parameter_tvb = NULL; proto_item *ti; %(DEFAULT_BODY)s if (parameter_tvb) { actx->created_item = proto_tree_add_item(tree, hf_index, parameter_tvb, 0, 4, ENC_BIG_ENDIAN); ti = proto_tree_add_item(tree, hf_3gpp_tmsi, tvb, 0, 4, ENC_BIG_ENDIAN); proto_item_set_hidden(ti); } #.FN_BODY GlobalCable-ID VAL_PTR=&parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_GlobalCable_ID); proto_tree_add_item(subtree, hf_ngap_GlobalCable_ID_str, parameter_tvb, 0, -1, ENC_UTF_8 | ENC_NA); } #.TYPE_ATTR QosMonitoringReportingFrequency DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.FN_BODY UpdateFeedback VAL_PTR=&parameter_tvb tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { static int * const fields[] = { &hf_ngap_UpdateFeedback_CN_PDB_DL, &hf_ngap_UpdateFeedback_CN_PDB_UL, &hf_ngap_UpdateFeedback_reserved, NULL }; proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_ngap_UpdateFeedback); proto_tree_add_bitmask_list(subtree, parameter_tvb, 0, 1, fields, ENC_BIG_ENDIAN); } #.FN_BODY PDUSessionResourceSetupRequestTransfer volatile guint32 _offset; _offset = offset; TRY { _offset = dissect_per_sequence(tvb, _offset, actx, tree, hf_index, ett_ngap_PDUSessionResourceSetupRequestTransfer, PDUSessionResourceSetupRequestTransfer_sequence); } CATCH_BOUNDS_ERRORS { show_exception(tvb, actx->pinfo, tree, EXCEPT_CODE, GET_MESSAGE); } ENDTRY; offset = _offset; #.ASSIGN_VALUE_TO_TYPE # NGAP does not have constants assigned to types, they are pure INTEGER # ProcedureCode id-AMFConfigurationUpdate ProcedureCode id-AMFStatusIndication ProcedureCode id-CellTrafficTrace ProcedureCode id-DeactivateTrace ProcedureCode id-DownlinkNASTransport ProcedureCode id-DownlinkNonUEAssociatedNRPPaTransport ProcedureCode id-DownlinkRANConfigurationTransfer ProcedureCode id-DownlinkRANStatusTransfer ProcedureCode id-DownlinkUEAssociatedNRPPaTransport ProcedureCode id-ErrorIndication ProcedureCode id-HandoverCancel ProcedureCode id-HandoverNotification ProcedureCode id-HandoverPreparation ProcedureCode id-HandoverResourceAllocation ProcedureCode id-InitialContextSetup ProcedureCode id-InitialUEMessage ProcedureCode id-LocationReportingControl ProcedureCode id-LocationReportingFailureIndication ProcedureCode id-LocationReport ProcedureCode id-NASNonDeliveryIndication ProcedureCode id-NGReset ProcedureCode id-NGSetup ProcedureCode id-OverloadStart ProcedureCode id-OverloadStop ProcedureCode id-Paging ProcedureCode id-PathSwitchRequest ProcedureCode id-PDUSessionResourceModify ProcedureCode id-PDUSessionResourceModifyIndication ProcedureCode id-PDUSessionResourceRelease ProcedureCode id-PDUSessionResourceSetup ProcedureCode id-PDUSessionResourceNotify ProcedureCode id-PrivateMessage ProcedureCode id-PWSCancel ProcedureCode id-PWSFailureIndication ProcedureCode id-PWSRestartIndication ProcedureCode id-RANConfigurationUpdate ProcedureCode id-RerouteNASRequest ProcedureCode id-RRCInactiveTransitionReport ProcedureCode id-TraceFailureIndication ProcedureCode id-TraceStart ProcedureCode id-UEContextModification ProcedureCode id-UEContextRelease ProcedureCode id-UEContextReleaseRequest ProcedureCode id-UERadioCapabilityCheck ProcedureCode id-UERadioCapabilityInfoIndication ProcedureCode id-UETNLABindingRelease ProcedureCode id-UplinkNASTransport ProcedureCode id-UplinkNonUEAssociatedNRPPaTransport ProcedureCode id-UplinkRANConfigurationTransfer ProcedureCode id-UplinkRANStatusTransfer ProcedureCode id-UplinkUEAssociatedNRPPaTransport ProcedureCode id-WriteReplaceWarning ProcedureCode id-SecondaryRATDataUsageReport ProcedureCode id-UplinkRIMInformationTransfer ProcedureCode id-DownlinkRIMInformationTransfer ProcedureCode id-RetrieveUEInformation ProcedureCode id-UEInformationTransfer ProcedureCode id-RANCPRelocationIndication ProcedureCode id-UEContextResume ProcedureCode id-UEContextSuspend ProcedureCode id-UERadioCapabilityIDMapping ProcedureCode id-HandoverSuccess ProcedureCode id-UplinkRANEarlyStatusTransfer ProcedureCode id-DownlinkRANEarlyStatusTransfer ProcedureCode id-AMFCPRelocationIndication ProcedureCode id-ConnectionEstablishmentIndication ProcedureCode id-BroadcastSessionModification ProcedureCode id-BroadcastSessionRelease ProcedureCode id-BroadcastSessionSetup ProcedureCode id-DistributionSetup ProcedureCode id-DistributionRelease ProcedureCode id-MulticastSessionActivation ProcedureCode id-MulticastSessionDeactivation ProcedureCode id-MulticastSessionUpdate ProcedureCode id-MulticastGroupPaging ProcedureCode id-BroadcastSessionReleaseRequired ProcedureCode # ProtocolIE-ID id-AllowedNSSAI ProtocolIE-ID id-AMFName ProtocolIE-ID id-AMFOverloadResponse ProtocolIE-ID id-AMFSetID ProtocolIE-ID id-AMF-TNLAssociationFailedToSetupList ProtocolIE-ID id-AMF-TNLAssociationSetupList ProtocolIE-ID id-AMF-TNLAssociationToAddList ProtocolIE-ID id-AMF-TNLAssociationToRemoveList ProtocolIE-ID id-AMF-TNLAssociationToUpdateList ProtocolIE-ID id-AMFTrafficLoadReductionIndication ProtocolIE-ID id-AMF-UE-NGAP-ID ProtocolIE-ID id-AssistanceDataForPaging ProtocolIE-ID id-BroadcastCancelledAreaList ProtocolIE-ID id-BroadcastCompletedAreaList ProtocolIE-ID id-CancelAllWarningMessages ProtocolIE-ID id-Cause ProtocolIE-ID id-CellIDListForRestart ProtocolIE-ID id-ConcurrentWarningMessageInd ProtocolIE-ID id-CoreNetworkAssistanceInformationForInactive ProtocolIE-ID id-CriticalityDiagnostics ProtocolIE-ID id-DataCodingScheme ProtocolIE-ID id-DefaultPagingDRX ProtocolIE-ID id-DirectForwardingPathAvailability ProtocolIE-ID id-EmergencyAreaIDListForRestart ProtocolIE-ID id-EmergencyFallbackIndicator ProtocolIE-ID id-EUTRA-CGI ProtocolIE-ID id-FiveG-S-TMSI ProtocolIE-ID id-GlobalRANNodeID ProtocolIE-ID id-GUAMI ProtocolIE-ID id-HandoverType ProtocolIE-ID id-IMSVoiceSupportIndicator ProtocolIE-ID id-IndexToRFSP ProtocolIE-ID id-InfoOnRecommendedCellsAndRANNodesForPaging ProtocolIE-ID id-LocationReportingRequestType ProtocolIE-ID id-MaskedIMEISV ProtocolIE-ID id-MessageIdentifier ProtocolIE-ID id-MobilityRestrictionList ProtocolIE-ID id-NASC ProtocolIE-ID id-NAS-PDU ProtocolIE-ID id-NASSecurityParametersFromNGRAN ProtocolIE-ID id-NewAMF-UE-NGAP-ID ProtocolIE-ID id-NewSecurityContextInd ProtocolIE-ID id-NGAP-Message ProtocolIE-ID id-NGRAN-CGI ProtocolIE-ID id-NGRANTraceID ProtocolIE-ID id-NR-CGI ProtocolIE-ID id-NRPPa-PDU ProtocolIE-ID id-NumberOfBroadcastsRequested ProtocolIE-ID id-OldAMF ProtocolIE-ID id-OverloadStartNSSAIList ProtocolIE-ID id-PagingDRX ProtocolIE-ID id-PagingOrigin ProtocolIE-ID id-PagingPriority ProtocolIE-ID id-PDUSessionResourceAdmittedList ProtocolIE-ID id-PDUSessionResourceFailedToModifyListModRes ProtocolIE-ID id-PDUSessionResourceFailedToSetupListCxtRes ProtocolIE-ID id-PDUSessionResourceFailedToSetupListHOAck ProtocolIE-ID id-PDUSessionResourceFailedToSetupListPSReq ProtocolIE-ID id-PDUSessionResourceFailedToSetupListSURes ProtocolIE-ID id-PDUSessionResourceHandoverList ProtocolIE-ID id-PDUSessionResourceListCxtRelCpl ProtocolIE-ID id-PDUSessionResourceListHORqd ProtocolIE-ID id-PDUSessionResourceModifyListModCfm ProtocolIE-ID id-PDUSessionResourceModifyListModInd ProtocolIE-ID id-PDUSessionResourceModifyListModReq ProtocolIE-ID id-PDUSessionResourceModifyListModRes ProtocolIE-ID id-PDUSessionResourceNotifyList ProtocolIE-ID id-PDUSessionResourceReleasedListNot ProtocolIE-ID id-PDUSessionResourceReleasedListPSAck ProtocolIE-ID id-PDUSessionResourceReleasedListPSFail ProtocolIE-ID id-PDUSessionResourceReleasedListRelRes ProtocolIE-ID id-PDUSessionResourceSetupListCxtReq ProtocolIE-ID id-PDUSessionResourceSetupListCxtRes ProtocolIE-ID id-PDUSessionResourceSetupListHOReq ProtocolIE-ID id-PDUSessionResourceSetupListSUReq ProtocolIE-ID id-PDUSessionResourceSetupListSURes ProtocolIE-ID id-PDUSessionResourceToBeSwitchedDLList ProtocolIE-ID id-PDUSessionResourceSwitchedList ProtocolIE-ID id-PDUSessionResourceToReleaseListHOCmd ProtocolIE-ID id-PDUSessionResourceToReleaseListRelCmd ProtocolIE-ID id-PLMNSupportList ProtocolIE-ID id-PWSFailedCellIDList ProtocolIE-ID id-RANNodeName ProtocolIE-ID id-RANPagingPriority ProtocolIE-ID id-RANStatusTransfer-TransparentContainer ProtocolIE-ID id-RAN-UE-NGAP-ID ProtocolIE-ID id-RelativeAMFCapacity ProtocolIE-ID id-RepetitionPeriod ProtocolIE-ID id-ResetType ProtocolIE-ID id-RoutingID ProtocolIE-ID id-RRCEstablishmentCause ProtocolIE-ID id-RRCInactiveTransitionReportRequest ProtocolIE-ID id-RRCState ProtocolIE-ID id-SecurityContext ProtocolIE-ID id-SecurityKey ProtocolIE-ID id-SerialNumber ProtocolIE-ID id-ServedGUAMIList ProtocolIE-ID id-SliceSupportList ProtocolIE-ID id-SONConfigurationTransferDL ProtocolIE-ID id-SONConfigurationTransferUL ProtocolIE-ID id-SourceAMF-UE-NGAP-ID ProtocolIE-ID id-SourceToTarget-TransparentContainer ProtocolIE-ID id-SupportedTAList ProtocolIE-ID id-TAIListForPaging ProtocolIE-ID id-TAIListForRestart ProtocolIE-ID id-TargetID ProtocolIE-ID id-TargetToSource-TransparentContainer ProtocolIE-ID id-TimeToWait ProtocolIE-ID id-TraceActivation ProtocolIE-ID id-TraceCollectionEntityIPAddress ProtocolIE-ID id-UEAggregateMaximumBitRate ProtocolIE-ID id-UE-associatedLogicalNG-connectionList ProtocolIE-ID id-UEContextRequest ProtocolIE-ID id-UE-NGAP-IDs ProtocolIE-ID id-UEPagingIdentity ProtocolIE-ID id-UEPresenceInAreaOfInterestList ProtocolIE-ID id-UERadioCapability ProtocolIE-ID id-UERadioCapabilityForPaging ProtocolIE-ID id-UESecurityCapabilities ProtocolIE-ID id-UnavailableGUAMIList ProtocolIE-ID id-UserLocationInformation ProtocolIE-ID id-WarningAreaList ProtocolIE-ID id-WarningMessageContents ProtocolIE-ID id-WarningSecurityInfo ProtocolIE-ID id-WarningType ProtocolIE-ID id-AdditionalUL-NGU-UP-TNLInformation ProtocolIE-ID id-DataForwardingNotPossible ProtocolIE-ID id-DL-NGU-UP-TNLInformation ProtocolIE-ID id-NetworkInstance ProtocolIE-ID id-PDUSessionAggregateMaximumBitRate ProtocolIE-ID id-PDUSessionResourceFailedToModifyListModCfm ProtocolIE-ID id-PDUSessionResourceFailedToSetupListCxtFail ProtocolIE-ID id-PDUSessionResourceListCxtRelReq ProtocolIE-ID id-PDUSessionType ProtocolIE-ID id-QosFlowAddOrModifyRequestList ProtocolIE-ID id-QosFlowSetupRequestList ProtocolIE-ID id-QosFlowToReleaseList ProtocolIE-ID id-SecurityIndication ProtocolIE-ID id-UL-NGU-UP-TNLInformation ProtocolIE-ID id-UL-NGU-UP-TNLModifyList ProtocolIE-ID id-WarningAreaCoordinates ProtocolIE-ID id-PDUSessionResourceSecondaryRATUsageList ProtocolIE-ID id-HandoverFlag ProtocolIE-ID id-SecondaryRATUsageInformation ProtocolIE-ID id-PDUSessionResourceReleaseResponseTransfer ProtocolIE-ID id-RedirectionVoiceFallback ProtocolIE-ID id-UERetentionInformation ProtocolIE-ID id-S-NSSAI ProtocolIE-ID id-PSCellInformation ProtocolIE-ID id-LastEUTRAN-PLMNIdentity ProtocolIE-ID id-MaximumIntegrityProtectedDataRate-DL ProtocolIE-ID id-AdditionalDLForwardingUPTNLInformation ProtocolIE-ID id-AdditionalDLUPTNLInformationForHOList ProtocolIE-ID id-AdditionalNGU-UP-TNLInformation ProtocolIE-ID id-AdditionalDLQosFlowPerTNLInformation ProtocolIE-ID id-SecurityResult ProtocolIE-ID id-ENDC-SONConfigurationTransferDL ProtocolIE-ID id-ENDC-SONConfigurationTransferUL ProtocolIE-ID id-OldAssociatedQosFlowList-ULendmarkerexpected ProtocolIE-ID id-CNTypeRestrictionsForEquivalent ProtocolIE-ID id-CNTypeRestrictionsForServing ProtocolIE-ID id-NewGUAMI ProtocolIE-ID id-ULForwarding ProtocolIE-ID id-ULForwardingUP-TNLInformation ProtocolIE-ID id-CNAssistedRANTuning ProtocolIE-ID id-CommonNetworkInstance ProtocolIE-ID id-NGRAN-TNLAssociationToRemoveList ProtocolIE-ID id-TNLAssociationTransportLayerAddressNGRAN ProtocolIE-ID id-EndpointIPAddressAndPort ProtocolIE-ID id-LocationReportingAdditionalInfo ProtocolIE-ID id-SourceToTarget-AMFInformationReroute ProtocolIE-ID id-AdditionalULForwardingUPTNLInformation ProtocolIE-ID id-SCTP-TLAs ProtocolIE-ID id-SelectedPLMNIdentity ProtocolIE-ID id-RIMInformationTransfer ProtocolIE-ID id-GUAMIType ProtocolIE-ID id-SRVCCOperationPossible ProtocolIE-ID id-TargetRNC-ID ProtocolIE-ID id-RAT-Information ProtocolIE-ID id-ExtendedRATRestrictionInformation ProtocolIE-ID id-QosMonitoringRequest ProtocolIE-ID id-SgNB-UE-X2AP-ID ProtocolIE-ID id-AdditionalRedundantDL-NGU-UP-TNLInformation ProtocolIE-ID id-AdditionalRedundantDLQosFlowPerTNLInformation ProtocolIE-ID id-AdditionalRedundantNGU-UP-TNLInformation ProtocolIE-ID id-AdditionalRedundantUL-NGU-UP-TNLInformation ProtocolIE-ID id-CNPacketDelayBudgetDL ProtocolIE-ID id-CNPacketDelayBudgetUL ProtocolIE-ID id-ExtendedPacketDelayBudget ProtocolIE-ID id-RedundantCommonNetworkInstance ProtocolIE-ID id-RedundantDL-NGU-TNLInformationReused ProtocolIE-ID id-RedundantDL-NGU-UP-TNLInformation ProtocolIE-ID id-RedundantDLQosFlowPerTNLInformation ProtocolIE-ID id-RedundantQosFlowIndicator ProtocolIE-ID id-RedundantUL-NGU-UP-TNLInformation ProtocolIE-ID id-TSCTrafficCharacteristics ProtocolIE-ID id-RedundantPDUSessionInformation ProtocolIE-ID id-UsedRSNInformation ProtocolIE-ID id-IAB-Authorized ProtocolIE-ID id-IAB-Supported ProtocolIE-ID id-IABNodeIndication ProtocolIE-ID id-NB-IoT-PagingDRX ProtocolIE-ID id-NB-IoT-Paging-eDRXInfo ProtocolIE-ID id-NB-IoT-DefaultPagingDRX ProtocolIE-ID id-Enhanced-CoverageRestriction ProtocolIE-ID id-Extended-ConnectedTime ProtocolIE-ID id-PagingAssisDataforCEcapabUE ProtocolIE-ID id-WUS-Assistance-Information ProtocolIE-ID id-UE-DifferentiationInfo ProtocolIE-ID id-NB-IoT-UEPriority ProtocolIE-ID id-UL-CP-SecurityInformation ProtocolIE-ID id-DL-CP-SecurityInformation ProtocolIE-ID id-TAI ProtocolIE-ID id-UERadioCapabilityForPagingOfNB-IoT ProtocolIE-ID id-LTEV2XServicesAuthorized ProtocolIE-ID id-NRV2XServicesAuthorized ProtocolIE-ID id-LTEUESidelinkAggregateMaximumBitrate ProtocolIE-ID id-NRUESidelinkAggregateMaximumBitrate ProtocolIE-ID id-PC5QoSParameters ProtocolIE-ID id-AlternativeQoSParaSetList ProtocolIE-ID id-CurrentQoSParaSetIndex ProtocolIE-ID id-CEmodeBrestricted ProtocolIE-ID id-EUTRA-PagingeDRXInformation ProtocolIE-ID id-CEmodeBSupport-Indicator ProtocolIE-ID id-LTEM-Indication ProtocolIE-ID id-EndIndication ProtocolIE-ID id-EDT-Session ProtocolIE-ID id-UECapabilityInfoRequest ProtocolIE-ID id-PDUSessionResourceFailedToResumeListRESReq ProtocolIE-ID id-PDUSessionResourceFailedToResumeListRESRes ProtocolIE-ID id-PDUSessionResourceSuspendListSUSReq ProtocolIE-ID id-PDUSessionResourceResumeListRESReq ProtocolIE-ID id-PDUSessionResourceResumeListRESRes ProtocolIE-ID id-UE-UP-CIoT-Support ProtocolIE-ID id-Suspend-Request-Indication ProtocolIE-ID id-Suspend-Response-Indication ProtocolIE-ID id-RRC-Resume-Cause ProtocolIE-ID id-RGLevelWirelineAccessCharacteristics ProtocolIE-ID id-W-AGFIdentityInformation ProtocolIE-ID id-GlobalTNGF-ID ProtocolIE-ID id-GlobalTWIF-ID ProtocolIE-ID id-GlobalW-AGF-ID ProtocolIE-ID id-UserLocationInformationW-AGF ProtocolIE-ID id-UserLocationInformationTNGF ProtocolIE-ID id-AuthenticatedIndication ProtocolIE-ID id-TNGFIdentityInformation ProtocolIE-ID id-TWIFIdentityInformation ProtocolIE-ID id-UserLocationInformationTWIF ProtocolIE-ID id-DataForwardingResponseERABList ProtocolIE-ID id-IntersystemSONConfigurationTransferDL ProtocolIE-ID id-IntersystemSONConfigurationTransferUL ProtocolIE-ID id-SONInformationReport ProtocolIE-ID id-UEHistoryInformationFromTheUE ProtocolIE-ID id-ManagementBasedMDTPLMNList ProtocolIE-ID id-MDTConfiguration ProtocolIE-ID id-PrivacyIndicator ProtocolIE-ID id-TraceCollectionEntityURI ProtocolIE-ID id-NPN-Support ProtocolIE-ID id-NPN-AccessInformation ProtocolIE-ID id-NPN-PagingAssistanceInformation ProtocolIE-ID id-NPN-MobilityInformation ProtocolIE-ID id-TargettoSource-Failure-TransparentContainer ProtocolIE-ID id-NID ProtocolIE-ID id-UERadioCapabilityID ProtocolIE-ID id-UERadioCapability-EUTRA-Format ProtocolIE-ID id-DAPSRequestInfo ProtocolIE-ID id-DAPSResponseInfoList ProtocolIE-ID id-EarlyStatusTransfer-TransparentContainer ProtocolIE-ID id-NotifySourceNGRANNode ProtocolIE-ID id-ExtendedSliceSupportList ProtocolIE-ID id-ExtendedTAISliceSupportList ProtocolIE-ID id-ConfiguredTACIndication ProtocolIE-ID id-Extended-RANNodeName ProtocolIE-ID id-Extended-AMFName ProtocolIE-ID id-GlobalCable-ID ProtocolIE-ID id-QosMonitoringReportingFrequency ProtocolIE-ID id-QosFlowParametersList ProtocolIE-ID id-QosFlowFeedbackList ProtocolIE-ID id-BurstArrivalTimeDownlink ProtocolIE-ID id-ExtendedUEIdentityIndexValue ProtocolIE-ID id-PduSessionExpectedUEActivityBehaviour ProtocolIE-ID id-MicoAllPLMN ProtocolIE-ID id-QosFlowFailedToSetupList ProtocolIE-ID id-SourceTNLAddrInfo ProtocolIE-ID id-ExtendedReportIntervalMDT ProtocolIE-ID id-SourceNodeID ProtocolIE-ID id-NRNTNTAIInformation ProtocolIE-ID id-UEContextReferenceAtSource ProtocolIE-ID id-LastVisitedPSCellList ProtocolIE-ID id-IntersystemSONInformationRequest ProtocolIE-ID id-IntersystemSONInformationReply ProtocolIE-ID id-EnergySavingIndication ProtocolIE-ID id-IntersystemResourceStatusUpdate ProtocolIE-ID id-SuccessfulHandoverReportList ProtocolIE-ID id-MBS-AreaSessionID ProtocolIE-ID id-MBS-QoSFlowsToBeSetupList ProtocolIE-ID id-MBS-QoSFlowsToBeSetupModList ProtocolIE-ID id-MBS-ServiceArea ProtocolIE-ID id-MBS-SessionID ProtocolIE-ID id-MBS-DistributionReleaseRequestTransfer ProtocolIE-ID id-MBS-DistributionSetupRequestTransfer ProtocolIE-ID id-MBS-DistributionSetupResponseTransfer ProtocolIE-ID id-MBS-DistributionSetupUnsuccessfulTransfer ProtocolIE-ID id-MulticastSessionActivationRequestTransfer ProtocolIE-ID id-MulticastSessionDeactivationRequestTransfer ProtocolIE-ID id-MulticastSessionUpdateRequestTransfer ProtocolIE-ID id-MulticastGroupPagingAreaList ProtocolIE-ID id-MBS-SupportIndicator ProtocolIE-ID id-MBSSessionFailedtoSetupList ProtocolIE-ID id-MBSSessionFailedtoSetuporModifyList ProtocolIE-ID id-MBSSessionSetupResponseList ProtocolIE-ID id-MBSSessionSetuporModifyResponseList ProtocolIE-ID id-MBSSessionSetupFailureTransfer ProtocolIE-ID id-MBSSessionSetupRequestTransfer ProtocolIE-ID id-MBSSessionSetupResponseTransfer ProtocolIE-ID id-MBSSessionToReleaseList ProtocolIE-ID id-MBSSessionSetupRequestList ProtocolIE-ID id-MBSSessionSetuporModifyRequestList ProtocolIE-ID id-MBS-ActiveSessionInformation-SourcetoTargetList ProtocolIE-ID id-MBS-ActiveSessionInformation-TargettoSourceList ProtocolIE-ID id-OnboardingSupport ProtocolIE-ID id-TimeSyncAssistanceInfo ProtocolIE-ID id-SurvivalTime ProtocolIE-ID id-QMCConfigInfo ProtocolIE-ID id-QMCDeactivation ProtocolIE-ID id-PDUSessionPairID ProtocolIE-ID id-NR-PagingeDRXInformation ProtocolIE-ID id-RedCapIndication ProtocolIE-ID id-TargetNSSAIInformation ProtocolIE-ID id-UESliceMaximumBitRateList ProtocolIE-ID id-M4ReportAmount ProtocolIE-ID id-M5ReportAmount ProtocolIE-ID id-M6ReportAmount ProtocolIE-ID id-M7ReportAmount ProtocolIE-ID id-IncludeBeamMeasurementsIndication ProtocolIE-ID id-ExcessPacketDelayThresholdConfiguration ProtocolIE-ID id-PagingCause ProtocolIE-ID id-PagingCauseIndicationForVoiceService ProtocolIE-ID id-PEIPSassistanceInformation ProtocolIE-ID id-FiveG-ProSeAuthorized ProtocolIE-ID id-FiveG-ProSeUEPC5AggregateMaximumBitRate ProtocolIE-ID id-FiveG-ProSePC5QoSParameters ProtocolIE-ID id-MBSSessionModificationFailureTransfer ProtocolIE-ID id-MBSSessionModificationRequestTransfer ProtocolIE-ID id-MBSSessionModificationResponseTransfer ProtocolIE-ID id-MBS-QoSFlowToReleaseList ProtocolIE-ID id-MBS-SessionTNLInfo5GC ProtocolIE-ID id-TAINSAGSupportList ProtocolIE-ID id-SourceNodeTNLAddrInfo ProtocolIE-ID id-NGAPIESupportInformationRequestList ProtocolIE-ID id-NGAPIESupportInformationResponseList ProtocolIE-ID id-MBS-SessionFSAIDList ProtocolIE-ID id-MBSSessionReleaseResponseTransfer ProtocolIE-ID id-ManagementBasedMDTPLMNModificationList ProtocolIE-ID id-EarlyMeasurement ProtocolIE-ID id-BeamMeasurementsReportConfiguration ProtocolIE-ID id-HFCNode-ID-new ProtocolIE-ID id-GlobalCable-ID-new ProtocolIE-ID id-TargetHomeENB-ID ProtocolIE-ID id-HashedUEIdentityIndexValue ProtocolIE-ID #.END #.REGISTER #NGAP-PROTOCOL-IES AllowedNSSAI N ngap.ies id-AllowedNSSAI AMFName N ngap.ies id-AMFName OverloadResponse N ngap.ies id-AMFOverloadResponse AMFSetID N ngap.ies id-AMFSetID TNLAssociationList N ngap.ies id-AMF-TNLAssociationFailedToSetupList AMF-TNLAssociationSetupList N ngap.ies id-AMF-TNLAssociationSetupList AMF-TNLAssociationToAddList N ngap.ies id-AMF-TNLAssociationToAddList AMF-TNLAssociationToRemoveList N ngap.ies id-AMF-TNLAssociationToRemoveList AMF-TNLAssociationToUpdateList N ngap.ies id-AMF-TNLAssociationToUpdateList TrafficLoadReductionIndication N ngap.ies id-AMFTrafficLoadReductionIndication AMF-UE-NGAP-ID N ngap.ies id-AMF-UE-NGAP-ID AssistanceDataForPaging N ngap.ies id-AssistanceDataForPaging BroadcastCancelledAreaList N ngap.ies id-BroadcastCancelledAreaList BroadcastCompletedAreaList N ngap.ies id-BroadcastCompletedAreaList CancelAllWarningMessages N ngap.ies id-CancelAllWarningMessages Cause N ngap.ies id-Cause CellIDListForRestart N ngap.ies id-CellIDListForRestart ConcurrentWarningMessageInd N ngap.ies id-ConcurrentWarningMessageInd CoreNetworkAssistanceInformationForInactive N ngap.ies id-CoreNetworkAssistanceInformationForInactive CriticalityDiagnostics N ngap.ies id-CriticalityDiagnostics DataCodingScheme N ngap.ies id-DataCodingScheme PagingDRX N ngap.ies id-DefaultPagingDRX DirectForwardingPathAvailability N ngap.ies id-DirectForwardingPathAvailability EmergencyAreaIDListForRestart N ngap.ies id-EmergencyAreaIDListForRestart EmergencyFallbackIndicator N ngap.ies id-EmergencyFallbackIndicator EUTRA-CGI N ngap.ies id-EUTRA-CGI FiveG-S-TMSI N ngap.ies id-FiveG-S-TMSI GlobalRANNodeID N ngap.ies id-GlobalRANNodeID GUAMI N ngap.ies id-GUAMI HandoverType N ngap.ies id-HandoverType IMSVoiceSupportIndicator N ngap.ies id-IMSVoiceSupportIndicator IndexToRFSP N ngap.ies id-IndexToRFSP InfoOnRecommendedCellsAndRANNodesForPaging N ngap.ies id-InfoOnRecommendedCellsAndRANNodesForPaging LocationReportingRequestType N ngap.ies id-LocationReportingRequestType MaskedIMEISV N ngap.ies id-MaskedIMEISV MessageIdentifier N ngap.ies id-MessageIdentifier MobilityRestrictionList N ngap.ies id-MobilityRestrictionList NAS-PDU N ngap.ies id-NASC NAS-PDU N ngap.ies id-NAS-PDU NASSecurityParametersFromNGRAN N ngap.ies id-NASSecurityParametersFromNGRAN AMF-UE-NGAP-ID N ngap.ies id-NewAMF-UE-NGAP-ID NewSecurityContextInd N ngap.ies id-NewSecurityContextInd NGAP-Message N ngap.ies id-NGAP-Message NGRAN-CGI N ngap.ies id-NGRAN-CGI NGRANTraceID N ngap.ies id-NGRANTraceID NR-CGI N ngap.ies id-NR-CGI NRPPa-PDU N ngap.ies id-NRPPa-PDU NumberOfBroadcastsRequested N ngap.ies id-NumberOfBroadcastsRequested AMFName N ngap.ies id-OldAMF OverloadStartNSSAIList N ngap.ies id-OverloadStartNSSAIList PagingDRX N ngap.ies id-PagingDRX PagingOrigin N ngap.ies id-PagingOrigin PagingPriority N ngap.ies id-PagingPriority PDUSessionResourceAdmittedList N ngap.ies id-PDUSessionResourceAdmittedList PDUSessionResourceFailedToModifyListModRes N ngap.ies id-PDUSessionResourceFailedToModifyListModRes PDUSessionResourceFailedToSetupListCxtRes N ngap.ies id-PDUSessionResourceFailedToSetupListCxtRes PDUSessionResourceFailedToSetupListHOAck N ngap.ies id-PDUSessionResourceFailedToSetupListHOAck PDUSessionResourceFailedToSetupListPSReq N ngap.ies id-PDUSessionResourceFailedToSetupListPSReq PDUSessionResourceFailedToSetupListSURes N ngap.ies id-PDUSessionResourceFailedToSetupListSURes PDUSessionResourceHandoverList N ngap.ies id-PDUSessionResourceHandoverList PDUSessionResourceListCxtRelCpl N ngap.ies id-PDUSessionResourceListCxtRelCpl PDUSessionResourceListHORqd N ngap.ies id-PDUSessionResourceListHORqd PDUSessionResourceModifyListModCfm N ngap.ies id-PDUSessionResourceModifyListModCfm PDUSessionResourceModifyListModInd N ngap.ies id-PDUSessionResourceModifyListModInd PDUSessionResourceModifyListModReq N ngap.ies id-PDUSessionResourceModifyListModReq PDUSessionResourceModifyListModRes N ngap.ies id-PDUSessionResourceModifyListModRes PDUSessionResourceNotifyList N ngap.ies id-PDUSessionResourceNotifyList PDUSessionResourceReleasedListNot N ngap.ies id-PDUSessionResourceReleasedListNot PDUSessionResourceReleasedListPSAck N ngap.ies id-PDUSessionResourceReleasedListPSAck PDUSessionResourceReleasedListPSFail N ngap.ies id-PDUSessionResourceReleasedListPSFail PDUSessionResourceReleasedListRelRes N ngap.ies id-PDUSessionResourceReleasedListRelRes PDUSessionResourceSetupListCxtReq N ngap.ies id-PDUSessionResourceSetupListCxtReq PDUSessionResourceSetupListCxtRes N ngap.ies id-PDUSessionResourceSetupListCxtRes PDUSessionResourceSetupListHOReq N ngap.ies id-PDUSessionResourceSetupListHOReq PDUSessionResourceSetupListSUReq N ngap.ies id-PDUSessionResourceSetupListSUReq PDUSessionResourceSetupListSURes N ngap.ies id-PDUSessionResourceSetupListSURes PDUSessionResourceToBeSwitchedDLList N ngap.ies id-PDUSessionResourceToBeSwitchedDLList PDUSessionResourceSwitchedList N ngap.ies id-PDUSessionResourceSwitchedList PDUSessionResourceToReleaseListHOCmd N ngap.ies id-PDUSessionResourceToReleaseListHOCmd PDUSessionResourceToReleaseListRelCmd N ngap.ies id-PDUSessionResourceToReleaseListRelCmd PLMNSupportList N ngap.ies id-PLMNSupportList PWSFailedCellIDList N ngap.ies id-PWSFailedCellIDList RANNodeName N ngap.ies id-RANNodeName RANPagingPriority N ngap.ies id-RANPagingPriority RANStatusTransfer-TransparentContainer N ngap.ies id-RANStatusTransfer-TransparentContainer RAN-UE-NGAP-ID N ngap.ies id-RAN-UE-NGAP-ID RelativeAMFCapacity N ngap.ies id-RelativeAMFCapacity RepetitionPeriod N ngap.ies id-RepetitionPeriod ResetType N ngap.ies id-ResetType RoutingID N ngap.ies id-RoutingID RRCEstablishmentCause N ngap.ies id-RRCEstablishmentCause RRCInactiveTransitionReportRequest N ngap.ies id-RRCInactiveTransitionReportRequest RRCState N ngap.ies id-RRCState SecurityContext N ngap.ies id-SecurityContext SecurityKey N ngap.ies id-SecurityKey SerialNumber N ngap.ies id-SerialNumber ServedGUAMIList N ngap.ies id-ServedGUAMIList SliceSupportList N ngap.ies id-SliceSupportList SONConfigurationTransfer N ngap.ies id-SONConfigurationTransferDL SONConfigurationTransfer N ngap.ies id-SONConfigurationTransferUL AMF-UE-NGAP-ID N ngap.ies id-SourceAMF-UE-NGAP-ID SourceToTarget-TransparentContainer N ngap.ies id-SourceToTarget-TransparentContainer SupportedTAList N ngap.ies id-SupportedTAList TAIListForPaging N ngap.ies id-TAIListForPaging TAIListForRestart N ngap.ies id-TAIListForRestart TargetID N ngap.ies id-TargetID TargetToSource-TransparentContainer N ngap.ies id-TargetToSource-TransparentContainer TimeToWait N ngap.ies id-TimeToWait TraceActivation N ngap.ies id-TraceActivation TransportLayerAddress N ngap.ies id-TraceCollectionEntityIPAddress UEAggregateMaximumBitRate N ngap.ies id-UEAggregateMaximumBitRate UE-associatedLogicalNG-connectionList N ngap.ies id-UE-associatedLogicalNG-connectionList UEContextRequest N ngap.ies id-UEContextRequest UE-NGAP-IDs N ngap.ies id-UE-NGAP-IDs UEPagingIdentity N ngap.ies id-UEPagingIdentity UEPresenceInAreaOfInterestList N ngap.ies id-UEPresenceInAreaOfInterestList UERadioCapability N ngap.ies id-UERadioCapability UERadioCapabilityForPaging N ngap.ies id-UERadioCapabilityForPaging UESecurityCapabilities N ngap.ies id-UESecurityCapabilities UnavailableGUAMIList N ngap.ies id-UnavailableGUAMIList UserLocationInformation N ngap.ies id-UserLocationInformation WarningAreaList N ngap.ies id-WarningAreaList WarningMessageContents N ngap.ies id-WarningMessageContents WarningSecurityInfo N ngap.ies id-WarningSecurityInfo WarningType N ngap.ies id-WarningType UPTransportLayerInformationList N ngap.ies id-AdditionalUL-NGU-UP-TNLInformation DataForwardingNotPossible N ngap.ies id-DataForwardingNotPossible NetworkInstance N ngap.ies id-NetworkInstance PDUSessionAggregateMaximumBitRate N ngap.ies id-PDUSessionAggregateMaximumBitRate PDUSessionResourceFailedToModifyListModCfm N ngap.ies id-PDUSessionResourceFailedToModifyListModCfm PDUSessionResourceFailedToSetupListCxtFail N ngap.ies id-PDUSessionResourceFailedToSetupListCxtFail PDUSessionResourceListCxtRelReq N ngap.ies id-PDUSessionResourceListCxtRelReq PDUSessionType N ngap.ies id-PDUSessionType QosFlowAddOrModifyRequestList N ngap.ies id-QosFlowAddOrModifyRequestList QosFlowSetupRequestList N ngap.ies id-QosFlowSetupRequestList QosFlowListWithCause N ngap.ies id-QosFlowToReleaseList SecurityIndication N ngap.ies id-SecurityIndication UPTransportLayerInformation N ngap.ies id-UL-NGU-UP-TNLInformation UL-NGU-UP-TNLModifyList N ngap.ies id-UL-NGU-UP-TNLModifyList WarningAreaCoordinates N ngap.ies id-WarningAreaCoordinates PDUSessionResourceSecondaryRATUsageList N ngap.ies id-PDUSessionResourceSecondaryRATUsageList HandoverFlag N ngap.ies id-HandoverFlag RedirectionVoiceFallback N ngap.ies id-RedirectionVoiceFallback UERetentionInformation N ngap.ies id-UERetentionInformation NGRAN-CGI N ngap.ies id-PSCellInformation EN-DCSONConfigurationTransfer N ngap.ies id-ENDC-SONConfigurationTransferDL EN-DCSONConfigurationTransfer N ngap.ies id-ENDC-SONConfigurationTransferUL GUAMI N ngap.ies id-NewGUAMI CNAssistedRANTuning N ngap.ies id-CNAssistedRANTuning CommonNetworkInstance N ngap.ies id-CommonNetworkInstance NGRAN-TNLAssociationToRemoveList N ngap.ies id-NGRAN-TNLAssociationToRemoveList EndpointIPAddressAndPort N ngap.ies id-EndpointIPAddressAndPort SourceToTarget-AMFInformationReroute N ngap.ies id-SourceToTarget-AMFInformationReroute RIMInformationTransfer N ngap.ies id-RIMInformationTransfer SRVCCOperationPossible N ngap.ies id-SRVCCOperationPossible TargetRNC-ID N ngap.ies id-TargetRNC-ID UPTransportLayerInformationList N ngap.ies id-AdditionalRedundantUL-NGU-UP-TNLInformation CommonNetworkInstance N ngap.ies id-RedundantCommonNetworkInstance UPTransportLayerInformation N ngap.ies id-RedundantUL-NGU-UP-TNLInformation RedundantPDUSessionInformation N ngap.ies id-RedundantPDUSessionInformation IAB-Authorized N ngap.ies id-IAB-Authorized IAB-Supported N ngap.ies id-IAB-Supported IABNodeIndication N ngap.ies id-IABNodeIndication NB-IoT-PagingDRX N ngap.ies id-NB-IoT-PagingDRX NB-IoT-Paging-eDRXInfo N ngap.ies id-NB-IoT-Paging-eDRXInfo NB-IoT-DefaultPagingDRX N ngap.ies id-NB-IoT-DefaultPagingDRX Enhanced-CoverageRestriction N ngap.ies id-Enhanced-CoverageRestriction Extended-ConnectedTime N ngap.ies id-Extended-ConnectedTime PagingAssisDataforCEcapabUE N ngap.ies id-PagingAssisDataforCEcapabUE WUS-Assistance-Information N ngap.ies id-WUS-Assistance-Information UE-DifferentiationInfo N ngap.ies id-UE-DifferentiationInfo NB-IoT-UEPriority N ngap.ies id-NB-IoT-UEPriority UL-CP-SecurityInformation N ngap.ies id-UL-CP-SecurityInformation DL-CP-SecurityInformation N ngap.ies id-DL-CP-SecurityInformation TAI N ngap.ies id-TAI LTEV2XServicesAuthorized N ngap.ies id-LTEV2XServicesAuthorized NRV2XServicesAuthorized N ngap.ies id-NRV2XServicesAuthorized LTEUESidelinkAggregateMaximumBitrate N ngap.ies id-LTEUESidelinkAggregateMaximumBitrate NRUESidelinkAggregateMaximumBitrate N ngap.ies id-NRUESidelinkAggregateMaximumBitrate PC5QoSParameters N ngap.ies id-PC5QoSParameters CEmodeBrestricted N ngap.ies id-CEmodeBrestricted EUTRA-PagingeDRXInformation N ngap.ies id-EUTRA-PagingeDRXInformation CEmodeBSupport-Indicator N ngap.ies id-CEmodeBSupport-Indicator LTEM-Indication N ngap.ies id-LTEM-Indication EndIndication N ngap.ies id-EndIndication EDT-Session N ngap.ies id-EDT-Session UECapabilityInfoRequest N ngap.ies id-UECapabilityInfoRequest PDUSessionResourceFailedToResumeListRESReq N ngap.ies id-PDUSessionResourceFailedToResumeListRESReq PDUSessionResourceFailedToResumeListRESRes N ngap.ies id-PDUSessionResourceFailedToResumeListRESRes PDUSessionResourceSuspendListSUSReq N ngap.ies id-PDUSessionResourceSuspendListSUSReq PDUSessionResourceResumeListRESReq N ngap.ies id-PDUSessionResourceResumeListRESReq PDUSessionResourceResumeListRESRes N ngap.ies id-PDUSessionResourceResumeListRESRes UE-UP-CIoT-Support N ngap.ies id-UE-UP-CIoT-Support Suspend-Request-Indication N ngap.ies id-Suspend-Request-Indication Suspend-Response-Indication N ngap.ies id-Suspend-Response-Indication RRCEstablishmentCause N ngap.ies id-RRC-Resume-Cause RGLevelWirelineAccessCharacteristics N ngap.ies id-RGLevelWirelineAccessCharacteristics W-AGFIdentityInformation N ngap.ies id-W-AGFIdentityInformation GlobalTNGF-ID N ngap.ies id-GlobalTNGF-ID GlobalTWIF-ID N ngap.ies id-GlobalTWIF-ID GlobalW-AGF-ID N ngap.ies id-GlobalW-AGF-ID UserLocationInformationW-AGF N ngap.ies id-UserLocationInformationW-AGF UserLocationInformationTNGF N ngap.ies id-UserLocationInformationTNGF AuthenticatedIndication N ngap.ies id-AuthenticatedIndication TNGFIdentityInformation N ngap.ies id-TNGFIdentityInformation TWIFIdentityInformation N ngap.ies id-TWIFIdentityInformation UserLocationInformationTWIF N ngap.ies id-UserLocationInformationTWIF PLMNIdentity N ngap.ies id-SelectedPLMNIdentity IntersystemSONConfigurationTransfer N ngap.ies id-IntersystemSONConfigurationTransferDL IntersystemSONConfigurationTransfer N ngap.ies id-IntersystemSONConfigurationTransferUL SONInformationReport N ngap.ies id-SONInformationReport MDTPLMNList N ngap.ies id-ManagementBasedMDTPLMNList PrivacyIndicator N ngap.ies id-PrivacyIndicator URI-address N ngap.ies id-TraceCollectionEntityURI NPN-AccessInformation N ngap.ies id-NPN-AccessInformation TargettoSource-Failure-TransparentContainer N ngap.ies id-TargettoSource-Failure-TransparentContainer UERadioCapabilityID N ngap.ies id-UERadioCapabilityID UERadioCapability N ngap.ies id-UERadioCapability-EUTRA-Format EarlyStatusTransfer-TransparentContainer N ngap.ies id-EarlyStatusTransfer-TransparentContainer NotifySourceNGRANNode N ngap.ies id-NotifySourceNGRANNode Extended-RANNodeName N ngap.ies id-Extended-RANNodeName Extended-AMFName N ngap.ies id-Extended-AMFName GlobalCable-ID N ngap.ies id-GlobalCable-ID IntersystemSONInformationRequest N ngap.ies id-IntersystemSONInformationRequest IntersystemSONInformationReply N ngap.ies id-IntersystemSONInformationReply IntersystemCellStateIndication N ngap.ies id-EnergySavingIndication IntersystemResourceStatusReport N ngap.ies id-IntersystemResourceStatusUpdate SuccessfulHandoverReportList N ngap.ies id-SuccessfulHandoverReportList MBS-AreaSessionID N ngap.ies id-MBS-AreaSessionID MBS-QoSFlowsToBeSetupList N ngap.ies id-MBS-QoSFlowsToBeSetupModList MBS-ServiceArea N ngap.ies id-MBS-ServiceArea MBS-SessionID N ngap.ies id-MBS-SessionID MBS-DistributionReleaseRequestTransfer-OCTET-STRING N ngap.ies id-MBS-DistributionReleaseRequestTransfer MBS-DistributionSetupRequestTransfer-OCTET-STRING N ngap.ies id-MBS-DistributionSetupRequestTransfer MBS-DistributionSetupResponseTransfer-OCTET-STRING N ngap.ies id-MBS-DistributionSetupResponseTransfer MBS-DistributionSetupUnsuccessfulTransfer-OCTET-STRING N ngap.ies id-MBS-DistributionSetupUnsuccessfulTransfer MulticastSessionActivationRequestTransfer-OCTET-STRING N ngap.ies id-MulticastSessionActivationRequestTransfer MulticastSessionDeactivationRequestTransfer-OCTET-STRING N ngap.ies id-MulticastSessionDeactivationRequestTransfer MulticastSessionUpdateRequestTransfer-OCTET-STRING N ngap.ies id-MulticastSessionUpdateRequestTransfer MulticastGroupPagingAreaList N ngap.ies id-MulticastGroupPagingAreaList MBSSessionSetupOrModFailureTransfer-OCTET-STRING N ngap.ies id-MBSSessionSetupFailureTransfer MBSSessionSetupOrModRequestTransfer-OCTET-STRING N ngap.ies id-MBSSessionSetupRequestTransfer MBSSessionSetupOrModResponseTransfer-OCTET-STRING N ngap.ies id-MBSSessionSetupResponseTransfer MBSSessionToReleaseList N ngap.ies id-MBSSessionToReleaseList MBSSessionSetupRequestList N ngap.ies id-MBSSessionSetupRequestList MBSSessionSetuporModifyRequestList N ngap.ies id-MBSSessionSetuporModifyRequestList TimeSyncAssistanceInfo N ngap.ies id-TimeSyncAssistanceInfo QMCConfigInfo N ngap.ies id-QMCConfigInfo QMCDeactivation N ngap.ies id-QMCDeactivation NR-PagingeDRXInformation N ngap.ies id-NR-PagingeDRXInformation RedCapIndication N ngap.ies id-RedCapIndication TargetNSSAIInformation N ngap.ies id-TargetNSSAIInformation UESliceMaximumBitRateList N ngap.ies id-UESliceMaximumBitRateList PagingCause N ngap.ies id-PagingCause PEIPSassistanceInformation N ngap.ies id-PEIPSassistanceInformation FiveG-ProSeAuthorized N ngap.ies id-FiveG-ProSeAuthorized NRUESidelinkAggregateMaximumBitrate N ngap.ies id-FiveG-ProSeUEPC5AggregateMaximumBitRate FiveG-ProSePC5QoSParameters N ngap.ies id-FiveG-ProSePC5QoSParameters MBSSessionSetupOrModFailureTransfer-OCTET-STRING N ngap.ies id-MBSSessionModificationFailureTransfer MBSSessionSetupOrModRequestTransfer-OCTET-STRING N ngap.ies id-MBSSessionModificationRequestTransfer MBSSessionSetupOrModResponseTransfer-OCTET-STRING N ngap.ies id-MBSSessionModificationResponseTransfer QosFlowListWithCause N ngap.ies id-MBS-QoSFlowToReleaseList MBS-SessionTNLInfo5GC N ngap.ies id-MBS-SessionTNLInfo5GC MBS-SessionFSAIDList N ngap.ies id-MBS-SessionFSAIDList MBSSessionReleaseResponseTransfer-OCTET-STRING N ngap.ies id-MBSSessionReleaseResponseTransfer MDTPLMNModificationList N ngap.ies id-ManagementBasedMDTPLMNModificationList HFCNode-ID-new N ngap.ies id-HFCNode-ID-new GlobalCable-ID-new N ngap.ies id-GlobalCable-ID-new TargetHomeENB-ID N ngap.ies id-TargetHomeENB-ID #NGAP-PROTOCOL-EXTENSION SecondaryRATUsageInformation N ngap.extension id-SecondaryRATUsageInformation PDUSessionResourceReleaseResponseTransfer-OCTET-STRING N ngap.extension id-PDUSessionResourceReleaseResponseTransfer S-NSSAI N ngap.extension id-S-NSSAI PLMNIdentity N ngap.extension id-LastEUTRAN-PLMNIdentity MaximumIntegrityProtectedDataRate N ngap.extension id-MaximumIntegrityProtectedDataRate-DL QosFlowPerTNLInformationList N ngap.extension id-AdditionalDLForwardingUPTNLInformation AdditionalDLUPTNLInformationForHOList N ngap.extension id-AdditionalDLUPTNLInformationForHOList UPTransportLayerInformationPairList N ngap.extension id-AdditionalNGU-UP-TNLInformation QosFlowPerTNLInformationList N ngap.extension id-AdditionalDLQosFlowPerTNLInformation SecurityResult N ngap.extension id-SecurityResult AssociatedQosFlowList N ngap.extension id-OldAssociatedQosFlowList-ULendmarkerexpected CNTypeRestrictionsForEquivalent N ngap.extension id-CNTypeRestrictionsForEquivalent CNTypeRestrictionsForServing N ngap.extension id-CNTypeRestrictionsForServing ULForwarding N ngap.extension id-ULForwarding UPTransportLayerInformation N ngap.extension id-ULForwardingUP-TNLInformation CPTransportLayerInformation N ngap.extension id-TNLAssociationTransportLayerAddressNGRAN LocationReportingAdditionalInfo N ngap.extension id-LocationReportingAdditionalInfo UPTransportLayerInformationList N ngap.extension id-AdditionalULForwardingUPTNLInformation SCTP-TLAs N ngap.extension id-SCTP-TLAs DataForwardingResponseERABList N ngap.extension id-DataForwardingResponseERABList GUAMIType N ngap.extension id-GUAMIType RAT-Information N ngap.extension id-RAT-Information ExtendedRATRestrictionInformation N ngap.extension id-ExtendedRATRestrictionInformation QosMonitoringRequest N ngap.extension id-QosMonitoringRequest SgNB-UE-X2AP-ID N ngap.extension id-SgNB-UE-X2AP-ID UPTransportLayerInformation N ngap.extension id-AdditionalRedundantDL-NGU-UP-TNLInformation QosFlowPerTNLInformationList N ngap.extension id-AdditionalRedundantDLQosFlowPerTNLInformation UPTransportLayerInformationPairList N ngap.extension id-AdditionalRedundantNGU-UP-TNLInformation ExtendedPacketDelayBudget N ngap.extension id-CNPacketDelayBudgetDL ExtendedPacketDelayBudget N ngap.extension id-CNPacketDelayBudgetUL ExtendedPacketDelayBudget N ngap.extension id-ExtendedPacketDelayBudget DL-NGU-TNLInformationReused N ngap.extension id-RedundantDL-NGU-TNLInformationReused UPTransportLayerInformation N ngap.extension id-RedundantDL-NGU-UP-TNLInformation QosFlowPerTNLInformation N ngap.extension id-RedundantDLQosFlowPerTNLInformation RedundantQosFlowIndicator N ngap.extension id-RedundantQosFlowIndicator UPTransportLayerInformation N ngap.extension id-RedundantUL-NGU-UP-TNLInformation TSCTrafficCharacteristics N ngap.extension id-TSCTrafficCharacteristics RedundantPDUSessionInformation N ngap.extension id-UsedRSNInformation PagingAssisDataforCEcapabUE N ngap.extension id-PagingAssisDataforCEcapabUE UERadioCapabilityForPagingOfNB-IoT N ngap.extension id-UERadioCapabilityForPagingOfNB-IoT AlternativeQoSParaSetList N ngap.extension id-AlternativeQoSParaSetList AlternativeQoSParaSetIndex N ngap.extension id-CurrentQoSParaSetIndex EUTRA-PagingeDRXInformation N ngap.extension id-EUTRA-PagingeDRXInformation UEHistoryInformationFromTheUE N ngap.extension id-UEHistoryInformationFromTheUE MDT-Configuration N ngap.extension id-MDTConfiguration URI-address N ngap.extension id-TraceCollectionEntityURI NPN-Support N ngap.extension id-NPN-Support NPN-PagingAssistanceInformation N ngap.extension id-NPN-PagingAssistanceInformation NPN-MobilityInformation N ngap.extension id-NPN-MobilityInformation NID N ngap.extension id-NID DAPSRequestInfo N ngap.extension id-DAPSRequestInfo DAPSResponseInfoList N ngap.extension id-DAPSResponseInfoList ExtendedSliceSupportList N ngap.extension id-ExtendedSliceSupportList ExtendedSliceSupportList N ngap.extension id-ExtendedTAISliceSupportList ConfiguredTACIndication N ngap.extension id-ConfiguredTACIndication QosMonitoringReportingFrequency N ngap.extension id-QosMonitoringReportingFrequency QosFlowParametersList N ngap.extension id-QosFlowParametersList QosFlowFeedbackList N ngap.extension id-QosFlowFeedbackList BurstArrivalTime N ngap.extension id-BurstArrivalTimeDownlink ExtendedUEIdentityIndexValue N ngap.extension id-ExtendedUEIdentityIndexValue UERadioCapabilityForPaging N ngap.extension id-UERadioCapabilityForPaging ExpectedUEActivityBehaviour N ngap.extension id-PduSessionExpectedUEActivityBehaviour MicoAllPLMN N ngap.extension id-MicoAllPLMN QosFlowListWithCause N ngap.extension id-QosFlowFailedToSetupList TransportLayerAddress N ngap.extension id-SourceTNLAddrInfo ExtendedReportIntervalMDT N ngap.extension id-ExtendedReportIntervalMDT SourceNodeID N ngap.extension id-SourceNodeID NRNTNTAIInformation N ngap.extension id-NRNTNTAIInformation RAN-UE-NGAP-ID N ngap.extension id-UEContextReferenceAtSource LastVisitedPSCellList N ngap.extension id-LastVisitedPSCellList MBS-SupportIndicator N ngap.extension id-MBS-SupportIndicator MBSSessionFailedtoSetupList N ngap.extension id-MBSSessionFailedtoSetupList MBSSessionFailedtoSetupList N ngap.extension id-MBSSessionFailedtoSetuporModifyList MBSSessionSetupResponseList N ngap.extension id-MBSSessionSetupResponseList MBSSessionSetupResponseList N ngap.extension id-MBSSessionSetuporModifyResponseList MBS-ActiveSessionInformation-SourcetoTargetList N ngap.extension id-MBS-ActiveSessionInformation-SourcetoTargetList MBS-ActiveSessionInformation-TargettoSourceList N ngap.extension id-MBS-ActiveSessionInformation-TargettoSourceList OnboardingSupport N ngap.extension id-OnboardingSupport SurvivalTime N ngap.extension id-SurvivalTime QMCConfigInfo N ngap.extension id-QMCConfigInfo PDUSessionPairID N ngap.extension id-PDUSessionPairID NR-PagingeDRXInformation N ngap.extension id-NR-PagingeDRXInformation M4ReportAmountMDT N ngap.extension id-M4ReportAmount M5ReportAmountMDT N ngap.extension id-M5ReportAmount M6ReportAmountMDT N ngap.extension id-M6ReportAmount M7ReportAmountMDT N ngap.extension id-M7ReportAmount IncludeBeamMeasurementsIndication N ngap.extension id-IncludeBeamMeasurementsIndication ExcessPacketDelayThresholdConfiguration N ngap.extension id-ExcessPacketDelayThresholdConfiguration PagingCauseIndicationForVoiceService N ngap.extension id-PagingCauseIndicationForVoiceService PEIPSassistanceInformation N ngap.extension id-PEIPSassistanceInformation TAINSAGSupportList N ngap.extension id-TAINSAGSupportList TransportLayerAddress N ngap.extension id-SourceNodeTNLAddrInfo NGAPIESupportInformationRequestList N ngap.extension id-NGAPIESupportInformationRequestList NGAPIESupportInformationResponseList N ngap.extension id-NGAPIESupportInformationResponseList EarlyMeasurement N ngap.extension id-EarlyMeasurement BeamMeasurementsReportConfiguration N ngap.extension id-BeamMeasurementsReportConfiguration TAI N ngap.extension id-TAI NR-CGI N ngap.extension id-NR-CGI HashedUEIdentityIndexValue N ngap.extension id-HashedUEIdentityIndexValue #NGAP-ELEMENTARY-PROCEDURE AMFConfigurationUpdate N ngap.proc.imsg id-AMFConfigurationUpdate AMFConfigurationUpdateAcknowledge N ngap.proc.sout id-AMFConfigurationUpdate AMFConfigurationUpdateFailure N ngap.proc.uout id-AMFConfigurationUpdate AMFCPRelocationIndication N ngap.proc.imsg id-AMFCPRelocationIndication AMFStatusIndication N ngap.proc.imsg id-AMFStatusIndication BroadcastSessionModificationRequest N ngap.proc.imsg id-BroadcastSessionModification BroadcastSessionModificationResponse N ngap.proc.sout id-BroadcastSessionModification BroadcastSessionModificationFailure N ngap.proc.uout id-BroadcastSessionModification BroadcastSessionReleaseRequest N ngap.proc.imsg id-BroadcastSessionRelease BroadcastSessionReleaseResponse N ngap.proc.sout id-BroadcastSessionRelease BroadcastSessionReleaseRequired N ngap.proc.imsg id-BroadcastSessionReleaseRequired BroadcastSessionSetupRequest N ngap.proc.imsg id-BroadcastSessionSetup BroadcastSessionSetupResponse N ngap.proc.sout id-BroadcastSessionSetup BroadcastSessionSetupFailure N ngap.proc.uout id-BroadcastSessionSetup CellTrafficTrace N ngap.proc.imsg id-CellTrafficTrace ConnectionEstablishmentIndication N ngap.proc.imsg id-ConnectionEstablishmentIndication DeactivateTrace N ngap.proc.imsg id-DeactivateTrace DistributionSetupRequest N ngap.proc.imsg id-DistributionSetup DistributionSetupResponse N ngap.proc.sout id-DistributionSetup DistributionSetupFailure N ngap.proc.uout id-DistributionSetup DistributionReleaseRequest N ngap.proc.imsg id-DistributionRelease DistributionReleaseResponse N ngap.proc.sout id-DistributionRelease DownlinkNASTransport N ngap.proc.imsg id-DownlinkNASTransport DownlinkNonUEAssociatedNRPPaTransport N ngap.proc.imsg id-DownlinkNonUEAssociatedNRPPaTransport DownlinkRANConfigurationTransfer N ngap.proc.imsg id-DownlinkRANConfigurationTransfer DownlinkRANEarlyStatusTransfer N ngap.proc.imsg id-DownlinkRANEarlyStatusTransfer DownlinkRANStatusTransfer N ngap.proc.imsg id-DownlinkRANStatusTransfer DownlinkUEAssociatedNRPPaTransport N ngap.proc.imsg id-DownlinkUEAssociatedNRPPaTransport ErrorIndication N ngap.proc.imsg id-ErrorIndication HandoverCancel N ngap.proc.imsg id-HandoverCancel HandoverCancelAcknowledge N ngap.proc.sout id-HandoverCancel HandoverNotify N ngap.proc.imsg id-HandoverNotification HandoverRequired N ngap.proc.imsg id-HandoverPreparation HandoverCommand N ngap.proc.sout id-HandoverPreparation HandoverPreparationFailure N ngap.proc.uout id-HandoverPreparation HandoverRequest N ngap.proc.imsg id-HandoverResourceAllocation HandoverRequestAcknowledge N ngap.proc.sout id-HandoverResourceAllocation HandoverFailure N ngap.proc.uout id-HandoverResourceAllocation HandoverSuccess N ngap.proc.imsg id-HandoverSuccess InitialContextSetupRequest N ngap.proc.imsg id-InitialContextSetup InitialContextSetupResponse N ngap.proc.sout id-InitialContextSetup InitialContextSetupFailure N ngap.proc.uout id-InitialContextSetup InitialUEMessage N ngap.proc.imsg id-InitialUEMessage LocationReport N ngap.proc.imsg id-LocationReport LocationReportingControl N ngap.proc.imsg id-LocationReportingControl LocationReportingFailureIndication N ngap.proc.imsg id-LocationReportingFailureIndication MulticastSessionActivationRequest N ngap.proc.imsg id-MulticastSessionActivation MulticastSessionActivationResponse N ngap.proc.sout id-MulticastSessionActivation MulticastSessionActivationFailure N ngap.proc.uout id-MulticastSessionActivation MulticastSessionDeactivationRequest N ngap.proc.imsg id-MulticastSessionDeactivation MulticastSessionDeactivationResponse N ngap.proc.sout id-MulticastSessionDeactivation MulticastSessionUpdateRequest N ngap.proc.imsg id-MulticastSessionUpdate MulticastSessionUpdateResponse N ngap.proc.sout id-MulticastSessionUpdate MulticastSessionUpdateFailure N ngap.proc.uout id-MulticastSessionUpdate MulticastGroupPaging N ngap.proc.imsg id-MulticastGroupPaging NASNonDeliveryIndication N ngap.proc.imsg id-NASNonDeliveryIndication NGReset N ngap.proc.imsg id-NGReset NGResetAcknowledge N ngap.proc.sout id-NGReset NGSetupRequest N ngap.proc.imsg id-NGSetup NGSetupResponse N ngap.proc.sout id-NGSetup NGSetupFailure N ngap.proc.uout id-NGSetup OverloadStart N ngap.proc.imsg id-OverloadStart OverloadStop N ngap.proc.imsg id-OverloadStop Paging N ngap.proc.imsg id-Paging PathSwitchRequest N ngap.proc.imsg id-PathSwitchRequest PathSwitchRequestAcknowledge N ngap.proc.sout id-PathSwitchRequest PathSwitchRequestFailure N ngap.proc.uout id-PathSwitchRequest PDUSessionResourceModifyRequest N ngap.proc.imsg id-PDUSessionResourceModify PDUSessionResourceModifyResponse N ngap.proc.sout id-PDUSessionResourceModify PDUSessionResourceModifyIndication N ngap.proc.imsg id-PDUSessionResourceModifyIndication PDUSessionResourceModifyConfirm N ngap.proc.sout id-PDUSessionResourceModifyIndication PDUSessionResourceNotify N ngap.proc.imsg id-PDUSessionResourceNotify PDUSessionResourceReleaseCommand N ngap.proc.imsg id-PDUSessionResourceRelease PDUSessionResourceReleaseResponse N ngap.proc.sout id-PDUSessionResourceRelease PDUSessionResourceSetupRequest N ngap.proc.imsg id-PDUSessionResourceSetup PDUSessionResourceSetupResponse N ngap.proc.sout id-PDUSessionResourceSetup PrivateMessage N ngap.proc.imsg id-PrivateMessage PWSCancelRequest N ngap.proc.imsg id-PWSCancel PWSCancelResponse N ngap.proc.sout id-PWSCancel PWSFailureIndication N ngap.proc.imsg id-PWSFailureIndication PWSRestartIndication N ngap.proc.imsg id-PWSRestartIndication RANConfigurationUpdate N ngap.proc.imsg id-RANConfigurationUpdate RANConfigurationUpdateAcknowledge N ngap.proc.sout id-RANConfigurationUpdate RANConfigurationUpdateFailure N ngap.proc.uout id-RANConfigurationUpdate RANCPRelocationIndication N ngap.proc.imsg id-RANCPRelocationIndication RerouteNASRequest N ngap.proc.imsg id-RerouteNASRequest RetrieveUEInformation N ngap.proc.imsg id-RetrieveUEInformation RRCInactiveTransitionReport N ngap.proc.imsg id-RRCInactiveTransitionReport SecondaryRATDataUsageReport N ngap.proc.imsg id-SecondaryRATDataUsageReport TraceFailureIndication N ngap.proc.imsg id-TraceFailureIndication TraceStart N ngap.proc.imsg id-TraceStart UEContextModificationRequest N ngap.proc.imsg id-UEContextModification UEContextModificationResponse N ngap.proc.sout id-UEContextModification UEContextModificationFailure N ngap.proc.uout id-UEContextModification UEContextReleaseCommand N ngap.proc.imsg id-UEContextRelease UEContextReleaseComplete N ngap.proc.sout id-UEContextRelease UEContextReleaseRequest N ngap.proc.imsg id-UEContextReleaseRequest UEContextResumeRequest N ngap.proc.imsg id-UEContextResume UEContextResumeResponse N ngap.proc.sout id-UEContextResume UEContextResumeFailure N ngap.proc.uout id-UEContextResume UEContextSuspendRequest N ngap.proc.imsg id-UEContextSuspend UEContextSuspendResponse N ngap.proc.sout id-UEContextSuspend UEContextSuspendFailure N ngap.proc.uout id-UEContextSuspend UEInformationTransfer N ngap.proc.imsg id-UEInformationTransfer UERadioCapabilityCheckRequest N ngap.proc.imsg id-UERadioCapabilityCheck UERadioCapabilityCheckResponse N ngap.proc.sout id-UERadioCapabilityCheck UERadioCapabilityIDMappingRequest N ngap.proc.imsg id-UERadioCapabilityIDMapping UERadioCapabilityIDMappingResponse N ngap.proc.sout id-UERadioCapabilityIDMapping UERadioCapabilityInfoIndication N ngap.proc.imsg id-UERadioCapabilityInfoIndication UETNLABindingReleaseRequest N ngap.proc.imsg id-UETNLABindingRelease UplinkNASTransport N ngap.proc.imsg id-UplinkNASTransport UplinkNonUEAssociatedNRPPaTransport N ngap.proc.imsg id-UplinkNonUEAssociatedNRPPaTransport UplinkRANConfigurationTransfer N ngap.proc.imsg id-UplinkRANConfigurationTransfer UplinkRANEarlyStatusTransfer N ngap.proc.imsg id-UplinkRANEarlyStatusTransfer UplinkRANStatusTransfer N ngap.proc.imsg id-UplinkRANStatusTransfer UplinkUEAssociatedNRPPaTransport N ngap.proc.imsg id-UplinkUEAssociatedNRPPaTransport WriteReplaceWarningRequest N ngap.proc.imsg id-WriteReplaceWarning WriteReplaceWarningResponse N ngap.proc.sout id-WriteReplaceWarning UplinkRIMInformationTransfer N ngap.proc.imsg id-UplinkRIMInformationTransfer DownlinkRIMInformationTransfer N ngap.proc.imsg id-DownlinkRIMInformationTransfer PDUSessionResourceSetupRequestTransfer S ngap.n2_ie_type "PDU_RES_SETUP_REQ" PDUSessionResourceSetupResponseTransfer S ngap.n2_ie_type "PDU_RES_SETUP_RSP" PDUSessionResourceSetupUnsuccessfulTransfer S ngap.n2_ie_type "PDU_RES_SETUP_FAIL" PDUSessionResourceReleaseCommandTransfer S ngap.n2_ie_type "PDU_RES_REL_CMD" PDUSessionResourceReleaseResponseTransfer S ngap.n2_ie_type "PDU_RES_REL_RSP" PDUSessionResourceModifyRequestTransfer S ngap.n2_ie_type "PDU_RES_MOD_REQ" PDUSessionResourceModifyResponseTransfer S ngap.n2_ie_type "PDU_RES_MOD_RSP" PDUSessionResourceModifyUnsuccessfulTransfer S ngap.n2_ie_type "PDU_RES_MOD_FAIL" PDUSessionResourceNotifyTransfer S ngap.n2_ie_type "PDU_RES_NTY" PDUSessionResourceNotifyReleasedTransfer S ngap.n2_ie_type "PDU_RES_NTY_REL" PDUSessionResourceModifyIndicationTransfer S ngap.n2_ie_type "PDU_RES_MOD_IND" PDUSessionResourceModifyConfirmTransfer S ngap.n2_ie_type "PDU_RES_MOD_CFM" PathSwitchRequestTransfer S ngap.n2_ie_type "PATH_SWITCH_REQ" PathSwitchRequestSetupFailedTransfer S ngap.n2_ie_type "PATH_SWITCH_SETUP_FAIL" PathSwitchRequestAcknowledgeTransfer S ngap.n2_ie_type "PATH_SWITCH_REQ_ACK" PathSwitchRequestUnsuccessfulTransfer S ngap.n2_ie_type "PATH_SWITCH_REQ_FAIL" HandoverRequiredTransfer S ngap.n2_ie_type "HANDOVER_REQUIRED" HandoverCommandTransfer S ngap.n2_ie_type "HANDOVER_CMD" HandoverPreparationUnsuccessfulTransfer S ngap.n2_ie_type "HANDOVER_PREP_FAIL" HandoverRequestAcknowledgeTransfer S ngap.n2_ie_type "HANDOVER_REQ_ACK" HandoverResourceAllocationUnsuccessfulTransfer S ngap.n2_ie_type "HANDOVER_RES_ALLOC_FAIL" SecondaryRATDataUsageReportTransfer S ngap.n2_ie_type "SECONDARY_RAT_USAGE" PDUSessionResourceModifyIndicationUnsuccessfulTransfer S ngap.n2_ie_type "PDU_RES_MOD_IND_FAIL" SourceToTarget-TransparentContainer S ngap.n2_ie_type "SRC_TO_TAR_CONTAINER" TargetToSource-TransparentContainer S ngap.n2_ie_type "TAR_TO_SRC_CONTAINER" RANStatusTransfer-TransparentContainer S ngap.n2_ie_type "RAN_STATUS_TRANS_CONTAINER" SONConfigurationTransfer S ngap.n2_ie_type "SON_CONFIG_TRANSFER" NRPPa-PDU S ngap.n2_ie_type "NRPPA_PDU" UERadioCapability S ngap.n2_ie_type "UE_RADIO_CAPABILITY" #.FN_HDR AMFConfigurationUpdate set_message_label(actx, MTYPE_AMF_CONFIGURATION_UPDATE); set_stats_message_type(actx->pinfo, MTYPE_AMF_CONFIGURATION_UPDATE); #.FN_HDR AMFConfigurationUpdateAcknowledge set_message_label(actx, MTYPE_AMF_CONFIGURATION_UPDATE_ACK); set_stats_message_type(actx->pinfo, MTYPE_AMF_CONFIGURATION_UPDATE_ACK); #.FN_HDR AMFConfigurationUpdateFailure set_message_label(actx, MTYPE_AMF_CONFIGURATION_UPDATE_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_AMF_CONFIGURATION_UPDATE_FAILURE); #.FN_HDR AMFCPRelocationIndication set_message_label(actx, MTYPE_AMF_CP_RELOCATION_IND); set_stats_message_type(actx->pinfo, MTYPE_AMF_CP_RELOCATION_IND); #.FN_HDR AMFStatusIndication set_message_label(actx, MTYPE_AMF_STATUS_IND); set_stats_message_type(actx->pinfo, MTYPE_AMF_STATUS_IND); #.FN_HDR BroadcastSessionModificationRequest set_message_label(actx, MTYPE_BROADCAST_SESSION_MODIFICATION_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_BROADCAST_SESSION_MODIFICATION_REQUEST); #.FN_HDR BroadcastSessionModificationResponse set_message_label(actx, MTYPE_BROADCAST_SESSION_MODIFICATION_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_BROADCAST_SESSION_MODIFICATION_RESPONSE); #.FN_HDR BroadcastSessionModificationFailure set_message_label(actx, MTYPE_BROADCAST_SESSION_MODIFICATION_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_BROADCAST_SESSION_MODIFICATION_FAILURE); #.FN_HDR BroadcastSessionReleaseRequest set_message_label(actx, MTYPE_BROADCAST_SESSION_RELEASE_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_BROADCAST_SESSION_RELEASE_REQUEST); #.FN_HDR BroadcastSessionReleaseResponse set_message_label(actx, MTYPE_BROADCAST_SESSION_RELEASE_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_BROADCAST_SESSION_RELEASE_RESPONSE); #.FN_HDR BroadcastSessionReleaseRequired set_message_label(actx, MTYPE_BROADCAST_SESSION_RELEASE_REQUIRED); set_stats_message_type(actx->pinfo, MTYPE_BROADCAST_SESSION_RELEASE_REQUIRED); #.FN_HDR BroadcastSessionSetupRequest set_message_label(actx, MTYPE_BROADCAST_SESSION_SETUP_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_BROADCAST_SESSION_SETUP_REQUEST); #.FN_HDR BroadcastSessionSetupResponse set_message_label(actx, MTYPE_BROADCAST_SESSION_SETUP_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_BROADCAST_SESSION_SETUP_RESPONSE); #.FN_HDR BroadcastSessionSetupFailure set_message_label(actx, MTYPE_BROADCAST_SESSION_SETUP_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_BROADCAST_SESSION_SETUP_FAILURE); #.FN_HDR CellTrafficTrace set_message_label(actx, MTYPE_CELL_TRAFFIC_TRACE); set_stats_message_type(actx->pinfo, MTYPE_CELL_TRAFFIC_TRACE); #.FN_HDR ConnectionEstablishmentIndication set_message_label(actx, MTYPE_CONNECTION_ESTAB_IND); set_stats_message_type(actx->pinfo, MTYPE_CONNECTION_ESTAB_IND); #.FN_HDR DeactivateTrace set_message_label(actx, MTYPE_DEACTIVATE_TRACE); set_stats_message_type(actx->pinfo, MTYPE_DEACTIVATE_TRACE); #.FN_HDR DistributionSetupRequest set_message_label(actx, MTYPE_DISTRIBUTION_SETUP_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_DISTRIBUTION_SETUP_REQUEST); #.FN_HDR DistributionSetupResponse set_message_label(actx, MTYPE_DISTRIBUTION_SETUP_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_DISTRIBUTION_SETUP_RESPONSE); #.FN_HDR DistributionSetupFailure set_message_label(actx, MTYPE_DISTRIBUTION_SETUP_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_DISTRIBUTION_SETUP_FAILURE); #.FN_HDR DistributionReleaseRequest set_message_label(actx, MTYPE_DISTRIBUTION_RELEASE_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_DISTRIBUTION_RELEASE_REQUEST); #.FN_HDR DistributionReleaseResponse set_message_label(actx, MTYPE_DISTRIBUTION_RELEASE_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_DISTRIBUTION_RELEASE_RESPONSE); #.FN_HDR DownlinkNASTransport set_message_label(actx, MTYPE_DOWNLINK_NAS_TRANSPORT); set_stats_message_type(actx->pinfo, MTYPE_DOWNLINK_NAS_TRANSPORT); #.FN_HDR DownlinkNonUEAssociatedNRPPaTransport set_message_label(actx, MTYPE_DOWNLINK_NON_UE_ASSOCIATED_NR_PPA_TRANSPORT); set_stats_message_type(actx->pinfo, MTYPE_DOWNLINK_NON_UE_ASSOCIATED_NR_PPA_TRANSPORT); #.FN_HDR DownlinkRANConfigurationTransfer set_message_label(actx, MTYPE_DOWNLINK_RAN_CONFIGURATION_TRANSFER); set_stats_message_type(actx->pinfo, MTYPE_DOWNLINK_RAN_CONFIGURATION_TRANSFER); #.FN_HDR DownlinkRANEarlyStatusTransfer set_message_label(actx, MTYPE_DOWNLINK_RAN_EARLY_STATUS_TRANSFER); set_stats_message_type(actx->pinfo, MTYPE_DOWNLINK_RAN_EARLY_STATUS_TRANSFER); #.FN_HDR DownlinkRANStatusTransfer set_message_label(actx, MTYPE_DOWNLINK_RAN_STATUS_TRANSFER); set_stats_message_type(actx->pinfo, MTYPE_DOWNLINK_RAN_STATUS_TRANSFER); #.FN_HDR DownlinkUEAssociatedNRPPaTransport set_message_label(actx, MTYPE_DOWNLINK_UE_ASSOCIATED_NR_PPA_TRANSPORT); set_stats_message_type(actx->pinfo, MTYPE_DOWNLINK_UE_ASSOCIATED_NR_PPA_TRANSPORT); #.FN_HDR ErrorIndication set_message_label(actx, MTYPE_ERROR_INDICATION); set_stats_message_type(actx->pinfo, MTYPE_ERROR_INDICATION); #.FN_HDR HandoverCancel set_message_label(actx, MTYPE_HANDOVER_CANCEL); set_stats_message_type(actx->pinfo, MTYPE_HANDOVER_CANCEL); #.FN_HDR HandoverCancelAcknowledge set_message_label(actx, MTYPE_HANDOVER_CANCEL_ACK); set_stats_message_type(actx->pinfo, MTYPE_HANDOVER_CANCEL_ACK); #.FN_HDR HandoverNotify set_message_label(actx, MTYPE_HANDOVER_NOTIFY); set_stats_message_type(actx->pinfo, MTYPE_HANDOVER_NOTIFY); #.FN_HDR HandoverRequired set_message_label(actx, MTYPE_HANDOVER_REQUIRED); set_stats_message_type(actx->pinfo, MTYPE_HANDOVER_REQUIRED); #.FN_HDR HandoverCommand set_message_label(actx, MTYPE_HANDOVER_COMMAND); set_stats_message_type(actx->pinfo, MTYPE_HANDOVER_COMMAND); #.FN_HDR HandoverPreparationFailure set_message_label(actx, MTYPE_HANDOVER_PREPARATION_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_HANDOVER_PREPARATION_FAILURE); #.FN_HDR HandoverRequest set_message_label(actx, MTYPE_HANDOVER_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_HANDOVER_REQUEST); #.FN_HDR HandoverRequestAcknowledge set_message_label(actx, MTYPE_HANDOVER_REQUEST_ACK); set_stats_message_type(actx->pinfo, MTYPE_HANDOVER_REQUEST_ACK); #.FN_HDR HandoverFailure set_message_label(actx, MTYPE_HANDOVER_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_HANDOVER_FAILURE); #.FN_HDR HandoverSuccess set_message_label(actx, MTYPE_HANDOVER_SUCCESS); set_stats_message_type(actx->pinfo, MTYPE_HANDOVER_SUCCESS); #.FN_HDR InitialContextSetupRequest set_message_label(actx, MTYPE_INITIAL_CONTEXT_SETUP_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_INITIAL_CONTEXT_SETUP_REQUEST); #.FN_HDR InitialContextSetupResponse set_message_label(actx, MTYPE_INITIAL_CONTEXT_SETUP_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_INITIAL_CONTEXT_SETUP_RESPONSE); #.FN_HDR InitialContextSetupFailure set_message_label(actx, MTYPE_INITIAL_CONTEXT_SETUP_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_INITIAL_CONTEXT_SETUP_FAILURE); #.FN_HDR InitialUEMessage set_message_label(actx, MTYPE_INITIAL_UE_MESSAGE); set_stats_message_type(actx->pinfo, MTYPE_INITIAL_UE_MESSAGE); #.FN_HDR LocationReport set_message_label(actx, MTYPE_LOCATION_REPORT); set_stats_message_type(actx->pinfo, MTYPE_LOCATION_REPORT); #.FN_HDR LocationReportingControl set_message_label(actx, MTYPE_LOCATION_REPORTING_CONTROL); set_stats_message_type(actx->pinfo, MTYPE_LOCATION_REPORTING_CONTROL); #.FN_HDR LocationReportingFailureIndication set_message_label(actx, MTYPE_LOCATION_REPORTING_FAILURE_IND); set_stats_message_type(actx->pinfo, MTYPE_LOCATION_REPORTING_FAILURE_IND); #.FN_HDR MulticastSessionActivationRequest set_message_label(actx, MTYPE_MULTICAST_SESSION_ACTIVATION_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_MULTICAST_SESSION_ACTIVATION_REQUEST); #.FN_HDR MulticastSessionActivationResponse set_message_label(actx, MTYPE_MULTICAST_SESSION_ACTIVATION_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_MULTICAST_SESSION_ACTIVATION_RESPONSE); #.FN_HDR MulticastSessionActivationFailure set_message_label(actx, MTYPE_MULTICAST_SESSION_ACTIVATION_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_MULTICAST_SESSION_ACTIVATION_FAILURE); #.FN_HDR MulticastSessionDeactivationRequest set_message_label(actx, MTYPE_MULTICAST_SESSION_DEACTIVATION_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_MULTICAST_SESSION_DEACTIVATION_REQUEST); #.FN_HDR MulticastSessionDeactivationResponse set_message_label(actx, MTYPE_MULTICAST_SESSION_DEACTIVATION_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_MULTICAST_SESSION_DEACTIVATION_RESPONSE); #.FN_HDR MulticastSessionUpdateRequest set_message_label(actx, MTYPE_MULTICAST_SESSION_UPDATE_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_MULTICAST_SESSION_UPDATE_REQUEST); #.FN_HDR MulticastSessionUpdateResponse set_message_label(actx, MTYPE_MULTICAST_SESSION_UPDATE_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_MULTICAST_SESSION_UPDATE_RESPONSE); #.FN_HDR MulticastSessionUpdateFailure set_message_label(actx, MTYPE_MULTICAST_SESSION_UPDATE_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_MULTICAST_SESSION_UPDATE_FAILURE); #.FN_HDR MulticastGroupPaging set_message_label(actx, MTYPE_MULTICAST_GROUP_PAGING); set_stats_message_type(actx->pinfo, MTYPE_MULTICAST_GROUP_PAGING); #.FN_HDR NASNonDeliveryIndication set_message_label(actx, MTYPE_NAS_NON_DELIVERY_IND); set_stats_message_type(actx->pinfo, MTYPE_NAS_NON_DELIVERY_IND); #.FN_HDR NGReset set_message_label(actx, MTYPE_NG_RESET); set_stats_message_type(actx->pinfo, MTYPE_NG_RESET); #.FN_HDR NGResetAcknowledge set_message_label(actx, MTYPE_NG_RESET_ACK); set_stats_message_type(actx->pinfo, MTYPE_NG_RESET_ACK); #.FN_HDR NGSetupRequest set_message_label(actx, MTYPE_NG_SETUP_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_NG_SETUP_REQUEST); #.FN_HDR NGSetupResponse set_message_label(actx, MTYPE_NG_SETUP_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_NG_SETUP_RESPONSE); #.FN_HDR NGSetupFailure set_message_label(actx, MTYPE_NG_SETUP_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_NG_SETUP_FAILURE); #.FN_HDR OverloadStart set_message_label(actx, MTYPE_OVERLOAD_START); set_stats_message_type(actx->pinfo, MTYPE_OVERLOAD_START); #.FN_HDR OverloadStop set_message_label(actx, MTYPE_OVERLOAD_STOP); set_stats_message_type(actx->pinfo, MTYPE_OVERLOAD_STOP); #.FN_HDR Paging set_message_label(actx, MTYPE_PAGING); set_stats_message_type(actx->pinfo, MTYPE_PAGING); #.FN_HDR PathSwitchRequest set_message_label(actx, MTYPE_PATH_SWITCH_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_PATH_SWITCH_REQUEST); #.FN_HDR PathSwitchRequestAcknowledge set_message_label(actx, MTYPE_PATH_SWITCH_REQUEST_ACK); set_stats_message_type(actx->pinfo, MTYPE_PATH_SWITCH_REQUEST_ACK); #.FN_HDR PathSwitchRequestFailure set_message_label(actx, MTYPE_PATH_SWITCH_REQUEST_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_PATH_SWITCH_REQUEST_FAILURE); #.FN_HDR PDUSessionResourceModifyRequest set_message_label(actx, MTYPE_PDU_SESSION_RESOURCE_MODIFY_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_PDU_SESSION_RESOURCE_MODIFY_REQUEST); #.FN_HDR PDUSessionResourceModifyResponse set_message_label(actx, MTYPE_PDU_SESSION_RESOURCE_MODIFY_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_PDU_SESSION_RESOURCE_MODIFY_RESPONSE); #.FN_HDR PDUSessionResourceModifyIndication set_message_label(actx, MTYPE_PDU_SESSION_RESOURCE_MODIFY_IND); set_stats_message_type(actx->pinfo, MTYPE_PDU_SESSION_RESOURCE_MODIFY_IND); #.FN_HDR PDUSessionResourceModifyConfirm set_message_label(actx, MTYPE_PDU_SESSION_RESOURCE_MODIFY_CONFIRM); set_stats_message_type(actx->pinfo, MTYPE_PDU_SESSION_RESOURCE_MODIFY_CONFIRM); #.FN_HDR PDUSessionResourceNotify set_message_label(actx, MTYPE_PDU_SESSION_RESOURCE_NOTIFY); set_stats_message_type(actx->pinfo, MTYPE_PDU_SESSION_RESOURCE_NOTIFY); #.FN_HDR PDUSessionResourceReleaseCommand set_message_label(actx, MTYPE_PDU_SESSION_RESOURCE_RELEASE_COMMAND); set_stats_message_type(actx->pinfo, MTYPE_PDU_SESSION_RESOURCE_RELEASE_COMMAND); #.FN_HDR PDUSessionResourceReleaseResponse set_message_label(actx, MTYPE_PDU_SESSION_RESOURCE_RELEASE_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_PDU_SESSION_RESOURCE_RELEASE_RESPONSE); #.FN_HDR PDUSessionResourceSetupRequest set_message_label(actx, MTYPE_PDU_SESSION_RESOURCE_SETUP_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_PDU_SESSION_RESOURCE_SETUP_REQUEST); #.FN_HDR PDUSessionResourceSetupResponse set_message_label(actx, MTYPE_PDU_SESSION_RESOURCE_SETUP_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_PDU_SESSION_RESOURCE_SETUP_RESPONSE); #.FN_HDR PrivateMessage set_message_label(actx, MTYPE_PRIVATE_MESSAGE); set_stats_message_type(actx->pinfo, MTYPE_PRIVATE_MESSAGE); #.FN_HDR PWSCancelRequest set_message_label(actx, MTYPE_PWS_CANCEL_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_PWS_CANCEL_REQUEST); #.FN_HDR PWSCancelResponse set_message_label(actx, MTYPE_PWS_CANCEL_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_PWS_CANCEL_RESPONSE); #.FN_HDR PWSFailureIndication set_message_label(actx, MTYPE_PWS_FAILURE_INDICATION); set_stats_message_type(actx->pinfo, MTYPE_PWS_FAILURE_INDICATION); #.FN_HDR PWSRestartIndication set_message_label(actx, MTYPE_PWS_RESTART_INDICATION); set_stats_message_type(actx->pinfo, MTYPE_PWS_RESTART_INDICATION); #.FN_HDR RANConfigurationUpdate set_message_label(actx, MTYPE_RAN_CONFIGURATION_UPDATE); set_stats_message_type(actx->pinfo, MTYPE_RAN_CONFIGURATION_UPDATE); #.FN_HDR RANConfigurationUpdateAcknowledge set_message_label(actx, MTYPE_RAN_CONFIGURATION_UPDATE_ACK); set_stats_message_type(actx->pinfo, MTYPE_RAN_CONFIGURATION_UPDATE_ACK); #.FN_HDR RANConfigurationUpdateFailure set_message_label(actx, MTYPE_RAN_CONFIGURATION_UPDATE_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_RAN_CONFIGURATION_UPDATE_FAILURE); #.FN_HDR RANCPRelocationIndication set_message_label(actx, MTYPE_RAN_CP_RELOCATION_IND); set_stats_message_type(actx->pinfo, MTYPE_RAN_CP_RELOCATION_IND); #.FN_HDR RerouteNASRequest set_message_label(actx, MTYPE_REROUTE_NAS_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_REROUTE_NAS_REQUEST); #.FN_HDR RetrieveUEInformation set_message_label(actx, MTYPE_RETRIEVE_UE_INFORMATION); set_stats_message_type(actx->pinfo, MTYPE_RETRIEVE_UE_INFORMATION); #.FN_HDR RRCInactiveTransitionReport set_message_label(actx, MTYPE_RRC_INACTIVE_TRANSITION_REPORT); set_stats_message_type(actx->pinfo, MTYPE_RRC_INACTIVE_TRANSITION_REPORT); #.FN_HDR SecondaryRATDataUsageReport set_message_label(actx, MTYPE_SECONDARY_RAT_DATA_USAGE_REPORT); set_stats_message_type(actx->pinfo, MTYPE_SECONDARY_RAT_DATA_USAGE_REPORT); #.FN_HDR TraceFailureIndication set_message_label(actx, MTYPE_TRACE_FAILURE_IND); set_stats_message_type(actx->pinfo, MTYPE_TRACE_FAILURE_IND); #.FN_HDR TraceStart set_message_label(actx, MTYPE_TRACE_START); set_stats_message_type(actx->pinfo, MTYPE_TRACE_START); #.FN_HDR UEContextModificationRequest set_message_label(actx, MTYPE_UE_CONTEXT_MODIFICATION_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_MODIFICATION_REQUEST); #.FN_HDR UEContextModificationResponse set_message_label(actx, MTYPE_UE_CONTEXT_MODIFICATION_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_MODIFICATION_RESPONSE); #.FN_HDR UEContextModificationFailure set_message_label(actx, MTYPE_UE_CONTEXT_MODIFICATION_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_MODIFICATION_FAILURE); #.FN_HDR UEContextReleaseCommand set_message_label(actx, MTYPE_UE_CONTEXT_RELEASE_COMMAND); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_RELEASE_COMMAND); #.FN_HDR UEContextReleaseComplete set_message_label(actx, MTYPE_UE_CONTEXT_RELEASE_COMPLETE); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_RELEASE_COMPLETE); #.FN_HDR UEContextReleaseRequest set_message_label(actx, MTYPE_UE_CONTEXT_RELEASE_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_RELEASE_REQUEST); #.FN_HDR UEContextResumeRequest set_message_label(actx, MTYPE_UE_CONTEXT_RESUME_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_RESUME_REQUEST); #.FN_HDR UEContextResumeResponse set_message_label(actx, MTYPE_UE_CONTEXT_RESUME_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_RESUME_RESPONSE); #.FN_HDR UEContextResumeFailure set_message_label(actx, MTYPE_UE_CONTEXT_RESUME_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_RESUME_FAILURE); #.FN_HDR UEContextSuspendRequest set_message_label(actx, MTYPE_UE_CONTEXT_SUSPEND_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_SUSPEND_REQUEST); #.FN_HDR UEContextSuspendResponse set_message_label(actx, MTYPE_UE_CONTEXT_SUSPEND_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_SUSPEND_RESPONSE); #.FN_HDR UEContextSuspendFailure set_message_label(actx, MTYPE_UE_CONTEXT_SUSPEND_FAILURE); set_stats_message_type(actx->pinfo, MTYPE_UE_CONTEXT_SUSPEND_FAILURE); #.FN_HDR UEInformationTransfer set_message_label(actx, MTYPE_UE_INFORMATION_TRANSFER); set_stats_message_type(actx->pinfo, MTYPE_UE_INFORMATION_TRANSFER); #.FN_HDR UERadioCapabilityCheckRequest set_message_label(actx, MTYPE_UE_RADIO_CAPABILITY_CHECK_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_UE_RADIO_CAPABILITY_CHECK_REQUEST); #.FN_HDR UERadioCapabilityCheckResponse set_message_label(actx, MTYPE_UE_RADIO_CAPABILITY_CHECK_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_UE_RADIO_CAPABILITY_CHECK_RESPONSE); #.FN_HDR UERadioCapabilityIDMappingRequest set_message_label(actx, MTYPE_UE_RADIO_CAPABILITY_ID_MAPPING_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_UE_RADIO_CAPABILITY_ID_MAPPING_REQUEST); #.FN_HDR UERadioCapabilityIDMappingResponse set_message_label(actx, MTYPE_UE_RADIO_CAPABILITY_ID_MAPPING_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_UE_RADIO_CAPABILITY_ID_MAPPING_RESPONSE); #.FN_HDR UERadioCapabilityInfoIndication set_message_label(actx, MTYPE_UE_RADIO_CAPABILITY_INFO_IND); set_stats_message_type(actx->pinfo, MTYPE_UE_RADIO_CAPABILITY_INFO_IND); #.FN_HDR UETNLABindingReleaseRequest set_message_label(actx, MTYPE_UE_TN_LAB_BINDING_RELEASE_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_UE_TN_LAB_BINDING_RELEASE_REQUEST); #.FN_HDR UplinkNASTransport set_message_label(actx, MTYPE_UPLINK_NAS_TRANSPORT); set_stats_message_type(actx->pinfo, MTYPE_UPLINK_NAS_TRANSPORT); #.FN_HDR UplinkNonUEAssociatedNRPPaTransport set_message_label(actx, MTYPE_UPLINK_NON_UE_ASSOCIATED_NR_PPA_TRANSPORT); set_stats_message_type(actx->pinfo, MTYPE_UPLINK_NON_UE_ASSOCIATED_NR_PPA_TRANSPORT); #.FN_HDR UplinkRANConfigurationTransfer set_message_label(actx, MTYPE_UPLINK_RAN_CONFIGURATION_TRANSFER); set_stats_message_type(actx->pinfo, MTYPE_UPLINK_RAN_CONFIGURATION_TRANSFER); #.FN_HDR UplinkRANEarlyStatusTransfer set_message_label(actx, MTYPE_UPLINK_RAN_EARLY_STATUS_TRANSFER); set_stats_message_type(actx->pinfo, MTYPE_UPLINK_RAN_EARLY_STATUS_TRANSFER); #.FN_HDR UplinkRANStatusTransfer set_message_label(actx, MTYPE_UPLINK_RAN_STATUS_TRANSFER); set_stats_message_type(actx->pinfo, MTYPE_UPLINK_RAN_STATUS_TRANSFER); #.FN_HDR UplinkUEAssociatedNRPPaTransport set_message_label(actx, MTYPE_UPLINK_UE_ASSOCIATED_NR_PPA_TRANSPORT); set_stats_message_type(actx->pinfo, MTYPE_UPLINK_UE_ASSOCIATED_NR_PPA_TRANSPORT); #.FN_HDR WriteReplaceWarningRequest set_message_label(actx, MTYPE_WRITE_REPLACE_WARNING_REQUEST); set_stats_message_type(actx->pinfo, MTYPE_WRITE_REPLACE_WARNING_REQUEST); #.FN_HDR WriteReplaceWarningResponse set_message_label(actx, MTYPE_WRITE_REPLACE_WARNING_RESPONSE); set_stats_message_type(actx->pinfo, MTYPE_WRITE_REPLACE_WARNING_RESPONSE); #.FN_HDR UplinkRIMInformationTransfer set_message_label(actx, MTYPE_UPLINK_RIM_INFORMATION_TRANSFER); set_stats_message_type(actx->pinfo, MTYPE_UPLINK_RIM_INFORMATION_TRANSFER); #.FN_HDR DownlinkRIMInformationTransfer set_message_label(actx, MTYPE_DOWNLINK_RIM_INFORMATION_TRANSFER); set_stats_message_type(actx->pinfo, MTYPE_DOWNLINK_RIM_INFORMATION_TRANSFER); # # Editor modelines - https://www.wireshark.org/tools/modelines.html # # Local variables: # c-basic-offset: 2 # tab-width: 8 # indent-tabs-mode: nil # End: # # vi: set shiftwidth=2 tabstop=8 expandtab: # :indentSize=2:tabSize=8:noTabs=true: #
C
wireshark/epan/dissectors/asn1/ngap/packet-ngap-template.c
/* packet-ngap.c * Routines for NG-RAN NG Application Protocol (NGAP) packet dissection * Copyright 2018, Anders Broman <[email protected]> * Copyright 2018-2023, Pascal Quantin <[email protected]> * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later * * References: 3GPP TS 38.413 v17.5.0 (2023-06) */ #include "config.h" #include <stdio.h> #include <epan/packet.h> #include <epan/strutil.h> #include <epan/asn1.h> #include <epan/prefs.h> #include <epan/sctpppids.h> #include <epan/expert.h> #include <epan/proto_data.h> #include <epan/conversation.h> #include <epan/exceptions.h> #include <epan/show_exception.h> #include <epan/tap.h> #include <epan/stats_tree.h> #include <wsutil/wsjson.h> #include "packet-ngap.h" #include "packet-per.h" #include "packet-e212.h" #include "packet-s1ap.h" #include "packet-ranap.h" #include "packet-rrc.h" #include "packet-lte-rrc.h" #include "packet-nr-rrc.h" #include "packet-gsm_map.h" #include "packet-cell_broadcast.h" #include "packet-ntp.h" #include "packet-gsm_a_common.h" #include "packet-media-type.h" #define PNAME "NG Application Protocol" #define PSNAME "NGAP" #define PFNAME "ngap" /* Dissector will use SCTP PPID 18 or SCTP port. IANA assigned port = 36412 */ #define SCTP_PORT_NGAP 38412 void proto_register_ngap(void); void proto_reg_handoff_ngap(void); static dissector_handle_t ngap_handle; static dissector_handle_t ngap_media_type_handle; static dissector_handle_t nas_5gs_handle; static dissector_handle_t nr_rrc_ue_radio_paging_info_handle; static dissector_handle_t nr_rrc_ue_radio_access_cap_info_handle; static dissector_handle_t lte_rrc_ue_radio_paging_info_handle; static dissector_handle_t lte_rrc_ue_radio_access_cap_info_handle; static dissector_handle_t lte_rrc_ue_radio_paging_info_nb_handle; static dissector_handle_t lte_rrc_ue_radio_access_cap_info_nb_handle; static dissector_handle_t nrppa_handle; static int proto_json = -1; #include "packet-ngap-val.h" /* Initialize the protocol and registered fields */ static int proto_ngap = -1; static int hf_ngap_transportLayerAddressIPv4 = -1; static int hf_ngap_transportLayerAddressIPv6 = -1; static int hf_ngap_SerialNumber_gs = -1; static int hf_ngap_SerialNumber_msg_code = -1; static int hf_ngap_SerialNumber_upd_nb = -1; static int hf_ngap_WarningType_value = -1; static int hf_ngap_WarningType_emergency_user_alert = -1; static int hf_ngap_WarningType_popup = -1; static int hf_ngap_WarningMessageContents_nb_pages = -1; static int hf_ngap_WarningMessageContents_decoded_page = -1; static int hf_ngap_NGRANTraceID_TraceID = -1; static int hf_ngap_NGRANTraceID_TraceRecordingSessionReference = -1; static int hf_ngap_InterfacesToTrace_NG_C = -1; static int hf_ngap_InterfacesToTrace_Xn_C = -1; static int hf_ngap_InterfacesToTrace_Uu = -1; static int hf_ngap_InterfacesToTrace_F1_C = -1; static int hf_ngap_InterfacesToTrace_E1 = -1; static int hf_ngap_InterfacesToTrace_reserved = -1; static int hf_ngap_RATRestrictionInformation_e_UTRA = -1; static int hf_ngap_RATRestrictionInformation_nR = -1; static int hf_ngap_RATRestrictionInformation_nR_unlicensed = -1; static int hf_ngap_RATRestrictionInformation_reserved = -1; static int hf_ngap_primaryRATRestriction_e_UTRA = -1; static int hf_ngap_primaryRATRestriction_nR = -1; static int hf_ngap_primaryRATRestriction_nR_unlicensed = -1; static int hf_ngap_primaryRATRestriction_nR_LEO = -1; static int hf_ngap_primaryRATRestriction_nR_MEO = -1; static int hf_ngap_primaryRATRestriction_nR_GEO = -1; static int hf_ngap_primaryRATRestriction_nR_OTHERSAT = -1; static int hf_ngap_primaryRATRestriction_reserved = -1; static int hf_ngap_secondaryRATRestriction_e_UTRA = -1; static int hf_ngap_secondaryRATRestriction_nR = -1; static int hf_ngap_secondaryRATRestriction_e_UTRA_unlicensed = -1; static int hf_ngap_secondaryRATRestriction_nR_unlicensed = -1; static int hf_ngap_secondaryRATRestriction_reserved = -1; static int hf_ngap_NrencryptionAlgorithms_nea1 = -1; static int hf_ngap_NrencryptionAlgorithms_nea2 = -1; static int hf_ngap_NrencryptionAlgorithms_nea3 = -1; static int hf_ngap_NrencryptionAlgorithms_reserved = -1; static int hf_ngap_NrintegrityProtectionAlgorithms_nia1 = -1; static int hf_ngap_NrintegrityProtectionAlgorithms_nia2 = -1; static int hf_ngap_NrintegrityProtectionAlgorithms_nia3 = -1; static int hf_ngap_NrintegrityProtectionAlgorithms_reserved = -1; static int hf_ngap_EUTRAencryptionAlgorithms_eea1 = -1; static int hf_ngap_EUTRAencryptionAlgorithms_eea2 = -1; static int hf_ngap_EUTRAencryptionAlgorithms_eea3 = -1; static int hf_ngap_EUTRAencryptionAlgorithms_reserved = -1; static int hf_ngap_EUTRAintegrityProtectionAlgorithms_eia1 = -1; static int hf_ngap_EUTRAintegrityProtectionAlgorithms_eia2 = -1; static int hf_ngap_EUTRAintegrityProtectionAlgorithms_eia3 = -1; static int hf_ngap_EUTRAintegrityProtectionAlgorithms_reserved = -1; static int hf_ngap_MeasurementsToActivate_M1 = -1; static int hf_ngap_MeasurementsToActivate_M2 = -1; static int hf_ngap_MeasurementsToActivate_M4 = -1; static int hf_ngap_MeasurementsToActivate_M5 = -1; static int hf_ngap_MeasurementsToActivate_M6 = -1; static int hf_ngap_MeasurementsToActivate_M7 = -1; static int hf_ngap_MeasurementsToActivate_M1_from_event = -1; static int hf_ngap_MeasurementsToActivate_reserved = -1; static int hf_ngap_MDT_Location_Information_GNSS = -1; static int hf_ngap_MDT_Location_Information_reserved = -1; static int hf_ngap_GlobalCable_ID_str = -1; static int hf_ngap_UpdateFeedback_CN_PDB_DL = -1; static int hf_ngap_UpdateFeedback_CN_PDB_UL = -1; static int hf_ngap_UpdateFeedback_reserved = -1; #include "packet-ngap-hf.c" /* Initialize the subtree pointers */ static gint ett_ngap = -1; static gint ett_ngap_TransportLayerAddress = -1; static gint ett_ngap_DataCodingScheme = -1; static gint ett_ngap_SerialNumber = -1; static gint ett_ngap_WarningType = -1; static gint ett_ngap_WarningMessageContents = -1; static gint ett_ngap_PLMNIdentity = -1; static gint ett_ngap_NGAP_Message = -1; static gint ett_ngap_NGRANTraceID = -1; static gint ett_ngap_InterfacesToTrace = -1; static gint ett_ngap_SourceToTarget_TransparentContainer = -1; static gint ett_ngap_TargetToSource_TransparentContainer = -1; static gint ett_ngap_RRCContainer = -1; static gint ett_ngap_RATRestrictionInformation = -1; static gint ett_ngap_primaryRATRestriction = -1; static gint ett_ngap_secondaryRATRestriction = -1; static gint ett_ngap_NrencryptionAlgorithms = -1; static gint ett_ngap_NrintegrityProtectionAlgorithms = -1; static gint ett_ngap_EUTRAencryptionAlgorithms = -1; static gint ett_ngap_EUTRAintegrityProtectionAlgorithms = -1; static gint ett_ngap_UERadioCapabilityForPagingOfNR = -1; static gint ett_ngap_UERadioCapabilityForPagingOfEUTRA = -1; static gint ett_ngap_UERadioCapability = -1; static gint ett_ngap_LastVisitedEUTRANCellInformation = -1; static gint ett_ngap_LastVisitedUTRANCellInformation = -1; static gint ett_ngap_LastVisitedGERANCellInformation = -1; static gint ett_ngap_NASSecurityParametersFromNGRAN = -1; static gint ett_ngap_NASC = -1; static gint ett_ngap_NAS_PDU = -1; static gint ett_ngap_EN_DCSONConfigurationTransfer = -1; static gint ett_ngap_BurstArrivalTime = -1; static gint ett_ngap_CoverageEnhancementLevel = -1; static gint ett_ngap_MDTModeEutra = -1; static gint ett_ngap_MeasurementsToActivate = -1; static gint ett_ngap_MDT_Location_Information = -1; static gint ett_ngap_NRMobilityHistoryReport = -1; static gint ett_ngap_LTEUERLFReportContainer = -1; static gint ett_ngap_NRUERLFReportContainer = -1; static gint ett_ngap_TargettoSource_Failure_TransparentContainer = -1; static gint ett_ngap_UERadioCapabilityForPagingOfNB_IoT = -1; static gint ett_ngap_GlobalCable_ID = -1; static gint ett_ngap_UpdateFeedback = -1; static gint ett_ngap_successfulHOReportContainer = -1; #include "packet-ngap-ett.c" static expert_field ei_ngap_number_pages_le15 = EI_INIT; enum{ INITIATING_MESSAGE, SUCCESSFUL_OUTCOME, UNSUCCESSFUL_OUTCOME }; /* NGAP stats - Tap interface */ static void set_stats_message_type(packet_info *pinfo, int type); static const guint8 *st_str_packets = "Total Packets"; static const guint8 *st_str_packet_types = "NGAP Packet Types"; static int st_node_packets = -1; static int st_node_packet_types = -1; static int ngap_tap = -1; struct ngap_tap_t { gint ngap_mtype; }; #define MTYPE_AMF_CONFIGURATION_UPDATE 1 #define MTYPE_AMF_CONFIGURATION_UPDATE_ACK 2 #define MTYPE_AMF_CONFIGURATION_UPDATE_FAILURE 3 #define MTYPE_AMF_CP_RELOCATION_IND 4 #define MTYPE_AMF_STATUS_IND 5 #define MTYPE_BROADCAST_SESSION_MODIFICATION_REQUEST 6 #define MTYPE_BROADCAST_SESSION_MODIFICATION_RESPONSE 7 #define MTYPE_BROADCAST_SESSION_MODIFICATION_FAILURE 8 #define MTYPE_BROADCAST_SESSION_RELEASE_REQUEST 9 #define MTYPE_BROADCAST_SESSION_RELEASE_RESPONSE 10 #define MTYPE_BROADCAST_SESSION_RELEASE_REQUIRED 11 #define MTYPE_BROADCAST_SESSION_SETUP_REQUEST 12 #define MTYPE_BROADCAST_SESSION_SETUP_RESPONSE 13 #define MTYPE_BROADCAST_SESSION_SETUP_FAILURE 14 #define MTYPE_CELL_TRAFFIC_TRACE 15 #define MTYPE_CONNECTION_ESTAB_IND 16 #define MTYPE_DEACTIVATE_TRACE 17 #define MTYPE_DISTRIBUTION_SETUP_REQUEST 18 #define MTYPE_DISTRIBUTION_SETUP_RESPONSE 19 #define MTYPE_DISTRIBUTION_SETUP_FAILURE 20 #define MTYPE_DISTRIBUTION_RELEASE_REQUEST 21 #define MTYPE_DISTRIBUTION_RELEASE_RESPONSE 22 #define MTYPE_DOWNLINK_NAS_TRANSPORT 23 #define MTYPE_DOWNLINK_NON_UE_ASSOCIATED_NR_PPA_TRANSPORT 24 #define MTYPE_DOWNLINK_RAN_CONFIGURATION_TRANSFER 25 #define MTYPE_DOWNLINK_RAN_EARLY_STATUS_TRANSFER 26 #define MTYPE_DOWNLINK_RAN_STATUS_TRANSFER 27 #define MTYPE_DOWNLINK_UE_ASSOCIATED_NR_PPA_TRANSPORT 28 #define MTYPE_ERROR_INDICATION 29 #define MTYPE_HANDOVER_CANCEL 30 #define MTYPE_HANDOVER_CANCEL_ACK 31 #define MTYPE_HANDOVER_NOTIFY 32 #define MTYPE_HANDOVER_REQUIRED 33 #define MTYPE_HANDOVER_COMMAND 34 #define MTYPE_HANDOVER_PREPARATION_FAILURE 35 #define MTYPE_HANDOVER_REQUEST 36 #define MTYPE_HANDOVER_REQUEST_ACK 37 #define MTYPE_HANDOVER_FAILURE 38 #define MTYPE_HANDOVER_SUCCESS 39 #define MTYPE_INITIAL_CONTEXT_SETUP_REQUEST 40 #define MTYPE_INITIAL_CONTEXT_SETUP_RESPONSE 41 #define MTYPE_INITIAL_CONTEXT_SETUP_FAILURE 42 #define MTYPE_INITIAL_UE_MESSAGE 43 #define MTYPE_LOCATION_REPORT 44 #define MTYPE_LOCATION_REPORTING_CONTROL 45 #define MTYPE_LOCATION_REPORTING_FAILURE_IND 46 #define MTYPE_MULTICAST_SESSION_ACTIVATION_REQUEST 47 #define MTYPE_MULTICAST_SESSION_ACTIVATION_RESPONSE 48 #define MTYPE_MULTICAST_SESSION_ACTIVATION_FAILURE 49 #define MTYPE_MULTICAST_SESSION_DEACTIVATION_REQUEST 50 #define MTYPE_MULTICAST_SESSION_DEACTIVATION_RESPONSE 51 #define MTYPE_MULTICAST_SESSION_UPDATE_REQUEST 52 #define MTYPE_MULTICAST_SESSION_UPDATE_RESPONSE 53 #define MTYPE_MULTICAST_SESSION_UPDATE_FAILURE 54 #define MTYPE_MULTICAST_GROUP_PAGING 55 #define MTYPE_NAS_NON_DELIVERY_IND 56 #define MTYPE_NG_RESET 57 #define MTYPE_NG_RESET_ACK 58 #define MTYPE_NG_SETUP_REQUEST 59 #define MTYPE_NG_SETUP_RESPONSE 60 #define MTYPE_NG_SETUP_FAILURE 61 #define MTYPE_OVERLOAD_START 62 #define MTYPE_OVERLOAD_STOP 63 #define MTYPE_PAGING 64 #define MTYPE_PATH_SWITCH_REQUEST 65 #define MTYPE_PATH_SWITCH_REQUEST_ACK 66 #define MTYPE_PATH_SWITCH_REQUEST_FAILURE 67 #define MTYPE_PDU_SESSION_RESOURCE_MODIFY_REQUEST 68 #define MTYPE_PDU_SESSION_RESOURCE_MODIFY_RESPONSE 69 #define MTYPE_PDU_SESSION_RESOURCE_MODIFY_IND 70 #define MTYPE_PDU_SESSION_RESOURCE_MODIFY_CONFIRM 71 #define MTYPE_PDU_SESSION_RESOURCE_NOTIFY 72 #define MTYPE_PDU_SESSION_RESOURCE_RELEASE_COMMAND 73 #define MTYPE_PDU_SESSION_RESOURCE_RELEASE_RESPONSE 74 #define MTYPE_PDU_SESSION_RESOURCE_SETUP_REQUEST 75 #define MTYPE_PDU_SESSION_RESOURCE_SETUP_RESPONSE 76 #define MTYPE_PRIVATE_MESSAGE 77 #define MTYPE_PWS_CANCEL_REQUEST 78 #define MTYPE_PWS_CANCEL_RESPONSE 79 #define MTYPE_PWS_FAILURE_INDICATION 80 #define MTYPE_PWS_RESTART_INDICATION 81 #define MTYPE_RAN_CONFIGURATION_UPDATE 82 #define MTYPE_RAN_CONFIGURATION_UPDATE_ACK 83 #define MTYPE_RAN_CONFIGURATION_UPDATE_FAILURE 84 #define MTYPE_RAN_CP_RELOCATION_IND 85 #define MTYPE_REROUTE_NAS_REQUEST 86 #define MTYPE_RETRIEVE_UE_INFORMATION 87 #define MTYPE_RRC_INACTIVE_TRANSITION_REPORT 88 #define MTYPE_SECONDARY_RAT_DATA_USAGE_REPORT 89 #define MTYPE_TRACE_FAILURE_IND 90 #define MTYPE_TRACE_START 91 #define MTYPE_UE_CONTEXT_MODIFICATION_REQUEST 92 #define MTYPE_UE_CONTEXT_MODIFICATION_RESPONSE 93 #define MTYPE_UE_CONTEXT_MODIFICATION_FAILURE 94 #define MTYPE_UE_CONTEXT_RELEASE_COMMAND 95 #define MTYPE_UE_CONTEXT_RELEASE_COMPLETE 96 #define MTYPE_UE_CONTEXT_RELEASE_REQUEST 97 #define MTYPE_UE_CONTEXT_RESUME_REQUEST 98 #define MTYPE_UE_CONTEXT_RESUME_RESPONSE 99 #define MTYPE_UE_CONTEXT_RESUME_FAILURE 100 #define MTYPE_UE_CONTEXT_SUSPEND_REQUEST 101 #define MTYPE_UE_CONTEXT_SUSPEND_RESPONSE 102 #define MTYPE_UE_CONTEXT_SUSPEND_FAILURE 103 #define MTYPE_UE_INFORMATION_TRANSFER 104 #define MTYPE_UE_RADIO_CAPABILITY_CHECK_REQUEST 105 #define MTYPE_UE_RADIO_CAPABILITY_CHECK_RESPONSE 106 #define MTYPE_UE_RADIO_CAPABILITY_ID_MAPPING_REQUEST 107 #define MTYPE_UE_RADIO_CAPABILITY_ID_MAPPING_RESPONSE 108 #define MTYPE_UE_RADIO_CAPABILITY_INFO_IND 109 #define MTYPE_UE_TN_LAB_BINDING_RELEASE_REQUEST 110 #define MTYPE_UPLINK_NAS_TRANSPORT 111 #define MTYPE_UPLINK_NON_UE_ASSOCIATED_NR_PPA_TRANSPORT 112 #define MTYPE_UPLINK_RAN_CONFIGURATION_TRANSFER 113 #define MTYPE_UPLINK_RAN_EARLY_STATUS_TRANSFER 114 #define MTYPE_UPLINK_RAN_STATUS_TRANSFER 115 #define MTYPE_UPLINK_UE_ASSOCIATED_NR_PPA_TRANSPORT 116 #define MTYPE_WRITE_REPLACE_WARNING_REQUEST 117 #define MTYPE_WRITE_REPLACE_WARNING_RESPONSE 118 #define MTYPE_UPLINK_RIM_INFORMATION_TRANSFER 119 #define MTYPE_DOWNLINK_RIM_INFORMATION_TRANSFER 120 /* Value Strings. TODO: ext? */ static const value_string mtype_names[] = { { MTYPE_AMF_CONFIGURATION_UPDATE, "AMFConfigurationUpdate" }, { MTYPE_AMF_CONFIGURATION_UPDATE_ACK, "AMFConfigurationUpdateAcknowledge" }, { MTYPE_AMF_CONFIGURATION_UPDATE_FAILURE, "AMFConfigurationUpdateFailure" }, { MTYPE_AMF_CP_RELOCATION_IND, "AMFCPRelocationIndication" }, { MTYPE_AMF_STATUS_IND, "AMFStatusIndication" }, { MTYPE_BROADCAST_SESSION_MODIFICATION_REQUEST, "BroadcastSessionModificationRequest" }, { MTYPE_BROADCAST_SESSION_MODIFICATION_RESPONSE, "BroadcastSessionModificationResponse" }, { MTYPE_BROADCAST_SESSION_MODIFICATION_FAILURE, "BroadcastSessionModificationFailure" }, { MTYPE_BROADCAST_SESSION_RELEASE_REQUEST, "BroadcastSessionReleaseRequest" }, { MTYPE_BROADCAST_SESSION_RELEASE_RESPONSE, "BroadcastSessionReleaseResponse" }, { MTYPE_BROADCAST_SESSION_RELEASE_REQUIRED, "BroadcastSessionReleaseRequired" }, { MTYPE_BROADCAST_SESSION_SETUP_REQUEST, "BroadcastSessionSetupRequest" }, { MTYPE_BROADCAST_SESSION_SETUP_RESPONSE, "BroadcastSessionSetupResponse" }, { MTYPE_BROADCAST_SESSION_SETUP_FAILURE, "BroadcastSessionSetupFailure" }, { MTYPE_CELL_TRAFFIC_TRACE, "CellTrafficTrace" }, { MTYPE_CONNECTION_ESTAB_IND, "ConnectionEstablishmentIndication" }, { MTYPE_DEACTIVATE_TRACE, "DeactivateTrace" }, { MTYPE_DISTRIBUTION_SETUP_REQUEST, "DistributionSetupRequest" }, { MTYPE_DISTRIBUTION_SETUP_RESPONSE, "DistributionSetupResponse" }, { MTYPE_DISTRIBUTION_SETUP_FAILURE, "DistributionSetupFailure" }, { MTYPE_DISTRIBUTION_RELEASE_REQUEST, "DistributionReleaseRequest" }, { MTYPE_DISTRIBUTION_RELEASE_RESPONSE, "DistributionReleaseResponse" }, { MTYPE_DOWNLINK_NAS_TRANSPORT, "DownlinkNASTransport" }, { MTYPE_DOWNLINK_NON_UE_ASSOCIATED_NR_PPA_TRANSPORT, "DownlinkNonUEAssociatedNRPPaTransport" }, { MTYPE_DOWNLINK_RAN_CONFIGURATION_TRANSFER, "DownlinkRANConfigurationTransfer" }, { MTYPE_DOWNLINK_RAN_EARLY_STATUS_TRANSFER, "DownlinkRANEarlyStatusTransfer" }, { MTYPE_DOWNLINK_RAN_STATUS_TRANSFER, "DownlinkRANStatusTransfer" }, { MTYPE_DOWNLINK_UE_ASSOCIATED_NR_PPA_TRANSPORT, "DownlinkUEAssociatedNRPPaTransport" }, { MTYPE_ERROR_INDICATION, "ErrorIndication" }, { MTYPE_HANDOVER_CANCEL, "HandoverCancel" }, { MTYPE_HANDOVER_CANCEL_ACK, "HandoverCancelAcknowledge" }, { MTYPE_HANDOVER_NOTIFY, "HandoverNotify" }, { MTYPE_HANDOVER_REQUIRED, "HandoverRequired" }, { MTYPE_HANDOVER_COMMAND, "HandoverCommand" }, { MTYPE_HANDOVER_PREPARATION_FAILURE, "HandoverPreparationFailure" }, { MTYPE_HANDOVER_REQUEST, "HandoverRequest" }, { MTYPE_HANDOVER_REQUEST_ACK, "HandoverRequestAcknowledge" }, { MTYPE_HANDOVER_FAILURE, "HandoverFailure" }, { MTYPE_HANDOVER_SUCCESS, "HandoverSuccess" }, { MTYPE_INITIAL_CONTEXT_SETUP_REQUEST, "InitialContextSetupRequest" }, { MTYPE_INITIAL_CONTEXT_SETUP_RESPONSE, "InitialContextSetupResponse" }, { MTYPE_INITIAL_CONTEXT_SETUP_FAILURE, "InitialContextSetupFailure" }, { MTYPE_INITIAL_CONTEXT_SETUP_FAILURE, "InitialContextSetupFailure" }, { MTYPE_INITIAL_UE_MESSAGE, "InitialUEMessage" }, { MTYPE_LOCATION_REPORT, "LocationReport" }, { MTYPE_LOCATION_REPORTING_CONTROL, "LocationReportingControl" }, { MTYPE_LOCATION_REPORTING_FAILURE_IND, "LocationReportingFailureIndication" }, { MTYPE_MULTICAST_SESSION_ACTIVATION_REQUEST, "MulticastSessionActivationRequest" }, { MTYPE_MULTICAST_SESSION_ACTIVATION_RESPONSE, "MulticastSessionActivationResponse" }, { MTYPE_MULTICAST_SESSION_ACTIVATION_FAILURE, "MulticastSessionActivationFailure" }, { MTYPE_MULTICAST_SESSION_DEACTIVATION_REQUEST, "MulticastSessionDeactivationRequest" }, { MTYPE_MULTICAST_SESSION_DEACTIVATION_RESPONSE, "MulticastSessionDeactivationResponse" }, { MTYPE_MULTICAST_SESSION_UPDATE_REQUEST, "MulticastSessionUpdateRequest" }, { MTYPE_MULTICAST_SESSION_UPDATE_RESPONSE, "MulticastSessionUpdateResponse" }, { MTYPE_MULTICAST_SESSION_UPDATE_FAILURE, "MulticastSessionUpdateFailure" }, { MTYPE_MULTICAST_GROUP_PAGING, "MulticastGroupPaging" }, { MTYPE_NAS_NON_DELIVERY_IND, "NASNonDeliveryIndication" }, { MTYPE_NG_RESET, "NGReset" }, { MTYPE_NG_RESET_ACK, "NGResetAcknowledge" }, { MTYPE_NG_SETUP_REQUEST, "NGSetupRequest" }, { MTYPE_NG_SETUP_RESPONSE, "NGSetupResponse" }, { MTYPE_NG_SETUP_FAILURE, "NGSetupFailure" }, { MTYPE_OVERLOAD_START, "OverloadStart" }, { MTYPE_OVERLOAD_STOP, "OverloadStop" }, { MTYPE_PAGING, "Paging" }, { MTYPE_PATH_SWITCH_REQUEST, "PathSwitchRequest" }, { MTYPE_PATH_SWITCH_REQUEST_ACK, "PathSwitchRequestAcknowledge" }, { MTYPE_PATH_SWITCH_REQUEST_FAILURE, "PathSwitchRequestFailure" }, { MTYPE_PDU_SESSION_RESOURCE_MODIFY_REQUEST, "PDUSessionResourceModifyRequest" }, { MTYPE_PDU_SESSION_RESOURCE_MODIFY_RESPONSE, "PDUSessionResourceModifyResponse" }, { MTYPE_PDU_SESSION_RESOURCE_MODIFY_IND, "PDUSessionResourceModifyIndication" }, { MTYPE_PDU_SESSION_RESOURCE_MODIFY_CONFIRM, "PDUSessionResourceModifyConfirm" }, { MTYPE_PDU_SESSION_RESOURCE_NOTIFY, "PDUSessionResourceNotify" }, { MTYPE_PDU_SESSION_RESOURCE_RELEASE_COMMAND, "PDUSessionResourceReleaseCommand" }, { MTYPE_PDU_SESSION_RESOURCE_RELEASE_RESPONSE, "PDUSessionResourceReleaseResponse" }, { MTYPE_PDU_SESSION_RESOURCE_SETUP_REQUEST, "PDUSessionResourceSetupRequest" }, { MTYPE_PDU_SESSION_RESOURCE_SETUP_RESPONSE, "PDUSessionResourceSetupResponse" }, { MTYPE_PRIVATE_MESSAGE, "PrivateMessage" }, { MTYPE_PWS_CANCEL_REQUEST, "PWSCancelRequest" }, { MTYPE_PWS_CANCEL_RESPONSE, "PWSCancelResponse" }, { MTYPE_PWS_FAILURE_INDICATION, "PWSFailureIndication" }, { MTYPE_PWS_RESTART_INDICATION, "PWSRestartIndication" }, { MTYPE_RAN_CONFIGURATION_UPDATE, "RANConfigurationUpdate" }, { MTYPE_RAN_CONFIGURATION_UPDATE_ACK, "RANConfigurationUpdateAcknowledge" }, { MTYPE_RAN_CONFIGURATION_UPDATE_FAILURE, "RANConfigurationUpdateFailure" }, { MTYPE_RAN_CP_RELOCATION_IND, "RANCPRelocationIndication" }, { MTYPE_REROUTE_NAS_REQUEST, "RerouteNASRequest" }, { MTYPE_RETRIEVE_UE_INFORMATION, "RetrieveUEInformation" }, { MTYPE_RRC_INACTIVE_TRANSITION_REPORT, "RRCInactiveTransitionReport" }, { MTYPE_SECONDARY_RAT_DATA_USAGE_REPORT, "SecondaryRATDataUsageReport" }, { MTYPE_TRACE_FAILURE_IND, "TraceFailureIndication" }, { MTYPE_TRACE_START, "TraceStart" }, { MTYPE_UE_CONTEXT_MODIFICATION_REQUEST, "UEContextModificationRequest" }, { MTYPE_UE_CONTEXT_MODIFICATION_RESPONSE, "UEContextModificationResponse" }, { MTYPE_UE_CONTEXT_MODIFICATION_FAILURE, "UEContextModificationFailure" }, { MTYPE_UE_CONTEXT_RELEASE_COMMAND, "UEContextReleaseCommand" }, { MTYPE_UE_CONTEXT_RELEASE_COMPLETE, "UEContextReleaseComplete" }, { MTYPE_UE_CONTEXT_RELEASE_REQUEST, "UEContextReleaseRequest" }, { MTYPE_UE_CONTEXT_RESUME_REQUEST, "UEContextResumeRequest" }, { MTYPE_UE_CONTEXT_RESUME_RESPONSE, "UEContextResumeResponse" }, { MTYPE_UE_CONTEXT_RESUME_FAILURE, "UEContextResumeFailure" }, { MTYPE_UE_CONTEXT_SUSPEND_REQUEST, "UEContextSuspendRequest" }, { MTYPE_UE_CONTEXT_SUSPEND_RESPONSE, "UEContextSuspendResponse" }, { MTYPE_UE_CONTEXT_SUSPEND_FAILURE, "UEContextSuspendFailure" }, { MTYPE_UE_INFORMATION_TRANSFER, "UEInformationTransfer" }, { MTYPE_UE_RADIO_CAPABILITY_CHECK_REQUEST, "UERadioCapabilityCheckRequest" }, { MTYPE_UE_RADIO_CAPABILITY_CHECK_RESPONSE, "UERadioCapabilityCheckResponse" }, { MTYPE_UE_RADIO_CAPABILITY_ID_MAPPING_REQUEST, "UERadioCapabilityIDMappingRequest" }, { MTYPE_UE_RADIO_CAPABILITY_ID_MAPPING_RESPONSE, "UERadioCapabilityIDMappingResponse" }, { MTYPE_UE_RADIO_CAPABILITY_INFO_IND, "UERadioCapabilityInfoIndication" }, { MTYPE_UE_TN_LAB_BINDING_RELEASE_REQUEST, "UETNLABindingReleaseRequest" }, { MTYPE_UPLINK_NAS_TRANSPORT, "UplinkNASTransport" }, { MTYPE_UPLINK_NON_UE_ASSOCIATED_NR_PPA_TRANSPORT, "UplinkNonUEAssociatedNRPPaTransport" }, { MTYPE_UPLINK_RAN_CONFIGURATION_TRANSFER, "UplinkRANConfigurationTransfer" }, { MTYPE_UPLINK_RAN_EARLY_STATUS_TRANSFER, "UplinkRANEarlyStatusTransfer" }, { MTYPE_UPLINK_RAN_STATUS_TRANSFER, "UplinkRANStatusTransfer" }, { MTYPE_UPLINK_UE_ASSOCIATED_NR_PPA_TRANSPORT, "UplinkUEAssociatedNRPPaTransport" }, { MTYPE_WRITE_REPLACE_WARNING_REQUEST, "WriteReplaceWarningRequest" }, { MTYPE_WRITE_REPLACE_WARNING_RESPONSE, "WriteReplaceWarningResponse" }, { MTYPE_UPLINK_RIM_INFORMATION_TRANSFER, "UplinkRIMInformationTransfer" }, { MTYPE_DOWNLINK_RIM_INFORMATION_TRANSFER, "DownlinkRIMInformationTransfer" }, { 0, NULL } }; typedef struct _ngap_ctx_t { guint32 message_type; guint32 ProcedureCode; guint32 ProtocolIE_ID; guint32 ProtocolExtensionID; } ngap_ctx_t; struct ngap_conv_info { address addr_a; guint32 port_a; GlobalRANNodeID_enum ranmode_id_a; address addr_b; guint32 port_b; GlobalRANNodeID_enum ranmode_id_b; wmem_map_t *nbiot_ta; wmem_tree_t *nbiot_ran_ue_ngap_id; }; enum { SOURCE_TO_TARGET_TRANSPARENT_CONTAINER = 1, TARGET_TO_SOURCE_TRANSPARENT_CONTAINER }; struct ngap_supported_ta { guint32 tac; wmem_array_t *plmn; }; struct ngap_tai { guint32 plmn; guint32 tac; }; struct ngap_private_data { struct ngap_conv_info *ngap_conv; guint32 procedure_code; guint32 protocol_ie_id; guint32 protocol_extension_id; guint32 message_type; guint32 handover_type_value; guint8 data_coding_scheme; guint8 transparent_container_type; gboolean is_qos_flow_notify; struct ngap_supported_ta *supported_ta; struct ngap_tai *tai; guint32 ran_ue_ngap_id; e212_number_type_t number_type; struct ngap_tap_t *stats_tap; }; enum { NGAP_NG_RAN_CONTAINER_AUTOMATIC, NGAP_NG_RAN_CONTAINER_GNB, NGAP_NG_RAN_CONTAINER_NG_ENB }; static const enum_val_t ngap_target_ng_ran_container_vals[] = { {"automatic", "automatic", NGAP_NG_RAN_CONTAINER_AUTOMATIC}, {"gnb", "gNB", NGAP_NG_RAN_CONTAINER_GNB}, {"ng-enb","ng-eNB", NGAP_NG_RAN_CONTAINER_NG_ENB}, {NULL, NULL, -1} }; enum { NGAP_LTE_CONTAINER_AUTOMATIC, NGAP_LTE_CONTAINER_LEGACY, NGAP_LTE_CONTAINER_NBIOT }; static const enum_val_t ngap_lte_container_vals[] = { {"automatic", "Automatic", NGAP_LTE_CONTAINER_AUTOMATIC}, {"legacy", "Legacy LTE", NGAP_LTE_CONTAINER_LEGACY}, {"nb-iot","NB-IoT", NGAP_LTE_CONTAINER_NBIOT}, {NULL, NULL, -1} }; /* Global variables */ static range_t *gbl_ngapSctpRange = NULL; static gboolean ngap_dissect_container = TRUE; static gint ngap_dissect_target_ng_ran_container_as = NGAP_NG_RAN_CONTAINER_AUTOMATIC; static gint ngap_dissect_lte_container_as = NGAP_LTE_CONTAINER_AUTOMATIC; /* Dissector tables */ static dissector_table_t ngap_ies_dissector_table; static dissector_table_t ngap_ies_p1_dissector_table; static dissector_table_t ngap_ies_p2_dissector_table; static dissector_table_t ngap_extension_dissector_table; static dissector_table_t ngap_proc_imsg_dissector_table; static dissector_table_t ngap_proc_sout_dissector_table; static dissector_table_t ngap_proc_uout_dissector_table; static dissector_table_t ngap_n2_ie_type_dissector_table; static proto_tree *top_tree = NULL; static void set_message_label(asn1_ctx_t *actx, int type) { const char *label = val_to_str_const(type, mtype_names, "Unknown"); col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, label); /* N.B. would like to be able to use actx->subTree.top_tree, but not easy to set.. */ proto_item_append_text(top_tree, " (%s)", label); } static int dissect_ProtocolIEFieldValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); /* Currently not used static int dissect_ProtocolIEFieldPairFirstValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree); static int dissect_ProtocolIEFieldPairSecondValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree); */ static int dissect_ProtocolExtensionFieldExtensionValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_InitiatingMessageValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_SuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_UnsuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_InitialUEMessage_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data); static int dissect_PDUSessionResourceReleaseResponseTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_HandoverRequestAcknowledgeTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceModifyUnsuccessfulTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceSetupUnsuccessfulTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_HandoverResourceAllocationUnsuccessfulTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PathSwitchRequestSetupFailedTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_HandoverCommandTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_HandoverRequiredTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceModifyConfirmTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceModifyIndicationTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceModifyRequestTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceModifyResponseTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceNotifyTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceNotifyReleasedTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PathSwitchRequestUnsuccessfulTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceSetupRequestTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceSetupResponseTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PathSwitchRequestAcknowledgeTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PathSwitchRequestTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_HandoverPreparationUnsuccessfulTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceReleaseCommandTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_TargetNGRANNode_ToSourceNGRANNode_FailureTransparentContainer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_SecondaryRATDataUsageReportTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_PDUSessionResourceModifyIndicationUnsuccessfulTransfer_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_ngap_AlternativeQoSParaSetNotifyIndex(tvbuff_t *tvb _U_, int offset _U_, asn1_ctx_t *actx _U_, proto_tree *tree _U_, int hf_index _U_); const value_string ngap_serialNumber_gs_vals[] = { { 0, "Display mode immediate, cell wide"}, { 1, "Display mode normal, PLMN wide"}, { 2, "Display mode normal, tracking area wide"}, { 3, "Display mode normal, cell wide"}, { 0, NULL}, }; const value_string ngap_warningType_vals[] = { { 0, "Earthquake"}, { 1, "Tsunami"}, { 2, "Earthquake and Tsunami"}, { 3, "Test"}, { 4, "Other"}, { 0, NULL}, }; static void dissect_ngap_warningMessageContents(tvbuff_t *warning_msg_tvb, proto_tree *tree, packet_info *pinfo, guint8 dcs, int hf_nb_pages, int hf_decoded_page) { guint32 offset; guint8 nb_of_pages, length, *str; proto_item *ti; tvbuff_t *cb_data_page_tvb, *cb_data_tvb; int i; nb_of_pages = tvb_get_guint8(warning_msg_tvb, 0); ti = proto_tree_add_uint(tree, hf_nb_pages, warning_msg_tvb, 0, 1, nb_of_pages); if (nb_of_pages > 15) { expert_add_info_format(pinfo, ti, &ei_ngap_number_pages_le15, "Number of pages should be <=15 (found %u)", nb_of_pages); nb_of_pages = 15; } for (i = 0, offset = 1; i < nb_of_pages; i++) { length = tvb_get_guint8(warning_msg_tvb, offset+82); cb_data_page_tvb = tvb_new_subset_length(warning_msg_tvb, offset, length); cb_data_tvb = dissect_cbs_data(dcs, cb_data_page_tvb, tree, pinfo, 0); if (cb_data_tvb) { str = tvb_get_string_enc(pinfo->pool, cb_data_tvb, 0, tvb_reported_length(cb_data_tvb), ENC_UTF_8|ENC_NA); proto_tree_add_string_format(tree, hf_decoded_page, warning_msg_tvb, offset, 83, str, "Decoded Page %u: %s", i+1, str); } offset += 83; } } static void ngap_PacketLossRate_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%.1f%% (%u)", (float)v/10, v); } static void ngap_PacketDelayBudget_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fms (%u)", (float)v/2, v); } static void ngap_TimeUEStayedInCellEnhancedGranularity_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fs", ((float)v)/10); } static void ngap_PeriodicRegistrationUpdateTimer_fmt(gchar *s, guint32 v) { guint32 val = v & 0x1f; switch (v>>5) { case 0: snprintf(s, ITEM_LABEL_LENGTH, "%u min (%u)", val * 10, v); break; case 1: default: snprintf(s, ITEM_LABEL_LENGTH, "%u hr (%u)", val, v); break; case 2: snprintf(s, ITEM_LABEL_LENGTH, "%u hr (%u)", val * 10, v); break; case 3: snprintf(s, ITEM_LABEL_LENGTH, "%u sec (%u)", val * 2, v); break; case 4: snprintf(s, ITEM_LABEL_LENGTH, "%u sec (%u)", val * 30, v); break; case 5: snprintf(s, ITEM_LABEL_LENGTH, "%u min (%u)", val, v); break; case 7: snprintf(s, ITEM_LABEL_LENGTH, "deactivated (%u)", v); break; } } static void ngap_ExtendedPacketDelayBudget_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%.2fms (%u)", (float)v/100, v); } static void ngap_Threshold_RSRP_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%ddBm (%u)", (gint32)v-156, v); } static void ngap_Threshold_RSRQ_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB (%u)", ((float)v/2)-43, v); } static void ngap_Threshold_SINR_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB (%u)", ((float)v/2)-23, v); } static struct ngap_private_data* ngap_get_private_data(packet_info *pinfo) { struct ngap_private_data *ngap_data = (struct ngap_private_data*)p_get_proto_data(pinfo->pool, pinfo, proto_ngap, 0); if (!ngap_data) { ngap_data = wmem_new0(pinfo->pool, struct ngap_private_data); ngap_data->handover_type_value = -1; p_add_proto_data(pinfo->pool, pinfo, proto_ngap, 0, ngap_data); } return ngap_data; } static GlobalRANNodeID_enum ngap_get_ranmode_id(address *addr, guint32 port, packet_info *pinfo) { struct ngap_private_data *ngap_data = ngap_get_private_data(pinfo); GlobalRANNodeID_enum ranmode_id = (GlobalRANNodeID_enum)-1; if (ngap_data->ngap_conv) { if (addresses_equal(addr, &ngap_data->ngap_conv->addr_a) && port == ngap_data->ngap_conv->port_a) { ranmode_id = ngap_data->ngap_conv->ranmode_id_a; } else if (addresses_equal(addr, &ngap_data->ngap_conv->addr_b) && port == ngap_data->ngap_conv->port_b) { ranmode_id = ngap_data->ngap_conv->ranmode_id_b; } } return ranmode_id; } static gboolean ngap_is_nbiot_ue(packet_info *pinfo) { struct ngap_private_data *ngap_data = ngap_get_private_data(pinfo); if (ngap_data->ngap_conv) { wmem_tree_key_t tree_key[3]; guint32 *id; tree_key[0].length = 1; tree_key[0].key = &ngap_data->ran_ue_ngap_id; tree_key[1].length = 1; tree_key[1].key = &pinfo->num; tree_key[2].length = 0; tree_key[2].key = NULL; id = (guint32*)wmem_tree_lookup32_array_le(ngap_data->ngap_conv->nbiot_ran_ue_ngap_id, tree_key); if (id && (*id == ngap_data->ran_ue_ngap_id)) { return TRUE; } } return FALSE; } const true_false_string ngap_not_updated_updated = { "Not updated", "Updated" }; #include "packet-ngap-fn.c" static int dissect_ProtocolIEFieldValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { ngap_ctx_t ngap_ctx; struct ngap_private_data *ngap_data = ngap_get_private_data(pinfo); ngap_ctx.message_type = ngap_data->message_type; ngap_ctx.ProcedureCode = ngap_data->procedure_code; ngap_ctx.ProtocolIE_ID = ngap_data->protocol_ie_id; ngap_ctx.ProtocolExtensionID = ngap_data->protocol_extension_id; return (dissector_try_uint_new(ngap_ies_dissector_table, ngap_data->protocol_ie_id, tvb, pinfo, tree, FALSE, &ngap_ctx)) ? tvb_captured_length(tvb) : 0; } /* Currently not used static int dissect_ProtocolIEFieldPairFirstValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree) { struct ngap_private_data *ngap_data = ngap_get_private_data(pinfo); return (dissector_try_uint(ngap_ies_p1_dissector_table, ngap_data->protocol_ie_id, tvb, pinfo, tree)) ? tvb_captured_length(tvb) : 0; } static int dissect_ProtocolIEFieldPairSecondValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree) { struct ngap_private_data *ngap_data = ngap_get_private_data(pinfo); return (dissector_try_uint(ngap_ies_p2_dissector_table, ngap_data->protocol_ie_id, tvb, pinfo, tree)) ? tvb_captured_length(tvb) : 0; } */ static int dissect_ProtocolExtensionFieldExtensionValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { ngap_ctx_t ngap_ctx; struct ngap_private_data *ngap_data = ngap_get_private_data(pinfo); ngap_ctx.message_type = ngap_data->message_type; ngap_ctx.ProcedureCode = ngap_data->procedure_code; ngap_ctx.ProtocolIE_ID = ngap_data->protocol_ie_id; ngap_ctx.ProtocolExtensionID = ngap_data->protocol_extension_id; return (dissector_try_uint_new(ngap_extension_dissector_table, ngap_data->protocol_extension_id, tvb, pinfo, tree, TRUE, &ngap_ctx)) ? tvb_captured_length(tvb) : 0; } static int dissect_InitiatingMessageValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data) { struct ngap_private_data *ngap_data = ngap_get_private_data(pinfo); return (dissector_try_uint_new(ngap_proc_imsg_dissector_table, ngap_data->procedure_code, tvb, pinfo, tree, TRUE, data)) ? tvb_captured_length(tvb) : 0; } static int dissect_SuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data) { struct ngap_private_data *ngap_data = ngap_get_private_data(pinfo); return (dissector_try_uint_new(ngap_proc_sout_dissector_table, ngap_data->procedure_code, tvb, pinfo, tree, TRUE, data)) ? tvb_captured_length(tvb) : 0; } static int dissect_UnsuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data) { struct ngap_private_data *ngap_data = ngap_get_private_data(pinfo); return (dissector_try_uint_new(ngap_proc_uout_dissector_table, ngap_data->procedure_code, tvb, pinfo, tree, TRUE, data)) ? tvb_captured_length(tvb) : 0; } static void ngap_stats_tree_init(stats_tree *st) { st_node_packets = stats_tree_create_node(st, st_str_packets, 0, STAT_DT_INT, TRUE); st_node_packet_types = stats_tree_create_pivot(st, st_str_packet_types, st_node_packets); } static tap_packet_status ngap_stats_tree_packet(stats_tree* st, packet_info* pinfo _U_, epan_dissect_t* edt _U_ , const void* p, tap_flags_t flags _U_) { const struct ngap_tap_t *pi = (const struct ngap_tap_t *) p; tick_stat_node(st, st_str_packets, 0, FALSE); stats_tree_tick_pivot(st, st_node_packet_types, val_to_str(pi->ngap_mtype, mtype_names, "Unknown packet type (%d)")); return TAP_PACKET_REDRAW; } static void set_stats_message_type(packet_info *pinfo, int type) { struct ngap_private_data* priv_data = ngap_get_private_data(pinfo); priv_data->stats_tap->ngap_mtype = type; } static int dissect_ngap(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void* data _U_) { proto_item *ngap_item = NULL; proto_tree *ngap_tree = NULL; conversation_t *conversation; struct ngap_private_data *ngap_data; struct ngap_tap_t *ngap_info; /* make entry in the Protocol column on summary display */ col_set_str(pinfo->cinfo, COL_PROTOCOL, "NGAP"); col_clear(pinfo->cinfo, COL_INFO); ngap_info = wmem_new(pinfo->pool, struct ngap_tap_t); ngap_info->ngap_mtype = 0; /* unknown/invalid */ /* create the ngap protocol tree */ ngap_item = proto_tree_add_item(tree, proto_ngap, tvb, 0, -1, ENC_NA); ngap_tree = proto_item_add_subtree(ngap_item, ett_ngap); /* Store top-level tree */ top_tree = ngap_tree; /* Add stats tap to private struct */ struct ngap_private_data *priv_data = ngap_get_private_data(pinfo); priv_data->stats_tap = ngap_info; ngap_data = ngap_get_private_data(pinfo); conversation = find_or_create_conversation(pinfo); ngap_data->ngap_conv = (struct ngap_conv_info *)conversation_get_proto_data(conversation, proto_ngap); if (!ngap_data->ngap_conv) { ngap_data->ngap_conv = wmem_new0(wmem_file_scope(), struct ngap_conv_info); copy_address_wmem(wmem_file_scope(), &ngap_data->ngap_conv->addr_a, &pinfo->src); ngap_data->ngap_conv->port_a = pinfo->srcport; ngap_data->ngap_conv->ranmode_id_a = (GlobalRANNodeID_enum)-1; copy_address_wmem(wmem_file_scope(), &ngap_data->ngap_conv->addr_b, &pinfo->dst); ngap_data->ngap_conv->port_b = pinfo->destport; ngap_data->ngap_conv->ranmode_id_b = (GlobalRANNodeID_enum)-1; ngap_data->ngap_conv->nbiot_ta = wmem_map_new(wmem_file_scope(), wmem_int64_hash, g_int64_equal); ngap_data->ngap_conv->nbiot_ran_ue_ngap_id = wmem_tree_new(wmem_file_scope()); conversation_add_proto_data(conversation, proto_ngap, ngap_data->ngap_conv); } dissect_NGAP_PDU_PDU(tvb, pinfo, ngap_tree, NULL); tap_queue_packet(ngap_tap, pinfo, ngap_info); return tvb_captured_length(tvb); } static gboolean find_n2_info_content(char *json_data, jsmntok_t *token, const char *n2_info_content, const char *content_id, dissector_handle_t *subdissector) { jsmntok_t *n2_info_content_token, *ngap_data_token; char *str; gdouble ngap_msg_type; n2_info_content_token = json_get_object(json_data, token, n2_info_content); if (!n2_info_content_token) return FALSE; ngap_data_token = json_get_object(json_data, n2_info_content_token, "ngapData"); if (!ngap_data_token) return FALSE; str = json_get_string(json_data, ngap_data_token, "contentId"); if (!str || strcmp(str, content_id)) return FALSE; str = json_get_string(json_data, n2_info_content_token, "ngapIeType"); if (str) *subdissector = dissector_get_string_handle(ngap_n2_ie_type_dissector_table, str); else if (json_get_double(json_data, n2_info_content_token, "ngapMessageType", &ngap_msg_type)) *subdissector = ngap_handle; else *subdissector = NULL; return TRUE; } /* 3GPP TS 29.502 chapter 6.1.6.4.3 and 29.518 chapter 6.1.6.4.3 */ static int dissect_ngap_media_type(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void* data) { int ret; char *json_data; const char *n2_info_class; jsmntok_t *tokens, *cur_tok; dissector_handle_t subdissector = NULL; tvbuff_t* json_tvb = (tvbuff_t*)p_get_proto_data(pinfo->pool, pinfo, proto_json, 0); media_content_info_t *content_info = (media_content_info_t *)data; if (!json_tvb || !content_info || !content_info->content_id) return 0; json_data = tvb_get_string_enc(pinfo->pool, json_tvb, 0, tvb_reported_length(json_tvb), ENC_UTF_8|ENC_NA); ret = json_parse(json_data, NULL, 0); if (ret <= 0) return 0; tokens = wmem_alloc_array(pinfo->pool, jsmntok_t, ret); if (json_parse(json_data, tokens, ret) <= 0) return 0; cur_tok = json_get_object(json_data, tokens, "n2InfoContainer"); if (!cur_tok) { /* look for n2Information too*/ cur_tok = json_get_object(json_data, tokens, "n2Information"); } if (cur_tok) { n2_info_class = json_get_string(json_data, cur_tok, "n2InformationClass"); if (n2_info_class) { if (!strcmp(n2_info_class, "SM")) { cur_tok = json_get_object(json_data, cur_tok, "smInfo"); if (cur_tok && find_n2_info_content(json_data, cur_tok, "n2InfoContent", content_info->content_id, &subdissector)) goto found; } if (!strcmp(n2_info_class, "RAN")) { cur_tok = json_get_object(json_data, cur_tok, "ranInfo"); if (cur_tok && find_n2_info_content(json_data, cur_tok, "n2InfoContent", content_info->content_id, &subdissector)) goto found; } if (!strcmp(n2_info_class, "NRPPa")) { cur_tok = json_get_object(json_data, cur_tok, "nrppaInfo"); if (cur_tok && find_n2_info_content(json_data, cur_tok, "nrppaPdu", content_info->content_id, &subdissector)) goto found; } if (!strcmp(n2_info_class, "PWS") || !strcmp(n2_info_class, "PWS-BCAL") || !strcmp(n2_info_class, "PWS-RF")) { cur_tok = json_get_object(json_data, cur_tok, "pwsInfo"); if (cur_tok && find_n2_info_content(json_data, cur_tok, "pwsContainer", content_info->content_id, &subdissector)) goto found; } } } cur_tok = json_get_object(json_data, tokens, "n2SmInfo"); if (cur_tok) { const char *content_id_str = json_get_string(json_data, cur_tok, "contentId"); if (content_id_str && !strcmp(content_id_str, content_info->content_id)) { const char *str = json_get_string(json_data, tokens, "n2SmInfoType"); if (str) subdissector = dissector_get_string_handle(ngap_n2_ie_type_dissector_table, str); else subdissector = NULL; goto found; } } cur_tok = json_get_array(json_data, tokens, "pduSessionList"); if (cur_tok) { int i, count; count = json_get_array_len(cur_tok); for (i = 0; i < count; i++) { jsmntok_t *array_tok = json_get_array_index(cur_tok, i); if (find_n2_info_content(json_data, array_tok, "n2InfoContent", content_info->content_id, &subdissector)) goto found; } } if (find_n2_info_content(json_data, tokens, "sourceToTargetData", content_info->content_id, &subdissector)) goto found; if (find_n2_info_content(json_data, tokens, "targetToSourceData", content_info->content_id, &subdissector)) goto found; if (find_n2_info_content(json_data, tokens, "targetToSourceFailureData", content_info->content_id, &subdissector)) goto found; if (find_n2_info_content(json_data, tokens, "ueRadioCapability", content_info->content_id, &subdissector)) goto found; found: if (subdissector) { proto_item *ngap_item; proto_tree *ngap_tree; gboolean save_writable; col_append_sep_str(pinfo->cinfo, COL_PROTOCOL, "/", "NGAP"); if (subdissector != ngap_handle) { ngap_item = proto_tree_add_item(tree, proto_ngap, tvb, 0, -1, ENC_NA); ngap_tree = proto_item_add_subtree(ngap_item, ett_ngap); } else { ngap_tree = tree; } save_writable = col_get_writable(pinfo->cinfo, COL_PROTOCOL); col_set_writable(pinfo->cinfo, COL_PROTOCOL, FALSE); call_dissector_with_data(subdissector, tvb, pinfo, ngap_tree, NULL); col_set_writable(pinfo->cinfo, COL_PROTOCOL, save_writable); return tvb_captured_length(tvb); } else { return 0; } } void apply_ngap_prefs(void) { gbl_ngapSctpRange = prefs_get_range_value("ngap", "sctp.port"); } /*--- proto_reg_handoff_ngap ---------------------------------------*/ void proto_reg_handoff_ngap(void) { nas_5gs_handle = find_dissector_add_dependency("nas-5gs", proto_ngap); nr_rrc_ue_radio_paging_info_handle = find_dissector_add_dependency("nr-rrc.ue_radio_paging_info", proto_ngap); nr_rrc_ue_radio_access_cap_info_handle = find_dissector_add_dependency("nr-rrc.ue_radio_access_cap_info", proto_ngap); lte_rrc_ue_radio_paging_info_handle = find_dissector_add_dependency("lte-rrc.ue_radio_paging_info", proto_ngap); lte_rrc_ue_radio_access_cap_info_handle = find_dissector_add_dependency("lte-rrc.ue_radio_access_cap_info", proto_ngap); lte_rrc_ue_radio_paging_info_nb_handle = find_dissector_add_dependency("lte-rrc.ue_radio_paging_info.nb", proto_ngap); lte_rrc_ue_radio_access_cap_info_nb_handle = find_dissector_add_dependency("lte-rrc.ue_radio_access_cap_info.nb", proto_ngap); dissector_add_uint("sctp.ppi", NGAP_PROTOCOL_ID, ngap_handle); #include "packet-ngap-dis-tab.c" dissector_add_string("media_type", "application/vnd.3gpp.ngap", ngap_media_type_handle); nrppa_handle = find_dissector_add_dependency("nrppa", proto_ngap); proto_json = proto_get_id_by_filter_name("json"); dissector_add_uint_with_preference("sctp.port", SCTP_PORT_NGAP, ngap_handle); stats_tree_register("ngap", "ngap", "NGAP", 0, ngap_stats_tree_packet, ngap_stats_tree_init, NULL); apply_ngap_prefs(); } /*--- proto_register_ngap -------------------------------------------*/ void proto_register_ngap(void) { /* List of fields */ static hf_register_info hf[] = { { &hf_ngap_transportLayerAddressIPv4, { "TransportLayerAddress (IPv4)", "ngap.TransportLayerAddressIPv4", FT_IPv4, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_ngap_transportLayerAddressIPv6, { "TransportLayerAddress (IPv6)", "ngap.TransportLayerAddressIPv6", FT_IPv6, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_ngap_WarningMessageContents_nb_pages, { "Number of Pages", "ngap.WarningMessageContents.nb_pages", FT_UINT8, BASE_DEC, NULL, 0, NULL, HFILL }}, { &hf_ngap_SerialNumber_gs, { "Geographical Scope", "ngap.SerialNumber.gs", FT_UINT16, BASE_DEC, VALS(ngap_serialNumber_gs_vals), 0xc000, NULL, HFILL }}, { &hf_ngap_SerialNumber_msg_code, { "Message Code", "ngap.SerialNumber.msg_code", FT_UINT16, BASE_DEC, NULL, 0x3ff0, NULL, HFILL }}, { &hf_ngap_SerialNumber_upd_nb, { "Update Number", "ngap.SerialNumber.upd_nb", FT_UINT16, BASE_DEC, NULL, 0x000f, NULL, HFILL }}, { &hf_ngap_WarningType_value, { "Warning Type Value", "ngap.WarningType.value", FT_UINT16, BASE_DEC, VALS(ngap_warningType_vals), 0xfe00, NULL, HFILL }}, { &hf_ngap_WarningType_emergency_user_alert, { "Emergency User Alert", "ngap.WarningType.emergency_user_alert", FT_BOOLEAN, 16, TFS(&tfs_yes_no), 0x0100, NULL, HFILL }}, { &hf_ngap_WarningType_popup, { "Popup", "ngap.WarningType.popup", FT_BOOLEAN, 16, TFS(&tfs_yes_no), 0x0080, NULL, HFILL }}, { &hf_ngap_WarningMessageContents_decoded_page, { "Decoded Page", "ngap.WarningMessageContents.decoded_page", FT_STRING, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_ngap_NGRANTraceID_TraceID, { "TraceID", "ngap.NGRANTraceID.TraceID", FT_UINT24, BASE_HEX, NULL, 0, NULL, HFILL }}, { &hf_ngap_NGRANTraceID_TraceRecordingSessionReference, { "TraceRecordingSessionReference", "ngap.NGRANTraceID.TraceRecordingSessionReference", FT_UINT16, BASE_HEX, NULL, 0, NULL, HFILL }}, { &hf_ngap_InterfacesToTrace_NG_C, { "NG-C", "ngap.InterfacesToTrace.NG_C", FT_BOOLEAN, 8, NULL, 0x80, NULL, HFILL }}, { &hf_ngap_InterfacesToTrace_Xn_C, { "Xn-C", "ngap.InterfacesToTrace.Xn_C", FT_BOOLEAN, 8, NULL, 0x40, NULL, HFILL }}, { &hf_ngap_InterfacesToTrace_Uu, { "Uu", "ngap.InterfacesToTrace.Uu", FT_BOOLEAN, 8, NULL, 0x20, NULL, HFILL }}, { &hf_ngap_InterfacesToTrace_F1_C, { "F1-C", "ngap.InterfacesToTrace.F1_C", FT_BOOLEAN, 8, NULL, 0x10, NULL, HFILL }}, { &hf_ngap_InterfacesToTrace_E1, { "E1", "ngap.InterfacesToTrace.E1", FT_BOOLEAN, 8, NULL, 0x08, NULL, HFILL }}, { &hf_ngap_InterfacesToTrace_reserved, { "Reserved", "ngap.InterfacesToTrace.reserved", FT_UINT8, BASE_HEX, NULL, 0x07, NULL, HFILL }}, { &hf_ngap_RATRestrictionInformation_e_UTRA, { "e-UTRA", "ngap.RATRestrictionInformation.e_UTRA", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x80, NULL, HFILL }}, { &hf_ngap_RATRestrictionInformation_nR, { "nR", "ngap.RATRestrictionInformation.nR", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x40, NULL, HFILL }}, { &hf_ngap_RATRestrictionInformation_nR_unlicensed, { "nR-unlicensed", "ngap.RATRestrictionInformation.nR_unlicensed", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x20, NULL, HFILL }}, { &hf_ngap_RATRestrictionInformation_reserved, { "reserved", "ngap.RATRestrictionInformation.reserved", FT_UINT8, BASE_HEX, NULL, 0x1f, NULL, HFILL }}, { &hf_ngap_primaryRATRestriction_e_UTRA, { "e-UTRA", "ngap.primaryRATRestriction.e_UTRA", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x80, NULL, HFILL }}, { &hf_ngap_primaryRATRestriction_nR, { "nR", "ngap.primaryRATRestriction.nR", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x40, NULL, HFILL }}, { &hf_ngap_primaryRATRestriction_nR_unlicensed, { "nR-unlicensed", "ngap.primaryRATRestriction.nR_unlicensed", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x20, NULL, HFILL }}, { &hf_ngap_primaryRATRestriction_nR_LEO, { "nR-LEO", "ngap.primaryRATRestriction.nR_LEO", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x10, NULL, HFILL }}, { &hf_ngap_primaryRATRestriction_nR_MEO, { "nR-MEO", "ngap.primaryRATRestriction.nR_MEO", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x08, NULL, HFILL }}, { &hf_ngap_primaryRATRestriction_nR_GEO, { "nR-GEO", "ngap.primaryRATRestriction.nR_GEO", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x04, NULL, HFILL }}, { &hf_ngap_primaryRATRestriction_nR_OTHERSAT, { "nR-OTHERSAT", "ngap.primaryRATRestriction.nR_OTHERSAT", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x02, NULL, HFILL }}, { &hf_ngap_primaryRATRestriction_reserved, { "reserved", "ngap.primaryRATRestriction.reserved", FT_UINT8, BASE_HEX, NULL, 0x01, NULL, HFILL }}, { &hf_ngap_secondaryRATRestriction_e_UTRA, { "e-UTRA", "ngap.secondaryRATRestriction.e_UTRA", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x80, NULL, HFILL }}, { &hf_ngap_secondaryRATRestriction_nR, { "nR", "ngap.secondaryRATRestriction.nR", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x40, NULL, HFILL }}, { &hf_ngap_secondaryRATRestriction_e_UTRA_unlicensed, { "e-UTRA-unlicensed", "ngap.secondaryRATRestriction.e_UTRA_unlicensed", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x20, NULL, HFILL }}, { &hf_ngap_secondaryRATRestriction_nR_unlicensed, { "nR-unlicensed", "ngap.secondaryRATRestriction.nR_unlicensed", FT_BOOLEAN, 8, TFS(&tfs_restricted_not_restricted), 0x10, NULL, HFILL }}, { &hf_ngap_secondaryRATRestriction_reserved, { "reserved", "ngap.secondaryRATRestriction.reserved", FT_UINT8, BASE_HEX, NULL, 0x0f, NULL, HFILL }}, { &hf_ngap_NrencryptionAlgorithms_nea1, { "128-NEA1", "ngap.NrencryptionAlgorithms.nea1", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x8000, NULL, HFILL }}, { &hf_ngap_NrencryptionAlgorithms_nea2, { "128-NEA2", "ngap.NrencryptionAlgorithms.nea2", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x4000, NULL, HFILL }}, { &hf_ngap_NrencryptionAlgorithms_nea3, { "128-NEA3", "ngap.NrencryptionAlgorithms.nea3", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x2000, NULL, HFILL }}, { &hf_ngap_NrencryptionAlgorithms_reserved, { "Reserved", "ngap.NrencryptionAlgorithms.reserved", FT_UINT16, BASE_HEX, NULL, 0x1fff, NULL, HFILL }}, { &hf_ngap_NrintegrityProtectionAlgorithms_nia1, { "128-NIA1", "ngap.NrintegrityProtectionAlgorithms.nia1", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x8000, NULL, HFILL }}, { &hf_ngap_NrintegrityProtectionAlgorithms_nia2, { "128-NIA2", "ngap.NrintegrityProtectionAlgorithms.nia2", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x4000, NULL, HFILL }}, { &hf_ngap_NrintegrityProtectionAlgorithms_nia3, { "128-NIA3", "ngap.NrintegrityProtectionAlgorithms.nia3", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x2000, NULL, HFILL }}, { &hf_ngap_NrintegrityProtectionAlgorithms_reserved, { "Reserved", "ngap.NrintegrityProtectionAlgorithms.reserved", FT_UINT16, BASE_HEX, NULL, 0x1fff, NULL, HFILL }}, { &hf_ngap_EUTRAencryptionAlgorithms_eea1, { "128-EEA1", "ngap.EUTRAencryptionAlgorithms.eea1", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x8000, NULL, HFILL }}, { &hf_ngap_EUTRAencryptionAlgorithms_eea2, { "128-EEA2", "ngap.EUTRAencryptionAlgorithms.eea2", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x4000, NULL, HFILL }}, { &hf_ngap_EUTRAencryptionAlgorithms_eea3, { "128-EEA3", "ngap.EUTRAencryptionAlgorithms.eea3", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x2000, NULL, HFILL }}, { &hf_ngap_EUTRAencryptionAlgorithms_reserved, { "Reserved", "ngap.EUTRAencryptionAlgorithms.reserved", FT_UINT16, BASE_HEX, NULL, 0x1fff, NULL, HFILL }}, { &hf_ngap_EUTRAintegrityProtectionAlgorithms_eia1, { "128-EIA1", "ngap.EUTRAintegrityProtectionAlgorithms.eia1", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x8000, NULL, HFILL }}, { &hf_ngap_EUTRAintegrityProtectionAlgorithms_eia2, { "128-EIA2", "ngap.EUTRAintegrityProtectionAlgorithms.eia2", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x4000, NULL, HFILL }}, { &hf_ngap_EUTRAintegrityProtectionAlgorithms_eia3, { "128-EIA3", "ngap.EUTRAintegrityProtectionAlgorithms.eia3", FT_BOOLEAN, 16, TFS(&tfs_supported_not_supported), 0x2000, NULL, HFILL }}, { &hf_ngap_EUTRAintegrityProtectionAlgorithms_reserved, { "Reserved", "ngap.EUTRAintegrityProtectionAlgorithms.reserved", FT_UINT16, BASE_HEX, NULL, 0x1fff, NULL, HFILL }}, { &hf_ngap_MeasurementsToActivate_M1, { "M1", "ngap.MeasurementsToActivate.M1", FT_BOOLEAN, 8, TFS(&tfs_activated_deactivated), 0x80, NULL, HFILL }}, { &hf_ngap_MeasurementsToActivate_M2, { "M2", "ngap.MeasurementsToActivate.M2", FT_BOOLEAN, 8, TFS(&tfs_activated_deactivated), 0x40, NULL, HFILL }}, { &hf_ngap_MeasurementsToActivate_M4, { "M4", "ngap.MeasurementsToActivate.M4", FT_BOOLEAN, 8, TFS(&tfs_activated_deactivated), 0x20, NULL, HFILL }}, { &hf_ngap_MeasurementsToActivate_M5, { "M5", "ngap.MeasurementsToActivate.M5", FT_BOOLEAN, 8, TFS(&tfs_activated_deactivated), 0x10, NULL, HFILL }}, { &hf_ngap_MeasurementsToActivate_M6, { "M6", "ngap.MeasurementsToActivate.M6", FT_BOOLEAN, 8, TFS(&tfs_activated_deactivated), 0x08, NULL, HFILL }}, { &hf_ngap_MeasurementsToActivate_M7, { "M7", "ngap.MeasurementsToActivate.M7", FT_BOOLEAN, 8, TFS(&tfs_activated_deactivated), 0x04, NULL, HFILL }}, { &hf_ngap_MeasurementsToActivate_M1_from_event, { "M1 from event", "ngap.MeasurementsToActivate.M1_from_event", FT_BOOLEAN, 8, TFS(&tfs_activated_deactivated), 0x02, NULL, HFILL }}, { &hf_ngap_MeasurementsToActivate_reserved, { "Reserved", "ngap.MeasurementsToActivate.reserved", FT_BOOLEAN, 8, NULL, 0x01, NULL, HFILL }}, { &hf_ngap_MDT_Location_Information_GNSS, { "GNSS", "ngap.MDT_Location_Information.GNSS", FT_BOOLEAN, 8, TFS(&tfs_activated_deactivated), 0x80, NULL, HFILL }}, { &hf_ngap_MDT_Location_Information_reserved, { "Reserved", "ngap.MDT_Location_Information.reserved", FT_UINT8, BASE_HEX, NULL, 0x7f, NULL, HFILL }}, { &hf_ngap_GlobalCable_ID_str, { "GlobalCable-ID", "ngap.GlobalCable_ID.str", FT_STRING, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_ngap_UpdateFeedback_CN_PDB_DL, { "CN PDB DL", "ngap.UpdateFeedback.CN_PDB_DL", FT_BOOLEAN, 8, TFS(&ngap_not_updated_updated), 0x80, NULL, HFILL }}, { &hf_ngap_UpdateFeedback_CN_PDB_UL, { "CN PDB UL", "ngap.UpdateFeedback.CN_PDB_UL", FT_BOOLEAN, 8, TFS(&ngap_not_updated_updated), 0x40, NULL, HFILL }}, { &hf_ngap_UpdateFeedback_reserved, { "Reserved", "ngap.UpdateFeedback.reserved", FT_UINT8, BASE_HEX, NULL, 0x3f, NULL, HFILL }}, #include "packet-ngap-hfarr.c" }; /* List of subtrees */ static gint *ett[] = { &ett_ngap, &ett_ngap_TransportLayerAddress, &ett_ngap_DataCodingScheme, &ett_ngap_SerialNumber, &ett_ngap_WarningType, &ett_ngap_WarningMessageContents, &ett_ngap_PLMNIdentity, &ett_ngap_NGAP_Message, &ett_ngap_NGRANTraceID, &ett_ngap_InterfacesToTrace, &ett_ngap_SourceToTarget_TransparentContainer, &ett_ngap_TargetToSource_TransparentContainer, &ett_ngap_RRCContainer, &ett_ngap_RATRestrictionInformation, &ett_ngap_primaryRATRestriction, &ett_ngap_secondaryRATRestriction, &ett_ngap_NrencryptionAlgorithms, &ett_ngap_NrintegrityProtectionAlgorithms, &ett_ngap_EUTRAencryptionAlgorithms, &ett_ngap_EUTRAintegrityProtectionAlgorithms, &ett_ngap_UERadioCapabilityForPagingOfNR, &ett_ngap_UERadioCapabilityForPagingOfEUTRA, &ett_ngap_UERadioCapability, &ett_ngap_LastVisitedEUTRANCellInformation, &ett_ngap_LastVisitedUTRANCellInformation, &ett_ngap_LastVisitedGERANCellInformation, &ett_ngap_NASSecurityParametersFromNGRAN, &ett_ngap_NASC, &ett_ngap_NAS_PDU, &ett_ngap_EN_DCSONConfigurationTransfer, &ett_ngap_BurstArrivalTime, &ett_ngap_CoverageEnhancementLevel, &ett_ngap_MDTModeEutra, &ett_ngap_MeasurementsToActivate, &ett_ngap_MDT_Location_Information, &ett_ngap_NRMobilityHistoryReport, &ett_ngap_LTEUERLFReportContainer, &ett_ngap_NRUERLFReportContainer, &ett_ngap_TargettoSource_Failure_TransparentContainer, &ett_ngap_UERadioCapabilityForPagingOfNB_IoT, &ett_ngap_GlobalCable_ID, &ett_ngap_UpdateFeedback, &ett_ngap_successfulHOReportContainer, #include "packet-ngap-ettarr.c" }; static ei_register_info ei[] = { { &ei_ngap_number_pages_le15, { "ngap.number_pages_le15", PI_MALFORMED, PI_ERROR, "Number of pages should be <=15", EXPFILL }} }; module_t *ngap_module; expert_module_t* expert_ngap; /* Register protocol */ proto_ngap = proto_register_protocol(PNAME, PSNAME, PFNAME); /* Register fields and subtrees */ proto_register_field_array(proto_ngap, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); expert_ngap = expert_register_protocol(proto_ngap); expert_register_field_array(expert_ngap, ei, array_length(ei)); /* Register dissector */ ngap_handle = register_dissector("ngap", dissect_ngap, proto_ngap); ngap_media_type_handle = register_dissector("ngap_media_type", dissect_ngap_media_type, proto_ngap); /* Register dissector tables */ ngap_ies_dissector_table = register_dissector_table("ngap.ies", "NGAP-PROTOCOL-IES", proto_ngap, FT_UINT32, BASE_DEC); ngap_ies_p1_dissector_table = register_dissector_table("ngap.ies.pair.first", "NGAP-PROTOCOL-IES-PAIR FirstValue", proto_ngap, FT_UINT32, BASE_DEC); ngap_ies_p2_dissector_table = register_dissector_table("ngap.ies.pair.second", "NGAP-PROTOCOL-IES-PAIR SecondValue", proto_ngap, FT_UINT32, BASE_DEC); ngap_extension_dissector_table = register_dissector_table("ngap.extension", "NGAP-PROTOCOL-EXTENSION", proto_ngap, FT_UINT32, BASE_DEC); ngap_proc_imsg_dissector_table = register_dissector_table("ngap.proc.imsg", "NGAP-ELEMENTARY-PROCEDURE InitiatingMessage", proto_ngap, FT_UINT32, BASE_DEC); ngap_proc_sout_dissector_table = register_dissector_table("ngap.proc.sout", "NGAP-ELEMENTARY-PROCEDURE SuccessfulOutcome", proto_ngap, FT_UINT32, BASE_DEC); ngap_proc_uout_dissector_table = register_dissector_table("ngap.proc.uout", "NGAP-ELEMENTARY-PROCEDURE UnsuccessfulOutcome", proto_ngap, FT_UINT32, BASE_DEC); ngap_n2_ie_type_dissector_table = register_dissector_table("ngap.n2_ie_type", "NGAP N2 IE Type", proto_ngap, FT_STRING, STRING_CASE_SENSITIVE); /* Register configuration options for ports */ ngap_module = prefs_register_protocol(proto_ngap, apply_ngap_prefs); prefs_register_bool_preference(ngap_module, "dissect_container", "Dissect TransparentContainer", "Dissect TransparentContainers that are opaque to NGAP", &ngap_dissect_container); prefs_register_enum_preference(ngap_module, "dissect_target_ng_ran_container_as", "Dissect target NG-RAN container as", "Select whether target NG-RAN container should be decoded automatically" " (based on NG Setup procedure) or manually", &ngap_dissect_target_ng_ran_container_as, ngap_target_ng_ran_container_vals, FALSE); prefs_register_enum_preference(ngap_module, "dissect_lte_container_as", "Dissect LTE container as", "Select whether LTE container should be dissected as NB-IOT or legacy LTE", &ngap_dissect_lte_container_as, ngap_lte_container_vals, FALSE); ngap_tap = register_tap("ngap"); } /* * Editor modelines * * Local Variables: * c-basic-offset: 2 * tab-width: 8 * indent-tabs-mode: nil * End: * * ex: set shiftwidth=2 tabstop=8 expandtab: * :indentSize=2:tabSize=8:noTabs=true: */
C/C++
wireshark/epan/dissectors/asn1/ngap/packet-ngap-template.h
/* packet-ngap.h * Routines for NG-RAN NG Application Protocol (NGAP) packet dissection * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #ifndef PACKET_NGAP_H #define PACKET_NGAP_H #include "packet-ngap-exp.h" #endif /* PACKET_NGAP_H */ /* * Editor modelines * * Local Variables: * c-basic-offset: 2 * tab-width: 8 * indent-tabs-mode: nil * End: * * ex: set shiftwidth=2 tabstop=8 expandtab: * :indentSize=2:tabSize=8:noTabs=true: */
ASN.1
wireshark/epan/dissectors/asn1/nist-csor/aes1.asn
-- -- AES OIDs obtained from -- https://csrc.nist.gov/projects/computer-security-objects-register/algorithm-registration -- on 2018-08-16, and polished for asn2wrs -- -- injected SHA-3 family parameter near the bottom NIST-AES { joint-iso-ccitt(2) country(16) us(840) organization(1) gov(101) csor(3) nistalgorithm(4) modules (0) aes (1) } DEFINITIONS IMPLICIT TAGS ::= BEGIN -- IMPORTS None -- -- EXPORTS All -- AESAlgorithmIdentifier ::= AlgorithmIdentifier {{ AES-Algorithms }} -- Algorithm information objects -- AES-Algorithms ALGORITHM ::= { AES-128-Algorithms | AES-192-Algorithms | AES-256-Algorithms, ... } AES-128-Algorithms ALGORITHM ::= { aes-128-ECB | aes-128-CBC | aes-128-OFB | aes-128-CFB } -- aes-128-ECB ALGORITHM ::= { OID id-aes128-ECB } -- aes-128-CBC ALGORITHM ::= { OID id-aes128-CBC PARMS AES-IV } -- aes-128-OFB ALGORITHM ::= { OID id-aes128-OFB PARMS AES-IV } -- aes-128-CFB ALGORITHM ::= { OID id-aes128-CFB PARMS CFBParameters } AES-192-Algorithms ALGORITHM ::= { aes-192-ECB | aes-192-CBC | aes-192-OFB | aes-192-CFB } -- aes-192-ECB ALGORITHM ::= { OID id-aes192-ECB } -- aes-192-CBC ALGORITHM ::= { OID id-aes192-CBC PARMS AES-IV } -- aes-192-OFB ALGORITHM ::= { OID id-aes192-OFB PARMS AES-IV } -- aes-192-CFB ALGORITHM ::= { OID id-aes192-CFB PARMS CFBParameters } AES-256-Algorithms ALGORITHM ::= { aes-256-ECB | aes-256-CBC | aes-256-OFB | aes-256-CFB } -- aes-256-ECB ALGORITHM ::= { OID id-aes256-ECB } -- aes-256-CBC ALGORITHM ::= { OID id-aes256-CBC PARMS AES-IV } -- aes-256-OFB ALGORITHM ::= { OID id-aes256-OFB PARMS AES-IV } -- aes-256-CFB ALGORITHM ::= { OID id-aes256-CFB PARMS CFBParameters } -- Parameter definitions -- CFBParameters ::= SEQUENCE { aes-IV AES-IV, numberOfBits NumberOfBits } AES-IV ::= OCTET STRING (SIZE(16)) NumberOfBits ::= INTEGER(1..128) -- AES information object identifiers -- csor OBJECT IDENTIFIER ::= { joint-iso-itu-t(2) country(16) us(840) organization(1) gov(101) 3 } nistAlgorithms OBJECT IDENTIFIER ::= { csor nistAlgorithm(4) } aes OBJECT IDENTIFIER ::= { nistAlgorithms 1 } -- 128 bit AES information object identifiers -- id-aes128-ECB OBJECT IDENTIFIER ::= { aes 1 } id-aes128-CBC OBJECT IDENTIFIER ::= { aes 2 } id-aes128-OFB OBJECT IDENTIFIER ::= { aes 3 } id-aes128-CFB OBJECT IDENTIFIER ::= { aes 4 } id-aes128-wrap OBJECT IDENTIFIER ::= { aes 5 } id-aes128-GCM OBJECT IDENTIFIER ::= { aes 6 } id-aes128-CCM OBJECT IDENTIFIER ::= { aes 7 } id-aes128-wrap-pad OBJECT IDENTIFIER ::= { aes 8 } -- 192 bit AES information object identifiers -- id-aes192-ECB OBJECT IDENTIFIER ::= { aes 21 } id-aes192-CBC OBJECT IDENTIFIER ::= { aes 22 } id-aes192-OFB OBJECT IDENTIFIER ::= { aes 23 } id-aes192-CFB OBJECT IDENTIFIER ::= { aes 24 } id-aes192-wrap OBJECT IDENTIFIER ::= { aes 25 } id-aes192-GCM OBJECT IDENTIFIER ::= { aes 26 } id-aes192-CCM OBJECT IDENTIFIER ::= { aes 27 } id-aes192-wrap-pad OBJECT IDENTIFIER ::= { aes 28 } -- 256 bit AES information object identifiers -- id-aes256-ECB OBJECT IDENTIFIER ::= { aes 41 } id-aes256-CBC OBJECT IDENTIFIER ::= { aes 42 } id-aes256-OFB OBJECT IDENTIFIER ::= { aes 43 } id-aes256-CFB OBJECT IDENTIFIER ::= { aes 44 } id-aes256-wrap OBJECT IDENTIFIER ::= { aes 45 } id-aes256-GCM OBJECT IDENTIFIER ::= { aes 46 } id-aes256-CCM OBJECT IDENTIFIER ::= { aes 47 } id-aes256-wrap-pad OBJECT IDENTIFIER ::= { aes 48 } -- Supporting definitions -- -- AlgorithmIdentifier { ALGORITHM:IOSet } ::= SEQUENCE { -- algorithm ALGORITHM.&id({IOSet}), -- parameters ALGORITHM.&Type({IOSet}{@algorithm}) OPTIONAL -- } -- ALGORITHM ::= CLASS { -- &id OBJECT IDENTIFIER UNIQUE, -- &Type OPTIONAL -- } -- WITH SYNTAX { OID &id [PARMS &Type] } -- SHA-3 family parameter obtained from -- https://csrc.nist.gov/projects/computer-security-objects-register/algorithm-registration -- on 2018-08-16 ShakeOutputLen ::= INTEGER -- Output length in bits END -- NIST-AES -- -- -- Last update: Wednesday, March 11, 2009 -- -- Tim Polk, NIST -- syntax not verified! --
Text
wireshark/epan/dissectors/asn1/nist-csor/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME nist-csor ) set( PROTO_OPT ) set( EXPORT_FILES ${PROTOCOL_NAME}-exp.cnf ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST aes1.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c packet-${PROTOCOL_NAME}-template.h ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS -b ) set( EXTRA_CNF ) ASN2WRS()
Configuration
wireshark/epan/dissectors/asn1/nist-csor/nist-csor.cnf
# nist-csor.cnf # NIST CSOR conformation file #.IMPORT ../x509af/x509af-exp.cnf #.IMPORT ../x509ce/x509ce-exp.cnf #.IMPORT ../x509if/x509if-exp.cnf #.IMPORT ../x509sat/x509sat-exp.cnf #.OMIT_ASSIGNMENT AESAlgorithmIdentifier #.END #.EXPORTS CFBParameters AES-IV NumberOfBits ShakeOutputLen #.REGISTER # 128-bit AES information OIDs AES-IV B "2.16.840.1.101.3.4.1.2" "id-aes128-CBC" AES-IV B "2.16.840.1.101.3.4.1.3" "id-aes128-OFB" CFBParameters B "2.16.840.1.101.3.4.1.4" "id-aes128-CFB" # 192-bit AES information OIDs AES-IV B "2.16.840.1.101.3.4.1.22" "id-aes192-CBC" AES-IV B "2.16.840.1.101.3.4.1.23" "id-aes192-OFB" CFBParameters B "2.16.840.1.101.3.4.1.24" "id-aes192-CFB" # 256-bit AES information OIDs AES-IV B "2.16.840.1.101.3.4.1.42" "id-aes256-CBC" AES-IV B "2.16.840.1.101.3.4.1.43" "id-aes256-OFB" CFBParameters B "2.16.840.1.101.3.4.1.44" "id-aes256-CFB" # SHA-3 family ShakeOutputLen B "2.16.840.1.101.3.4.2.17" "id-shake128-len" ShakeOutputLen B "2.16.840.1.101.3.4.2.18" "id-shake256-len" #.NO_EMIT #.TYPE_RENAME #.FIELD_RENAME #.END
C
wireshark/epan/dissectors/asn1/nist-csor/packet-nist-csor-template.c
/* packet-nist-csor.c * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #include "config.h" #include <epan/packet.h> #include <epan/oids.h> #include <epan/asn1.h> #include "packet-nist-csor.h" #include "packet-ber.h" #include "packet-pkix1explicit.h" #include "packet-pkix1implicit.h" #define PNAME "NIST_CSOR" #define PSNAME "NIST_CSOR" #define PFNAME "nist_csor" void proto_register_nist_csor(void); void proto_reg_handoff_nist_csor(void); /* Initialize the protocol and registered fields */ static int proto_nist_csor = -1; #include "packet-nist-csor-hf.c" /* Initialize the subtree pointers */ #include "packet-nist-csor-ett.c" #include "packet-nist-csor-fn.c" /*--- proto_register_nist-csor ----------------------------------------------*/ void proto_register_nist_csor(void) { /* List of fields */ static hf_register_info hf[] = { #include "packet-nist-csor-hfarr.c" }; /* List of subtrees */ static gint *ett[] = { #include "packet-nist-csor-ettarr.c" }; /* Register protocol */ proto_nist_csor = proto_register_protocol(PNAME, PSNAME, PFNAME); /* Register fields and subtrees */ proto_register_field_array(proto_nist_csor, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); } /*--- proto_reg_handoff_nist_csor -------------------------------------------*/ void proto_reg_handoff_nist_csor(void) { #include "packet-nist-csor-dis-tab.c" oid_add_from_string("id-data","1.2.840.113549.1.7.1"); /* AES */ oid_add_from_string("aes","2.16.840.1.101.3.4.1"); /* 128-bit AES information OIDs */ oid_add_from_string("id-aes128-ECB","2.16.840.1.101.3.4.1.1"); oid_add_from_string("id-aes128-wrap","2.16.840.1.101.3.4.1.5"); oid_add_from_string("id-aes128-GCM","2.16.840.1.101.3.4.1.6"); oid_add_from_string("id-aes128-CCM","2.16.840.1.101.3.4.1.7"); oid_add_from_string("id-aes128-wrap-pad","2.16.840.1.101.3.4.1.8"); /* 192-bit AES information OIDs */ oid_add_from_string("id-aes192-ECB","2.16.840.1.101.3.4.1.21"); oid_add_from_string("id-aes192-wrap","2.16.840.1.101.3.4.1.25"); oid_add_from_string("id-aes192-GCM","2.16.840.1.101.3.4.1.26"); oid_add_from_string("id-aes192-CCM","2.16.840.1.101.3.4.1.27"); oid_add_from_string("id-aes192-wrap-pad","2.16.840.1.101.3.4.1.28"); /* 256-bit AES information OIDs */ oid_add_from_string("id-aes256-ECB","2.16.840.1.101.3.4.1.41"); oid_add_from_string("id-aes256-wrap","2.16.840.1.101.3.4.1.45"); oid_add_from_string("id-aes256-GCM","2.16.840.1.101.3.4.1.46"); oid_add_from_string("id-aes256-CCM","2.16.840.1.101.3.4.1.47"); oid_add_from_string("id-aes256-wrap-pad","2.16.840.1.101.3.4.1.48"); /* Secure Hash Algorithms */ oid_add_from_string("hashAlgs","2.16.840.1.101.3.4.2"); /* SHA-2 family */ oid_add_from_string("id-sha256","2.16.840.1.101.3.4.2.1"); oid_add_from_string("id-sha384","2.16.840.1.101.3.4.2.2"); oid_add_from_string("id-sha512","2.16.840.1.101.3.4.2.3"); oid_add_from_string("id-sha224","2.16.840.1.101.3.4.2.4"); oid_add_from_string("id-sha512-224","2.16.840.1.101.3.4.2.5"); oid_add_from_string("id-sha512-256","2.16.840.1.101.3.4.2.6"); /* SHA-3 family */ oid_add_from_string("id-sha3-224","2.16.840.1.101.3.4.2.7"); oid_add_from_string("id-sha3-256","2.16.840.1.101.3.4.2.8"); oid_add_from_string("id-sha3-384","2.16.840.1.101.3.4.2.9"); oid_add_from_string("id-sha3-512","2.16.840.1.101.3.4.2.10"); oid_add_from_string("id-shake128","2.16.840.1.101.3.4.2.11"); oid_add_from_string("id-shake256","2.16.840.1.101.3.4.2.12"); /* HMAC with SHA-3 family */ oid_add_from_string("id-hmacWithSHA3-224","2.16.840.1.101.3.4.2.13"); oid_add_from_string("id-hmacWithSHA3-256","2.16.840.1.101.3.4.2.14"); oid_add_from_string("id-hmacWithSHA3-384","2.16.840.1.101.3.4.2.15"); oid_add_from_string("id-hmacWithSHA3-512","2.16.840.1.101.3.4.2.16"); /* Digital Signature Algorithms */ oid_add_from_string("sigAlgs","2.16.840.1.101.3.4.3"); /* DSA with SHA-2 family */ oid_add_from_string("id-dsa-with-sha224","2.16.840.1.101.3.4.3.1"); oid_add_from_string("id-dsa-with-sha256","2.16.840.1.101.3.4.3.2"); oid_add_from_string("id-dsa-with-sha384","2.16.840.1.101.3.4.3.3"); oid_add_from_string("id-dsa-with-sha512","2.16.840.1.101.3.4.3.4"); /* DSA with SHA-3 family */ oid_add_from_string("id-dsa-with-sha3-224","2.16.840.1.101.3.4.3.5"); oid_add_from_string("id-dsa-with-sha3-256","2.16.840.1.101.3.4.3.6"); oid_add_from_string("id-dsa-with-sha3-384","2.16.840.1.101.3.4.3.7"); oid_add_from_string("id-dsa-with-sha3-512","2.16.840.1.101.3.4.3.8"); /* ECDSA with SHA-3 family */ oid_add_from_string("id-ecdsa-with-sha3-224","2.16.840.1.101.3.4.3.9"); oid_add_from_string("id-ecdsa-with-sha3-256","2.16.840.1.101.3.4.3.10"); oid_add_from_string("id-ecdsa-with-sha3-384","2.16.840.1.101.3.4.3.11"); oid_add_from_string("id-ecdsa-with-sha3-512","2.16.840.1.101.3.4.3.12"); /* RSA PKCS#1 v1.5 Signature with SHA-3 family */ oid_add_from_string("id-rsassa-pkcs1-v1_5-with-sha3-224","2.16.840.1.101.3.4.3.13"); oid_add_from_string("id-rsassa-pkcs1-v1_5-with-sha3-256","2.16.840.1.101.3.4.3.14"); oid_add_from_string("id-rsassa-pkcs1-v1_5-with-sha3-384","2.16.840.1.101.3.4.3.15"); oid_add_from_string("id-rsassa-pkcs1-v1_5-with-sha3-512","2.16.840.1.101.3.4.3.16"); }
C/C++
wireshark/epan/dissectors/asn1/nist-csor/packet-nist-csor-template.h
/* packet-nist-csor.h * Routines for NIST CSOR * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #ifndef PACKET_NIST_CSOR_H #define PACKET_NIST_CSOR_H #include "packet-nist-csor-exp.h" #endif /* PACKET_NIST_CSOR_H */
Text
wireshark/epan/dissectors/asn1/novell_pkis/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME novell_pkis ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST ${EXT_ASN_FILE_LIST} ${PROTOCOL_NAME}.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS -b -u ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/novell_pkis/novell_pkis.asn
-- from pkisv10.pdf -- you can find this document at https://web.archive.org/web/19990224174228/http://www.developer.novell.com/repository/attributes/certattrs_v10.htm PKIS { joint-iso-ccitt(2) country(16) us(840) organization(1) novell (113719) } DEFINITIONS IMPLICIT TAGS ::= BEGIN -- ASN.1 Definition of Useful Attributes -- The following are useful Novell OIDs, etc. novell OBJECT IDENTIFIER ::= {joint-iso-ccitt(2) country(16) us(840) organization(1) novell (113719)} applications OBJECT IDENTIFIER ::= {novell applications(1) } pki OBJECT IDENTIFIER ::= {applications pki(9) } pkiAttributeType OBJECT IDENTIFIER ::= {pki at(4) } pkiAttributeSyntax OBJECT IDENTIFIER ::= {pki at(5) } pkiObjectClass OBJECT IDENTIFIER ::= {pki at(6) } -- The following unique PKI attributes are hereby defined under the novell applications pki arc: pa-sa OBJECT IDENTIFIER ::= { pkiAttributeType (1) } -- securityAttributes -- 2.16.840.113719.1.9.4.1 pa-rl OBJECT IDENTIFIER ::= { pkiAttributeType (2) } -- relianceLimit -- 2.16.840.113719.1.9.4.2 SecurityAttributes ::= SEQUENCE { versionNumber OCTET STRING (SIZE (2)), -- The initial value should be (01 00) -- The first octet is the major version, -- the second octet is the minor version number. nSI BOOLEAN (TRUE), -- NSI = “Nonverified Subscriber Information” -- If FALSE, it means that the CA issuing -- a certificate HAS verified the validity -- of ALL of the values contained -- within the Novell Security Attributes -- using appropriate means as defined -- for example in their Certificate Policy -- and/or Certificate Practice Statement -- If TRUE, it means that the subscriber -- requesting the certificate has represented -- to the CA that the extension defined -- is valid and correct, but that the CA -- has not independently validated the accuracy -- of the attribute. Note that in no case may -- the CA issue a certificate containing an -- extension which it has reason to -- believe is not accurate at the time of -- issuance, except for test certificates -- which are identified as such in the -- Certificate class attribute (by setting -- the certificateValid flag to FALSE.) securityTM PrintableString ("Novell Security Attribute(tm)"), -- Note: Since the “Novell Security -- Attribute(tm)” string is trademarked, if -- it is displayed visually to the user it -- must be presented exactly as shown, -- in English, even in non-English -- implementations. A translation of the -- phrase may be displayed to the user -- in addition, if desired. -- Vendors who license the use of the term -- must agree to check for the presence of -- this string in any attribute defined (by its -- OID) as a Novell Security attribute uriReference IA5String, -- The initial value should be set to (“http://developer.novell.com/repository/attributes/certattrs_v10.htm”), -- This attribute will be included in all -- NICI and PKIS certificates. -- Novell will maintain a copy of this -- document or other suitable definition -- at that location. gLBExtensions GLBExtensions } GLBExtensions::=SEQUENCE{ -- These are the extensions over which the -- Greatest Lower Bound is computed within NICI. keyQuality [0] IMPLICIT KeyQuality, cryptoProcessQuality [1] IMPLICIT CryptoProcessQuality, certificateClass [2] IMPLICIT CertificateClass, enterpriseId [3] IMPLICIT EnterpriseId } -- ASN.1 Definitions of Key Quality and Crypto Process Quality Attributes: KeyQuality ::= Quality CryptoProcessQuality ::= Quality Quality ::= SEQUENCE { enforceQuality BOOLEAN, -- If TRUE, the explicit attributes compusecQuality, -- cryptoQuality, and keyStorageQuality, plus the -- implicit attributes algorithmType and keyLength -- are either enforced at all times, or a dynamic low -- water mark (Greatest Lower Bound)may be maintained. -- I.e., if enforceQuality is TRUE for the -- keyQuality attribute, the key must never be -- allowed to be transported to and/or used on any -- platform that does not meet the minimum -- criteria, and hence enforceQuality must be TRUE for -- the cryptoProcessQuality as well -- If enforceQuality is FALSE for keyQuality, but -- TRUE for cryptoProcessQuality, then the -- operating system has not enforced the criteria -- in any technical sense, but the subscriber -- is nonetheless representing that the minimum -- criteria will be maintained, -- e.g., by manual or procedural controls. -- For PKIS and NICI versions 1.0, enforceQuality -- must be set to FALSE in the keyQuality attribute. compusecQuality CompusecQuality, cryptoQuality CryptoQuality, keyStorageQuality INTEGER (0..255) -- See definitions in Appendix C } CompusecQuality ::= SEQUENCE SIZE (1..1) OF CompusecQualityPair -- Multiple pairs of {Criteria, Rating} are allowed -- In the first release, only one pair(TCSEC criteria)is provided CompusecQualityPair ::= SEQUENCE { compusecCriteria INTEGER(0..255), -- The default should be 1, but DEFAULT implies OPTIONAL, which -- is not the intent. So the value has to be coded explicitly. -- 0= Reserved (encoding error) -- 1= Trusted Computer Security Evaluation Criteria (TCSEC) -- 2= International Trusted Security Evaluation Criteria (ITSEC) -- 3= Common Criteria -- all others reserved compusecRating INTEGER (0..255) -- the compusecRating is in accordance with the specified -- compusecCriteria for each pair in the sequence -- Defined values for ratings for components and systems formally -- evaluated in accordance with the Trusted Computer Security -- Evaluation Criteria and the Trusted Network Interpretation -- (Red Book) are provided in Appendix A. } CryptoQuality ::= SEQUENCE SIZE (1..1) OF CryptoQualityPair -- Multiple pairs of {Criteria, Rating} are allowed. -- In the initial release, only one pair is provided. CryptoQualityPair ::= SEQUENCE { cryptoModuleCriteria INTEGER(0..255), -- The default should be 1, but DEFAULT implies OPTIONAL, which -- is not the intent. So the value has to be coded explicitly. -- 1 = FIPS 140-1 -- all others reserved cryptoModuleRating INTEGER (0..255) -- the cryptoModuleRating value is in accordance with -- the specified cryptoModuleCriteria for each pair -- FIPS 140-1 ratings definitions: -- 0 = Reserved (encoding error) -- 1 = unevaluated/unknown, -- all others—see Appendix B } -- ASN.1 Definition of Certificate Class Attribute: CertificateClass ::= SEQUENCE { classValue INTEGER (0..255), -- Defined class values are contained in Appendix C certificateValid BOOLEAN -- The default should be true, but DEFAULT is OPTIONAL -- which would make the GLB computation awkward. -- See Section 5 and the footnote for a discussion. } -- ASN.1 Definition of Enterprise Identifier Attribute: EnterpriseId ::= SEQUENCE { rootLabel [0] IMPLICIT SecurityLabelType1, registryLabel [1] IMPLICIT SecurityLabelType1, enterpriseLabel [2] IMPLICIT SEQUENCE SIZE (1..1) OF SecurityLabelType1 } SecurityLabelType1 ::= SEQUENCE { labelType1 INTEGER (0..255), -- The default should be 2, but DEFAULT implies OPTIONAL, which -- is not the intent. So the value has to be coded explicitly. -- Note that the label type for Version 1 -- of Graded Authentication is 0 or 1. -- Byte sizes and reserved fields are omitted, -- because they are derivable from the ASN.1. secrecyLevel1 INTEGER (0..255), -- The default should be 0, but DEFAULT implies OPTIONAL, which -- is not the intent. So the value has to be coded explicitly. -- 0 = low secrecy, 255 = high secrecy -- It seems highly unlikely anyone would ever -- need more than 255 secrecy levels integrityLevel1 INTEGER (0..255), -- The default should be 0, but DEFAULT implies OPTIONAL, which -- is not the intent. So the value has to be coded explicitly. -- NOTE! 255 = low integrity, 0 = high integrity! -- It seems highly unlikely anyone would ever -- need more than 255 integrity levels secrecyCategories1 BIT STRING (SIZE(96)), -- The default should be FALSE, but DEFAULT implies OPTIONAL, -- which is not the intent. So the value has to be coded -- explicitly. -- 96 secrecy categories, 0 origin indexing integrityCategories1 BIT STRING (SIZE(64)), -- The default should be FALSE, but DEFAULT implies OPTIONAL, -- which is not the intent. So the value has to be coded -- explicitly. -- 64 integrity categories, 0 origin indexing secrecySingletons1 Singletons, integritySingletons1 Singletons } -- (removed the unused definition of SecurityLabelType2) Singletons ::= SEQUENCE SIZE (1..16) OF SingletonChoice -- Presently up to 16 singletons or singleton ranges -- can be defined within one security label. This -- is completely arbitrary and can be easily changed, -- but it seems reasonable. Note that no more space -- is taken in the ASN.1 DER encoding than is actually -- required. SingletonChoice ::= CHOICE { uniqueSingleton INTEGER (0..9223372036854775807), -- The implied value of the singleton being -- specified in this case is TRUE. -- Note that there isn’t any way to set a -- singleton value to FALSE, except by using the -- SingletonRange functions with identical lower -- and upper bounds. singletonRange SingletonRange } SingletonRange ::= SEQUENCE { singletonLowerBound INTEGER (0..9223372036854775807), -- The default should be 0, but DEFAULT implies OPTIONAL, -- which is not the intent. So the value has to be coded -- explicitly. -- Lower bound of a range of singletons -- to be set to the singletonValue specified singletonUpperBound INTEGER (0..9223372036854775807), -- The default should be 9223372036854775807, -- but DEFAULT implies OPTIONAL, -- which is not the intent. So the value has to be coded -- explicitly. -- Upper bound of a range of singletons -- to be set to the singletonValue specified singletonValue BOOLEAN -- An entire range of singletons can be set to -- either TRUE or FALSE. -- Note that singletonRanges are allowed to overlap, -- and in particular that a uniqueSingleton can -- reset a singleton value already set by a -- singletonRange, and vice versa. -- The uniqueSingleton and singletonRanges are applied -- consecutively, from the lower bound of SEQUENCE (1) -- to the upper bound. } -- ASN.1 Definition of Reliance Limit Attribute: -- relianceLimits EXTENSION ::= { SYNTAX RelianceLimits IDENTIFIED BY {pa-rl) } -- 2.16.840.113719.1.9.4.2 RelianceLimits ::= SEQUENCE { perTransactionLimit MonetaryValue, perCertificateLimit MonetaryValue } MonetaryValue ::= SEQUENCE { -- from SET and draft ANSI X9.45 currency Currency, amount INTEGER, -- value is amount * (10 ** amtExp10), an exact representation amtExp10 INTEGER } Currency ::= INTEGER (1..999) -- currency denomination from ISO 4217 -- cf. Appendix E for the numeric currency codes and their -- alphabetic (display) equivalents. -- US Dollar (USD) is 840. -- Euro (EUR) is 978. END
Configuration
wireshark/epan/dissectors/asn1/novell_pkis/novell_pkis.cnf
# novell_pkis.cnf #.MODULE_IMPORT #.EXPORTS #.REGISTER SecurityAttributes B "2.16.840.1.113719.1.9.4.1" "pa-sa" RelianceLimits B "2.16.840.1.113719.1.9.4.2" "pa-rl" #.PDU # PKIS-MESSAGE #.NO_EMIT #.TYPE_RENAME #.FIELD_RENAME #.END
C
wireshark/epan/dissectors/asn1/novell_pkis/packet-novell_pkis-template.c
/* packet-novell_pkis.c * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #include "config.h" #include <epan/packet.h> #include <epan/expert.h> #include <epan/prefs.h> #include <epan/oids.h> #include <epan/conversation.h> #include <epan/asn1.h> #include "packet-per.h" #include "packet-ber.h" #include "packet-novell_pkis-hf.c" #include "packet-novell_pkis-ett.c" #include "packet-novell_pkis-fn.c" void proto_register_novell_pkis (void); void proto_reg_handoff_novell_pkis(void); static int proto_novell_pkis = -1; void proto_reg_handoff_novell_pkis(void) { #include "packet-novell_pkis-dis-tab.c" } void proto_register_novell_pkis (void) { static hf_register_info hf[] = { #include "packet-novell_pkis-hfarr.c" }; static gint *ett[] = { #include "packet-novell_pkis-ettarr.c" }; /* execute protocol initialization only once */ if (proto_novell_pkis != -1) return; proto_novell_pkis = proto_register_protocol("Novell PKIS ASN.1 type", "novell_pkis", "novell_pkis"); proto_register_field_array (proto_novell_pkis, hf, array_length (hf)); proto_register_subtree_array (ett, array_length (ett)); }
Text
wireshark/epan/dissectors/asn1/nr-rrc/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME nr-rrc ) set( PROTO_OPT ) set( EXPORT_FILES ${PROTOCOL_NAME}-exp.cnf ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST NR-InterNodeDefinitions.asn NR-RRC-Definitions.asn PC5-RRC-Definitions.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c packet-${PROTOCOL_NAME}-template.h ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS -L ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/nr-rrc/NR-InterNodeDefinitions.asn
-- 3GPP TS 38.331 V17.5.0 (2023-06) NR-InterNodeDefinitions DEFINITIONS AUTOMATIC TAGS ::= BEGIN IMPORTS ARFCN-ValueNR, ARFCN-ValueEUTRA, CellIdentity, CGI-InfoEUTRA, CGI-InfoNR, CondReconfigExecCondSCG-r17, CSI-RS-Index, CSI-RS-CellMobility, DRX-Config, EUTRA-PhysCellId, FeatureSetDownlinkPerCC-Id, FeatureSetUplinkPerCC-Id, FreqBandIndicatorNR, GapConfig, maxBandComb, maxBands, maxBandsEUTRA, maxCellSFTD, maxFeatureSetsPerBand, maxFreq, maxFreqIDC-MRDC, maxNrofCombIDC, maxNrofCondCells-r16, maxNrofCondCells-1-r17, maxNrofPhysicalResourceBlocks, maxNrofSCells, maxNrofServingCells, maxNrofServingCells-1, maxNrofServingCellsEUTRA, maxNrofIndexesToReport, maxSimultaneousBands, MBSInterestIndication-r17, MeasQuantityResults, MeasResultCellListSFTD-EUTRA, MeasResultCellListSFTD-NR, MeasResultList2NR, MeasResultSCG-Failure, MeasResultServFreqListEUTRA-SCG, NeedForGapsInfoNR-r16, NeedForGapNCSG-InfoNR-r17, NeedForGapNCSG-InfoEUTRA-r17, OverheatingAssistance, OverheatingAssistance-r17, P-Max, PhysCellId, RadioBearerConfig, RAN-NotificationAreaInfo, RRCReconfiguration, ServCellIndex, SetupRelease, SSB-Index, SSB-MTC, SSB-ToMeasure, SS-RSSI-Measurement, ShortMAC-I, SubcarrierSpacing, UEAssistanceInformation, UE-CapabilityRAT-ContainerList, maxNrofCLI-RSSI-Resources-r16, maxNrofCLI-SRS-Resources-r16, RSSI-ResourceId-r16, SDT-Config-r17, SidelinkUEInformationNR-r16, SRS-ResourceId, UE-RadioPagingInfo-r17 FROM NR-RRC-Definitions; -- TAG-NR-INTER-NODE-DEFINITIONS-STOP -- TAG-CG-CANDIDATELIST-START CG-CandidateList ::= SEQUENCE { criticalExtensions CHOICE { c1 CHOICE{ cg-CandidateList-r17 CG-CandidateList-r17-IEs, spare3 NULL, spare2 NULL, spare1 NULL }, criticalExtensionsFuture SEQUENCE {} } } CG-CandidateList-r17-IEs ::= SEQUENCE { cg-CandidateToAddModList-r17 SEQUENCE (SIZE (1..maxNrofCondCells-r16)) OF CG-CandidateInfo-r17 OPTIONAL, cg-CandidateToReleaseList-r17 SEQUENCE (SIZE (1..maxNrofCondCells-r16)) OF CG-CandidateInfoId-r17 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } CG-CandidateInfo-r17 ::= SEQUENCE { cg-CandidateInfoId-r17 CG-CandidateInfoId-r17, candidateCG-Config-r17 OCTET STRING (CONTAINING CG-Config) } CG-CandidateInfoId-r17::= SEQUENCE { ssbFrequency-r17 ARFCN-ValueNR, physCellId-r17 PhysCellId } -- TAG-CG-CANDIDATELIST-STOP -- TAG-HANDOVER-COMMAND-START HandoverCommand ::= SEQUENCE { criticalExtensions CHOICE { c1 CHOICE{ handoverCommand HandoverCommand-IEs, spare3 NULL, spare2 NULL, spare1 NULL }, criticalExtensionsFuture SEQUENCE {} } } HandoverCommand-IEs ::= SEQUENCE { handoverCommandMessage OCTET STRING (CONTAINING RRCReconfiguration), nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-HANDOVER-COMMAND-STOP -- TAG-HANDOVER-PREPARATION-INFORMATION-START HandoverPreparationInformation ::= SEQUENCE { criticalExtensions CHOICE { c1 CHOICE{ handoverPreparationInformation HandoverPreparationInformation-IEs, spare3 NULL, spare2 NULL, spare1 NULL }, criticalExtensionsFuture SEQUENCE {} } } HandoverPreparationInformation-IEs ::= SEQUENCE { ue-CapabilityRAT-List UE-CapabilityRAT-ContainerList, sourceConfig AS-Config OPTIONAL, -- Cond HO rrm-Config RRM-Config OPTIONAL, as-Context AS-Context OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } AS-Config ::= SEQUENCE { rrcReconfiguration OCTET STRING (CONTAINING RRCReconfiguration), ..., [[ sourceRB-SN-Config OCTET STRING (CONTAINING RadioBearerConfig) OPTIONAL, sourceSCG-NR-Config OCTET STRING (CONTAINING RRCReconfiguration) OPTIONAL, sourceSCG-EUTRA-Config OCTET STRING OPTIONAL ]], [[ sourceSCG-Configured ENUMERATED {true} OPTIONAL ]], [[ sdt-Config-r17 SDT-Config-r17 OPTIONAL ]] } AS-Context ::= SEQUENCE { reestablishmentInfo ReestablishmentInfo OPTIONAL, configRestrictInfo ConfigRestrictInfoSCG OPTIONAL, ..., [[ ran-NotificationAreaInfo RAN-NotificationAreaInfo OPTIONAL ]], [[ ueAssistanceInformation OCTET STRING (CONTAINING UEAssistanceInformation) OPTIONAL -- Cond HO2 ]], [[ selectedBandCombinationSN BandCombinationInfoSN OPTIONAL ]], [[ configRestrictInfoDAPS-r16 ConfigRestrictInfoDAPS-r16 OPTIONAL, sidelinkUEInformationNR-r16 OCTET STRING OPTIONAL, sidelinkUEInformationEUTRA-r16 OCTET STRING OPTIONAL, ueAssistanceInformationEUTRA-r16 OCTET STRING OPTIONAL, ueAssistanceInformationSCG-r16 OCTET STRING (CONTAINING UEAssistanceInformation) OPTIONAL, -- Cond HO2 needForGapsInfoNR-r16 NeedForGapsInfoNR-r16 OPTIONAL ]], [[ configRestrictInfoDAPS-v1640 ConfigRestrictInfoDAPS-v1640 OPTIONAL ]], [[ needForGapNCSG-InfoNR-r17 NeedForGapNCSG-InfoNR-r17 OPTIONAL, needForGapNCSG-InfoEUTRA-r17 NeedForGapNCSG-InfoEUTRA-r17 OPTIONAL, mbsInterestIndication-r17 OCTET STRING (CONTAINING MBSInterestIndication-r17) OPTIONAL ]] } ConfigRestrictInfoDAPS-r16 ::= SEQUENCE { powerCoordination-r16 SEQUENCE { p-DAPS-Source-r16 P-Max, p-DAPS-Target-r16 P-Max, uplinkPowerSharingDAPS-Mode-r16 ENUMERATED {semi-static-mode1, semi-static-mode2, dynamic } } OPTIONAL } ConfigRestrictInfoDAPS-v1640 ::= SEQUENCE { sourceFeatureSetPerDownlinkCC-r16 FeatureSetDownlinkPerCC-Id, sourceFeatureSetPerUplinkCC-r16 FeatureSetUplinkPerCC-Id } ReestablishmentInfo ::= SEQUENCE { sourcePhysCellId PhysCellId, targetCellShortMAC-I ShortMAC-I, additionalReestabInfoList ReestabNCellInfoList OPTIONAL } ReestabNCellInfoList ::= SEQUENCE ( SIZE (1..maxCellPrep) ) OF ReestabNCellInfo ReestabNCellInfo::= SEQUENCE{ cellIdentity CellIdentity, key-gNodeB-Star BIT STRING (SIZE (256)), shortMAC-I ShortMAC-I } RRM-Config ::= SEQUENCE { ue-InactiveTime ENUMERATED { s1, s2, s3, s5, s7, s10, s15, s20, s25, s30, s40, s50, min1, min1s20, min1s40, min2, min2s30, min3, min3s30, min4, min5, min6, min7, min8, min9, min10, min12, min14, min17, min20, min24, min28, min33, min38, min44, min50, hr1, hr1min30, hr2, hr2min30, hr3, hr3min30, hr4, hr5, hr6, hr8, hr10, hr13, hr16, hr20, day1, day1hr12, day2, day2hr12, day3, day4, day5, day7, day10, day14, day19, day24, day30, dayMoreThan30} OPTIONAL, candidateCellInfoList MeasResultList2NR OPTIONAL, ..., [[ candidateCellInfoListSN-EUTRA MeasResultServFreqListEUTRA-SCG OPTIONAL ]] } -- TAG-HANDOVER-PREPARATION-INFORMATION-STOP -- TAG-CG-CONFIG-START CG-Config ::= SEQUENCE { criticalExtensions CHOICE { c1 CHOICE{ cg-Config CG-Config-IEs, spare3 NULL, spare2 NULL, spare1 NULL }, criticalExtensionsFuture SEQUENCE {} } } CG-Config-IEs ::= SEQUENCE { scg-CellGroupConfig OCTET STRING (CONTAINING RRCReconfiguration) OPTIONAL, scg-RB-Config OCTET STRING (CONTAINING RadioBearerConfig) OPTIONAL, configRestrictModReq ConfigRestrictModReqSCG OPTIONAL, drx-InfoSCG DRX-Info OPTIONAL, candidateCellInfoListSN OCTET STRING (CONTAINING MeasResultList2NR) OPTIONAL, measConfigSN MeasConfigSN OPTIONAL, selectedBandCombination BandCombinationInfoSN OPTIONAL, fr-InfoListSCG FR-InfoList OPTIONAL, candidateServingFreqListNR CandidateServingFreqListNR OPTIONAL, nonCriticalExtension CG-Config-v1540-IEs OPTIONAL } CG-Config-v1540-IEs ::= SEQUENCE { pSCellFrequency ARFCN-ValueNR OPTIONAL, reportCGI-RequestNR SEQUENCE { requestedCellInfo SEQUENCE { ssbFrequency ARFCN-ValueNR, cellForWhichToReportCGI PhysCellId } OPTIONAL } OPTIONAL, ph-InfoSCG PH-TypeListSCG OPTIONAL, nonCriticalExtension CG-Config-v1560-IEs OPTIONAL } CG-Config-v1560-IEs ::= SEQUENCE { pSCellFrequencyEUTRA ARFCN-ValueEUTRA OPTIONAL, scg-CellGroupConfigEUTRA OCTET STRING OPTIONAL, candidateCellInfoListSN-EUTRA OCTET STRING OPTIONAL, candidateServingFreqListEUTRA CandidateServingFreqListEUTRA OPTIONAL, needForGaps ENUMERATED {true} OPTIONAL, drx-ConfigSCG DRX-Config OPTIONAL, reportCGI-RequestEUTRA SEQUENCE { requestedCellInfoEUTRA SEQUENCE { eutraFrequency ARFCN-ValueEUTRA, cellForWhichToReportCGI-EUTRA EUTRA-PhysCellId } OPTIONAL } OPTIONAL, nonCriticalExtension CG-Config-v1590-IEs OPTIONAL } CG-Config-v1590-IEs ::= SEQUENCE { scellFrequenciesSN-NR SEQUENCE (SIZE (1.. maxNrofServingCells-1)) OF ARFCN-ValueNR OPTIONAL, scellFrequenciesSN-EUTRA SEQUENCE (SIZE (1.. maxNrofServingCells-1)) OF ARFCN-ValueEUTRA OPTIONAL, nonCriticalExtension CG-Config-v1610-IEs OPTIONAL } CG-Config-v1610-IEs ::= SEQUENCE { drx-InfoSCG2 DRX-Info2 OPTIONAL, nonCriticalExtension CG-Config-v1620-IEs OPTIONAL } CG-Config-v1620-IEs ::= SEQUENCE { ueAssistanceInformationSCG-r16 OCTET STRING (CONTAINING UEAssistanceInformation) OPTIONAL, nonCriticalExtension CG-Config-v1630-IEs OPTIONAL } CG-Config-v1630-IEs ::= SEQUENCE { selectedToffset-r16 T-Offset-r16 OPTIONAL, nonCriticalExtension CG-Config-v1640-IEs OPTIONAL } CG-Config-v1640-IEs ::= SEQUENCE { servCellInfoListSCG-NR-r16 ServCellInfoListSCG-NR-r16 OPTIONAL, servCellInfoListSCG-EUTRA-r16 ServCellInfoListSCG-EUTRA-r16 OPTIONAL, nonCriticalExtension CG-Config-v1700-IEs OPTIONAL } CG-Config-v1700-IEs ::= SEQUENCE { candidateCellInfoListCPC-r17 CandidateCellInfoListCPC-r17 OPTIONAL, twoPHRModeSCG-r17 ENUMERATED {enabled} OPTIONAL, nonCriticalExtension CG-Config-v1730-IEs OPTIONAL } CG-Config-v1730-IEs ::= SEQUENCE { fr1-Carriers-SCG-r17 INTEGER (1..32) OPTIONAL, fr2-Carriers-SCG-r17 INTEGER (1..32) OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } ServCellInfoListSCG-NR-r16 ::= SEQUENCE (SIZE (1.. maxNrofServingCells)) OF ServCellInfoXCG-NR-r16 ServCellInfoXCG-NR-r16 ::= SEQUENCE { dl-FreqInfo-NR-r16 FrequencyConfig-NR-r16 OPTIONAL, ul-FreqInfo-NR-r16 FrequencyConfig-NR-r16 OPTIONAL, -- Cond FDD ... } FrequencyConfig-NR-r16 ::= SEQUENCE { freqBandIndicatorNR-r16 FreqBandIndicatorNR, carrierCenterFreq-NR-r16 ARFCN-ValueNR, carrierBandwidth-NR-r16 INTEGER (1..maxNrofPhysicalResourceBlocks), subcarrierSpacing-NR-r16 SubcarrierSpacing } ServCellInfoListSCG-EUTRA-r16 ::= SEQUENCE (SIZE (1.. maxNrofServingCellsEUTRA)) OF ServCellInfoXCG-EUTRA-r16 ServCellInfoXCG-EUTRA-r16 ::= SEQUENCE { dl-CarrierFreq-EUTRA-r16 ARFCN-ValueEUTRA OPTIONAL, ul-CarrierFreq-EUTRA-r16 ARFCN-ValueEUTRA OPTIONAL, -- Cond FDD transmissionBandwidth-EUTRA-r16 TransmissionBandwidth-EUTRA-r16 OPTIONAL, ... } TransmissionBandwidth-EUTRA-r16 ::= ENUMERATED {rb6, rb15, rb25, rb50, rb75, rb100} PH-TypeListSCG ::= SEQUENCE (SIZE (1..maxNrofServingCells)) OF PH-InfoSCG PH-InfoSCG ::= SEQUENCE { servCellIndex ServCellIndex, ph-Uplink PH-UplinkCarrierSCG, ph-SupplementaryUplink PH-UplinkCarrierSCG OPTIONAL, ..., [[ twoSRS-PUSCH-Repetition-r17 ENUMERATED{enabled} OPTIONAL ]] } PH-UplinkCarrierSCG ::= SEQUENCE{ ph-Type1or3 ENUMERATED {type1, type3}, ... } MeasConfigSN ::= SEQUENCE { measuredFrequenciesSN SEQUENCE (SIZE (1..maxMeasFreqsSN)) OF NR-FreqInfo OPTIONAL, ... } NR-FreqInfo ::= SEQUENCE { measuredFrequency ARFCN-ValueNR OPTIONAL, ... } ConfigRestrictModReqSCG ::= SEQUENCE { requestedBC-MRDC BandCombinationInfoSN OPTIONAL, requestedP-MaxFR1 P-Max OPTIONAL, ..., [[ requestedPDCCH-BlindDetectionSCG INTEGER (1..15) OPTIONAL, requestedP-MaxEUTRA P-Max OPTIONAL ]], [[ requestedP-MaxFR2-r16 P-Max OPTIONAL, requestedMaxInterFreqMeasIdSCG-r16 INTEGER(1..maxMeasIdentitiesMN) OPTIONAL, requestedMaxIntraFreqMeasIdSCG-r16 INTEGER(1..maxMeasIdentitiesMN) OPTIONAL, requestedToffset-r16 T-Offset-r16 OPTIONAL ]] } BandCombinationIndex ::= INTEGER (1..maxBandComb) BandCombinationInfoSN ::= SEQUENCE { bandCombinationIndex BandCombinationIndex, requestedFeatureSets FeatureSetEntryIndex } FR-InfoList ::= SEQUENCE (SIZE (1..maxNrofServingCells-1)) OF FR-Info FR-Info ::= SEQUENCE { servCellIndex ServCellIndex, fr-Type ENUMERATED {fr1, fr2} } CandidateServingFreqListNR ::= SEQUENCE (SIZE (1.. maxFreqIDC-MRDC)) OF ARFCN-ValueNR CandidateServingFreqListEUTRA ::= SEQUENCE (SIZE (1.. maxFreqIDC-MRDC)) OF ARFCN-ValueEUTRA T-Offset-r16 ::= ENUMERATED {ms0dot5, ms0dot75, ms1, ms1dot5, ms2, ms2dot5, ms3, spare1} CandidateCellInfoListCPC-r17 ::= SEQUENCE (SIZE (1..maxFreq)) OF CandidateCellInfo-r17 CandidateCellInfo-r17 ::= SEQUENCE { ssbFrequency-r17 ARFCN-ValueNR, candidateList-r17 SEQUENCE (SIZE (1..maxNrofCondCells-r16)) OF CandidateCell-r17 } CandidateCell-r17 ::= SEQUENCE { physCellId-r17 PhysCellId, condExecutionCondSCG-r17 OCTET STRING (CONTAINING CondReconfigExecCondSCG-r17) OPTIONAL } -- TAG-CG-CONFIG-STOP -- TAG-CG-CONFIG-INFO-START CG-ConfigInfo ::= SEQUENCE { criticalExtensions CHOICE { c1 CHOICE{ cg-ConfigInfo CG-ConfigInfo-IEs, spare3 NULL, spare2 NULL, spare1 NULL }, criticalExtensionsFuture SEQUENCE {} } } CG-ConfigInfo-IEs ::= SEQUENCE { ue-CapabilityInfo OCTET STRING (CONTAINING UE-CapabilityRAT-ContainerList) OPTIONAL,-- Cond SN-AddMod candidateCellInfoListMN MeasResultList2NR OPTIONAL, candidateCellInfoListSN OCTET STRING (CONTAINING MeasResultList2NR) OPTIONAL, measResultCellListSFTD-NR MeasResultCellListSFTD-NR OPTIONAL, scgFailureInfo SEQUENCE { failureType ENUMERATED { t310-Expiry, randomAccessProblem, rlc-MaxNumRetx, synchReconfigFailure-SCG, scg-reconfigFailure, srb3-IntegrityFailure}, measResultSCG OCTET STRING (CONTAINING MeasResultSCG-Failure) } OPTIONAL, configRestrictInfo ConfigRestrictInfoSCG OPTIONAL, drx-InfoMCG DRX-Info OPTIONAL, measConfigMN MeasConfigMN OPTIONAL, sourceConfigSCG OCTET STRING (CONTAINING RRCReconfiguration) OPTIONAL, scg-RB-Config OCTET STRING (CONTAINING RadioBearerConfig) OPTIONAL, mcg-RB-Config OCTET STRING (CONTAINING RadioBearerConfig) OPTIONAL, mrdc-AssistanceInfo MRDC-AssistanceInfo OPTIONAL, nonCriticalExtension CG-ConfigInfo-v1540-IEs OPTIONAL } CG-ConfigInfo-v1540-IEs ::= SEQUENCE { ph-InfoMCG PH-TypeListMCG OPTIONAL, measResultReportCGI SEQUENCE { ssbFrequency ARFCN-ValueNR, cellForWhichToReportCGI PhysCellId, cgi-Info CGI-InfoNR } OPTIONAL, nonCriticalExtension CG-ConfigInfo-v1560-IEs OPTIONAL } CG-ConfigInfo-v1560-IEs ::= SEQUENCE { candidateCellInfoListMN-EUTRA OCTET STRING OPTIONAL, candidateCellInfoListSN-EUTRA OCTET STRING OPTIONAL, sourceConfigSCG-EUTRA OCTET STRING OPTIONAL, scgFailureInfoEUTRA SEQUENCE { failureTypeEUTRA ENUMERATED { t313-Expiry, randomAccessProblem, rlc-MaxNumRetx, scg-ChangeFailure}, measResultSCG-EUTRA OCTET STRING } OPTIONAL, drx-ConfigMCG DRX-Config OPTIONAL, measResultReportCGI-EUTRA SEQUENCE { eutraFrequency ARFCN-ValueEUTRA, cellForWhichToReportCGI-EUTRA EUTRA-PhysCellId, cgi-InfoEUTRA CGI-InfoEUTRA } OPTIONAL, measResultCellListSFTD-EUTRA MeasResultCellListSFTD-EUTRA OPTIONAL, fr-InfoListMCG FR-InfoList OPTIONAL, nonCriticalExtension CG-ConfigInfo-v1570-IEs OPTIONAL } CG-ConfigInfo-v1570-IEs ::= SEQUENCE { sftdFrequencyList-NR SFTD-FrequencyList-NR OPTIONAL, sftdFrequencyList-EUTRA SFTD-FrequencyList-EUTRA OPTIONAL, nonCriticalExtension CG-ConfigInfo-v1590-IEs OPTIONAL } CG-ConfigInfo-v1590-IEs ::= SEQUENCE { servFrequenciesMN-NR SEQUENCE (SIZE (1.. maxNrofServingCells-1)) OF ARFCN-ValueNR OPTIONAL, nonCriticalExtension CG-ConfigInfo-v1610-IEs OPTIONAL } CG-ConfigInfo-v1610-IEs ::= SEQUENCE { drx-InfoMCG2 DRX-Info2 OPTIONAL, alignedDRX-Indication ENUMERATED {true} OPTIONAL, scgFailureInfo-r16 SEQUENCE { failureType-r16 ENUMERATED { scg-lbtFailure-r16, beamFailureRecoveryFailure-r16, t312-Expiry-r16, bh-RLF-r16, beamFailure-r17, spare3, spare2, spare1}, measResultSCG-r16 OCTET STRING (CONTAINING MeasResultSCG-Failure) } OPTIONAL, dummy1 SEQUENCE { failureTypeEUTRA-r16 ENUMERATED { scg-lbtFailure-r16, beamFailureRecoveryFailure-r16, t312-Expiry-r16, spare5, spare4, spare3, spare2, spare1}, measResultSCG-EUTRA-r16 OCTET STRING } OPTIONAL, sidelinkUEInformationNR-r16 OCTET STRING (CONTAINING SidelinkUEInformationNR-r16) OPTIONAL, sidelinkUEInformationEUTRA-r16 OCTET STRING OPTIONAL, nonCriticalExtension CG-ConfigInfo-v1620-IEs OPTIONAL } CG-ConfigInfo-v1620-IEs ::= SEQUENCE { ueAssistanceInformationSourceSCG-r16 OCTET STRING (CONTAINING UEAssistanceInformation) OPTIONAL, nonCriticalExtension CG-ConfigInfo-v1640-IEs OPTIONAL } CG-ConfigInfo-v1640-IEs ::= SEQUENCE { servCellInfoListMCG-NR-r16 ServCellInfoListMCG-NR-r16 OPTIONAL, servCellInfoListMCG-EUTRA-r16 ServCellInfoListMCG-EUTRA-r16 OPTIONAL, nonCriticalExtension CG-ConfigInfo-v1700-IEs OPTIONAL } CG-ConfigInfo-v1700-IEs ::= SEQUENCE { candidateCellListCPC-r17 CandidateCellListCPC-r17 OPTIONAL, twoPHRModeMCG-r17 ENUMERATED {enabled} OPTIONAL, lowMobilityEvaluationConnectedInPCell-r17 ENUMERATED {enabled} OPTIONAL, nonCriticalExtension CG-ConfigInfo-v1730-IEs OPTIONAL } CG-ConfigInfo-v1730-IEs ::= SEQUENCE { fr1-Carriers-MCG-r17 INTEGER (1..32) OPTIONAL, fr2-Carriers-MCG-r17 INTEGER (1..32) OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } ServCellInfoListMCG-NR-r16 ::= SEQUENCE (SIZE (1.. maxNrofServingCells)) OF ServCellInfoXCG-NR-r16 ServCellInfoListMCG-EUTRA-r16 ::= SEQUENCE (SIZE (1.. maxNrofServingCellsEUTRA)) OF ServCellInfoXCG-EUTRA-r16 SFTD-FrequencyList-NR ::= SEQUENCE (SIZE (1..maxCellSFTD)) OF ARFCN-ValueNR SFTD-FrequencyList-EUTRA ::= SEQUENCE (SIZE (1..maxCellSFTD)) OF ARFCN-ValueEUTRA ConfigRestrictInfoSCG ::= SEQUENCE { allowedBC-ListMRDC BandCombinationInfoList OPTIONAL, powerCoordination-FR1 SEQUENCE { p-maxNR-FR1 P-Max OPTIONAL, p-maxEUTRA P-Max OPTIONAL, p-maxUE-FR1 P-Max OPTIONAL } OPTIONAL, servCellIndexRangeSCG SEQUENCE { lowBound ServCellIndex, upBound ServCellIndex } OPTIONAL, -- Cond SN-AddMod maxMeasFreqsSCG INTEGER(1..maxMeasFreqsMN) OPTIONAL, dummy INTEGER(1..maxMeasIdentitiesMN) OPTIONAL, ..., [[ selectedBandEntriesMNList SEQUENCE (SIZE (1..maxBandComb)) OF SelectedBandEntriesMN OPTIONAL, pdcch-BlindDetectionSCG INTEGER (1..15) OPTIONAL, maxNumberROHC-ContextSessionsSN INTEGER(0.. 16384) OPTIONAL ]], [[ maxIntraFreqMeasIdentitiesSCG INTEGER(1..maxMeasIdentitiesMN) OPTIONAL, maxInterFreqMeasIdentitiesSCG INTEGER(1..maxMeasIdentitiesMN) OPTIONAL ]], [[ p-maxNR-FR1-MCG-r16 P-Max OPTIONAL, powerCoordination-FR2-r16 SEQUENCE { p-maxNR-FR2-MCG-r16 P-Max OPTIONAL, p-maxNR-FR2-SCG-r16 P-Max OPTIONAL, p-maxUE-FR2-r16 P-Max OPTIONAL } OPTIONAL, nrdc-PC-mode-FR1-r16 ENUMERATED {semi-static-mode1, semi-static-mode2, dynamic} OPTIONAL, nrdc-PC-mode-FR2-r16 ENUMERATED {semi-static-mode1, semi-static-mode2, dynamic} OPTIONAL, maxMeasSRS-ResourceSCG-r16 INTEGER(0..maxNrofCLI-SRS-Resources-r16) OPTIONAL, maxMeasCLI-ResourceSCG-r16 INTEGER(0..maxNrofCLI-RSSI-Resources-r16) OPTIONAL, maxNumberEHC-ContextsSN-r16 INTEGER(0..65536) OPTIONAL, allowedReducedConfigForOverheating-r16 OverheatingAssistance OPTIONAL, maxToffset-r16 T-Offset-r16 OPTIONAL ]], [[ allowedReducedConfigForOverheating-r17 OverheatingAssistance-r17 OPTIONAL, maxNumberUDC-DRB-r17 INTEGER(0..2) OPTIONAL, maxNumberCPCCandidates-r17 INTEGER(0..maxNrofCondCells-1-r17) OPTIONAL ]] } SelectedBandEntriesMN ::= SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandEntryIndex BandEntryIndex ::= INTEGER (0.. maxNrofServingCells) PH-TypeListMCG ::= SEQUENCE (SIZE (1..maxNrofServingCells)) OF PH-InfoMCG PH-InfoMCG ::= SEQUENCE { servCellIndex ServCellIndex, ph-Uplink PH-UplinkCarrierMCG, ph-SupplementaryUplink PH-UplinkCarrierMCG OPTIONAL, ..., [[ twoSRS-PUSCH-Repetition-r17 ENUMERATED{enabled} OPTIONAL ]] } PH-UplinkCarrierMCG ::= SEQUENCE{ ph-Type1or3 ENUMERATED {type1, type3}, ... } BandCombinationInfoList ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombinationInfo BandCombinationInfo ::= SEQUENCE { bandCombinationIndex BandCombinationIndex, allowedFeatureSetsList SEQUENCE (SIZE (1..maxFeatureSetsPerBand)) OF FeatureSetEntryIndex } FeatureSetEntryIndex ::= INTEGER (1.. maxFeatureSetsPerBand) DRX-Info ::= SEQUENCE { drx-LongCycleStartOffset CHOICE { ms10 INTEGER(0..9), ms20 INTEGER(0..19), ms32 INTEGER(0..31), ms40 INTEGER(0..39), ms60 INTEGER(0..59), ms64 INTEGER(0..63), ms70 INTEGER(0..69), ms80 INTEGER(0..79), ms128 INTEGER(0..127), ms160 INTEGER(0..159), ms256 INTEGER(0..255), ms320 INTEGER(0..319), ms512 INTEGER(0..511), ms640 INTEGER(0..639), ms1024 INTEGER(0..1023), ms1280 INTEGER(0..1279), ms2048 INTEGER(0..2047), ms2560 INTEGER(0..2559), ms5120 INTEGER(0..5119), ms10240 INTEGER(0..10239) }, shortDRX SEQUENCE { drx-ShortCycle ENUMERATED { ms2, ms3, ms4, ms5, ms6, ms7, ms8, ms10, ms14, ms16, ms20, ms30, ms32, ms35, ms40, ms64, ms80, ms128, ms160, ms256, ms320, ms512, ms640, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 }, drx-ShortCycleTimer INTEGER (1..16) } OPTIONAL } DRX-Info2 ::= SEQUENCE { drx-onDurationTimer CHOICE { subMilliSeconds INTEGER (1..31), milliSeconds ENUMERATED { ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms400, ms500, ms600, ms800, ms1000, ms1200, ms1600, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 } } } MeasConfigMN ::= SEQUENCE { measuredFrequenciesMN SEQUENCE (SIZE (1..maxMeasFreqsMN)) OF NR-FreqInfo OPTIONAL, measGapConfig CHOICE {release NULL, setup GapConfig } OPTIONAL, gapPurpose ENUMERATED {perUE, perFR1} OPTIONAL, ..., [[ measGapConfigFR2 CHOICE {release NULL, setup GapConfig } OPTIONAL ]], [[ interFreqNoGap-r16 ENUMERATED {true} OPTIONAL ]] } MRDC-AssistanceInfo ::= SEQUENCE { affectedCarrierFreqCombInfoListMRDC SEQUENCE (SIZE (1..maxNrofCombIDC)) OF AffectedCarrierFreqCombInfoMRDC, ..., [[ overheatingAssistanceSCG-r16 OCTET STRING (CONTAINING OverheatingAssistance) OPTIONAL ]], [[ overheatingAssistanceSCG-FR2-2-r17 OCTET STRING (CONTAINING OverheatingAssistance-r17) OPTIONAL ]] } AffectedCarrierFreqCombInfoMRDC ::= SEQUENCE { victimSystemType VictimSystemType, interferenceDirectionMRDC ENUMERATED {eutra-nr, nr, other, utra-nr-other, nr-other, spare3, spare2, spare1}, affectedCarrierFreqCombMRDC SEQUENCE { affectedCarrierFreqCombEUTRA AffectedCarrierFreqCombEUTRA OPTIONAL, affectedCarrierFreqCombNR AffectedCarrierFreqCombNR } OPTIONAL } VictimSystemType ::= SEQUENCE { gps ENUMERATED {true} OPTIONAL, glonass ENUMERATED {true} OPTIONAL, bds ENUMERATED {true} OPTIONAL, galileo ENUMERATED {true} OPTIONAL, wlan ENUMERATED {true} OPTIONAL, bluetooth ENUMERATED {true} OPTIONAL } AffectedCarrierFreqCombEUTRA ::= SEQUENCE (SIZE (1..maxNrofServingCellsEUTRA)) OF ARFCN-ValueEUTRA AffectedCarrierFreqCombNR ::= SEQUENCE (SIZE (1..maxNrofServingCells)) OF ARFCN-ValueNR CandidateCellListCPC-r17 ::= SEQUENCE (SIZE (1..maxFreq)) OF CandidateCellCPC-r17 CandidateCellCPC-r17 ::= SEQUENCE { ssbFrequency-r17 ARFCN-ValueNR, candidateCellList-r17 SEQUENCE (SIZE (1..maxNrofCondCells-r16)) OF PhysCellId } -- TAG-CG-CONFIG-INFO-STOP -- TAG-MEASUREMENT-TIMING-CONFIGURATION-START MeasurementTimingConfiguration ::= SEQUENCE { criticalExtensions CHOICE { c1 CHOICE{ measTimingConf MeasurementTimingConfiguration-IEs, spare3 NULL, spare2 NULL, spare1 NULL }, criticalExtensionsFuture SEQUENCE {} } } MeasurementTimingConfiguration-IEs ::= SEQUENCE { measTiming MeasTimingList OPTIONAL, nonCriticalExtension MeasurementTimingConfiguration-v1550-IEs OPTIONAL } MeasurementTimingConfiguration-v1550-IEs ::= SEQUENCE { campOnFirstSSB BOOLEAN, psCellOnlyOnFirstSSB BOOLEAN, nonCriticalExtension MeasurementTimingConfiguration-v1610-IEs OPTIONAL } MeasurementTimingConfiguration-v1610-IEs ::= SEQUENCE { csi-RS-Config-r16 SEQUENCE { csi-RS-SubcarrierSpacing-r16 SubcarrierSpacing, csi-RS-CellMobility-r16 CSI-RS-CellMobility, refSSBFreq-r16 ARFCN-ValueNR }, nonCriticalExtension SEQUENCE {} OPTIONAL } MeasTimingList ::= SEQUENCE (SIZE (1..maxMeasFreqsMN)) OF MeasTiming MeasTiming ::= SEQUENCE { frequencyAndTiming SEQUENCE { carrierFreq ARFCN-ValueNR, ssbSubcarrierSpacing SubcarrierSpacing, ssb-MeasurementTimingConfiguration SSB-MTC, ss-RSSI-Measurement SS-RSSI-Measurement OPTIONAL } OPTIONAL, ..., [[ ssb-ToMeasure SSB-ToMeasure OPTIONAL, physCellId PhysCellId OPTIONAL ]] } -- TAG-MEASUREMENT-TIMING-CONFIGURATION-STOP -- TAG-UE-RADIO-PAGING-INFORMATION-START UERadioPagingInformation ::= SEQUENCE { criticalExtensions CHOICE { c1 CHOICE{ ueRadioPagingInformation UERadioPagingInformation-IEs, spare7 NULL, spare6 NULL, spare5 NULL, spare4 NULL, spare3 NULL, spare2 NULL, spare1 NULL }, criticalExtensionsFuture SEQUENCE {} } } UERadioPagingInformation-IEs ::= SEQUENCE { supportedBandListNRForPaging SEQUENCE (SIZE (1..maxBands)) OF FreqBandIndicatorNR OPTIONAL, nonCriticalExtension UERadioPagingInformation-v15e0-IEs OPTIONAL } UERadioPagingInformation-v15e0-IEs ::= SEQUENCE { dl-SchedulingOffset-PDSCH-TypeA-FDD-FR1 ENUMERATED {supported} OPTIONAL, dl-SchedulingOffset-PDSCH-TypeA-TDD-FR1 ENUMERATED {supported} OPTIONAL, dl-SchedulingOffset-PDSCH-TypeA-TDD-FR2 ENUMERATED {supported} OPTIONAL, dl-SchedulingOffset-PDSCH-TypeB-FDD-FR1 ENUMERATED {supported} OPTIONAL, dl-SchedulingOffset-PDSCH-TypeB-TDD-FR1 ENUMERATED {supported} OPTIONAL, dl-SchedulingOffset-PDSCH-TypeB-TDD-FR2 ENUMERATED {supported} OPTIONAL, nonCriticalExtension UERadioPagingInformation-v1700-IEs OPTIONAL } UERadioPagingInformation-v1700-IEs ::= SEQUENCE { ue-RadioPagingInfo-r17 OCTET STRING (CONTAINING UE-RadioPagingInfo-r17) OPTIONAL, inactiveStatePO-Determination-r17 ENUMERATED {supported} OPTIONAL, numberOfRxRedCap-r17 ENUMERATED {one, two} OPTIONAL, halfDuplexFDD-TypeA-RedCap-r17 SEQUENCE (SIZE (1..maxBands)) OF FreqBandIndicatorNR OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-UE-RADIO-PAGING-INFORMATION-STOP -- TAG-UE-RADIO-ACCESS-CAPABILITY-INFORMATION-START UERadioAccessCapabilityInformation ::= SEQUENCE { criticalExtensions CHOICE { c1 CHOICE{ ueRadioAccessCapabilityInformation UERadioAccessCapabilityInformation-IEs, spare7 NULL, spare6 NULL, spare5 NULL, spare4 NULL, spare3 NULL, spare2 NULL, spare1 NULL }, criticalExtensionsFuture SEQUENCE {} } } UERadioAccessCapabilityInformation-IEs ::= SEQUENCE { ue-RadioAccessCapabilityInfo OCTET STRING (CONTAINING UE-CapabilityRAT-ContainerList), nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-UE-RADIO-ACCESS-CAPABILITY-INFORMATION-STOP -- TAG-NR-MULTIPLICITY-AND-CONSTRAINTS-START maxMeasFreqsMN INTEGER ::= 32 -- Maximum number of MN-configured measurement frequencies maxMeasFreqsSN INTEGER ::= 32 -- Maximum number of SN-configured measurement frequencies maxMeasIdentitiesMN INTEGER ::= 62 -- Maximum number of measurement identities that a UE can be configured with maxCellPrep INTEGER ::= 32 -- Maximum number of cells prepared for handover -- TAG-NR-MULTIPLICITY-AND-CONSTRAINTS-STOP -- TAG-NR-INTER-NODE-DEFINITIONS-END-START END
ASN.1
wireshark/epan/dissectors/asn1/nr-rrc/NR-RRC-Definitions.asn
-- 3GPP TS 38.331 V17.5.0 (2023-06) NR-RRC-Definitions DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- TAG-NR-RRC-DEFINITIONS-STOP -- TAG-BCCH-BCH-MESSAGE-START BCCH-BCH-Message ::= SEQUENCE { message BCCH-BCH-MessageType } BCCH-BCH-MessageType ::= CHOICE { mib MIB, messageClassExtension SEQUENCE {} } -- TAG-BCCH-BCH-MESSAGE-STOP -- TAG-BCCH-DL-SCH-MESSAGE-START BCCH-DL-SCH-Message ::= SEQUENCE { message BCCH-DL-SCH-MessageType } BCCH-DL-SCH-MessageType ::= CHOICE { c1 CHOICE { systemInformation SystemInformation, systemInformationBlockType1 SIB1 }, messageClassExtension SEQUENCE {} } -- TAG-BCCH-DL-SCH-MESSAGE-STOP -- TAG-DL-CCCH-MESSAGE-START DL-CCCH-Message ::= SEQUENCE { message DL-CCCH-MessageType } DL-CCCH-MessageType ::= CHOICE { c1 CHOICE { rrcReject RRCReject, rrcSetup RRCSetup, spare2 NULL, spare1 NULL }, messageClassExtension SEQUENCE {} } -- TAG-DL-CCCH-MESSAGE-STOP -- TAG-DL-DCCH-MESSAGE-START DL-DCCH-Message ::= SEQUENCE { message DL-DCCH-MessageType } DL-DCCH-MessageType ::= CHOICE { c1 CHOICE { rrcReconfiguration RRCReconfiguration, rrcResume RRCResume, rrcRelease RRCRelease, rrcReestablishment RRCReestablishment, securityModeCommand SecurityModeCommand, dlInformationTransfer DLInformationTransfer, ueCapabilityEnquiry UECapabilityEnquiry, counterCheck CounterCheck, mobilityFromNRCommand MobilityFromNRCommand, dlDedicatedMessageSegment-r16 DLDedicatedMessageSegment-r16, ueInformationRequest-r16 UEInformationRequest-r16, dlInformationTransferMRDC-r16 DLInformationTransferMRDC-r16, loggedMeasurementConfiguration-r16 LoggedMeasurementConfiguration-r16, spare3 NULL, spare2 NULL, spare1 NULL }, messageClassExtension SEQUENCE {} } -- TAG-DL-DCCH-MESSAGE-STOP -- TAG-MCCH-MESSAGE-START MCCH-Message-r17 ::= SEQUENCE { message MCCH-MessageType-r17 } MCCH-MessageType-r17 ::= CHOICE { c1 CHOICE { mbsBroadcastConfiguration-r17 MBSBroadcastConfiguration-r17, spare1 NULL }, messageClassExtension SEQUENCE {} } -- TAG-MCCH-MESSAGE-STOP -- TAG-PCCH-PCH-MESSAGE-START PCCH-Message ::= SEQUENCE { message PCCH-MessageType } PCCH-MessageType ::= CHOICE { c1 CHOICE { paging Paging, spare1 NULL }, messageClassExtension SEQUENCE {} } -- TAG-PCCH-PCH-MESSAGE-STOP -- TAG-UL-CCCH-MESSAGE-START UL-CCCH-Message ::= SEQUENCE { message UL-CCCH-MessageType } UL-CCCH-MessageType ::= CHOICE { c1 CHOICE { rrcSetupRequest RRCSetupRequest, rrcResumeRequest RRCResumeRequest, rrcReestablishmentRequest RRCReestablishmentRequest, rrcSystemInfoRequest RRCSystemInfoRequest }, messageClassExtension SEQUENCE {} } -- TAG-UL-CCCH-MESSAGE-STOP -- TAG-UL-CCCH1-MESSAGE-START UL-CCCH1-Message ::= SEQUENCE { message UL-CCCH1-MessageType } UL-CCCH1-MessageType ::= CHOICE { c1 CHOICE { rrcResumeRequest1 RRCResumeRequest1, spare3 NULL, spare2 NULL, spare1 NULL }, messageClassExtension SEQUENCE {} } -- TAG-UL-CCCH1-MESSAGE-STOP -- TAG-UL-DCCH-MESSAGE-START UL-DCCH-Message ::= SEQUENCE { message UL-DCCH-MessageType } UL-DCCH-MessageType ::= CHOICE { c1 CHOICE { measurementReport MeasurementReport, rrcReconfigurationComplete RRCReconfigurationComplete, rrcSetupComplete RRCSetupComplete, rrcReestablishmentComplete RRCReestablishmentComplete, rrcResumeComplete RRCResumeComplete, securityModeComplete SecurityModeComplete, securityModeFailure SecurityModeFailure, ulInformationTransfer ULInformationTransfer, locationMeasurementIndication LocationMeasurementIndication, ueCapabilityInformation UECapabilityInformation, counterCheckResponse CounterCheckResponse, ueAssistanceInformation UEAssistanceInformation, failureInformation FailureInformation, ulInformationTransferMRDC ULInformationTransferMRDC, scgFailureInformation SCGFailureInformation, scgFailureInformationEUTRA SCGFailureInformationEUTRA }, messageClassExtension CHOICE { c2 CHOICE { ulDedicatedMessageSegment-r16 ULDedicatedMessageSegment-r16, dedicatedSIBRequest-r16 DedicatedSIBRequest-r16, mcgFailureInformation-r16 MCGFailureInformation-r16, ueInformationResponse-r16 UEInformationResponse-r16, sidelinkUEInformationNR-r16 SidelinkUEInformationNR-r16, ulInformationTransferIRAT-r16 ULInformationTransferIRAT-r16, iabOtherInformation-r16 IABOtherInformation-r16, mbsInterestIndication-r17 MBSInterestIndication-r17, uePositioningAssistanceInfo-r17 UEPositioningAssistanceInfo-r17, measurementReportAppLayer-r17 MeasurementReportAppLayer-r17, spare6 NULL, spare5 NULL, spare4 NULL, spare3 NULL, spare2 NULL, spare1 NULL }, messageClassExtensionFuture-r16 SEQUENCE {} } } -- TAG-UL-DCCH-MESSAGE-STOP -- TAG-COUNTERCHECK-START CounterCheck ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { counterCheck CounterCheck-IEs, criticalExtensionsFuture SEQUENCE {} } } CounterCheck-IEs ::= SEQUENCE { drb-CountMSB-InfoList DRB-CountMSB-InfoList, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } DRB-CountMSB-InfoList ::= SEQUENCE (SIZE (1..maxDRB)) OF DRB-CountMSB-Info DRB-CountMSB-Info ::= SEQUENCE { drb-Identity DRB-Identity, countMSB-Uplink INTEGER(0..33554431), countMSB-Downlink INTEGER(0..33554431) } -- TAG-COUNTERCHECK-STOP -- TAG-COUNTERCHECKRESPONSE-START CounterCheckResponse ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { counterCheckResponse CounterCheckResponse-IEs, criticalExtensionsFuture SEQUENCE {} } } CounterCheckResponse-IEs ::= SEQUENCE { drb-CountInfoList DRB-CountInfoList, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } DRB-CountInfoList ::= SEQUENCE (SIZE (0..maxDRB)) OF DRB-CountInfo DRB-CountInfo ::= SEQUENCE { drb-Identity DRB-Identity, count-Uplink INTEGER(0..4294967295), count-Downlink INTEGER(0..4294967295) } -- TAG-COUNTERCHECKRESPONSE-STOP -- TAG-DEDICATEDSIBREQUEST-START DedicatedSIBRequest-r16 ::= SEQUENCE { criticalExtensions CHOICE { dedicatedSIBRequest-r16 DedicatedSIBRequest-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } DedicatedSIBRequest-r16-IEs ::= SEQUENCE { onDemandSIB-RequestList-r16 SEQUENCE { requestedSIB-List-r16 SEQUENCE (SIZE (1..maxOnDemandSIB-r16)) OF SIB-ReqInfo-r16 OPTIONAL, requestedPosSIB-List-r16 SEQUENCE (SIZE (1..maxOnDemandPosSIB-r16)) OF PosSIB-ReqInfo-r16 OPTIONAL } OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } SIB-ReqInfo-r16 ::= ENUMERATED { sib12, sib13, sib14, sib20-v1700, sib21-v1700, spare3, spare2, spare1 } PosSIB-ReqInfo-r16 ::= SEQUENCE { gnss-id-r16 GNSS-ID-r16 OPTIONAL, sbas-id-r16 SBAS-ID-r16 OPTIONAL, posSibType-r16 ENUMERATED { posSibType1-1, posSibType1-2, posSibType1-3, posSibType1-4, posSibType1-5, posSibType1-6, posSibType1-7, posSibType1-8, posSibType2-1, posSibType2-2, posSibType2-3, posSibType2-4, posSibType2-5, posSibType2-6, posSibType2-7, posSibType2-8, posSibType2-9, posSibType2-10, posSibType2-11, posSibType2-12, posSibType2-13, posSibType2-14, posSibType2-15, posSibType2-16, posSibType2-17, posSibType2-18, posSibType2-19, posSibType2-20, posSibType2-21, posSibType2-22, posSibType2-23, posSibType3-1, posSibType4-1, posSibType5-1, posSibType6-1, posSibType6-2, posSibType6-3,..., posSibType1-9-v1710, posSibType1-10-v1710, posSibType2-24-v1710, posSibType2-25-v1710, posSibType6-4-v1710, posSibType6-5-v1710, posSibType6-6-v1710 } } -- TAG-DEDICATEDSIBREQUEST-STOP -- TAG-DLDEDICATEDMESSAGESEGMENT-START DLDedicatedMessageSegment-r16 ::= SEQUENCE { criticalExtensions CHOICE { dlDedicatedMessageSegment-r16 DLDedicatedMessageSegment-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } DLDedicatedMessageSegment-r16-IEs ::= SEQUENCE { segmentNumber-r16 INTEGER(0..4), rrc-MessageSegmentContainer-r16 OCTET STRING, rrc-MessageSegmentType-r16 ENUMERATED {notLastSegment, lastSegment}, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-DLDEDICATEDMESSAGESEGMENT-STOP -- TAG-DLINFORMATIONTRANSFER-START DLInformationTransfer ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { dlInformationTransfer DLInformationTransfer-IEs, criticalExtensionsFuture SEQUENCE {} } } DLInformationTransfer-IEs ::= SEQUENCE { dedicatedNAS-Message DedicatedNAS-Message OPTIONAL, -- Need N lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension DLInformationTransfer-v1610-IEs OPTIONAL } DLInformationTransfer-v1610-IEs ::= SEQUENCE { referenceTimeInfo-r16 ReferenceTimeInfo-r16 OPTIONAL, -- Need N nonCriticalExtension DLInformationTransfer-v1700-IEs OPTIONAL } DLInformationTransfer-v1700-IEs ::= SEQUENCE { dedicatedInfoF1c-r17 DedicatedInfoF1c-r17 OPTIONAL, -- Need N rxTxTimeDiff-gNB-r17 RxTxTimeDiff-r17 OPTIONAL, -- Need N ta-PDC-r17 ENUMERATED {activate,deactivate} OPTIONAL, -- Need N sib9Fallback-r17 ENUMERATED {true} OPTIONAL, -- Need N nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-DLINFORMATIONTRANSFER-STOP -- TAG-DLINFORMATIONTRANSFERMRDC-START DLInformationTransferMRDC-r16 ::= SEQUENCE { criticalExtensions CHOICE { c1 CHOICE { dlInformationTransferMRDC-r16 DLInformationTransferMRDC-r16-IEs, spare3 NULL, spare2 NULL, spare1 NULL }, criticalExtensionsFuture SEQUENCE {} } } DLInformationTransferMRDC-r16-IEs::= SEQUENCE { dl-DCCH-MessageNR-r16 OCTET STRING OPTIONAL, -- Need N dl-DCCH-MessageEUTRA-r16 OCTET STRING OPTIONAL, -- Need N lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-DLINFORMATIONTRANSFERMRDC-STOP -- TAG-FAILUREINFORMATION-START FailureInformation ::= SEQUENCE { criticalExtensions CHOICE { failureInformation FailureInformation-IEs, criticalExtensionsFuture SEQUENCE {} } } FailureInformation-IEs ::= SEQUENCE { failureInfoRLC-Bearer FailureInfoRLC-Bearer OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension FailureInformation-v1610-IEs OPTIONAL } FailureInfoRLC-Bearer ::= SEQUENCE { cellGroupId CellGroupId, logicalChannelIdentity LogicalChannelIdentity, failureType ENUMERATED {rlc-failure, spare3, spare2, spare1} } FailureInformation-v1610-IEs ::= SEQUENCE { failureInfoDAPS-r16 FailureInfoDAPS-r16 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } FailureInfoDAPS-r16 ::= SEQUENCE { failureType-r16 ENUMERATED {daps-failure, spare3, spare2, spare1} } -- TAG-FAILUREINFORMATION-STOP -- TAG-IABOTHERINFORMATION-START IABOtherInformation-r16 ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { iabOtherInformation-r16 IABOtherInformation-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } IABOtherInformation-r16-IEs ::= SEQUENCE { ip-InfoType-r16 CHOICE { iab-IP-Request-r16 SEQUENCE { iab-IPv4-AddressNumReq-r16 IAB-IP-AddressNumReq-r16 OPTIONAL, iab-IPv6-AddressReq-r16 CHOICE { iab-IPv6-AddressNumReq-r16 IAB-IP-AddressNumReq-r16, iab-IPv6-AddressPrefixReq-r16 IAB-IP-AddressPrefixReq-r16, ... } OPTIONAL }, iab-IP-Report-r16 SEQUENCE { iab-IPv4-AddressReport-r16 IAB-IP-AddressAndTraffic-r16 OPTIONAL, iab-IPv6-Report-r16 CHOICE { iab-IPv6-AddressReport-r16 IAB-IP-AddressAndTraffic-r16, iab-IPv6-PrefixReport-r16 IAB-IP-PrefixAndTraffic-r16, ... } OPTIONAL }, ... }, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } IAB-IP-AddressNumReq-r16 ::= SEQUENCE { all-Traffic-NumReq-r16 INTEGER (1..8) OPTIONAL, f1-C-Traffic-NumReq-r16 INTEGER (1..8) OPTIONAL, f1-U-Traffic-NumReq-r16 INTEGER (1..8) OPTIONAL, non-F1-Traffic-NumReq-r16 INTEGER (1..8) OPTIONAL, ... } IAB-IP-AddressPrefixReq-r16 ::= SEQUENCE { all-Traffic-PrefixReq-r16 ENUMERATED {true} OPTIONAL, f1-C-Traffic-PrefixReq-r16 ENUMERATED {true} OPTIONAL, f1-U-Traffic-PrefixReq-r16 ENUMERATED {true} OPTIONAL, non-F1-Traffic-PrefixReq-r16 ENUMERATED {true} OPTIONAL, ... } IAB-IP-AddressAndTraffic-r16 ::= SEQUENCE { all-Traffic-IAB-IP-Address-r16 SEQUENCE (SIZE(1..8)) OF IAB-IP-Address-r16 OPTIONAL, f1-C-Traffic-IP-Address-r16 SEQUENCE (SIZE(1..8)) OF IAB-IP-Address-r16 OPTIONAL, f1-U-Traffic-IP-Address-r16 SEQUENCE (SIZE(1..8)) OF IAB-IP-Address-r16 OPTIONAL, non-F1-Traffic-IP-Address-r16 SEQUENCE (SIZE(1..8)) OF IAB-IP-Address-r16 OPTIONAL } IAB-IP-PrefixAndTraffic-r16 ::= SEQUENCE { all-Traffic-IAB-IP-Address-r16 IAB-IP-Address-r16 OPTIONAL, f1-C-Traffic-IP-Address-r16 IAB-IP-Address-r16 OPTIONAL, f1-U-Traffic-IP-Address-r16 IAB-IP-Address-r16 OPTIONAL, non-F1-Traffic-IP-Address-r16 IAB-IP-Address-r16 OPTIONAL } -- TAG-IABOTHERINFORMATION-STOP -- TAG-LOCATIONMEASUREMENTINDICATION-START LocationMeasurementIndication ::= SEQUENCE { criticalExtensions CHOICE { locationMeasurementIndication LocationMeasurementIndication-IEs, criticalExtensionsFuture SEQUENCE {} } } LocationMeasurementIndication-IEs ::= SEQUENCE { measurementIndication CHOICE {release NULL, setup LocationMeasurementInfo}, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE{} OPTIONAL } -- TAG-LOCATIONMEASUREMENTINDICATION-STOP -- TAG-LOGGEDMEASUREMENTCONFIGURATION-START LoggedMeasurementConfiguration-r16 ::= SEQUENCE { criticalExtensions CHOICE { loggedMeasurementConfiguration-r16 LoggedMeasurementConfiguration-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } LoggedMeasurementConfiguration-r16-IEs ::= SEQUENCE { traceReference-r16 TraceReference-r16, traceRecordingSessionRef-r16 OCTET STRING (SIZE (2)), tce-Id-r16 OCTET STRING (SIZE (1)), absoluteTimeInfo-r16 AbsoluteTimeInfo-r16, areaConfiguration-r16 AreaConfiguration-r16 OPTIONAL, --Need R plmn-IdentityList-r16 PLMN-IdentityList2-r16 OPTIONAL, --Need R bt-NameList-r16 CHOICE {release NULL, setup BT-NameList-r16} OPTIONAL, --Need M wlan-NameList-r16 CHOICE {release NULL, setup WLAN-NameList-r16} OPTIONAL, --Need M sensor-NameList-r16 CHOICE {release NULL, setup Sensor-NameList-r16} OPTIONAL, --Need M loggingDuration-r16 LoggingDuration-r16, reportType CHOICE { periodical LoggedPeriodicalReportConfig-r16, eventTriggered LoggedEventTriggerConfig-r16, ... }, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension LoggedMeasurementConfiguration-v1700-IEs OPTIONAL } LoggedMeasurementConfiguration-v1700-IEs ::= SEQUENCE { sigLoggedMeasType-r17 ENUMERATED {true} OPTIONAL, -- Need R earlyMeasIndication-r17 ENUMERATED {true} OPTIONAL, -- Need R areaConfiguration-v1700 AreaConfiguration-v1700 OPTIONAL, --Need R nonCriticalExtension SEQUENCE {} OPTIONAL } LoggedPeriodicalReportConfig-r16 ::= SEQUENCE { loggingInterval-r16 LoggingInterval-r16, ... } LoggedEventTriggerConfig-r16 ::= SEQUENCE { eventType-r16 EventType-r16, loggingInterval-r16 LoggingInterval-r16, ... } EventType-r16 ::= CHOICE { outOfCoverage NULL, eventL1 SEQUENCE { l1-Threshold MeasTriggerQuantity, hysteresis Hysteresis, timeToTrigger TimeToTrigger }, ... } -- TAG-LOGGEDMEASUREMENTCONFIGURATION-STOP -- TAG-MBSBROADCASTCONFIGURATION-START MBSBroadcastConfiguration-r17 ::= SEQUENCE { criticalExtensions CHOICE { mbsBroadcastConfiguration-r17 MBSBroadcastConfiguration-r17-IEs, criticalExtensionsFuture SEQUENCE {} } } MBSBroadcastConfiguration-r17-IEs ::= SEQUENCE { mbs-SessionInfoList-r17 MBS-SessionInfoList-r17 OPTIONAL, -- Need R mbs-NeighbourCellList-r17 MBS-NeighbourCellList-r17 OPTIONAL, -- Need S drx-ConfigPTM-List-r17 SEQUENCE (SIZE (1..maxNrofDRX-ConfigPTM-r17)) OF DRX-ConfigPTM-r17 OPTIONAL, -- Need R pdsch-ConfigMTCH-r17 PDSCH-ConfigBroadcast-r17 OPTIONAL, -- Need S mtch-SSB-MappingWindowList-r17 MTCH-SSB-MappingWindowList-r17 OPTIONAL, -- Need R lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-MBSBROADCASTCONFIGURATION-STOP -- TAG-MBSINTERESTINDICATION-START MBSInterestIndication-r17 ::= SEQUENCE { criticalExtensions CHOICE { mbsInterestIndication-r17 MBSInterestIndication-r17-IEs, criticalExtensionsFuture SEQUENCE {} } } MBSInterestIndication-r17-IEs ::= SEQUENCE { mbs-FreqList-r17 CarrierFreqListMBS-r17 OPTIONAL, mbs-Priority-r17 ENUMERATED {true} OPTIONAL, mbs-ServiceList-r17 MBS-ServiceList-r17 OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-MBSINTERESTINDICATION-STOP -- TAG-MCGFAILUREINFORMATION-START MCGFailureInformation-r16 ::= SEQUENCE { criticalExtensions CHOICE { mcgFailureInformation-r16 MCGFailureInformation-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } MCGFailureInformation-r16-IEs ::= SEQUENCE { failureReportMCG-r16 FailureReportMCG-r16 OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } FailureReportMCG-r16 ::= SEQUENCE { failureType-r16 ENUMERATED {t310-Expiry, randomAccessProblem, rlc-MaxNumRetx, t312-Expiry-r16, lbt-Failure-r16, beamFailureRecoveryFailure-r16, bh-RLF-r16, spare1} OPTIONAL, measResultFreqList-r16 MeasResultList2NR OPTIONAL, measResultFreqListEUTRA-r16 MeasResultList2EUTRA OPTIONAL, measResultSCG-r16 OCTET STRING (CONTAINING MeasResultSCG-Failure) OPTIONAL, measResultSCG-EUTRA-r16 OCTET STRING OPTIONAL, measResultFreqListUTRA-FDD-r16 MeasResultList2UTRA OPTIONAL, ... } MeasResultList2UTRA ::= SEQUENCE (SIZE (1..maxFreq)) OF MeasResult2UTRA-FDD-r16 MeasResult2UTRA-FDD-r16 ::= SEQUENCE { carrierFreq-r16 ARFCN-ValueUTRA-FDD-r16, measResultNeighCellList-r16 MeasResultListUTRA-FDD-r16 } MeasResultList2EUTRA ::= SEQUENCE (SIZE (1..maxFreq)) OF MeasResult2EUTRA-r16 -- TAG-MCGFAILUREINFORMATION-STOP -- TAG-MEASUREMENTREPORT-START MeasurementReport ::= SEQUENCE { criticalExtensions CHOICE { measurementReport MeasurementReport-IEs, criticalExtensionsFuture SEQUENCE {} } } MeasurementReport-IEs ::= SEQUENCE { measResults MeasResults, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE{} OPTIONAL } -- TAG-MEASUREMENTREPORT-STOP -- TAG-MEASUREMENTREPORTAPPLAYER-START MeasurementReportAppLayer-r17 ::= SEQUENCE { criticalExtensions CHOICE { measurementReportAppLayer-r17 MeasurementReportAppLayer-r17-IEs, criticalExtensionsFuture SEQUENCE {} } } MeasurementReportAppLayer-r17-IEs ::= SEQUENCE { measurementReportAppLayerList-r17 MeasurementReportAppLayerList-r17, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE{} OPTIONAL } MeasurementReportAppLayerList-r17 ::= SEQUENCE (SIZE (1..maxNrofAppLayerMeas-r17)) OF MeasReportAppLayer-r17 MeasReportAppLayer-r17 ::= SEQUENCE { measConfigAppLayerId-r17 MeasConfigAppLayerId-r17, measReportAppLayerContainer-r17 OCTET STRING OPTIONAL, appLayerSessionStatus-r17 ENUMERATED {start, stop} OPTIONAL, ran-VisibleMeasurements-r17 RAN-VisibleMeasurements-r17 OPTIONAL } RAN-VisibleMeasurements-r17 ::= SEQUENCE { appLayerBufferLevelList-r17 SEQUENCE (SIZE (1..8)) OF AppLayerBufferLevel-r17 OPTIONAL, playoutDelayForMediaStartup-r17 INTEGER (0..30000) OPTIONAL, pdu-SessionIdList-r17 SEQUENCE (SIZE (1..maxNrofPDU-Sessions-r17)) OF PDU-SessionID OPTIONAL, ... } AppLayerBufferLevel-r17 ::= INTEGER (0..30000) -- TAG-MEASUREMENTREPORTAPPLAYER-STOP -- TAG-MIB-START MIB ::= SEQUENCE { systemFrameNumber BIT STRING (SIZE (6)), subCarrierSpacingCommon ENUMERATED {scs15or60, scs30or120}, ssb-SubcarrierOffset INTEGER (0..15), dmrs-TypeA-Position ENUMERATED {pos2, pos3}, pdcch-ConfigSIB1 PDCCH-ConfigSIB1, cellBarred ENUMERATED {barred, notBarred}, intraFreqReselection ENUMERATED {allowed, notAllowed}, spare BIT STRING (SIZE (1)) } -- TAG-MIB-STOP -- TAG-MOBILITYFROMNRCOMMAND-START MobilityFromNRCommand ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { mobilityFromNRCommand MobilityFromNRCommand-IEs, criticalExtensionsFuture SEQUENCE {} } } MobilityFromNRCommand-IEs ::= SEQUENCE { targetRAT-Type ENUMERATED { eutra, utra-fdd-v1610, spare2, spare1, ...}, targetRAT-MessageContainer OCTET STRING, nas-SecurityParamFromNR OCTET STRING OPTIONAL, -- Cond HO-ToEPCUTRAN lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension MobilityFromNRCommand-v1610-IEs OPTIONAL } MobilityFromNRCommand-v1610-IEs ::= SEQUENCE { voiceFallbackIndication-r16 ENUMERATED {true} OPTIONAL, -- Need N nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-MOBILITYFROMNRCOMMAND-STOP -- TAG-PAGING-START Paging ::= SEQUENCE { pagingRecordList PagingRecordList OPTIONAL, -- Need N lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension Paging-v1700-IEs OPTIONAL } Paging-v1700-IEs ::= SEQUENCE { pagingRecordList-v1700 PagingRecordList-v1700 OPTIONAL, -- Need N pagingGroupList-r17 PagingGroupList-r17 OPTIONAL, -- Need N nonCriticalExtension SEQUENCE {} OPTIONAL } PagingRecordList ::= SEQUENCE (SIZE(1..maxNrofPageRec)) OF PagingRecord PagingRecordList-v1700 ::= SEQUENCE (SIZE(1..maxNrofPageRec)) OF PagingRecord-v1700 PagingGroupList-r17 ::= SEQUENCE (SIZE(1..maxNrofPageGroup-r17)) OF TMGI-r17 PagingRecord ::= SEQUENCE { ue-Identity PagingUE-Identity, accessType ENUMERATED {non3GPP} OPTIONAL, -- Need N ... } PagingRecord-v1700 ::= SEQUENCE { pagingCause-r17 ENUMERATED {voice} OPTIONAL -- Need N } PagingUE-Identity ::= CHOICE { ng-5G-S-TMSI NG-5G-S-TMSI, fullI-RNTI I-RNTI-Value, ... } -- TAG-PAGING-STOP -- TAG-RRCREESTABLISHMENT-START RRCReestablishment ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcReestablishment RRCReestablishment-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCReestablishment-IEs ::= SEQUENCE { nextHopChainingCount NextHopChainingCount, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension RRCReestablishment-v1700-IEs OPTIONAL } RRCReestablishment-v1700-IEs ::= SEQUENCE { sl-L2RemoteUE-Config-r17 CHOICE {release NULL, setup SL-L2RemoteUE-Config-r17} OPTIONAL, -- Cond L2RemoteUE nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-RRCREESTABLISHMENT-STOP -- TAG-RRCREESTABLISHMENTCOMPLETE-START RRCReestablishmentComplete ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcReestablishmentComplete RRCReestablishmentComplete-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCReestablishmentComplete-IEs ::= SEQUENCE { lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension RRCReestablishmentComplete-v1610-IEs OPTIONAL } RRCReestablishmentComplete-v1610-IEs ::= SEQUENCE { ue-MeasurementsAvailable-r16 UE-MeasurementsAvailable-r16 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-RRCREESTABLISHMENTCOMPLETE-STOP -- TAG-RRCREESTABLISHMENTREQUEST-START RRCReestablishmentRequest ::= SEQUENCE { rrcReestablishmentRequest RRCReestablishmentRequest-IEs } RRCReestablishmentRequest-IEs ::= SEQUENCE { ue-Identity ReestabUE-Identity, reestablishmentCause ReestablishmentCause, spare BIT STRING (SIZE (1)) } ReestabUE-Identity ::= SEQUENCE { c-RNTI RNTI-Value, physCellId PhysCellId, shortMAC-I ShortMAC-I } ReestablishmentCause ::= ENUMERATED {reconfigurationFailure, handoverFailure, otherFailure, spare1} -- TAG-RRCREESTABLISHMENTREQUEST-STOP -- TAG-RRCRECONFIGURATION-START RRCReconfiguration ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcReconfiguration RRCReconfiguration-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCReconfiguration-IEs ::= SEQUENCE { radioBearerConfig RadioBearerConfig OPTIONAL, -- Need M secondaryCellGroup OCTET STRING (CONTAINING CellGroupConfig) OPTIONAL, -- Cond SCG measConfig MeasConfig OPTIONAL, -- Need M lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension RRCReconfiguration-v1530-IEs OPTIONAL } RRCReconfiguration-v1530-IEs ::= SEQUENCE { masterCellGroup OCTET STRING (CONTAINING CellGroupConfig) OPTIONAL, -- Need M fullConfig ENUMERATED {true} OPTIONAL, -- Cond FullConfig dedicatedNAS-MessageList SEQUENCE (SIZE(1..maxDRB)) OF DedicatedNAS-Message OPTIONAL, -- Cond nonHO masterKeyUpdate MasterKeyUpdate OPTIONAL, -- Cond MasterKeyChange dedicatedSIB1-Delivery OCTET STRING (CONTAINING SIB1) OPTIONAL, -- Need N dedicatedSystemInformationDelivery OCTET STRING (CONTAINING SystemInformation) OPTIONAL, -- Need N otherConfig OtherConfig OPTIONAL, -- Need M nonCriticalExtension RRCReconfiguration-v1540-IEs OPTIONAL } RRCReconfiguration-v1540-IEs ::= SEQUENCE { otherConfig-v1540 OtherConfig-v1540 OPTIONAL, -- Need M nonCriticalExtension RRCReconfiguration-v1560-IEs OPTIONAL } RRCReconfiguration-v1560-IEs ::= SEQUENCE { mrdc-SecondaryCellGroupConfig CHOICE {release NULL, setup MRDC-SecondaryCellGroupConfig } OPTIONAL, -- Need M radioBearerConfig2 OCTET STRING (CONTAINING RadioBearerConfig) OPTIONAL, -- Need M sk-Counter SK-Counter OPTIONAL, -- Need N nonCriticalExtension RRCReconfiguration-v1610-IEs OPTIONAL } RRCReconfiguration-v1610-IEs ::= SEQUENCE { otherConfig-v1610 OtherConfig-v1610 OPTIONAL, -- Need M bap-Config-r16 CHOICE {release NULL, setup BAP-Config-r16 } OPTIONAL, -- Need M iab-IP-AddressConfigurationList-r16 IAB-IP-AddressConfigurationList-r16 OPTIONAL, -- Need M conditionalReconfiguration-r16 ConditionalReconfiguration-r16 OPTIONAL, -- Need M daps-SourceRelease-r16 ENUMERATED{true} OPTIONAL, -- Need N t316-r16 CHOICE {release NULL, setup T316-r16} OPTIONAL, -- Need M needForGapsConfigNR-r16 CHOICE {release NULL, setup NeedForGapsConfigNR-r16} OPTIONAL, -- Need M onDemandSIB-Request-r16 CHOICE {release NULL, setup OnDemandSIB-Request-r16 } OPTIONAL, -- Need M dedicatedPosSysInfoDelivery-r16 OCTET STRING (CONTAINING PosSystemInformation-r16-IEs) OPTIONAL, -- Need N sl-ConfigDedicatedNR-r16 CHOICE {release NULL, setup SL-ConfigDedicatedNR-r16} OPTIONAL, -- Need M sl-ConfigDedicatedEUTRA-Info-r16 CHOICE {release NULL, setup SL-ConfigDedicatedEUTRA-Info-r16} OPTIONAL, -- Need M targetCellSMTC-SCG-r16 SSB-MTC OPTIONAL, -- Need S nonCriticalExtension RRCReconfiguration-v1700-IEs OPTIONAL } RRCReconfiguration-v1700-IEs ::= SEQUENCE { otherConfig-v1700 OtherConfig-v1700 OPTIONAL, -- Need M sl-L2RelayUE-Config-r17 CHOICE {release NULL, setup SL-L2RelayUE-Config-r17 } OPTIONAL, -- Need M sl-L2RemoteUE-Config-r17 CHOICE {release NULL, setup SL-L2RemoteUE-Config-r17 } OPTIONAL, -- Need M dedicatedPagingDelivery-r17 OCTET STRING (CONTAINING Paging) OPTIONAL, -- Cond PagingRelay needForGapNCSG-ConfigNR-r17 CHOICE {release NULL, setup NeedForGapNCSG-ConfigNR-r17} OPTIONAL, -- Need M needForGapNCSG-ConfigEUTRA-r17 CHOICE {release NULL, setup NeedForGapNCSG-ConfigEUTRA-r17} OPTIONAL, -- Need M musim-GapConfig-r17 CHOICE {release NULL, setup MUSIM-GapConfig-r17} OPTIONAL, -- Need M ul-GapFR2-Config-r17 CHOICE {release NULL, setup UL-GapFR2-Config-r17 } OPTIONAL, -- Need M scg-State-r17 ENUMERATED { deactivated } OPTIONAL, -- Need N appLayerMeasConfig-r17 AppLayerMeasConfig-r17 OPTIONAL, -- Need M ue-TxTEG-RequestUL-TDOA-Config-r17 CHOICE {release NULL, setup UE-TxTEG-RequestUL-TDOA-Config-r17} OPTIONAL, -- Need M nonCriticalExtension SEQUENCE {} OPTIONAL } MRDC-SecondaryCellGroupConfig ::= SEQUENCE { mrdc-ReleaseAndAdd ENUMERATED {true} OPTIONAL, -- Need N mrdc-SecondaryCellGroup CHOICE { nr-SCG OCTET STRING (CONTAINING RRCReconfiguration), eutra-SCG OCTET STRING } } BAP-Config-r16 ::= SEQUENCE { bap-Address-r16 BIT STRING (SIZE (10)) OPTIONAL, -- Need M defaultUL-BAP-RoutingID-r16 BAP-RoutingID-r16 OPTIONAL, -- Need M defaultUL-BH-RLC-Channel-r16 BH-RLC-ChannelID-r16 OPTIONAL, -- Need M flowControlFeedbackType-r16 ENUMERATED {perBH-RLC-Channel, perRoutingID, both} OPTIONAL, -- Need R ... } MasterKeyUpdate ::= SEQUENCE { keySetChangeIndicator BOOLEAN, nextHopChainingCount NextHopChainingCount, nas-Container OCTET STRING OPTIONAL, -- Cond securityNASC ... } OnDemandSIB-Request-r16 ::= SEQUENCE { onDemandSIB-RequestProhibitTimer-r16 ENUMERATED {s0, s0dot5, s1, s2, s5, s10, s20, s30} } T316-r16 ::= ENUMERATED {ms50, ms100, ms200, ms300, ms400, ms500, ms600, ms1000, ms1500, ms2000} IAB-IP-AddressConfigurationList-r16 ::= SEQUENCE { iab-IP-AddressToAddModList-r16 SEQUENCE (SIZE(1..maxIAB-IP-Address-r16)) OF IAB-IP-AddressConfiguration-r16 OPTIONAL, -- Need N iab-IP-AddressToReleaseList-r16 SEQUENCE (SIZE(1..maxIAB-IP-Address-r16)) OF IAB-IP-AddressIndex-r16 OPTIONAL, -- Need N ... } IAB-IP-AddressConfiguration-r16 ::= SEQUENCE { iab-IP-AddressIndex-r16 IAB-IP-AddressIndex-r16, iab-IP-Address-r16 IAB-IP-Address-r16 OPTIONAL, -- Need M iab-IP-Usage-r16 IAB-IP-Usage-r16 OPTIONAL, -- Need M iab-donor-DU-BAP-Address-r16 BIT STRING (SIZE(10)) OPTIONAL, -- Need M ... } SL-ConfigDedicatedEUTRA-Info-r16 ::= SEQUENCE { sl-ConfigDedicatedEUTRA-r16 OCTET STRING OPTIONAL, -- Need M sl-TimeOffsetEUTRA-List-r16 SEQUENCE (SIZE (8)) OF SL-TimeOffsetEUTRA-r16 OPTIONAL -- Need M } SL-TimeOffsetEUTRA-r16 ::= ENUMERATED {ms0, ms0dot25, ms0dot5, ms0dot625, ms0dot75, ms1, ms1dot25, ms1dot5, ms1dot75, ms2, ms2dot5, ms3, ms4, ms5, ms6, ms8, ms10, ms20} UE-TxTEG-RequestUL-TDOA-Config-r17 ::= CHOICE { oneShot-r17 NULL, periodicReporting-r17 ENUMERATED { ms160, ms320, ms1280, ms2560, ms61440, ms81920, ms368640, ms737280 } } -- TAG-RRCRECONFIGURATION-STOP -- TAG-RRCRECONFIGURATIONCOMPLETE-START RRCReconfigurationComplete ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcReconfigurationComplete RRCReconfigurationComplete-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCReconfigurationComplete-IEs ::= SEQUENCE { lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension RRCReconfigurationComplete-v1530-IEs OPTIONAL } RRCReconfigurationComplete-v1530-IEs ::= SEQUENCE { uplinkTxDirectCurrentList UplinkTxDirectCurrentList OPTIONAL, nonCriticalExtension RRCReconfigurationComplete-v1560-IEs OPTIONAL } RRCReconfigurationComplete-v1560-IEs ::= SEQUENCE { scg-Response CHOICE { nr-SCG-Response OCTET STRING (CONTAINING RRCReconfigurationComplete), eutra-SCG-Response OCTET STRING } OPTIONAL, nonCriticalExtension RRCReconfigurationComplete-v1610-IEs OPTIONAL } RRCReconfigurationComplete-v1610-IEs ::= SEQUENCE { ue-MeasurementsAvailable-r16 UE-MeasurementsAvailable-r16 OPTIONAL, needForGapsInfoNR-r16 NeedForGapsInfoNR-r16 OPTIONAL, nonCriticalExtension RRCReconfigurationComplete-v1640-IEs OPTIONAL } RRCReconfigurationComplete-v1640-IEs ::= SEQUENCE { uplinkTxDirectCurrentTwoCarrierList-r16 UplinkTxDirectCurrentTwoCarrierList-r16 OPTIONAL, nonCriticalExtension RRCReconfigurationComplete-v1700-IEs OPTIONAL } RRCReconfigurationComplete-v1700-IEs ::= SEQUENCE { needForGapNCSG-InfoNR-r17 NeedForGapNCSG-InfoNR-r17 OPTIONAL, needForGapNCSG-InfoEUTRA-r17 NeedForGapNCSG-InfoEUTRA-r17 OPTIONAL, selectedCondRRCReconfig-r17 CondReconfigId-r16 OPTIONAL, nonCriticalExtension RRCReconfigurationComplete-v1720-IEs OPTIONAL } RRCReconfigurationComplete-v1720-IEs ::= SEQUENCE { uplinkTxDirectCurrentMoreCarrierList-r17 UplinkTxDirectCurrentMoreCarrierList-r17 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-RRCRECONFIGURATIONCOMPLETE-STOP -- TAG-RRCREJECT-START RRCReject ::= SEQUENCE { criticalExtensions CHOICE { rrcReject RRCReject-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCReject-IEs ::= SEQUENCE { waitTime RejectWaitTime OPTIONAL, -- Need N lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE{} OPTIONAL } -- TAG-RRCREJECT-STOP -- TAG-RRCRELEASE-START RRCRelease ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcRelease RRCRelease-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCRelease-IEs ::= SEQUENCE { redirectedCarrierInfo RedirectedCarrierInfo OPTIONAL, -- Need N cellReselectionPriorities CellReselectionPriorities OPTIONAL, -- Need R suspendConfig SuspendConfig OPTIONAL, -- Need R deprioritisationReq SEQUENCE { deprioritisationType ENUMERATED {frequency, nr}, deprioritisationTimer ENUMERATED {min5, min10, min15, min30} } OPTIONAL, -- Need N lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension RRCRelease-v1540-IEs OPTIONAL } RRCRelease-v1540-IEs ::= SEQUENCE { waitTime RejectWaitTime OPTIONAL, -- Need N nonCriticalExtension RRCRelease-v1610-IEs OPTIONAL } RRCRelease-v1610-IEs ::= SEQUENCE { voiceFallbackIndication-r16 ENUMERATED {true} OPTIONAL, -- Need N measIdleConfig-r16 CHOICE {release NULL, setup MeasIdleConfigDedicated-r16} OPTIONAL, -- Need M nonCriticalExtension RRCRelease-v1650-IEs OPTIONAL } RRCRelease-v1650-IEs ::= SEQUENCE { mpsPriorityIndication-r16 ENUMERATED {true} OPTIONAL, -- Cond Redirection2 nonCriticalExtension RRCRelease-v1710-IEs OPTIONAL } RRCRelease-v1710-IEs ::= SEQUENCE { noLastCellUpdate-r17 ENUMERATED {true} OPTIONAL, -- Need S nonCriticalExtension SEQUENCE {} OPTIONAL } RedirectedCarrierInfo ::= CHOICE { nr CarrierInfoNR, eutra RedirectedCarrierInfo-EUTRA, ... } RedirectedCarrierInfo-EUTRA ::= SEQUENCE { eutraFrequency ARFCN-ValueEUTRA, cnType ENUMERATED {epc,fiveGC} OPTIONAL -- Need N } CarrierInfoNR ::= SEQUENCE { carrierFreq ARFCN-ValueNR, ssbSubcarrierSpacing SubcarrierSpacing, smtc SSB-MTC OPTIONAL, -- Need S ... } SuspendConfig ::= SEQUENCE { fullI-RNTI I-RNTI-Value, shortI-RNTI ShortI-RNTI-Value, ran-PagingCycle PagingCycle, ran-NotificationAreaInfo RAN-NotificationAreaInfo OPTIONAL, -- Need M t380 PeriodicRNAU-TimerValue OPTIONAL, -- Need R nextHopChainingCount NextHopChainingCount, ..., [[ sl-UEIdentityRemote-r17 RNTI-Value OPTIONAL, -- Cond L2RemoteUE sdt-Config-r17 CHOICE {release NULL, setup SDT-Config-r17 } OPTIONAL, -- Need M srs-PosRRC-Inactive-r17 CHOICE {release NULL, setup SRS-PosRRC-Inactive-r17 } OPTIONAL, -- Need M ran-ExtendedPagingCycle-r17 ExtendedPagingCycle-r17 OPTIONAL -- Cond RANPaging ]], [[ ncd-SSB-RedCapInitialBWP-SDT-r17 CHOICE {release NULL, setup NonCellDefiningSSB-r17} OPTIONAL -- Need M ]] } PeriodicRNAU-TimerValue ::= ENUMERATED { min5, min10, min20, min30, min60, min120, min360, min720} CellReselectionPriorities ::= SEQUENCE { freqPriorityListEUTRA FreqPriorityListEUTRA OPTIONAL, -- Need M freqPriorityListNR FreqPriorityListNR OPTIONAL, -- Need M t320 ENUMERATED {min5, min10, min20, min30, min60, min120, min180, spare1} OPTIONAL, -- Need R ..., [[ freqPriorityListDedicatedSlicing-r17 FreqPriorityListDedicatedSlicing-r17 OPTIONAL -- Need M ]] } PagingCycle ::= ENUMERATED {rf32, rf64, rf128, rf256} ExtendedPagingCycle-r17 ::= ENUMERATED {rf256, rf512, rf1024, spare1} FreqPriorityListEUTRA ::= SEQUENCE (SIZE (1..maxFreq)) OF FreqPriorityEUTRA FreqPriorityListNR ::= SEQUENCE (SIZE (1..maxFreq)) OF FreqPriorityNR FreqPriorityEUTRA ::= SEQUENCE { carrierFreq ARFCN-ValueEUTRA, cellReselectionPriority CellReselectionPriority, cellReselectionSubPriority CellReselectionSubPriority OPTIONAL -- Need R } FreqPriorityNR ::= SEQUENCE { carrierFreq ARFCN-ValueNR, cellReselectionPriority CellReselectionPriority, cellReselectionSubPriority CellReselectionSubPriority OPTIONAL -- Need R } RAN-NotificationAreaInfo ::= CHOICE { cellList PLMN-RAN-AreaCellList, ran-AreaConfigList PLMN-RAN-AreaConfigList, ... } PLMN-RAN-AreaCellList ::= SEQUENCE (SIZE (1.. maxPLMNIdentities)) OF PLMN-RAN-AreaCell PLMN-RAN-AreaCell ::= SEQUENCE { plmn-Identity PLMN-Identity OPTIONAL, -- Need S ran-AreaCells SEQUENCE (SIZE (1..32)) OF CellIdentity } PLMN-RAN-AreaConfigList ::= SEQUENCE (SIZE (1..maxPLMNIdentities)) OF PLMN-RAN-AreaConfig PLMN-RAN-AreaConfig ::= SEQUENCE { plmn-Identity PLMN-Identity OPTIONAL, -- Need S ran-Area SEQUENCE (SIZE (1..16)) OF RAN-AreaConfig } RAN-AreaConfig ::= SEQUENCE { trackingAreaCode TrackingAreaCode, ran-AreaCodeList SEQUENCE (SIZE (1..32)) OF RAN-AreaCode OPTIONAL -- Need R } SDT-Config-r17 ::= SEQUENCE { sdt-DRB-List-r17 SEQUENCE (SIZE (0..maxDRB)) OF DRB-Identity OPTIONAL, -- Need M sdt-SRB2-Indication-r17 ENUMERATED {allowed} OPTIONAL, -- Need R sdt-MAC-PHY-CG-Config-r17 CHOICE {release NULL, setup SDT-CG-Config-r17} OPTIONAL, -- Need M sdt-DRB-ContinueROHC-r17 ENUMERATED { cell, rna } OPTIONAL -- Need S } SDT-CG-Config-r17 ::= OCTET STRING (CONTAINING SDT-MAC-PHY-CG-Config-r17) SDT-MAC-PHY-CG-Config-r17 ::= SEQUENCE { -- CG-SDT specific configuration cg-SDT-ConfigLCH-RestrictionToAddModList-r17 SEQUENCE (SIZE(1..maxLC-ID)) OF CG-SDT-ConfigLCH-Restriction-r17 OPTIONAL, -- Need N cg-SDT-ConfigLCH-RestrictionToReleaseList-r17 SEQUENCE (SIZE(1..maxLC-ID)) OF LogicalChannelIdentity OPTIONAL, -- Need N cg-SDT-ConfigInitialBWP-NUL-r17 CHOICE {release NULL, setup BWP-UplinkDedicatedSDT-r17} OPTIONAL, -- Need M cg-SDT-ConfigInitialBWP-SUL-r17 CHOICE {release NULL, setup BWP-UplinkDedicatedSDT-r17} OPTIONAL, -- Need M cg-SDT-ConfigInitialBWP-DL-r17 BWP-DownlinkDedicatedSDT-r17 OPTIONAL, -- Need M cg-SDT-TimeAlignmentTimer-r17 TimeAlignmentTimer OPTIONAL, -- Need M cg-SDT-RSRP-ThresholdSSB-r17 RSRP-Range OPTIONAL, -- Need M cg-SDT-TA-ValidationConfig-r17 CHOICE {release NULL, setup CG-SDT-TA-ValidationConfig-r17 } OPTIONAL, -- Need M cg-SDT-CS-RNTI-r17 RNTI-Value OPTIONAL, -- Need M ... } CG-SDT-TA-ValidationConfig-r17 ::= SEQUENCE { cg-SDT-RSRP-ChangeThreshold-r17 ENUMERATED { dB2, dB4, dB6, dB8, dB10, dB14, dB18, dB22, dB26, dB30, dB34, spare5, spare4, spare3, spare2, spare1} } BWP-DownlinkDedicatedSDT-r17 ::= SEQUENCE { pdcch-Config-r17 CHOICE {release NULL, setup PDCCH-Config } OPTIONAL, -- Need M pdsch-Config-r17 CHOICE {release NULL, setup PDSCH-Config } OPTIONAL, -- Need M ... } BWP-UplinkDedicatedSDT-r17 ::= SEQUENCE { pusch-Config-r17 CHOICE {release NULL, setup PUSCH-Config } OPTIONAL, -- Need M configuredGrantConfigToAddModList-r17 ConfiguredGrantConfigToAddModList-r16 OPTIONAL, -- Need N configuredGrantConfigToReleaseList-r17 ConfiguredGrantConfigToReleaseList-r16 OPTIONAL, -- Need N ... } CG-SDT-ConfigLCH-Restriction-r17 ::= SEQUENCE { logicalChannelIdentity-r17 LogicalChannelIdentity, configuredGrantType1Allowed-r17 ENUMERATED {true} OPTIONAL, -- Need R allowedCG-List-r17 SEQUENCE (SIZE (0.. maxNrofConfiguredGrantConfigMAC-1-r16)) OF ConfiguredGrantConfigIndexMAC-r16 OPTIONAL -- Need R } SRS-PosRRC-Inactive-r17 ::= OCTET STRING (CONTAINING SRS-PosRRC-InactiveConfig-r17) SRS-PosRRC-InactiveConfig-r17 ::= SEQUENCE { srs-PosConfigNUL-r17 SRS-PosConfig-r17 OPTIONAL, -- Need R srs-PosConfigSUL-r17 SRS-PosConfig-r17 OPTIONAL, -- Need R bwp-NUL-r17 BWP OPTIONAL, -- Need S bwp-SUL-r17 BWP OPTIONAL, -- Need S inactivePosSRS-TimeAlignmentTimer-r17 TimeAlignmentTimer OPTIONAL, -- Need M inactivePosSRS-RSRP-ChangeThreshold-r17 RSRP-ChangeThreshold-r17 OPTIONAL -- Need M } RSRP-ChangeThreshold-r17 ::= ENUMERATED {dB4, dB6, dB8, dB10, dB14, dB18, dB22, dB26, dB30, dB34, spare6, spare5, spare4, spare3, spare2, spare1} SRS-PosConfig-r17 ::= SEQUENCE { srs-PosResourceSetToReleaseList-r17 SEQUENCE (SIZE(1..maxNrofSRS-PosResourceSets-r16)) OF SRS-PosResourceSetId-r16 OPTIONAL,-- Need N srs-PosResourceSetToAddModList-r17 SEQUENCE (SIZE(1..maxNrofSRS-PosResourceSets-r16)) OF SRS-PosResourceSet-r16 OPTIONAL,-- Need N srs-PosResourceToReleaseList-r17 SEQUENCE (SIZE(1..maxNrofSRS-PosResources-r16)) OF SRS-PosResourceId-r16 OPTIONAL,-- Need N srs-PosResourceToAddModList-r17 SEQUENCE (SIZE(1..maxNrofSRS-PosResources-r16)) OF SRS-PosResource-r16 OPTIONAL -- Need N } -- TAG-RRCRELEASE-STOP -- TAG-RRCRESUME-START RRCResume ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcResume RRCResume-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCResume-IEs ::= SEQUENCE { radioBearerConfig RadioBearerConfig OPTIONAL, -- Need M masterCellGroup OCTET STRING (CONTAINING CellGroupConfig) OPTIONAL, -- Need M measConfig MeasConfig OPTIONAL, -- Need M fullConfig ENUMERATED {true} OPTIONAL, -- Need N lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension RRCResume-v1560-IEs OPTIONAL } RRCResume-v1560-IEs ::= SEQUENCE { radioBearerConfig2 OCTET STRING (CONTAINING RadioBearerConfig) OPTIONAL, -- Need M sk-Counter SK-Counter OPTIONAL, -- Need N nonCriticalExtension RRCResume-v1610-IEs OPTIONAL } RRCResume-v1610-IEs ::= SEQUENCE { idleModeMeasurementReq-r16 ENUMERATED {true} OPTIONAL, -- Need N restoreMCG-SCells-r16 ENUMERATED {true} OPTIONAL, -- Need N restoreSCG-r16 ENUMERATED {true} OPTIONAL, -- Need N mrdc-SecondaryCellGroup-r16 CHOICE { nr-SCG-r16 OCTET STRING (CONTAINING RRCReconfiguration), eutra-SCG-r16 OCTET STRING } OPTIONAL, -- Cond RestoreSCG needForGapsConfigNR-r16 CHOICE {release NULL, setup NeedForGapsConfigNR-r16} OPTIONAL, -- Need M nonCriticalExtension RRCResume-v1700-IEs OPTIONAL } RRCResume-v1700-IEs ::= SEQUENCE { sl-ConfigDedicatedNR-r17 CHOICE {release NULL, setup SL-ConfigDedicatedNR-r16} OPTIONAL, -- Cond L2RemoteUE sl-L2RemoteUE-Config-r17 CHOICE {release NULL, setup SL-L2RemoteUE-Config-r17} OPTIONAL, -- Cond L2RemoteUE needForGapNCSG-ConfigNR-r17 CHOICE {release NULL, setup NeedForGapNCSG-ConfigNR-r17} OPTIONAL, -- Need M needForGapNCSG-ConfigEUTRA-r17 CHOICE {release NULL, setup NeedForGapNCSG-ConfigEUTRA-r17} OPTIONAL, -- Need M scg-State-r17 ENUMERATED {deactivated} OPTIONAL, -- Need N appLayerMeasConfig-r17 AppLayerMeasConfig-r17 OPTIONAL, -- Need M nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-RRCRESUME-STOP -- TAG-RRCRESUMECOMPLETE-START RRCResumeComplete ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcResumeComplete RRCResumeComplete-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCResumeComplete-IEs ::= SEQUENCE { dedicatedNAS-Message DedicatedNAS-Message OPTIONAL, selectedPLMN-Identity INTEGER (1..maxPLMN) OPTIONAL, uplinkTxDirectCurrentList UplinkTxDirectCurrentList OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension RRCResumeComplete-v1610-IEs OPTIONAL } RRCResumeComplete-v1610-IEs ::= SEQUENCE { idleMeasAvailable-r16 ENUMERATED {true} OPTIONAL, measResultIdleEUTRA-r16 MeasResultIdleEUTRA-r16 OPTIONAL, measResultIdleNR-r16 MeasResultIdleNR-r16 OPTIONAL, scg-Response-r16 CHOICE { nr-SCG-Response OCTET STRING (CONTAINING RRCReconfigurationComplete), eutra-SCG-Response OCTET STRING } OPTIONAL, ue-MeasurementsAvailable-r16 UE-MeasurementsAvailable-r16 OPTIONAL, mobilityHistoryAvail-r16 ENUMERATED {true} OPTIONAL, mobilityState-r16 ENUMERATED {normal, medium, high, spare} OPTIONAL, needForGapsInfoNR-r16 NeedForGapsInfoNR-r16 OPTIONAL, nonCriticalExtension RRCResumeComplete-v1640-IEs OPTIONAL } RRCResumeComplete-v1640-IEs ::= SEQUENCE { uplinkTxDirectCurrentTwoCarrierList-r16 UplinkTxDirectCurrentTwoCarrierList-r16 OPTIONAL, nonCriticalExtension RRCResumeComplete-v1700-IEs OPTIONAL } RRCResumeComplete-v1700-IEs ::= SEQUENCE { needForGapNCSG-InfoNR-r17 NeedForGapNCSG-InfoNR-r17 OPTIONAL, needForGapNCSG-InfoEUTRA-r17 NeedForGapNCSG-InfoEUTRA-r17 OPTIONAL, nonCriticalExtension RRCResumeComplete-v1720-IEs OPTIONAL } RRCResumeComplete-v1720-IEs ::= SEQUENCE { uplinkTxDirectCurrentMoreCarrierList-r17 UplinkTxDirectCurrentMoreCarrierList-r17 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-RRCRESUMECOMPLETE-STOP -- TAG-RRCRESUMEREQUEST-START RRCResumeRequest ::= SEQUENCE { rrcResumeRequest RRCResumeRequest-IEs } RRCResumeRequest-IEs ::= SEQUENCE { resumeIdentity ShortI-RNTI-Value, resumeMAC-I BIT STRING (SIZE (16)), resumeCause ResumeCause, spare BIT STRING (SIZE (1)) } -- TAG-RRCRESUMEREQUEST-STOP -- TAG-RRCRESUMEREQUEST1-START RRCResumeRequest1 ::= SEQUENCE { rrcResumeRequest1 RRCResumeRequest1-IEs } RRCResumeRequest1-IEs ::= SEQUENCE { resumeIdentity I-RNTI-Value, resumeMAC-I BIT STRING (SIZE (16)), resumeCause ResumeCause, spare BIT STRING (SIZE (1)) } -- TAG-RRCRESUMEREQUEST1-STOP -- TAG-RRCSETUP-START RRCSetup ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcSetup RRCSetup-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCSetup-IEs ::= SEQUENCE { radioBearerConfig RadioBearerConfig, masterCellGroup OCTET STRING (CONTAINING CellGroupConfig), lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension RRCSetup-v1700-IEs OPTIONAL } RRCSetup-v1700-IEs ::= SEQUENCE { sl-ConfigDedicatedNR-r17 SL-ConfigDedicatedNR-r16 OPTIONAL, -- Cond L2RemoteUE sl-L2RemoteUE-Config-r17 SL-L2RemoteUE-Config-r17 OPTIONAL, -- Cond L2RemoteUE nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-RRCSETUP-STOP -- TAG-RRCSETUPCOMPLETE-START RRCSetupComplete ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcSetupComplete RRCSetupComplete-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCSetupComplete-IEs ::= SEQUENCE { selectedPLMN-Identity INTEGER (1..maxPLMN), registeredAMF RegisteredAMF OPTIONAL, guami-Type ENUMERATED {native, mapped} OPTIONAL, s-NSSAI-List SEQUENCE (SIZE (1..maxNrofS-NSSAI)) OF S-NSSAI OPTIONAL, dedicatedNAS-Message DedicatedNAS-Message, ng-5G-S-TMSI-Value CHOICE { ng-5G-S-TMSI NG-5G-S-TMSI, ng-5G-S-TMSI-Part2 BIT STRING (SIZE (9)) } OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension RRCSetupComplete-v1610-IEs OPTIONAL } RRCSetupComplete-v1610-IEs ::= SEQUENCE { iab-NodeIndication-r16 ENUMERATED {true} OPTIONAL, idleMeasAvailable-r16 ENUMERATED {true} OPTIONAL, ue-MeasurementsAvailable-r16 UE-MeasurementsAvailable-r16 OPTIONAL, mobilityHistoryAvail-r16 ENUMERATED {true} OPTIONAL, mobilityState-r16 ENUMERATED {normal, medium, high, spare} OPTIONAL, nonCriticalExtension RRCSetupComplete-v1690-IEs OPTIONAL } RRCSetupComplete-v1690-IEs ::= SEQUENCE { ul-RRC-Segmentation-r16 ENUMERATED {true} OPTIONAL, nonCriticalExtension RRCSetupComplete-v1700-IEs OPTIONAL } RRCSetupComplete-v1700-IEs ::= SEQUENCE { onboardingRequest-r17 ENUMERATED {true} OPTIONAL, nonCriticalExtension SEQUENCE{} OPTIONAL } RegisteredAMF ::= SEQUENCE { plmn-Identity PLMN-Identity OPTIONAL, amf-Identifier AMF-Identifier } -- TAG-RRCSETUPCOMPLETE-STOP -- TAG-RRCSETUPREQUEST-START RRCSetupRequest ::= SEQUENCE { rrcSetupRequest RRCSetupRequest-IEs } RRCSetupRequest-IEs ::= SEQUENCE { ue-Identity InitialUE-Identity, establishmentCause EstablishmentCause, spare BIT STRING (SIZE (1)) } InitialUE-Identity ::= CHOICE { ng-5G-S-TMSI-Part1 BIT STRING (SIZE (39)), randomValue BIT STRING (SIZE (39)) } EstablishmentCause ::= ENUMERATED { emergency, highPriorityAccess, mt-Access, mo-Signalling, mo-Data, mo-VoiceCall, mo-VideoCall, mo-SMS, mps-PriorityAccess, mcs-PriorityAccess, spare6, spare5, spare4, spare3, spare2, spare1} -- TAG-RRCSETUPREQUEST-STOP -- TAG-RRCSYSTEMINFOREQUEST-START RRCSystemInfoRequest ::= SEQUENCE { criticalExtensions CHOICE { rrcSystemInfoRequest RRCSystemInfoRequest-IEs, criticalExtensionsFuture-r16 CHOICE { rrcPosSystemInfoRequest-r16 RRC-PosSystemInfoRequest-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } } RRCSystemInfoRequest-IEs ::= SEQUENCE { requested-SI-List BIT STRING (SIZE (maxSI-Message)), --32bits spare BIT STRING (SIZE (12)) } RRC-PosSystemInfoRequest-r16-IEs ::= SEQUENCE { requestedPosSI-List BIT STRING (SIZE (maxSI-Message)), --32bits spare BIT STRING (SIZE (11)) } -- TAG-RRCSYSTEMINFOREQUEST-STOP -- TAG-SCGFAILUREINFORMATION-START SCGFailureInformation ::= SEQUENCE { criticalExtensions CHOICE { scgFailureInformation SCGFailureInformation-IEs, criticalExtensionsFuture SEQUENCE {} } } SCGFailureInformation-IEs ::= SEQUENCE { failureReportSCG FailureReportSCG OPTIONAL, nonCriticalExtension SCGFailureInformation-v1590-IEs OPTIONAL } SCGFailureInformation-v1590-IEs ::= SEQUENCE { lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } FailureReportSCG ::= SEQUENCE { failureType ENUMERATED { t310-Expiry, randomAccessProblem, rlc-MaxNumRetx, synchReconfigFailureSCG, scg-ReconfigFailure, srb3-IntegrityFailure, other-r16, spare1}, measResultFreqList MeasResultFreqList OPTIONAL, measResultSCG-Failure OCTET STRING (CONTAINING MeasResultSCG-Failure) OPTIONAL, ..., [[ locationInfo-r16 LocationInfo-r16 OPTIONAL, failureType-v1610 ENUMERATED {scg-lbtFailure-r16, beamFailureRecoveryFailure-r16, t312-Expiry-r16, bh-RLF-r16, beamFailure-r17, spare3, spare2, spare1} OPTIONAL ]], [[ previousPSCellId-r17 SEQUENCE { physCellId-r17 PhysCellId, carrierFreq-r17 ARFCN-ValueNR } OPTIONAL, failedPSCellId-r17 SEQUENCE { physCellId-r17 PhysCellId, carrierFreq-r17 ARFCN-ValueNR } OPTIONAL, timeSCGFailure-r17 INTEGER (0..1023) OPTIONAL, perRAInfoList-r17 PerRAInfoList-r16 OPTIONAL ]] } MeasResultFreqList ::= SEQUENCE (SIZE (1..maxFreq)) OF MeasResult2NR -- TAG-SCGFAILUREINFORMATION-STOP -- TAG-SCGFAILUREINFORMATIONEUTRA-START SCGFailureInformationEUTRA ::= SEQUENCE { criticalExtensions CHOICE { scgFailureInformationEUTRA SCGFailureInformationEUTRA-IEs, criticalExtensionsFuture SEQUENCE {} } } SCGFailureInformationEUTRA-IEs ::= SEQUENCE { failureReportSCG-EUTRA FailureReportSCG-EUTRA OPTIONAL, nonCriticalExtension SCGFailureInformationEUTRA-v1590-IEs OPTIONAL } SCGFailureInformationEUTRA-v1590-IEs ::= SEQUENCE { lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } FailureReportSCG-EUTRA ::= SEQUENCE { failureType ENUMERATED { t313-Expiry, randomAccessProblem,rlc-MaxNumRetx, scg-ChangeFailure, spare4, spare3, spare2, spare1}, measResultFreqListMRDC MeasResultFreqListFailMRDC OPTIONAL, measResultSCG-FailureMRDC OCTET STRING OPTIONAL, ..., [[ locationInfo-r16 LocationInfo-r16 OPTIONAL ]] } MeasResultFreqListFailMRDC ::= SEQUENCE (SIZE (1.. maxFreq)) OF MeasResult2EUTRA -- TAG-SCGFAILUREINFORMATIONEUTRA-STOP -- TAG-SECURITYMODECOMMAND-START SecurityModeCommand ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { securityModeCommand SecurityModeCommand-IEs, criticalExtensionsFuture SEQUENCE {} } } SecurityModeCommand-IEs ::= SEQUENCE { securityConfigSMC SecurityConfigSMC, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE{} OPTIONAL } SecurityConfigSMC ::= SEQUENCE { securityAlgorithmConfig SecurityAlgorithmConfig, ... } -- TAG-SECURITYMODECOMMAND-STOP -- TAG-SECURITYMODECOMPLETE-START SecurityModeComplete ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { securityModeComplete SecurityModeComplete-IEs, criticalExtensionsFuture SEQUENCE {} } } SecurityModeComplete-IEs ::= SEQUENCE { lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE{} OPTIONAL } -- TAG-SECURITYMODECOMPLETE-STOP -- TAG-SECURITYMODEFAILURE-START SecurityModeFailure ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { securityModeFailure SecurityModeFailure-IEs, criticalExtensionsFuture SEQUENCE {} } } SecurityModeFailure-IEs ::= SEQUENCE { lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE{} OPTIONAL } -- TAG-SECURITYMODEFAILURE-STOP -- TAG-SIB1-START SIB1 ::= SEQUENCE { cellSelectionInfo SEQUENCE { q-RxLevMin Q-RxLevMin, q-RxLevMinOffset INTEGER (1..8) OPTIONAL, -- Need S q-RxLevMinSUL Q-RxLevMin OPTIONAL, -- Need R q-QualMin Q-QualMin OPTIONAL, -- Need S q-QualMinOffset INTEGER (1..8) OPTIONAL -- Need S } OPTIONAL, -- Cond Standalone cellAccessRelatedInfo CellAccessRelatedInfo, connEstFailureControl ConnEstFailureControl OPTIONAL, -- Need R si-SchedulingInfo SI-SchedulingInfo OPTIONAL, -- Need R servingCellConfigCommon ServingCellConfigCommonSIB OPTIONAL, -- Need R ims-EmergencySupport ENUMERATED {true} OPTIONAL, -- Need R eCallOverIMS-Support ENUMERATED {true} OPTIONAL, -- Need R ue-TimersAndConstants UE-TimersAndConstants OPTIONAL, -- Need R uac-BarringInfo SEQUENCE { uac-BarringForCommon UAC-BarringPerCatList OPTIONAL, -- Need S uac-BarringPerPLMN-List UAC-BarringPerPLMN-List OPTIONAL, -- Need S uac-BarringInfoSetList UAC-BarringInfoSetList, uac-AccessCategory1-SelectionAssistanceInfo CHOICE { plmnCommon UAC-AccessCategory1-SelectionAssistanceInfo, individualPLMNList SEQUENCE (SIZE (2..maxPLMN)) OF UAC-AccessCategory1-SelectionAssistanceInfo } OPTIONAL -- Need S } OPTIONAL, -- Need R useFullResumeID ENUMERATED {true} OPTIONAL, -- Need R lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SIB1-v1610-IEs OPTIONAL } SIB1-v1610-IEs ::= SEQUENCE { idleModeMeasurementsEUTRA-r16 ENUMERATED{true} OPTIONAL, -- Need R idleModeMeasurementsNR-r16 ENUMERATED{true} OPTIONAL, -- Need R posSI-SchedulingInfo-r16 PosSI-SchedulingInfo-r16 OPTIONAL, -- Need R nonCriticalExtension SIB1-v1630-IEs OPTIONAL } SIB1-v1630-IEs ::= SEQUENCE { uac-BarringInfo-v1630 SEQUENCE { uac-AC1-SelectAssistInfo-r16 SEQUENCE (SIZE (2..maxPLMN)) OF UAC-AC1-SelectAssistInfo-r16 } OPTIONAL, -- Need R nonCriticalExtension SIB1-v1700-IEs OPTIONAL } SIB1-v1700-IEs ::= SEQUENCE { hsdn-Cell-r17 ENUMERATED {true} OPTIONAL, -- Need R uac-BarringInfo-v1700 SEQUENCE { uac-BarringInfoSetList-v1700 UAC-BarringInfoSetList-v1700 } OPTIONAL, -- Cond MINT sdt-ConfigCommon-r17 SDT-ConfigCommonSIB-r17 OPTIONAL, -- Need R redCap-ConfigCommon-r17 RedCap-ConfigCommonSIB-r17 OPTIONAL, -- Need R featurePriorities-r17 SEQUENCE { redCapPriority-r17 FeaturePriority-r17 OPTIONAL, -- Need R slicingPriority-r17 FeaturePriority-r17 OPTIONAL, -- Need R msg3-Repetitions-Priority-r17 FeaturePriority-r17 OPTIONAL, -- Need R sdt-Priority-r17 FeaturePriority-r17 OPTIONAL -- Need R } OPTIONAL, -- Need R si-SchedulingInfo-v1700 SI-SchedulingInfo-v1700 OPTIONAL, -- Need R hyperSFN-r17 BIT STRING (SIZE (10)) OPTIONAL, -- Need R eDRX-AllowedIdle-r17 ENUMERATED {true} OPTIONAL, -- Need R eDRX-AllowedInactive-r17 ENUMERATED {true} OPTIONAL, -- Cond EDRX-RC intraFreqReselectionRedCap-r17 ENUMERATED {allowed, notAllowed} OPTIONAL, -- Need S cellBarredNTN-r17 ENUMERATED {barred, notBarred} OPTIONAL, -- Need S nonCriticalExtension SIB1-v1740-IEs OPTIONAL } SIB1-v1740-IEs ::= SEQUENCE { si-SchedulingInfo-v1740 SI-SchedulingInfo-v1740 OPTIONAL, -- Need R nonCriticalExtension SEQUENCE {} OPTIONAL } UAC-AccessCategory1-SelectionAssistanceInfo ::= ENUMERATED {a, b, c} UAC-AC1-SelectAssistInfo-r16 ::= ENUMERATED {a, b, c, notConfigured} SDT-ConfigCommonSIB-r17 ::= SEQUENCE { sdt-RSRP-Threshold-r17 RSRP-Range OPTIONAL, -- Need R sdt-LogicalChannelSR-DelayTimer-r17 ENUMERATED { sf20, sf40, sf64, sf128, sf512, sf1024, sf2560, spare1} OPTIONAL, -- Need R sdt-DataVolumeThreshold-r17 ENUMERATED {byte32, byte100, byte200, byte400, byte600, byte800, byte1000, byte2000, byte4000, byte8000, byte9000, byte10000, byte12000, byte24000, byte48000, byte96000}, t319a-r17 ENUMERATED { ms100, ms200, ms300, ms400, ms600, ms1000, ms2000, ms3000, ms4000, spare7, spare6, spare5, spare4, spare3, spare2, spare1} } RedCap-ConfigCommonSIB-r17 ::= SEQUENCE { halfDuplexRedCapAllowed-r17 ENUMERATED {true} OPTIONAL, -- Need R cellBarredRedCap-r17 SEQUENCE { cellBarredRedCap1Rx-r17 ENUMERATED {barred, notBarred}, cellBarredRedCap2Rx-r17 ENUMERATED {barred, notBarred} } OPTIONAL, -- Need R ... } FeaturePriority-r17 ::= INTEGER (0..7) -- TAG-SIB1-STOP -- TAG-SIDELINKUEINFORMATIONNR-START SidelinkUEInformationNR-r16::= SEQUENCE { criticalExtensions CHOICE { sidelinkUEInformationNR-r16 SidelinkUEInformationNR-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } SidelinkUEInformationNR-r16-IEs ::= SEQUENCE { sl-RxInterestedFreqList-r16 SL-InterestedFreqList-r16 OPTIONAL, sl-TxResourceReqList-r16 SL-TxResourceReqList-r16 OPTIONAL, sl-FailureList-r16 SL-FailureList-r16 OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SidelinkUEInformationNR-v1700-IEs OPTIONAL } SidelinkUEInformationNR-v1700-IEs ::= SEQUENCE { sl-TxResourceReqList-v1700 SL-TxResourceReqList-v1700 OPTIONAL, sl-RxDRX-ReportList-v1700 SL-RxDRX-ReportList-v1700 OPTIONAL, sl-RxInterestedGC-BC-DestList-r17 SL-RxInterestedGC-BC-DestList-r17 OPTIONAL, sl-RxInterestedFreqListDisc-r17 SL-InterestedFreqList-r16 OPTIONAL, sl-TxResourceReqListDisc-r17 SL-TxResourceReqListDisc-r17 OPTIONAL, sl-TxResourceReqListCommRelay-r17 SL-TxResourceReqListCommRelay-r17 OPTIONAL, ue-Type-r17 ENUMERATED {relayUE, remoteUE} OPTIONAL, sl-SourceIdentityRemoteUE-r17 SL-SourceIdentity-r17 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } SL-InterestedFreqList-r16 ::= SEQUENCE (SIZE (1..maxNrofFreqSL-r16)) OF INTEGER (1..maxNrofFreqSL-r16) SL-TxResourceReqList-r16 ::= SEQUENCE (SIZE (1..maxNrofSL-Dest-r16)) OF SL-TxResourceReq-r16 SL-TxResourceReq-r16 ::= SEQUENCE { sl-DestinationIdentity-r16 SL-DestinationIdentity-r16, sl-CastType-r16 ENUMERATED {broadcast, groupcast, unicast, spare1}, sl-RLC-ModeIndicationList-r16 SEQUENCE (SIZE (1.. maxNrofSLRB-r16)) OF SL-RLC-ModeIndication-r16 OPTIONAL, sl-QoS-InfoList-r16 SEQUENCE (SIZE (1..maxNrofSL-QFIsPerDest-r16)) OF SL-QoS-Info-r16 OPTIONAL, sl-TypeTxSyncList-r16 SEQUENCE (SIZE (1..maxNrofFreqSL-r16)) OF SL-TypeTxSync-r16 OPTIONAL, sl-TxInterestedFreqList-r16 SL-TxInterestedFreqList-r16 OPTIONAL, sl-CapabilityInformationSidelink-r16 OCTET STRING OPTIONAL } SL-TxResourceReqList-v1700 ::= SEQUENCE (SIZE (1..maxNrofSL-Dest-r16)) OF SL-TxResourceReq-v1700 SL-RxDRX-ReportList-v1700 ::= SEQUENCE (SIZE (1..maxNrofSL-Dest-r16)) OF SL-RxDRX-Report-v1700 SL-TxResourceReq-v1700 ::= SEQUENCE { sl-DRX-InfoFromRxList-r17 SEQUENCE (SIZE (1..maxNrofSL-RxInfoSet-r17)) OF SL-DRX-ConfigUC-SemiStatic-r17 OPTIONAL, sl-DRX-Indication-r17 ENUMERATED {on, off} OPTIONAL, ... } SL-RxDRX-Report-v1700 ::= SEQUENCE { sl-DRX-ConfigFromTx-r17 SL-DRX-ConfigUC-SemiStatic-r17, ...} SL-RxInterestedGC-BC-DestList-r17 ::= SEQUENCE (SIZE (1..maxNrofSL-Dest-r16)) OF SL-RxInterestedGC-BC-Dest-r17 SL-RxInterestedGC-BC-Dest-r17 ::= SEQUENCE { sl-RxInterestedQoS-InfoList-r17 SEQUENCE (SIZE (1..maxNrofSL-QFIsPerDest-r16)) OF SL-QoS-Info-r16, sl-DestinationIdentity-r16 SL-DestinationIdentity-r16 } SL-TxResourceReqListDisc-r17 ::= SEQUENCE (SIZE (1..maxNrofSL-Dest-r16)) OF SL-TxResourceReqDisc-r17 SL-TxResourceReqDisc-r17 ::= SEQUENCE { sl-DestinationIdentityDisc-r17 SL-DestinationIdentity-r16, sl-SourceIdentityRelayUE-r17 SL-SourceIdentity-r17 OPTIONAL, sl-CastTypeDisc-r17 ENUMERATED {broadcast, groupcast, unicast, spare1}, sl-TxInterestedFreqListDisc-r17 SL-TxInterestedFreqList-r16, sl-TypeTxSyncListDisc-r17 SEQUENCE (SIZE (1..maxNrofFreqSL-r16)) OF SL-TypeTxSync-r16, sl-DiscoveryType-r17 ENUMERATED {relay, non-Relay}, ... } SL-TxResourceReqListCommRelay-r17 ::= SEQUENCE (SIZE (1..maxNrofSL-Dest-r16)) OF SL-TxResourceReqCommRelayInfo-r17 SL-TxResourceReqCommRelayInfo-r17 ::= SEQUENCE { sl-RelayDRXConfig-r17 SL-TxResourceReq-v1700 OPTIONAL, sl-TxResourceReqCommRelay-r17 SL-TxResourceReqCommRelay-r17 } SL-TxResourceReqCommRelay-r17 ::= CHOICE { sl-TxResourceReqL2U2N-Relay-r17 SL-TxResourceReqL2U2N-Relay-r17, sl-TxResourceReqL3U2N-Relay-r17 SL-TxResourceReq-r16 } SL-TxResourceReqL2U2N-Relay-r17 ::= SEQUENCE { sl-DestinationIdentityL2U2N-r17 SL-DestinationIdentity-r16 OPTIONAL, sl-TxInterestedFreqListL2U2N-r17 SL-TxInterestedFreqList-r16, sl-TypeTxSyncListL2U2N-r17 SEQUENCE (SIZE (1..maxNrofFreqSL-r16)) OF SL-TypeTxSync-r16, sl-LocalID-Request-r17 ENUMERATED {true} OPTIONAL, sl-PagingIdentityRemoteUE-r17 SL-PagingIdentityRemoteUE-r17 OPTIONAL, sl-CapabilityInformationSidelink-r17 OCTET STRING OPTIONAL, ... } SL-TxInterestedFreqList-r16 ::= SEQUENCE (SIZE (1..maxNrofFreqSL-r16)) OF INTEGER (1..maxNrofFreqSL-r16) SL-QoS-Info-r16 ::= SEQUENCE { sl-QoS-FlowIdentity-r16 SL-QoS-FlowIdentity-r16, sl-QoS-Profile-r16 SL-QoS-Profile-r16 OPTIONAL } SL-RLC-ModeIndication-r16 ::= SEQUENCE { sl-Mode-r16 CHOICE { sl-AM-Mode-r16 NULL, sl-UM-Mode-r16 NULL }, sl-QoS-InfoList-r16 SEQUENCE (SIZE (1..maxNrofSL-QFIsPerDest-r16)) OF SL-QoS-Info-r16 } SL-FailureList-r16 ::= SEQUENCE (SIZE (1..maxNrofSL-Dest-r16)) OF SL-Failure-r16 SL-Failure-r16 ::= SEQUENCE { sl-DestinationIdentity-r16 SL-DestinationIdentity-r16, sl-Failure-r16 ENUMERATED {rlf,configFailure, drxReject-v1710, spare5, spare4, spare3, spare2, spare1} } -- TAG-SIDELINKUEINFORMATIONNR-STOP -- TAG-SYSTEMINFORMATION-START SystemInformation ::= SEQUENCE { criticalExtensions CHOICE { systemInformation SystemInformation-IEs, criticalExtensionsFuture-r16 CHOICE { posSystemInformation-r16 PosSystemInformation-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } } SystemInformation-IEs ::= SEQUENCE { sib-TypeAndInfo SEQUENCE (SIZE (1..maxSIB)) OF CHOICE { sib2 SIB2, sib3 SIB3, sib4 SIB4, sib5 SIB5, sib6 SIB6, sib7 SIB7, sib8 SIB8, sib9 SIB9, ..., sib10-v1610 SIB10-r16, sib11-v1610 SIB11-r16, sib12-v1610 SIB12-r16, sib13-v1610 SIB13-r16, sib14-v1610 SIB14-r16, sib15-v1700 SIB15-r17, sib16-v1700 SIB16-r17, sib17-v1700 SIB17-r17, sib18-v1700 SIB18-r17, sib19-v1700 SIB19-r17, sib20-v1700 SIB20-r17, sib21-v1700 SIB21-r17 }, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-SYSTEMINFORMATION-STOP -- TAG-UEASSISTANCEINFORMATION-START UEAssistanceInformation ::= SEQUENCE { criticalExtensions CHOICE { ueAssistanceInformation UEAssistanceInformation-IEs, criticalExtensionsFuture SEQUENCE {} } } UEAssistanceInformation-IEs ::= SEQUENCE { delayBudgetReport DelayBudgetReport OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension UEAssistanceInformation-v1540-IEs OPTIONAL } DelayBudgetReport::= CHOICE { type1 ENUMERATED { msMinus1280, msMinus640, msMinus320, msMinus160,msMinus80, msMinus60, msMinus40, msMinus20, ms0, ms20,ms40, ms60, ms80, ms160, ms320, ms640, ms1280}, ... } UEAssistanceInformation-v1540-IEs ::= SEQUENCE { overheatingAssistance OverheatingAssistance OPTIONAL, nonCriticalExtension UEAssistanceInformation-v1610-IEs OPTIONAL } OverheatingAssistance ::= SEQUENCE { reducedMaxCCs ReducedMaxCCs-r16 OPTIONAL, reducedMaxBW-FR1 ReducedMaxBW-FRx-r16 OPTIONAL, reducedMaxBW-FR2 ReducedMaxBW-FRx-r16 OPTIONAL, reducedMaxMIMO-LayersFR1 SEQUENCE { reducedMIMO-LayersFR1-DL MIMO-LayersDL, reducedMIMO-LayersFR1-UL MIMO-LayersUL } OPTIONAL, reducedMaxMIMO-LayersFR2 SEQUENCE { reducedMIMO-LayersFR2-DL MIMO-LayersDL, reducedMIMO-LayersFR2-UL MIMO-LayersUL } OPTIONAL } OverheatingAssistance-r17 ::= SEQUENCE { reducedMaxBW-FR2-2-r17 SEQUENCE { reducedBW-FR2-2-DL-r17 ReducedAggregatedBandwidth-r17, reducedBW-FR2-2-UL-r17 ReducedAggregatedBandwidth-r17 } OPTIONAL, reducedMaxMIMO-LayersFR2-2 SEQUENCE { reducedMIMO-LayersFR2-2-DL MIMO-LayersDL, reducedMIMO-LayersFR2-2-UL MIMO-LayersUL } OPTIONAL } ReducedAggregatedBandwidth ::= ENUMERATED {mhz0, mhz10, mhz20, mhz30, mhz40, mhz50, mhz60, mhz80, mhz100, mhz200, mhz300, mhz400} ReducedAggregatedBandwidth-r17 ::= ENUMERATED {mhz0, mhz100, mhz200, mhz400, mhz800, mhz1200, mhz1600, mhz2000} UEAssistanceInformation-v1610-IEs ::= SEQUENCE { idc-Assistance-r16 IDC-Assistance-r16 OPTIONAL, drx-Preference-r16 DRX-Preference-r16 OPTIONAL, maxBW-Preference-r16 MaxBW-Preference-r16 OPTIONAL, maxCC-Preference-r16 MaxCC-Preference-r16 OPTIONAL, maxMIMO-LayerPreference-r16 MaxMIMO-LayerPreference-r16 OPTIONAL, minSchedulingOffsetPreference-r16 MinSchedulingOffsetPreference-r16 OPTIONAL, releasePreference-r16 ReleasePreference-r16 OPTIONAL, sl-UE-AssistanceInformationNR-r16 SL-UE-AssistanceInformationNR-r16 OPTIONAL, referenceTimeInfoPreference-r16 BOOLEAN OPTIONAL, nonCriticalExtension UEAssistanceInformation-v1700-IEs OPTIONAL } UEAssistanceInformation-v1700-IEs ::= SEQUENCE { ul-GapFR2-Preference-r17 UL-GapFR2-Preference-r17 OPTIONAL, musim-Assistance-r17 MUSIM-Assistance-r17 OPTIONAL, overheatingAssistance-r17 OverheatingAssistance-r17 OPTIONAL, maxBW-PreferenceFR2-2-r17 MaxBW-PreferenceFR2-2-r17 OPTIONAL, maxMIMO-LayerPreferenceFR2-2-r17 MaxMIMO-LayerPreferenceFR2-2-r17 OPTIONAL, minSchedulingOffsetPreferenceExt-r17 MinSchedulingOffsetPreferenceExt-r17 OPTIONAL, rlm-MeasRelaxationState-r17 BOOLEAN OPTIONAL, bfd-MeasRelaxationState-r17 BIT STRING (SIZE (1..maxNrofServingCells)) OPTIONAL, nonSDT-DataIndication-r17 SEQUENCE { resumeCause-r17 ResumeCause OPTIONAL } OPTIONAL, scg-DeactivationPreference-r17 ENUMERATED { scgDeactivationPreferred, noPreference } OPTIONAL, uplinkData-r17 ENUMERATED { true } OPTIONAL, rrm-MeasRelaxationFulfilment-r17 BOOLEAN OPTIONAL, propagationDelayDifference-r17 PropagationDelayDifference-r17 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } IDC-Assistance-r16 ::= SEQUENCE { affectedCarrierFreqList-r16 AffectedCarrierFreqList-r16 OPTIONAL, affectedCarrierFreqCombList-r16 AffectedCarrierFreqCombList-r16 OPTIONAL, ... } AffectedCarrierFreqList-r16 ::= SEQUENCE (SIZE (1.. maxFreqIDC-r16)) OF AffectedCarrierFreq-r16 AffectedCarrierFreq-r16 ::= SEQUENCE { carrierFreq-r16 ARFCN-ValueNR, interferenceDirection-r16 ENUMERATED {nr, other, both, spare} } AffectedCarrierFreqCombList-r16 ::= SEQUENCE (SIZE (1..maxCombIDC-r16)) OF AffectedCarrierFreqComb-r16 AffectedCarrierFreqComb-r16 ::= SEQUENCE { affectedCarrierFreqComb-r16 SEQUENCE (SIZE (2..maxNrofServingCells)) OF ARFCN-ValueNR OPTIONAL, victimSystemType-r16 VictimSystemType-r16 } VictimSystemType-r16 ::= SEQUENCE { gps-r16 ENUMERATED {true} OPTIONAL, glonass-r16 ENUMERATED {true} OPTIONAL, bds-r16 ENUMERATED {true} OPTIONAL, galileo-r16 ENUMERATED {true} OPTIONAL, navIC-r16 ENUMERATED {true} OPTIONAL, wlan-r16 ENUMERATED {true} OPTIONAL, bluetooth-r16 ENUMERATED {true} OPTIONAL, ... } DRX-Preference-r16 ::= SEQUENCE { preferredDRX-InactivityTimer-r16 ENUMERATED { ms0, ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms500, ms750, ms1280, ms1920, ms2560, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} OPTIONAL, preferredDRX-LongCycle-r16 ENUMERATED { ms10, ms20, ms32, ms40, ms60, ms64, ms70, ms80, ms128, ms160, ms256, ms320, ms512, ms640, ms1024, ms1280, ms2048, ms2560, ms5120, ms10240, spare12, spare11, spare10, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 } OPTIONAL, preferredDRX-ShortCycle-r16 ENUMERATED { ms2, ms3, ms4, ms5, ms6, ms7, ms8, ms10, ms14, ms16, ms20, ms30, ms32, ms35, ms40, ms64, ms80, ms128, ms160, ms256, ms320, ms512, ms640, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 } OPTIONAL, preferredDRX-ShortCycleTimer-r16 INTEGER (1..16) OPTIONAL } MaxBW-Preference-r16 ::= SEQUENCE { reducedMaxBW-FR1-r16 ReducedMaxBW-FRx-r16 OPTIONAL, reducedMaxBW-FR2-r16 ReducedMaxBW-FRx-r16 OPTIONAL } MaxBW-PreferenceFR2-2-r17 ::= SEQUENCE { reducedMaxBW-FR2-2-r17 SEQUENCE { reducedBW-FR2-2-DL-r17 ReducedAggregatedBandwidth-r17 OPTIONAL, reducedBW-FR2-2-UL-r17 ReducedAggregatedBandwidth-r17 OPTIONAL } OPTIONAL } MaxCC-Preference-r16 ::= SEQUENCE { reducedMaxCCs-r16 ReducedMaxCCs-r16 OPTIONAL } MaxMIMO-LayerPreference-r16 ::= SEQUENCE { reducedMaxMIMO-LayersFR1-r16 SEQUENCE { reducedMIMO-LayersFR1-DL-r16 INTEGER (1..8), reducedMIMO-LayersFR1-UL-r16 INTEGER (1..4) } OPTIONAL, reducedMaxMIMO-LayersFR2-r16 SEQUENCE { reducedMIMO-LayersFR2-DL-r16 INTEGER (1..8), reducedMIMO-LayersFR2-UL-r16 INTEGER (1..4) } OPTIONAL } MaxMIMO-LayerPreferenceFR2-2-r17 ::= SEQUENCE { reducedMaxMIMO-LayersFR2-2-r17 SEQUENCE { reducedMIMO-LayersFR2-2-DL-r17 INTEGER (1..8), reducedMIMO-LayersFR2-2-UL-r17 INTEGER (1..4) } OPTIONAL } MinSchedulingOffsetPreference-r16 ::= SEQUENCE { preferredK0-r16 SEQUENCE { preferredK0-SCS-15kHz-r16 ENUMERATED {sl1, sl2, sl4, sl6} OPTIONAL, preferredK0-SCS-30kHz-r16 ENUMERATED {sl1, sl2, sl4, sl6} OPTIONAL, preferredK0-SCS-60kHz-r16 ENUMERATED {sl2, sl4, sl8, sl12} OPTIONAL, preferredK0-SCS-120kHz-r16 ENUMERATED {sl2, sl4, sl8, sl12} OPTIONAL } OPTIONAL, preferredK2-r16 SEQUENCE { preferredK2-SCS-15kHz-r16 ENUMERATED {sl1, sl2, sl4, sl6} OPTIONAL, preferredK2-SCS-30kHz-r16 ENUMERATED {sl1, sl2, sl4, sl6} OPTIONAL, preferredK2-SCS-60kHz-r16 ENUMERATED {sl2, sl4, sl8, sl12} OPTIONAL, preferredK2-SCS-120kHz-r16 ENUMERATED {sl2, sl4, sl8, sl12} OPTIONAL } OPTIONAL } MinSchedulingOffsetPreferenceExt-r17 ::= SEQUENCE { preferredK0-r17 SEQUENCE { preferredK0-SCS-480kHz-r17 ENUMERATED {sl8, sl16, sl32, sl48} OPTIONAL, preferredK0-SCS-960kHz-r17 ENUMERATED {sl8, sl16, sl32, sl48} OPTIONAL } OPTIONAL, preferredK2-r17 SEQUENCE { preferredK2-SCS-480kHz-r17 ENUMERATED {sl8, sl16, sl32, sl48} OPTIONAL, preferredK2-SCS-960kHz-r17 ENUMERATED {sl8, sl16, sl32, sl48} OPTIONAL } OPTIONAL } MUSIM-Assistance-r17 ::= SEQUENCE { musim-PreferredRRC-State-r17 ENUMERATED {idle, inactive, outOfConnected} OPTIONAL, musim-GapPreferenceList-r17 MUSIM-GapPreferenceList-r17 OPTIONAL } MUSIM-GapPreferenceList-r17 ::= SEQUENCE (SIZE (1..4)) OF MUSIM-GapInfo-r17 ReleasePreference-r16 ::= SEQUENCE { preferredRRC-State-r16 ENUMERATED {idle, inactive, connected, outOfConnected} } ReducedMaxBW-FRx-r16 ::= SEQUENCE { reducedBW-DL-r16 ReducedAggregatedBandwidth, reducedBW-UL-r16 ReducedAggregatedBandwidth } ReducedMaxCCs-r16 ::= SEQUENCE { reducedCCsDL-r16 INTEGER (0..31), reducedCCsUL-r16 INTEGER (0..31) } SL-UE-AssistanceInformationNR-r16 ::= SEQUENCE (SIZE (1..maxNrofTrafficPattern-r16)) OF SL-TrafficPatternInfo-r16 SL-TrafficPatternInfo-r16::= SEQUENCE { trafficPeriodicity-r16 ENUMERATED {ms20, ms50, ms100, ms200, ms300, ms400, ms500, ms600, ms700, ms800, ms900, ms1000}, timingOffset-r16 INTEGER (0..10239), messageSize-r16 BIT STRING (SIZE (8)), sl-QoS-FlowIdentity-r16 SL-QoS-FlowIdentity-r16 } UL-GapFR2-Preference-r17::= SEQUENCE { ul-GapFR2-PatternPreference-r17 INTEGER (0..3) OPTIONAL } PropagationDelayDifference-r17 ::= SEQUENCE (SIZE (1..4)) OF INTEGER (-270..270) -- TAG-UEASSISTANCEINFORMATION-STOP -- TAG-UECAPABILITYENQUIRY-START UECapabilityEnquiry ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { ueCapabilityEnquiry UECapabilityEnquiry-IEs, criticalExtensionsFuture SEQUENCE {} } } UECapabilityEnquiry-IEs ::= SEQUENCE { ue-CapabilityRAT-RequestList UE-CapabilityRAT-RequestList, lateNonCriticalExtension OCTET STRING OPTIONAL, ue-CapabilityEnquiryExt OCTET STRING (CONTAINING UECapabilityEnquiry-v1560-IEs) OPTIONAL -- Need N } UECapabilityEnquiry-v1560-IEs ::= SEQUENCE { capabilityRequestFilterCommon UE-CapabilityRequestFilterCommon OPTIONAL, -- Need N nonCriticalExtension UECapabilityEnquiry-v1610-IEs OPTIONAL } UECapabilityEnquiry-v1610-IEs ::= SEQUENCE { rrc-SegAllowed-r16 ENUMERATED {enabled} OPTIONAL, -- Need N nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-UECAPABILITYENQUIRY-STOP -- TAG-UECAPABILITYINFORMATION-START UECapabilityInformation ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { ueCapabilityInformation UECapabilityInformation-IEs, criticalExtensionsFuture SEQUENCE {} } } UECapabilityInformation-IEs ::= SEQUENCE { ue-CapabilityRAT-ContainerList UE-CapabilityRAT-ContainerList OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE{} OPTIONAL } -- TAG-UECAPABILITYINFORMATION-STOP -- TAG-UEINFORMATIONREQUEST-START UEInformationRequest-r16 ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { ueInformationRequest-r16 UEInformationRequest-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } UEInformationRequest-r16-IEs ::= SEQUENCE { idleModeMeasurementReq-r16 ENUMERATED{true} OPTIONAL, -- Need N logMeasReportReq-r16 ENUMERATED {true} OPTIONAL, -- Need N connEstFailReportReq-r16 ENUMERATED {true} OPTIONAL, -- Need N ra-ReportReq-r16 ENUMERATED {true} OPTIONAL, -- Need N rlf-ReportReq-r16 ENUMERATED {true} OPTIONAL, -- Need N mobilityHistoryReportReq-r16 ENUMERATED {true} OPTIONAL, -- Need N lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension UEInformationRequest-v1700-IEs OPTIONAL } UEInformationRequest-v1700-IEs ::= SEQUENCE { successHO-ReportReq-r17 ENUMERATED {true} OPTIONAL, -- Need N coarseLocationRequest-r17 ENUMERATED {true} OPTIONAL, -- Need N nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-UEINFORMATIONREQUEST-STOP -- TAG-UEINFORMATIONRESPONSE-START UEInformationResponse-r16 ::= SEQUENCE { rrc-TransactionIdentifier RRC-TransactionIdentifier, criticalExtensions CHOICE { ueInformationResponse-r16 UEInformationResponse-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } UEInformationResponse-r16-IEs ::= SEQUENCE { measResultIdleEUTRA-r16 MeasResultIdleEUTRA-r16 OPTIONAL, measResultIdleNR-r16 MeasResultIdleNR-r16 OPTIONAL, logMeasReport-r16 LogMeasReport-r16 OPTIONAL, connEstFailReport-r16 ConnEstFailReport-r16 OPTIONAL, ra-ReportList-r16 RA-ReportList-r16 OPTIONAL, rlf-Report-r16 RLF-Report-r16 OPTIONAL, mobilityHistoryReport-r16 MobilityHistoryReport-r16 OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension UEInformationResponse-v1700-IEs OPTIONAL } UEInformationResponse-v1700-IEs ::= SEQUENCE { successHO-Report-r17 SuccessHO-Report-r17 OPTIONAL, connEstFailReportList-r17 ConnEstFailReportList-r17 OPTIONAL, coarseLocationInfo-r17 OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } LogMeasReport-r16 ::= SEQUENCE { absoluteTimeStamp-r16 AbsoluteTimeInfo-r16, traceReference-r16 TraceReference-r16, traceRecordingSessionRef-r16 OCTET STRING (SIZE (2)), tce-Id-r16 OCTET STRING (SIZE (1)), logMeasInfoList-r16 LogMeasInfoList-r16, logMeasAvailable-r16 ENUMERATED {true} OPTIONAL, logMeasAvailableBT-r16 ENUMERATED {true} OPTIONAL, logMeasAvailableWLAN-r16 ENUMERATED {true} OPTIONAL, ... } LogMeasInfoList-r16 ::= SEQUENCE (SIZE (1..maxLogMeasReport-r16)) OF LogMeasInfo-r16 LogMeasInfo-r16 ::= SEQUENCE { locationInfo-r16 LocationInfo-r16 OPTIONAL, relativeTimeStamp-r16 INTEGER (0..7200), servCellIdentity-r16 CGI-Info-Logging-r16 OPTIONAL, measResultServingCell-r16 MeasResultServingCell-r16 OPTIONAL, measResultNeighCells-r16 SEQUENCE { measResultNeighCellListNR MeasResultListLogging2NR-r16 OPTIONAL, measResultNeighCellListEUTRA MeasResultList2EUTRA-r16 OPTIONAL }, anyCellSelectionDetected-r16 ENUMERATED {true} OPTIONAL, ..., [[ inDeviceCoexDetected-r17 ENUMERATED {true} OPTIONAL ]] } ConnEstFailReport-r16 ::= SEQUENCE { measResultFailedCell-r16 MeasResultFailedCell-r16, locationInfo-r16 LocationInfo-r16 OPTIONAL, measResultNeighCells-r16 SEQUENCE { measResultNeighCellListNR MeasResultList2NR-r16 OPTIONAL, measResultNeighCellListEUTRA MeasResultList2EUTRA-r16 OPTIONAL }, numberOfConnFail-r16 INTEGER (1..8), perRAInfoList-r16 PerRAInfoList-r16, timeSinceFailure-r16 TimeSinceFailure-r16, ... } ConnEstFailReportList-r17 ::= SEQUENCE (SIZE (1..maxCEFReport-r17)) OF ConnEstFailReport-r16 MeasResultServingCell-r16 ::= SEQUENCE { resultsSSB-Cell MeasQuantityResults, resultsSSB SEQUENCE{ best-ssb-Index SSB-Index, best-ssb-Results MeasQuantityResults, numberOfGoodSSB INTEGER (1..maxNrofSSBs-r16) } OPTIONAL } MeasResultFailedCell-r16 ::= SEQUENCE { cgi-Info CGI-Info-Logging-r16, measResult-r16 SEQUENCE { cellResults-r16 SEQUENCE{ resultsSSB-Cell-r16 MeasQuantityResults }, rsIndexResults-r16 SEQUENCE{ resultsSSB-Indexes-r16 ResultsPerSSB-IndexList } } } RA-ReportList-r16 ::= SEQUENCE (SIZE (1..maxRAReport-r16)) OF RA-Report-r16 RA-Report-r16 ::= SEQUENCE { cellId-r16 CHOICE { cellGlobalId-r16 CGI-Info-Logging-r16, pci-arfcn-r16 PCI-ARFCN-NR-r16 }, ra-InformationCommon-r16 RA-InformationCommon-r16 OPTIONAL, raPurpose-r16 ENUMERATED {accessRelated, beamFailureRecovery, reconfigurationWithSync, ulUnSynchronized, schedulingRequestFailure, noPUCCHResourceAvailable, requestForOtherSI, msg3RequestForOtherSI-r17, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1}, ..., [[ spCellID-r17 CGI-Info-Logging-r16 OPTIONAL ]] } RA-InformationCommon-r16 ::= SEQUENCE { absoluteFrequencyPointA-r16 ARFCN-ValueNR, locationAndBandwidth-r16 INTEGER (0..37949), subcarrierSpacing-r16 SubcarrierSpacing, msg1-FrequencyStart-r16 INTEGER (0..maxNrofPhysicalResourceBlocks-1) OPTIONAL, msg1-FrequencyStartCFRA-r16 INTEGER (0..maxNrofPhysicalResourceBlocks-1) OPTIONAL, msg1-SubcarrierSpacing-r16 SubcarrierSpacing OPTIONAL, msg1-SubcarrierSpacingCFRA-r16 SubcarrierSpacing OPTIONAL, msg1-FDM-r16 ENUMERATED {one, two, four, eight} OPTIONAL, msg1-FDMCFRA-r16 ENUMERATED {one, two, four, eight} OPTIONAL, perRAInfoList-r16 PerRAInfoList-r16, ..., [[ perRAInfoList-v1660 PerRAInfoList-v1660 OPTIONAL ]], [[ msg1-SCS-From-prach-ConfigurationIndex-r16 ENUMERATED {kHz1dot25, kHz5, spare2, spare1} OPTIONAL ]], [[ msg1-SCS-From-prach-ConfigurationIndexCFRA-r16 ENUMERATED {kHz1dot25, kHz5, spare2, spare1} OPTIONAL ]], [[ msgA-RO-FrequencyStart-r17 INTEGER (0..maxNrofPhysicalResourceBlocks-1) OPTIONAL, msgA-RO-FrequencyStartCFRA-r17 INTEGER (0..maxNrofPhysicalResourceBlocks-1) OPTIONAL, msgA-SubcarrierSpacing-r17 SubcarrierSpacing OPTIONAL, msgA-RO-FDM-r17 ENUMERATED {one, two, four, eight} OPTIONAL, msgA-RO-FDMCFRA-r17 ENUMERATED {one, two, four, eight} OPTIONAL, msgA-SCS-From-prach-ConfigurationIndex-r17 ENUMERATED {kHz1dot25, kHz5, spare2, spare1} OPTIONAL, msgA-TransMax-r17 ENUMERATED {n1, n2, n4, n6, n8, n10, n20, n50, n100, n200} OPTIONAL, msgA-MCS-r17 INTEGER (0..15) OPTIONAL, nrofPRBs-PerMsgA-PO-r17 INTEGER (1..32) OPTIONAL, msgA-PUSCH-TimeDomainAllocation-r17 INTEGER (1..maxNrofUL-Allocations) OPTIONAL, frequencyStartMsgA-PUSCH-r17 INTEGER (0..maxNrofPhysicalResourceBlocks-1) OPTIONAL, nrofMsgA-PO-FDM-r17 ENUMERATED {one, two, four, eight} OPTIONAL, dlPathlossRSRP-r17 RSRP-Range OPTIONAL, intendedSIBs-r17 SEQUENCE (SIZE (1..maxSIB)) OF SIB-Type-r17 OPTIONAL, ssbsForSI-Acquisition-r17 SEQUENCE (SIZE (1..maxNrofSSBs-r16)) OF SSB-Index OPTIONAL, msgA-PUSCH-PayloadSize-r17 BIT STRING (SIZE (5)) OPTIONAL, onDemandSISuccess-r17 ENUMERATED {true} OPTIONAL ]] } PerRAInfoList-r16 ::= SEQUENCE (SIZE (1..200)) OF PerRAInfo-r16 PerRAInfoList-v1660 ::= SEQUENCE (SIZE (1..200)) OF PerRACSI-RSInfo-v1660 PerRAInfo-r16 ::= CHOICE { perRASSBInfoList-r16 PerRASSBInfo-r16, perRACSI-RSInfoList-r16 PerRACSI-RSInfo-r16 } PerRASSBInfo-r16 ::= SEQUENCE { ssb-Index-r16 SSB-Index, numberOfPreamblesSentOnSSB-r16 INTEGER (1..200), perRAAttemptInfoList-r16 PerRAAttemptInfoList-r16 } PerRACSI-RSInfo-r16 ::= SEQUENCE { csi-RS-Index-r16 CSI-RS-Index, numberOfPreamblesSentOnCSI-RS-r16 INTEGER (1..200) } PerRACSI-RSInfo-v1660 ::= SEQUENCE { csi-RS-Index-v1660 INTEGER (1..96) OPTIONAL } PerRAAttemptInfoList-r16 ::= SEQUENCE (SIZE (1..200)) OF PerRAAttemptInfo-r16 PerRAAttemptInfo-r16 ::= SEQUENCE { contentionDetected-r16 BOOLEAN OPTIONAL, dlRSRPAboveThreshold-r16 BOOLEAN OPTIONAL, ..., [[ fallbackToFourStepRA-r17 ENUMERATED {true} OPTIONAL ]] } SIB-Type-r17 ::= ENUMERATED {sibType2, sibType3, sibType4, sibType5, sibType9, sibType10-v1610, sibType11-v1610, sibType12-v1610, sibType13-v1610, sibType14-v1610, spare6, spare5, spare4, spare3, spare2, spare1} RLF-Report-r16 ::= CHOICE { nr-RLF-Report-r16 SEQUENCE { measResultLastServCell-r16 MeasResultRLFNR-r16, measResultNeighCells-r16 SEQUENCE { measResultListNR-r16 MeasResultList2NR-r16 OPTIONAL, measResultListEUTRA-r16 MeasResultList2EUTRA-r16 OPTIONAL } OPTIONAL, c-RNTI-r16 RNTI-Value, previousPCellId-r16 CHOICE { nrPreviousCell-r16 CGI-Info-Logging-r16, eutraPreviousCell-r16 CGI-InfoEUTRALogging } OPTIONAL, failedPCellId-r16 CHOICE { nrFailedPCellId-r16 CHOICE { cellGlobalId-r16 CGI-Info-Logging-r16, pci-arfcn-r16 PCI-ARFCN-NR-r16 }, eutraFailedPCellId-r16 CHOICE { cellGlobalId-r16 CGI-InfoEUTRALogging, pci-arfcn-r16 PCI-ARFCN-EUTRA-r16 } }, reconnectCellId-r16 CHOICE { nrReconnectCellId-r16 CGI-Info-Logging-r16, eutraReconnectCellId-r16 CGI-InfoEUTRALogging } OPTIONAL, timeUntilReconnection-r16 TimeUntilReconnection-r16 OPTIONAL, reestablishmentCellId-r16 CGI-Info-Logging-r16 OPTIONAL, timeConnFailure-r16 INTEGER (0..1023) OPTIONAL, timeSinceFailure-r16 TimeSinceFailure-r16, connectionFailureType-r16 ENUMERATED {rlf, hof}, rlf-Cause-r16 ENUMERATED {t310-Expiry, randomAccessProblem, rlc-MaxNumRetx, beamFailureRecoveryFailure, lbtFailure-r16, bh-rlfRecoveryFailure, t312-expiry-r17, spare1}, locationInfo-r16 LocationInfo-r16 OPTIONAL, noSuitableCellFound-r16 ENUMERATED {true} OPTIONAL, ra-InformationCommon-r16 RA-InformationCommon-r16 OPTIONAL, ..., [[ csi-rsRLMConfigBitmap-v1650 BIT STRING (SIZE (96)) OPTIONAL ]], [[ lastHO-Type-r17 ENUMERATED {cho, daps, spare2, spare1} OPTIONAL, timeConnSourceDAPS-Failure-r17 TimeConnSourceDAPS-Failure-r17 OPTIONAL, timeSinceCHO-Reconfig-r17 TimeSinceCHO-Reconfig-r17 OPTIONAL, choCellId-r17 CHOICE { cellGlobalId-r17 CGI-Info-Logging-r16, pci-arfcn-r17 PCI-ARFCN-NR-r16 } OPTIONAL, choCandidateCellList-r17 ChoCandidateCellList-r17 OPTIONAL ]] }, eutra-RLF-Report-r16 SEQUENCE { failedPCellId-EUTRA CGI-InfoEUTRALogging, measResult-RLF-Report-EUTRA-r16 OCTET STRING, ..., [[ measResult-RLF-Report-EUTRA-v1690 OCTET STRING OPTIONAL ]] } } SuccessHO-Report-r17 ::= SEQUENCE { sourceCellInfo-r17 SEQUENCE { sourcePCellId-r17 CGI-Info-Logging-r16, sourceCellMeas-r17 MeasResultSuccessHONR-r17 OPTIONAL, rlf-InSourceDAPS-r17 ENUMERATED {true} OPTIONAL }, targetCellInfo-r17 SEQUENCE { targetPCellId-r17 CGI-Info-Logging-r16, targetCellMeas-r17 MeasResultSuccessHONR-r17 OPTIONAL }, measResultNeighCells-r17 SEQUENCE { measResultListNR-r17 MeasResultList2NR-r16 OPTIONAL, measResultListEUTRA-r17 MeasResultList2EUTRA-r16 OPTIONAL } OPTIONAL, locationInfo-r17 LocationInfo-r16 OPTIONAL, timeSinceCHO-Reconfig-r17 TimeSinceCHO-Reconfig-r17 OPTIONAL, shr-Cause-r17 SHR-Cause-r17 OPTIONAL, ra-InformationCommon-r17 RA-InformationCommon-r16 OPTIONAL, upInterruptionTimeAtHO-r17 UPInterruptionTimeAtHO-r17 OPTIONAL, c-RNTI-r17 RNTI-Value OPTIONAL, ... } MeasResultList2NR-r16 ::= SEQUENCE(SIZE (1..maxFreq)) OF MeasResult2NR-r16 MeasResultList2EUTRA-r16 ::= SEQUENCE(SIZE (1..maxFreq)) OF MeasResult2EUTRA-r16 MeasResult2NR-r16 ::= SEQUENCE { ssbFrequency-r16 ARFCN-ValueNR OPTIONAL, refFreqCSI-RS-r16 ARFCN-ValueNR OPTIONAL, measResultList-r16 MeasResultListNR } MeasResultListLogging2NR-r16 ::= SEQUENCE(SIZE (1..maxFreq)) OF MeasResultLogging2NR-r16 MeasResultLogging2NR-r16 ::= SEQUENCE { carrierFreq-r16 ARFCN-ValueNR, measResultListLoggingNR-r16 MeasResultListLoggingNR-r16 } MeasResultListLoggingNR-r16 ::= SEQUENCE (SIZE (1..maxCellReport)) OF MeasResultLoggingNR-r16 MeasResultLoggingNR-r16 ::= SEQUENCE { physCellId-r16 PhysCellId, resultsSSB-Cell-r16 MeasQuantityResults, numberOfGoodSSB-r16 INTEGER (1..maxNrofSSBs-r16) OPTIONAL } MeasResult2EUTRA-r16 ::= SEQUENCE { carrierFreq-r16 ARFCN-ValueEUTRA, measResultList-r16 MeasResultListEUTRA } MeasResultRLFNR-r16 ::= SEQUENCE { measResult-r16 SEQUENCE { cellResults-r16 SEQUENCE{ resultsSSB-Cell-r16 MeasQuantityResults OPTIONAL, resultsCSI-RS-Cell-r16 MeasQuantityResults OPTIONAL }, rsIndexResults-r16 SEQUENCE{ resultsSSB-Indexes-r16 ResultsPerSSB-IndexList OPTIONAL, ssbRLMConfigBitmap-r16 BIT STRING (SIZE (64)) OPTIONAL, resultsCSI-RS-Indexes-r16 ResultsPerCSI-RS-IndexList OPTIONAL, csi-rsRLMConfigBitmap-r16 BIT STRING (SIZE (96)) OPTIONAL } OPTIONAL } } MeasResultSuccessHONR-r17::= SEQUENCE { measResult-r17 SEQUENCE { cellResults-r17 SEQUENCE{ resultsSSB-Cell-r17 MeasQuantityResults OPTIONAL, resultsCSI-RS-Cell-r17 MeasQuantityResults OPTIONAL }, rsIndexResults-r17 SEQUENCE{ resultsSSB-Indexes-r17 ResultsPerSSB-IndexList OPTIONAL, resultsCSI-RS-Indexes-r17 ResultsPerCSI-RS-IndexList OPTIONAL } } } ChoCandidateCellList-r17 ::= SEQUENCE(SIZE (1..maxNrofCondCells-r16)) OF ChoCandidateCell-r17 ChoCandidateCell-r17 ::= CHOICE { cellGlobalId-r17 CGI-Info-Logging-r16, pci-arfcn-r17 PCI-ARFCN-NR-r16 } SHR-Cause-r17 ::= SEQUENCE { t304-cause-r17 ENUMERATED {true} OPTIONAL, t310-cause-r17 ENUMERATED {true} OPTIONAL, t312-cause-r17 ENUMERATED {true} OPTIONAL, sourceDAPS-Failure-r17 ENUMERATED {true} OPTIONAL, ... } TimeSinceFailure-r16 ::= INTEGER (0..172800) MobilityHistoryReport-r16 ::= VisitedCellInfoList-r16 TimeUntilReconnection-r16 ::= INTEGER (0..172800) TimeSinceCHO-Reconfig-r17 ::= INTEGER (0..1023) TimeConnSourceDAPS-Failure-r17 ::= INTEGER (0..1023) UPInterruptionTimeAtHO-r17 ::= INTEGER (0..1023) -- TAG-UEINFORMATIONRESPONSE-STOP -- TAG-UEPOSITIONINGASSISTANCEINFO-START UEPositioningAssistanceInfo-r17 ::= SEQUENCE { criticalExtensions CHOICE { uePositioningAssistanceInfo-r17 UEPositioningAssistanceInfo-r17-IEs, criticalExtensionsFuture SEQUENCE {} } } UEPositioningAssistanceInfo-r17-IEs ::= SEQUENCE { ue-TxTEG-AssociationList-r17 UE-TxTEG-AssociationList-r17 OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension UEPositioningAssistanceInfo-v1720-IEs OPTIONAL } UEPositioningAssistanceInfo-v1720-IEs::= SEQUENCE { ue-TxTEG-TimingErrorMarginValue-r17 ENUMERATED {tc0, tc2, tc4, tc6, tc8, tc12, tc16, tc20, tc24, tc32, tc40, tc48, tc56, tc64, tc72, tc80} OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } UE-TxTEG-AssociationList-r17 ::= SEQUENCE (SIZE (1..maxNrOfTxTEGReport-r17)) OF UE-TxTEG-Association-r17 UE-TxTEG-Association-r17 ::= SEQUENCE { ue-TxTEG-ID-r17 INTEGER (0..maxNrOfTxTEG-ID-1-r17), nr-TimeStamp-r17 NR-TimeStamp-r17, associatedSRS-PosResourceIdList-r17 SEQUENCE (SIZE(1..maxNrofSRS-PosResources-r16)) OF SRS-PosResourceId-r16, servCellId-r17 ServCellIndex OPTIONAL } NR-TimeStamp-r17 ::= SEQUENCE { nr-SFN-r17 INTEGER (0..1023), nr-Slot-r17 CHOICE { scs15-r17 INTEGER (0..9), scs30-r17 INTEGER (0..19), scs60-r17 INTEGER (0..39), scs120-r17 INTEGER (0..79) }, ... } -- TAG-UEPOSITIONINGASSISTANCEINFO-STOP -- TAG-ULDEDICATEDMESSAGESEGMENT-START ULDedicatedMessageSegment-r16 ::= SEQUENCE { criticalExtensions CHOICE { ulDedicatedMessageSegment-r16 ULDedicatedMessageSegment-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } ULDedicatedMessageSegment-r16-IEs ::= SEQUENCE { segmentNumber-r16 INTEGER (0..15), rrc-MessageSegmentContainer-r16 OCTET STRING, rrc-MessageSegmentType-r16 ENUMERATED {notLastSegment, lastSegment}, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-ULDEDICATEDMESSAGESEGMENT-STOP -- TAG-ULINFORMATIONTRANSFER-START ULInformationTransfer ::= SEQUENCE { criticalExtensions CHOICE { ulInformationTransfer ULInformationTransfer-IEs, criticalExtensionsFuture SEQUENCE {} } } ULInformationTransfer-IEs ::= SEQUENCE { dedicatedNAS-Message DedicatedNAS-Message OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension ULInformationTransfer-v1700-IEs OPTIONAL } ULInformationTransfer-v1700-IEs ::= SEQUENCE { dedicatedInfoF1c-r17 DedicatedInfoF1c-r17 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-ULINFORMATIONTRANSFER-STOP -- TAG-ULINFORMATIONTRANSFERIRAT-START ULInformationTransferIRAT-r16 ::= SEQUENCE { criticalExtensions CHOICE { c1 CHOICE { ulInformationTransferIRAT-r16 ULInformationTransferIRAT-r16-IEs, spare3 NULL, spare2 NULL, spare1 NULL }, criticalExtensionsFuture SEQUENCE {} } } ULInformationTransferIRAT-r16-IEs ::= SEQUENCE { ul-DCCH-MessageEUTRA-r16 OCTET STRING OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-ULINFORMATIONTRANSFERIRAT-STOP -- TAG-ULINFORMATIONTRANSFERMRDC-START ULInformationTransferMRDC ::= SEQUENCE { criticalExtensions CHOICE { c1 CHOICE { ulInformationTransferMRDC ULInformationTransferMRDC-IEs, spare3 NULL, spare2 NULL, spare1 NULL }, criticalExtensionsFuture SEQUENCE {} } } ULInformationTransferMRDC-IEs::= SEQUENCE { ul-DCCH-MessageNR OCTET STRING OPTIONAL, ul-DCCH-MessageEUTRA OCTET STRING OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-ULINFORMATIONTRANSFERMRDC-STOP -- TAG-SETUPRELEASE-START -- WS modification: asn2wrs does not support this syntax; replace all occurrences -- SetupRelease { ElementTypeParam } ::= CHOICE { -- release NULL, -- setup ElementTypeParam -- } -- TAG-SETUPRELEASE-STOP -- TAG-SIB2-START SIB2 ::= SEQUENCE { cellReselectionInfoCommon SEQUENCE { nrofSS-BlocksToAverage INTEGER (2..maxNrofSS-BlocksToAverage) OPTIONAL, -- Need S absThreshSS-BlocksConsolidation ThresholdNR OPTIONAL, -- Need S rangeToBestCell RangeToBestCell OPTIONAL, -- Need R q-Hyst ENUMERATED { dB0, dB1, dB2, dB3, dB4, dB5, dB6, dB8, dB10, dB12, dB14, dB16, dB18, dB20, dB22, dB24}, speedStateReselectionPars SEQUENCE { mobilityStateParameters MobilityStateParameters, q-HystSF SEQUENCE { sf-Medium ENUMERATED {dB-6, dB-4, dB-2, dB0}, sf-High ENUMERATED {dB-6, dB-4, dB-2, dB0} } } OPTIONAL, -- Need R ... }, cellReselectionServingFreqInfo SEQUENCE { s-NonIntraSearchP ReselectionThreshold OPTIONAL, -- Need S s-NonIntraSearchQ ReselectionThresholdQ OPTIONAL, -- Need S threshServingLowP ReselectionThreshold, threshServingLowQ ReselectionThresholdQ OPTIONAL, -- Need R cellReselectionPriority CellReselectionPriority, cellReselectionSubPriority CellReselectionSubPriority OPTIONAL, -- Need R ... }, intraFreqCellReselectionInfo SEQUENCE { q-RxLevMin Q-RxLevMin, q-RxLevMinSUL Q-RxLevMin OPTIONAL, -- Need R q-QualMin Q-QualMin OPTIONAL, -- Need S s-IntraSearchP ReselectionThreshold, s-IntraSearchQ ReselectionThresholdQ OPTIONAL, -- Need S t-ReselectionNR T-Reselection, frequencyBandList MultiFrequencyBandListNR-SIB OPTIONAL, -- Need S frequencyBandListSUL MultiFrequencyBandListNR-SIB OPTIONAL, -- Need R p-Max P-Max OPTIONAL, -- Need S smtc SSB-MTC OPTIONAL, -- Need S ss-RSSI-Measurement SS-RSSI-Measurement OPTIONAL, -- Need R ssb-ToMeasure SSB-ToMeasure OPTIONAL, -- Need S deriveSSB-IndexFromCell BOOLEAN, ..., [[ t-ReselectionNR-SF SpeedStateScaleFactors OPTIONAL -- Need N ]], [[ smtc2-LP-r16 SSB-MTC2-LP-r16 OPTIONAL, -- Need R ssb-PositionQCL-Common-r16 SSB-PositionQCL-Relation-r16 OPTIONAL -- Cond SharedSpectrum ]], [[ ssb-PositionQCL-Common-r17 SSB-PositionQCL-Relation-r17 OPTIONAL -- Cond SharedSpectrum2 ]], [[ smtc4list-r17 SSB-MTC4List-r17 OPTIONAL -- Need R ]] }, ..., [[ relaxedMeasurement-r16 SEQUENCE { lowMobilityEvaluation-r16 SEQUENCE { s-SearchDeltaP-r16 ENUMERATED { dB3, dB6, dB9, dB12, dB15, spare3, spare2, spare1}, t-SearchDeltaP-r16 ENUMERATED { s5, s10, s20, s30, s60, s120, s180, s240, s300, spare7, spare6, spare5, spare4, spare3, spare2, spare1} } OPTIONAL, -- Need R cellEdgeEvaluation-r16 SEQUENCE { s-SearchThresholdP-r16 ReselectionThreshold, s-SearchThresholdQ-r16 ReselectionThresholdQ OPTIONAL -- Need R } OPTIONAL, -- Need R combineRelaxedMeasCondition-r16 ENUMERATED {true} OPTIONAL, -- Need R highPriorityMeasRelax-r16 ENUMERATED {true} OPTIONAL -- Need R } OPTIONAL -- Need R ]], [[ cellEquivalentSize-r17 INTEGER(2..16) OPTIONAL, -- Cond HSDN relaxedMeasurement-r17 SEQUENCE { stationaryMobilityEvaluation-r17 SEQUENCE { s-SearchDeltaP-Stationary-r17 ENUMERATED {dB2, dB3, dB6, dB9, dB12, dB15, spare2, spare1}, t-SearchDeltaP-Stationary-r17 ENUMERATED {s5, s10, s20, s30, s60, s120, s180, s240, s300, spare7, spare6, spare5, spare4, spare3, spare2, spare1} }, cellEdgeEvaluationWhileStationary-r17 SEQUENCE { s-SearchThresholdP2-r17 ReselectionThreshold, s-SearchThresholdQ2-r17 ReselectionThresholdQ OPTIONAL -- Need R } OPTIONAL, -- Need R combineRelaxedMeasCondition2-r17 ENUMERATED {true} OPTIONAL -- Need R } OPTIONAL -- Need R ]] } RangeToBestCell ::= Q-OffsetRange -- TAG-SIB2-STOP -- TAG-SIB3-START SIB3 ::= SEQUENCE { intraFreqNeighCellList IntraFreqNeighCellList OPTIONAL, -- Need R intraFreqExcludedCellList IntraFreqExcludedCellList OPTIONAL, -- Need R lateNonCriticalExtension OCTET STRING OPTIONAL, ..., [[ intraFreqNeighCellList-v1610 IntraFreqNeighCellList-v1610 OPTIONAL, -- Need R intraFreqAllowedCellList-r16 IntraFreqAllowedCellList-r16 OPTIONAL, -- Cond SharedSpectrum2 intraFreqCAG-CellList-r16 SEQUENCE (SIZE (1..maxPLMN)) OF IntraFreqCAG-CellListPerPLMN-r16 OPTIONAL -- Need R ]], [[ intraFreqNeighHSDN-CellList-r17 IntraFreqNeighHSDN-CellList-r17 OPTIONAL, -- Need R intraFreqNeighCellList-v1710 IntraFreqNeighCellList-v1710 OPTIONAL -- Need R ]], [[ channelAccessMode2-r17 ENUMERATED {enabled} OPTIONAL -- Need R ]] } IntraFreqNeighCellList ::= SEQUENCE (SIZE (1..maxCellIntra)) OF IntraFreqNeighCellInfo IntraFreqNeighCellList-v1610::= SEQUENCE (SIZE (1..maxCellIntra)) OF IntraFreqNeighCellInfo-v1610 IntraFreqNeighCellList-v1710 ::= SEQUENCE (SIZE (1..maxCellIntra)) OF IntraFreqNeighCellInfo-v1710 IntraFreqNeighCellInfo ::= SEQUENCE { physCellId PhysCellId, q-OffsetCell Q-OffsetRange, q-RxLevMinOffsetCell INTEGER (1..8) OPTIONAL, -- Need R q-RxLevMinOffsetCellSUL INTEGER (1..8) OPTIONAL, -- Need R q-QualMinOffsetCell INTEGER (1..8) OPTIONAL, -- Need R ... } IntraFreqNeighCellInfo-v1610 ::= SEQUENCE { ssb-PositionQCL-r16 SSB-PositionQCL-Relation-r16 OPTIONAL -- Cond SharedSpectrum2 } IntraFreqNeighCellInfo-v1710 ::= SEQUENCE { ssb-PositionQCL-r17 SSB-PositionQCL-Relation-r17 OPTIONAL -- Cond SharedSpectrum2 } IntraFreqExcludedCellList ::= SEQUENCE (SIZE (1..maxCellExcluded)) OF PCI-Range IntraFreqAllowedCellList-r16 ::= SEQUENCE (SIZE (1..maxCellAllowed)) OF PCI-Range IntraFreqCAG-CellListPerPLMN-r16 ::= SEQUENCE { plmn-IdentityIndex-r16 INTEGER (1..maxPLMN), cag-CellList-r16 SEQUENCE (SIZE (1..maxCAG-Cell-r16)) OF PCI-Range } IntraFreqNeighHSDN-CellList-r17 ::= SEQUENCE (SIZE (1..maxCellIntra)) OF PCI-Range -- TAG-SIB3-STOP -- TAG-SIB4-START SIB4 ::= SEQUENCE { interFreqCarrierFreqList InterFreqCarrierFreqList, lateNonCriticalExtension OCTET STRING OPTIONAL, ..., [[ interFreqCarrierFreqList-v1610 InterFreqCarrierFreqList-v1610 OPTIONAL -- Need R ]], [[ interFreqCarrierFreqList-v1700 InterFreqCarrierFreqList-v1700 OPTIONAL -- Need R ]], [[ interFreqCarrierFreqList-v1720 InterFreqCarrierFreqList-v1720 OPTIONAL -- Need R ]], [[ interFreqCarrierFreqList-v1730 InterFreqCarrierFreqList-v1730 OPTIONAL -- Need R ]] } InterFreqCarrierFreqList ::= SEQUENCE (SIZE (1..maxFreq)) OF InterFreqCarrierFreqInfo InterFreqCarrierFreqList-v1610 ::= SEQUENCE (SIZE (1..maxFreq)) OF InterFreqCarrierFreqInfo-v1610 InterFreqCarrierFreqList-v1700 ::= SEQUENCE (SIZE (1..maxFreq)) OF InterFreqCarrierFreqInfo-v1700 InterFreqCarrierFreqList-v1720 ::= SEQUENCE (SIZE (1..maxFreq)) OF InterFreqCarrierFreqInfo-v1720 InterFreqCarrierFreqList-v1730 ::= SEQUENCE (SIZE (1..maxFreq)) OF InterFreqCarrierFreqInfo-v1730 InterFreqCarrierFreqInfo ::= SEQUENCE { dl-CarrierFreq ARFCN-ValueNR, frequencyBandList MultiFrequencyBandListNR-SIB OPTIONAL, -- Cond Mandatory frequencyBandListSUL MultiFrequencyBandListNR-SIB OPTIONAL, -- Need R nrofSS-BlocksToAverage INTEGER (2..maxNrofSS-BlocksToAverage) OPTIONAL, -- Need S absThreshSS-BlocksConsolidation ThresholdNR OPTIONAL, -- Need S smtc SSB-MTC OPTIONAL, -- Need S ssbSubcarrierSpacing SubcarrierSpacing, ssb-ToMeasure SSB-ToMeasure OPTIONAL, -- Need S deriveSSB-IndexFromCell BOOLEAN, ss-RSSI-Measurement SS-RSSI-Measurement OPTIONAL, -- Need R q-RxLevMin Q-RxLevMin, q-RxLevMinSUL Q-RxLevMin OPTIONAL, -- Need R q-QualMin Q-QualMin OPTIONAL, -- Need S p-Max P-Max OPTIONAL, -- Need S t-ReselectionNR T-Reselection, t-ReselectionNR-SF SpeedStateScaleFactors OPTIONAL, -- Need S threshX-HighP ReselectionThreshold, threshX-LowP ReselectionThreshold, threshX-Q SEQUENCE { threshX-HighQ ReselectionThresholdQ, threshX-LowQ ReselectionThresholdQ } OPTIONAL, -- Cond RSRQ cellReselectionPriority CellReselectionPriority OPTIONAL, -- Need R cellReselectionSubPriority CellReselectionSubPriority OPTIONAL, -- Need R q-OffsetFreq Q-OffsetRange DEFAULT dB0, interFreqNeighCellList InterFreqNeighCellList OPTIONAL, -- Need R interFreqExcludedCellList InterFreqExcludedCellList OPTIONAL, -- Need R ... } InterFreqCarrierFreqInfo-v1610 ::= SEQUENCE { interFreqNeighCellList-v1610 InterFreqNeighCellList-v1610 OPTIONAL, -- Need R smtc2-LP-r16 SSB-MTC2-LP-r16 OPTIONAL, -- Need R interFreqAllowedCellList-r16 InterFreqAllowedCellList-r16 OPTIONAL, -- Cond SharedSpectrum2 ssb-PositionQCL-Common-r16 SSB-PositionQCL-Relation-r16 OPTIONAL, -- Cond SharedSpectrum interFreqCAG-CellList-r16 SEQUENCE (SIZE (1..maxPLMN)) OF InterFreqCAG-CellListPerPLMN-r16 OPTIONAL -- Need R } InterFreqCarrierFreqInfo-v1700 ::= SEQUENCE { interFreqNeighHSDN-CellList-r17 InterFreqNeighHSDN-CellList-r17 OPTIONAL, -- Need R highSpeedMeasInterFreq-r17 ENUMERATED {true} OPTIONAL, -- Need R redCapAccessAllowed-r17 ENUMERATED {true} OPTIONAL, -- Need R ssb-PositionQCL-Common-r17 SSB-PositionQCL-Relation-r17 OPTIONAL, -- Cond SharedSpectrum interFreqNeighCellList-v1710 InterFreqNeighCellList-v1710 OPTIONAL -- Cond SharedSpectrum2 } InterFreqCarrierFreqInfo-v1720 ::= SEQUENCE { smtc4list-r17 SSB-MTC4List-r17 OPTIONAL -- Need R } InterFreqCarrierFreqInfo-v1730 ::= SEQUENCE { channelAccessMode2-r17 ENUMERATED {enabled} OPTIONAL -- Need R } InterFreqNeighHSDN-CellList-r17 ::= SEQUENCE (SIZE (1..maxCellInter)) OF PCI-Range InterFreqNeighCellList ::= SEQUENCE (SIZE (1..maxCellInter)) OF InterFreqNeighCellInfo InterFreqNeighCellList-v1610 ::= SEQUENCE (SIZE (1..maxCellInter)) OF InterFreqNeighCellInfo-v1610 InterFreqNeighCellList-v1710 ::= SEQUENCE (SIZE (1..maxCellInter)) OF InterFreqNeighCellInfo-v1710 InterFreqNeighCellInfo ::= SEQUENCE { physCellId PhysCellId, q-OffsetCell Q-OffsetRange, q-RxLevMinOffsetCell INTEGER (1..8) OPTIONAL, -- Need R q-RxLevMinOffsetCellSUL INTEGER (1..8) OPTIONAL, -- Need R q-QualMinOffsetCell INTEGER (1..8) OPTIONAL, -- Need R ... } InterFreqNeighCellInfo-v1610 ::= SEQUENCE { ssb-PositionQCL-r16 SSB-PositionQCL-Relation-r16 OPTIONAL -- Cond SharedSpectrum2 } InterFreqNeighCellInfo-v1710 ::= SEQUENCE { ssb-PositionQCL-r17 SSB-PositionQCL-Relation-r17 OPTIONAL -- Cond SharedSpectrum2 } InterFreqExcludedCellList ::= SEQUENCE (SIZE (1..maxCellExcluded)) OF PCI-Range InterFreqAllowedCellList-r16 ::= SEQUENCE (SIZE (1..maxCellAllowed)) OF PCI-Range InterFreqCAG-CellListPerPLMN-r16 ::= SEQUENCE { plmn-IdentityIndex-r16 INTEGER (1..maxPLMN), cag-CellList-r16 SEQUENCE (SIZE (1..maxCAG-Cell-r16)) OF PCI-Range } -- TAG-SIB4-STOP -- TAG-SIB5-START SIB5 ::= SEQUENCE { carrierFreqListEUTRA CarrierFreqListEUTRA OPTIONAL, -- Need R t-ReselectionEUTRA T-Reselection, t-ReselectionEUTRA-SF SpeedStateScaleFactors OPTIONAL, -- Need S lateNonCriticalExtension OCTET STRING OPTIONAL, ..., [[ carrierFreqListEUTRA-v1610 CarrierFreqListEUTRA-v1610 OPTIONAL -- Need R ]], [[ carrierFreqListEUTRA-v1700 CarrierFreqListEUTRA-v1700 OPTIONAL, -- Need R idleModeMeasVoiceFallback-r17 ENUMERATED{true} OPTIONAL -- Need R ]] } CarrierFreqListEUTRA ::= SEQUENCE (SIZE (1..maxEUTRA-Carrier)) OF CarrierFreqEUTRA CarrierFreqListEUTRA-v1610 ::= SEQUENCE (SIZE (1..maxEUTRA-Carrier)) OF CarrierFreqEUTRA-v1610 CarrierFreqListEUTRA-v1700 ::= SEQUENCE (SIZE (1..maxEUTRA-Carrier)) OF CarrierFreqEUTRA-v1700 CarrierFreqEUTRA ::= SEQUENCE { carrierFreq ARFCN-ValueEUTRA, eutra-multiBandInfoList EUTRA-MultiBandInfoList OPTIONAL, -- Need R eutra-FreqNeighCellList EUTRA-FreqNeighCellList OPTIONAL, -- Need R eutra-ExcludedCellList EUTRA-FreqExcludedCellList OPTIONAL, -- Need R allowedMeasBandwidth EUTRA-AllowedMeasBandwidth, presenceAntennaPort1 EUTRA-PresenceAntennaPort1, cellReselectionPriority CellReselectionPriority OPTIONAL, -- Need R cellReselectionSubPriority CellReselectionSubPriority OPTIONAL, -- Need R threshX-High ReselectionThreshold, threshX-Low ReselectionThreshold, q-RxLevMin INTEGER (-70..-22), q-QualMin INTEGER (-34..-3), p-MaxEUTRA INTEGER (-30..33), threshX-Q SEQUENCE { threshX-HighQ ReselectionThresholdQ, threshX-LowQ ReselectionThresholdQ } OPTIONAL -- Cond RSRQ } CarrierFreqEUTRA-v1610 ::= SEQUENCE { highSpeedEUTRACarrier-r16 ENUMERATED {true} OPTIONAL -- Need R } CarrierFreqEUTRA-v1700 ::= SEQUENCE { eutra-FreqNeighHSDN-CellList-r17 EUTRA-FreqNeighHSDN-CellList-r17 OPTIONAL -- Need R } EUTRA-FreqNeighHSDN-CellList-r17 ::= SEQUENCE (SIZE (1..maxCellEUTRA)) OF EUTRA-PhysCellIdRange EUTRA-FreqExcludedCellList ::= SEQUENCE (SIZE (1..maxEUTRA-CellExcluded)) OF EUTRA-PhysCellIdRange EUTRA-FreqNeighCellList ::= SEQUENCE (SIZE (1..maxCellEUTRA)) OF EUTRA-FreqNeighCellInfo EUTRA-FreqNeighCellInfo ::= SEQUENCE { physCellId EUTRA-PhysCellId, dummy EUTRA-Q-OffsetRange, q-RxLevMinOffsetCell INTEGER (1..8) OPTIONAL, -- Need R q-QualMinOffsetCell INTEGER (1..8) OPTIONAL -- Need R } -- TAG-SIB5-STOP -- TAG-SIB6-START SIB6 ::= SEQUENCE { messageIdentifier BIT STRING (SIZE (16)), serialNumber BIT STRING (SIZE (16)), warningType OCTET STRING (SIZE (2)), lateNonCriticalExtension OCTET STRING OPTIONAL, ... } -- TAG-SIB6-STOP -- TAG-SIB7-START SIB7 ::= SEQUENCE { messageIdentifier BIT STRING (SIZE (16)), serialNumber BIT STRING (SIZE (16)), warningMessageSegmentType ENUMERATED {notLastSegment, lastSegment}, warningMessageSegmentNumber INTEGER (0..63), warningMessageSegment OCTET STRING, dataCodingScheme OCTET STRING (SIZE (1)) OPTIONAL, -- Cond Segment1 lateNonCriticalExtension OCTET STRING OPTIONAL, ... } -- TAG-SIB7-STOP -- TAG-SIB8-START SIB8 ::= SEQUENCE { messageIdentifier BIT STRING (SIZE (16)), serialNumber BIT STRING (SIZE (16)), warningMessageSegmentType ENUMERATED {notLastSegment, lastSegment}, warningMessageSegmentNumber INTEGER (0..63), warningMessageSegment OCTET STRING, dataCodingScheme OCTET STRING (SIZE (1)) OPTIONAL, -- Cond Segment1 warningAreaCoordinatesSegment OCTET STRING OPTIONAL, -- Need R lateNonCriticalExtension OCTET STRING OPTIONAL, ... } -- TAG-SIB8-STOP -- TAG-SIB9-START SIB9 ::= SEQUENCE { timeInfo SEQUENCE { timeInfoUTC INTEGER (0..549755813887), dayLightSavingTime BIT STRING (SIZE (2)) OPTIONAL, -- Need R leapSeconds INTEGER (-127..128) OPTIONAL, -- Need R localTimeOffset INTEGER (-63..64) OPTIONAL -- Need R } OPTIONAL, -- Need R lateNonCriticalExtension OCTET STRING OPTIONAL, ..., [[ referenceTimeInfo-r16 ReferenceTimeInfo-r16 OPTIONAL -- Need R ]] } -- TAG-SIB9-STOP -- TAG-SIB10-START SIB10-r16 ::= SEQUENCE { hrnn-List-r16 HRNN-List-r16 OPTIONAL, -- Need R lateNonCriticalExtension OCTET STRING OPTIONAL, ... } HRNN-List-r16 ::= SEQUENCE (SIZE (1..maxNPN-r16)) OF HRNN-r16 HRNN-r16 ::= SEQUENCE { hrnn-r16 OCTET STRING (SIZE(1.. maxHRNN-Len-r16)) OPTIONAL -- Need R } -- TAG-SIB10-STOP -- TAG-SIB11-START SIB11-r16 ::= SEQUENCE { measIdleConfigSIB-r16 MeasIdleConfigSIB-r16 OPTIONAL, -- Need S lateNonCriticalExtension OCTET STRING OPTIONAL, ... } -- TAG-SIB11-STOP -- TAG-SIB12-START SIB12-r16 ::= SEQUENCE { segmentNumber-r16 INTEGER (0..63), segmentType-r16 ENUMERATED {notLastSegment, lastSegment}, segmentContainer-r16 OCTET STRING } SIB12-IEs-r16 ::= SEQUENCE { sl-ConfigCommonNR-r16 SL-ConfigCommonNR-r16, lateNonCriticalExtension OCTET STRING OPTIONAL, ..., [[ sl-DRX-ConfigCommonGC-BC-r17 SL-DRX-ConfigGC-BC-r17 OPTIONAL, -- Need R sl-DiscConfigCommon-r17 SL-DiscConfigCommon-r17 OPTIONAL, -- Need R sl-L2U2N-Relay-r17 ENUMERATED {enabled} OPTIONAL, -- Need R sl-NonRelayDiscovery-r17 ENUMERATED {enabled} OPTIONAL, -- Need R sl-L3U2N-RelayDiscovery-r17 ENUMERATED {enabled} OPTIONAL, -- Need R sl-TimersAndConstantsRemoteUE-r17 UE-TimersAndConstantsRemoteUE-r17 OPTIONAL -- Need R ]] } SL-ConfigCommonNR-r16 ::= SEQUENCE { sl-FreqInfoList-r16 SEQUENCE (SIZE (1..maxNrofFreqSL-r16)) OF SL-FreqConfigCommon-r16 OPTIONAL, -- Need R sl-UE-SelectedConfig-r16 SL-UE-SelectedConfig-r16 OPTIONAL, -- Need R sl-NR-AnchorCarrierFreqList-r16 SL-NR-AnchorCarrierFreqList-r16 OPTIONAL, -- Need R sl-EUTRA-AnchorCarrierFreqList-r16 SL-EUTRA-AnchorCarrierFreqList-r16 OPTIONAL, -- Need R sl-RadioBearerConfigList-r16 SEQUENCE (SIZE (1..maxNrofSLRB-r16)) OF SL-RadioBearerConfig-r16 OPTIONAL, -- Need R sl-RLC-BearerConfigList-r16 SEQUENCE (SIZE (1..maxSL-LCID-r16)) OF SL-RLC-BearerConfig-r16 OPTIONAL, -- Need R sl-MeasConfigCommon-r16 SL-MeasConfigCommon-r16 OPTIONAL, -- Need R sl-CSI-Acquisition-r16 ENUMERATED {enabled} OPTIONAL, -- Need R sl-OffsetDFN-r16 INTEGER (1..1000) OPTIONAL, -- Need R t400-r16 ENUMERATED {ms100, ms200, ms300, ms400, ms600, ms1000, ms1500, ms2000} OPTIONAL, -- Need R sl-MaxNumConsecutiveDTX-r16 ENUMERATED {n1, n2, n3, n4, n6, n8, n16, n32} OPTIONAL, -- Need R sl-SSB-PriorityNR-r16 INTEGER (1..8) OPTIONAL -- Need R } SL-NR-AnchorCarrierFreqList-r16 ::= SEQUENCE (SIZE (1..maxFreqSL-NR-r16)) OF ARFCN-ValueNR SL-EUTRA-AnchorCarrierFreqList-r16 ::= SEQUENCE (SIZE (1..maxFreqSL-EUTRA-r16)) OF ARFCN-ValueEUTRA SL-DiscConfigCommon-r17 ::= SEQUENCE { sl-RelayUE-ConfigCommon-r17 SL-RelayUE-Config-r17, sl-RemoteUE-ConfigCommon-r17 SL-RemoteUE-Config-r17 } -- TAG-SIB12-STOP -- TAG-SIB13-START SIB13-r16 ::= SEQUENCE { sl-V2X-ConfigCommon-r16 OCTET STRING, dummy OCTET STRING, tdd-Config-r16 OCTET STRING, lateNonCriticalExtension OCTET STRING OPTIONAL, ... } -- TAG-SIB13-STOP -- TAG-SIB14-START SIB14-r16 ::= SEQUENCE { sl-V2X-ConfigCommonExt-r16 OCTET STRING, lateNonCriticalExtension OCTET STRING OPTIONAL, ... } -- TAG-SIB14-STOP -- TAG-SIB15-START SIB15-r17 ::= SEQUENCE { commonPLMNsWithDisasterCondition-r17 SEQUENCE (SIZE (1..maxPLMN)) OF PLMN-Identity OPTIONAL, -- Need R applicableDisasterInfoList-r17 SEQUENCE (SIZE (1..maxPLMN)) OF ApplicableDisasterInfo-r17 OPTIONAL, -- Need R lateNonCriticalExtension OCTET STRING OPTIONAL, ... } ApplicableDisasterInfo-r17 ::= CHOICE { noDisasterRoaming-r17 NULL, disasterRelatedIndication-r17 NULL, commonPLMNs-r17 NULL, dedicatedPLMNs-r17 SEQUENCE (SIZE (1..maxPLMN)) OF PLMN-Identity } -- TAG-SIB15-STOP -- TAG-SIB16-START SIB16-r17 ::= SEQUENCE { freqPriorityListSlicing-r17 FreqPriorityListSlicing-r17 OPTIONAL, -- Need R lateNonCriticalExtension OCTET STRING OPTIONAL, ... } -- TAG-SIB16-STOP -- TAG-SIB17-START SIB17-r17 ::= SEQUENCE { segmentNumber-r17 INTEGER (0..63), segmentType-r17 ENUMERATED {notLastSegment, lastSegment}, segmentContainer-r17 OCTET STRING } SIB17-IEs-r17 ::= SEQUENCE { trs-ResourceSetConfig-r17 SEQUENCE (SIZE (1..maxNrofTRS-ResourceSets-r17)) OF TRS-ResourceSet-r17, validityDuration-r17 ENUMERATED {t1, t2, t4, t8, t16, t32, t64, t128, t256, t512, infinity, spare5, spare4, spare3, spare2, spare1} OPTIONAL, -- Need S lateNonCriticalExtension OCTET STRING OPTIONAL, ... } TRS-ResourceSet-r17 ::= SEQUENCE { powerControlOffsetSS-r17 ENUMERATED {db-3, db0, db3, db6}, scramblingID-Info-r17 CHOICE { scramblingIDforCommon-r17 ScramblingId, scramblingIDperResourceListWith2-r17 SEQUENCE (SIZE (2)) OF ScramblingId, scramblingIDperResourceListWith4-r17 SEQUENCE (SIZE (4)) OF ScramblingId, ... }, firstOFDMSymbolInTimeDomain-r17 INTEGER (0..9), startingRB-r17 INTEGER (0..maxNrofPhysicalResourceBlocks-1), nrofRBs-r17 INTEGER (24..maxNrofPhysicalResourceBlocksPlus1), ssb-Index-r17 SSB-Index, periodicityAndOffset-r17 CHOICE { slots10 INTEGER (0..9), slots20 INTEGER (0..19), slots40 INTEGER (0..39), slots80 INTEGER (0..79) }, frequencyDomainAllocation-r17 BIT STRING (SIZE (4)), indBitID-r17 INTEGER (0..5), nrofResources-r17 ENUMERATED {n2, n4} } -- TAG-SIB17-STOP -- TAG-SIB18-START SIB18-r17 ::= SEQUENCE { gin-ElementList-r17 SEQUENCE (SIZE (1..maxGIN-r17)) OF GIN-Element-r17 OPTIONAL, -- Need R gins-PerSNPN-List-r17 SEQUENCE (SIZE (1..maxNPN-r16)) OF GINs-PerSNPN-r17 OPTIONAL, -- Need S lateNonCriticalExtension OCTET STRING OPTIONAL, ... } GIN-Element-r17 ::= SEQUENCE { plmn-Identity-r17 PLMN-Identity, nid-List-r17 SEQUENCE (SIZE (1..maxGIN-r17)) OF NID-r16 } GINs-PerSNPN-r17 ::= SEQUENCE { supportedGINs-r17 BIT STRING (SIZE (1..maxGIN-r17)) OPTIONAL -- Need R } -- TAG-SIB18-STOP -- TAG-SIB19-START SIB19-r17 ::= SEQUENCE { ntn-Config-r17 NTN-Config-r17 OPTIONAL, -- Need R t-Service-r17 INTEGER (0..549755813887) OPTIONAL, -- Need R referenceLocation-r17 ReferenceLocation-r17 OPTIONAL, -- Need R distanceThresh-r17 INTEGER(0..65525) OPTIONAL, -- Need R ntn-NeighCellConfigList-r17 NTN-NeighCellConfigList-r17 OPTIONAL, -- Need R lateNonCriticalExtension OCTET STRING OPTIONAL, ..., [[ ntn-NeighCellConfigListExt-v1720 NTN-NeighCellConfigList-r17 OPTIONAL -- Need R ]] } NTN-NeighCellConfigList-r17 ::= SEQUENCE (SIZE(1..maxCellNTN-r17)) OF NTN-NeighCellConfig-r17 NTN-NeighCellConfig-r17 ::= SEQUENCE { ntn-Config-r17 NTN-Config-r17 OPTIONAL, -- Need R carrierFreq-r17 ARFCN-ValueNR OPTIONAL, -- Need R physCellId-r17 PhysCellId OPTIONAL -- Need R } -- TAG-SIB19-STOP -- TAG-SIB20-START SIB20-r17 ::= SEQUENCE { mcch-Config-r17 MCCH-Config-r17, cfr-ConfigMCCH-MTCH-r17 CFR-ConfigMCCH-MTCH-r17 OPTIONAL, -- Need S lateNonCriticalExtension OCTET STRING OPTIONAL, ... } MCCH-Config-r17 ::= SEQUENCE { mcch-RepetitionPeriodAndOffset-r17 MCCH-RepetitionPeriodAndOffset-r17, mcch-WindowStartSlot-r17 INTEGER (0..79), mcch-WindowDuration-r17 ENUMERATED {sl2, sl4, sl8, sl10, sl20, sl40,sl80, sl160} OPTIONAL, -- Need S mcch-ModificationPeriod-r17 ENUMERATED {rf2, rf4, rf8, rf16, rf32, rf64, rf128, rf256, rf512, rf1024, rf2048, rf4096, rf8192, rf16384, rf32768, rf65536} } MCCH-RepetitionPeriodAndOffset-r17 ::= CHOICE { rf1-r17 INTEGER(0), rf2-r17 INTEGER(0..1), rf4-r17 INTEGER(0..3), rf8-r17 INTEGER(0..7), rf16-r17 INTEGER(0..15), rf32-r17 INTEGER(0..31), rf64-r17 INTEGER(0..63), rf128-r17 INTEGER(0..127), rf256-r17 INTEGER(0..255) } -- TAG-SIB20-STOP -- TAG-SIB21-START SIB21-r17 ::= SEQUENCE { mbs-FSAI-IntraFreq-r17 MBS-FSAI-List-r17 OPTIONAL, -- Need R mbs-FSAI-InterFreqList-r17 MBS-FSAI-InterFreqList-r17 OPTIONAL, -- Need R lateNonCriticalExtension OCTET STRING OPTIONAL, ... } MBS-FSAI-List-r17 ::= SEQUENCE (SIZE (1..maxFSAI-MBS-r17)) OF MBS-FSAI-r17 MBS-FSAI-InterFreqList-r17 ::= SEQUENCE (SIZE (1..maxFreq)) OF MBS-FSAI-InterFreq-r17 MBS-FSAI-InterFreq-r17 ::= SEQUENCE { dl-CarrierFreq-r17 ARFCN-ValueNR, mbs-FSAI-List-r17 MBS-FSAI-List-r17 } MBS-FSAI-r17 ::= OCTET STRING (SIZE (3)) -- TAG-SIB21-STOP -- TAG-POSSYSTEMINFORMATION-R16-IES-START PosSystemInformation-r16-IEs ::= SEQUENCE { posSIB-TypeAndInfo-r16 SEQUENCE (SIZE (1..maxSIB)) OF CHOICE { posSib1-1-r16 SIBpos-r16, posSib1-2-r16 SIBpos-r16, posSib1-3-r16 SIBpos-r16, posSib1-4-r16 SIBpos-r16, posSib1-5-r16 SIBpos-r16, posSib1-6-r16 SIBpos-r16, posSib1-7-r16 SIBpos-r16, posSib1-8-r16 SIBpos-r16, posSib2-1-r16 SIBpos-r16, posSib2-2-r16 SIBpos-r16, posSib2-3-r16 SIBpos-r16, posSib2-4-r16 SIBpos-r16, posSib2-5-r16 SIBpos-r16, posSib2-6-r16 SIBpos-r16, posSib2-7-r16 SIBpos-r16, posSib2-8-r16 SIBpos-r16, posSib2-9-r16 SIBpos-r16, posSib2-10-r16 SIBpos-r16, posSib2-11-r16 SIBpos-r16, posSib2-12-r16 SIBpos-r16, posSib2-13-r16 SIBpos-r16, posSib2-14-r16 SIBpos-r16, posSib2-15-r16 SIBpos-r16, posSib2-16-r16 SIBpos-r16, posSib2-17-r16 SIBpos-r16, posSib2-18-r16 SIBpos-r16, posSib2-19-r16 SIBpos-r16, posSib2-20-r16 SIBpos-r16, posSib2-21-r16 SIBpos-r16, posSib2-22-r16 SIBpos-r16, posSib2-23-r16 SIBpos-r16, posSib3-1-r16 SIBpos-r16, posSib4-1-r16 SIBpos-r16, posSib5-1-r16 SIBpos-r16, posSib6-1-r16 SIBpos-r16, posSib6-2-r16 SIBpos-r16, posSib6-3-r16 SIBpos-r16, ... , posSib1-9-v1700 SIBpos-r16, posSib1-10-v1700 SIBpos-r16, posSib2-24-v1700 SIBpos-r16, posSib2-25-v1700 SIBpos-r16, posSib6-4-v1700 SIBpos-r16, posSib6-5-v1700 SIBpos-r16, posSib6-6-v1700 SIBpos-r16 }, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-POSSYSTEMINFORMATION-R16-IES-STOP -- TAG-POSSI-SCHEDULINGINFO-START PosSI-SchedulingInfo-r16 ::= SEQUENCE { posSchedulingInfoList-r16 SEQUENCE (SIZE (1..maxSI-Message)) OF PosSchedulingInfo-r16, posSI-RequestConfig-r16 SI-RequestConfig OPTIONAL, -- Cond MSG-1 posSI-RequestConfigSUL-r16 SI-RequestConfig OPTIONAL, -- Cond SUL-MSG-1 ..., [[ posSI-RequestConfigRedCap-r17 SI-RequestConfig OPTIONAL -- Cond REDCAP-MSG-1 ]] } PosSchedulingInfo-r16 ::= SEQUENCE { offsetToSI-Used-r16 ENUMERATED {true} OPTIONAL, -- Need R posSI-Periodicity-r16 ENUMERATED {rf8, rf16, rf32, rf64, rf128, rf256, rf512}, posSI-BroadcastStatus-r16 ENUMERATED {broadcasting, notBroadcasting}, posSIB-MappingInfo-r16 PosSIB-MappingInfo-r16, ... } PosSIB-MappingInfo-r16 ::= SEQUENCE (SIZE (1..maxSIB)) OF PosSIB-Type-r16 PosSIB-Type-r16 ::= SEQUENCE { encrypted-r16 ENUMERATED { true } OPTIONAL, -- Need R gnss-id-r16 GNSS-ID-r16 OPTIONAL, -- Need R sbas-id-r16 SBAS-ID-r16 OPTIONAL, -- Cond GNSS-ID-SBAS posSibType-r16 ENUMERATED { posSibType1-1, posSibType1-2, posSibType1-3, posSibType1-4, posSibType1-5, posSibType1-6, posSibType1-7, posSibType1-8, posSibType2-1, posSibType2-2, posSibType2-3, posSibType2-4, posSibType2-5, posSibType2-6, posSibType2-7, posSibType2-8, posSibType2-9, posSibType2-10, posSibType2-11, posSibType2-12, posSibType2-13, posSibType2-14, posSibType2-15, posSibType2-16, posSibType2-17, posSibType2-18, posSibType2-19, posSibType2-20, posSibType2-21, posSibType2-22, posSibType2-23, posSibType3-1, posSibType4-1, posSibType5-1,posSibType6-1, posSibType6-2, posSibType6-3,... }, areaScope-r16 ENUMERATED {true} OPTIONAL -- Need S } GNSS-ID-r16 ::= SEQUENCE { gnss-id-r16 ENUMERATED{gps, sbas, qzss, galileo, glonass, bds, ...}, ... } SBAS-ID-r16 ::= SEQUENCE { sbas-id-r16 ENUMERATED { waas, egnos, msas, gagan, ...}, ... } -- TAG-POSSI-SCHEDULINGINFO-STOP -- TAG-SIPOS-START SIBpos-r16 ::= SEQUENCE { assistanceDataSIB-Element-r16 OCTET STRING, lateNonCriticalExtension OCTET STRING OPTIONAL, ... } -- TAG-SIPOS-STOP -- TAG-ADDITIONALSPECTRUMEMISSION-START AdditionalSpectrumEmission ::= INTEGER (0..7) -- TAG-ADDITIONALSPECTRUMEMISSION-STOP -- TAG-ALPHA-START Alpha ::= ENUMERATED {alpha0, alpha04, alpha05, alpha06, alpha07, alpha08, alpha09, alpha1} -- TAG-ALPHA-STOP -- TAG-AMF-IDENTIFIER-START AMF-Identifier ::= BIT STRING (SIZE (24)) -- TAG-AMF-IDENTIFIER-STOP -- TAG-ARFCN-VALUEEUTRA-START ARFCN-ValueEUTRA ::= INTEGER (0..maxEARFCN) -- TAG-ARFCN-VALUEEUTRA-STOP -- TAG-ARFCN-VALUENR-START ARFCN-ValueNR ::= INTEGER (0..maxNARFCN) -- TAG-ARFCN-VALUENR-STOP -- TAG-ARFCN-ValueUTRA-FDD-START ARFCN-ValueUTRA-FDD-r16 ::= INTEGER (0..16383) -- TAG-ARFCN-ValueUTRA-FDD-STOP -- TAG-AVAILABILITYCOMBINATIONSPERCELL-START AvailabilityCombinationsPerCell-r16 ::= SEQUENCE { availabilityCombinationsPerCellIndex-r16 AvailabilityCombinationsPerCellIndex-r16, iab-DU-CellIdentity-r16 CellIdentity, positionInDCI-AI-r16 INTEGER(0..maxAI-DCI-PayloadSize-1-r16) OPTIONAL, -- Need M availabilityCombinations-r16 SEQUENCE (SIZE (1..maxNrofAvailabilityCombinationsPerSet-r16)) OF AvailabilityCombination-r16, ..., [[ availabilityCombinationsRB-Groups-r17 SEQUENCE (SIZE (1..maxNrofAvailabilityCombinationsPerSet-r16)) OF AvailabilityCombinationRB-Groups-r17 OPTIONAL -- Need M ]], [[ positionInDCI-AI-RBGroups-v1720 INTEGER(0..maxAI-DCI-PayloadSize-1-r16) OPTIONAL -- Need M ]] } AvailabilityCombinationsPerCellIndex-r16 ::= INTEGER(0..maxNrofDUCells-r16) AvailabilityCombination-r16 ::= SEQUENCE { availabilityCombinationId-r16 AvailabilityCombinationId-r16, resourceAvailability-r16 SEQUENCE (SIZE (1..maxNrofResourceAvailabilityPerCombination-r16)) OF INTEGER (0..7) } AvailabilityCombinationId-r16 ::= INTEGER (0..maxNrofAvailabilityCombinationsPerSet-1-r16) AvailabilityCombinationRB-Groups-r17 ::= SEQUENCE { availabilityCombinationId-r17 AvailabilityCombinationId-r16, rb-SetGroups-r17 SEQUENCE (SIZE (1..maxNrofRB-SetGroups-r17)) OF RB-SetGroup-r17 OPTIONAL, -- Need R resourceAvailability-r17 SEQUENCE (SIZE (1..maxNrofResourceAvailabilityPerCombination-r16)) OF INTEGER (0..7) OPTIONAL -- Need R } RB-SetGroup-r17 ::= SEQUENCE { resourceAvailability-r17 SEQUENCE (SIZE (1..maxNrofResourceAvailabilityPerCombination-r16)) OF INTEGER (0..7) OPTIONAL, -- Need R rb-Sets-r17 SEQUENCE (SIZE (1..maxNrofRB-Sets-r17)) OF INTEGER (0..7) OPTIONAL -- Need R } -- TAG-AVAILABILITYCOMBINATIONSPERCELL-STOP -- TAG-AVAILABILITYINDICATOR-START AvailabilityIndicator-r16 ::= SEQUENCE { ai-RNTI-r16 AI-RNTI-r16, dci-PayloadSizeAI-r16 INTEGER (1..maxAI-DCI-PayloadSize-r16), availableCombToAddModList-r16 SEQUENCE (SIZE(1..maxNrofDUCells-r16)) OF AvailabilityCombinationsPerCell-r16 OPTIONAL, -- Need N availableCombToReleaseList-r16 SEQUENCE (SIZE(1..maxNrofDUCells-r16)) OF AvailabilityCombinationsPerCellIndex-r16 OPTIONAL, -- Need N ... } AI-RNTI-r16 ::= RNTI-Value -- TAG-AVAILABILITYINDICATOR-STOP -- TAG-BAPROUTINGID-START BAP-RoutingID-r16::= SEQUENCE{ bap-Address-r16 BIT STRING (SIZE (10)), bap-PathId-r16 BIT STRING (SIZE (10)) } -- TAG-BAPROUTINGID-STOP -- TAG-BEAMFAILURERECOVERYCONFIG-START BeamFailureRecoveryConfig ::= SEQUENCE { rootSequenceIndex-BFR INTEGER (0..137) OPTIONAL, -- Need M rach-ConfigBFR RACH-ConfigGeneric OPTIONAL, -- Need M rsrp-ThresholdSSB RSRP-Range OPTIONAL, -- Need M candidateBeamRSList SEQUENCE (SIZE(1..maxNrofCandidateBeams)) OF PRACH-ResourceDedicatedBFR OPTIONAL, -- Need M ssb-perRACH-Occasion ENUMERATED {oneEighth, oneFourth, oneHalf, one, two, four, eight, sixteen} OPTIONAL, -- Need M ra-ssb-OccasionMaskIndex INTEGER (0..15) OPTIONAL, -- Need M recoverySearchSpaceId SearchSpaceId OPTIONAL, -- Need R ra-Prioritization RA-Prioritization OPTIONAL, -- Need R beamFailureRecoveryTimer ENUMERATED {ms10, ms20, ms40, ms60, ms80, ms100, ms150, ms200} OPTIONAL, -- Need M ..., [[ msg1-SubcarrierSpacing SubcarrierSpacing OPTIONAL -- Need M ]], [[ ra-PrioritizationTwoStep-r16 RA-Prioritization OPTIONAL, -- Need R candidateBeamRSListExt-v1610 CHOICE {release NULL, setup CandidateBeamRSListExt-r16 } OPTIONAL -- Need M ]], [[ spCell-BFR-CBRA-r16 ENUMERATED {true} OPTIONAL -- Need R ]] } PRACH-ResourceDedicatedBFR ::= CHOICE { ssb BFR-SSB-Resource, csi-RS BFR-CSIRS-Resource } BFR-SSB-Resource ::= SEQUENCE { ssb SSB-Index, ra-PreambleIndex INTEGER (0..63), ... } BFR-CSIRS-Resource ::= SEQUENCE { csi-RS NZP-CSI-RS-ResourceId, ra-OccasionList SEQUENCE (SIZE(1..maxRA-OccasionsPerCSIRS)) OF INTEGER (0..maxRA-Occasions-1) OPTIONAL, -- Need R ra-PreambleIndex INTEGER (0..63) OPTIONAL, -- Need R ... } CandidateBeamRSListExt-r16::= SEQUENCE (SIZE(1.. maxNrofCandidateBeamsExt-r16)) OF PRACH-ResourceDedicatedBFR -- TAG-BEAMFAILURERECOVERYCONFIG-STOP -- TAG-BEAMFAILURERECOVERYRSCONFIG-START BeamFailureRecoveryRSConfig-r16 ::= SEQUENCE { rsrp-ThresholdBFR-r16 RSRP-Range OPTIONAL, -- Need M candidateBeamRS-List-r16 SEQUENCE (SIZE(1..maxNrofCandidateBeams-r16)) OF CandidateBeamRS-r16 OPTIONAL, -- Need M ..., [[ candidateBeamRS-List2-r17 SEQUENCE (SIZE(1..maxNrofCandidateBeams-r16)) OF CandidateBeamRS-r16 OPTIONAL -- Need R ]] } -- TAG-BEAMFAILURERECOVERYRSCONFIG-STOP -- TAG-BETAOFFSETS-START BetaOffsets ::= SEQUENCE { betaOffsetACK-Index1 INTEGER(0..31) OPTIONAL, -- Need S betaOffsetACK-Index2 INTEGER(0..31) OPTIONAL, -- Need S betaOffsetACK-Index3 INTEGER(0..31) OPTIONAL, -- Need S betaOffsetCSI-Part1-Index1 INTEGER(0..31) OPTIONAL, -- Need S betaOffsetCSI-Part1-Index2 INTEGER(0..31) OPTIONAL, -- Need S betaOffsetCSI-Part2-Index1 INTEGER(0..31) OPTIONAL, -- Need S betaOffsetCSI-Part2-Index2 INTEGER(0..31) OPTIONAL -- Need S } -- TAG-BETAOFFSETS-STOP -- TAG-BETAOFFSETSCROSSPRI-START BetaOffsetsCrossPri-r17 ::= SEQUENCE (SIZE(3)) OF INTEGER(0..31) -- TAG-BETAOFFSETSCROSSPRI-STOP -- TAG-BHLOGICALCHANNELIDENTITY-START BH-LogicalChannelIdentity-r16 ::= CHOICE { bh-LogicalChannelIdentity-r16 LogicalChannelIdentity, bh-LogicalChannelIdentityExt-r16 BH-LogicalChannelIdentity-Ext-r16 } -- TAG-BHLOGICALCHANNELIDENTITY-STOP -- TAG-BHLOGICALCHANNELIDENTITYEXT-START BH-LogicalChannelIdentity-Ext-r16 ::= INTEGER (320.. maxLC-ID-Iab-r16) -- TAG-BHLOGICALCHANNELIDENTITYEXT-STOP -- TAG-BHRLCCHANNELCONFIG-START BH-RLC-ChannelConfig-r16::= SEQUENCE { bh-LogicalChannelIdentity-r16 BH-LogicalChannelIdentity-r16 OPTIONAL, -- Cond LCH-SetupOnly bh-RLC-ChannelID-r16 BH-RLC-ChannelID-r16, reestablishRLC-r16 ENUMERATED {true} OPTIONAL, -- Need N rlc-Config-r16 RLC-Config OPTIONAL, -- Cond LCH-Setup mac-LogicalChannelConfig-r16 LogicalChannelConfig OPTIONAL, -- Cond LCH-Setup ... } -- TAG-BHRLCCHANNELCONFIG-STOP -- TAG-BHRLCCHANNELID-START BH-RLC-ChannelID-r16 ::= BIT STRING (SIZE (16)) -- TAG-BHRLCCHANNELID-STOP -- TAG-BSR-CONFIG-START BSR-Config ::= SEQUENCE { periodicBSR-Timer ENUMERATED { sf1, sf5, sf10, sf16, sf20, sf32, sf40, sf64, sf80, sf128, sf160, sf320, sf640, sf1280, sf2560, infinity }, retxBSR-Timer ENUMERATED { sf10, sf20, sf40, sf80, sf160, sf320, sf640, sf1280, sf2560, sf5120, sf10240, spare5, spare4, spare3, spare2, spare1}, logicalChannelSR-DelayTimer ENUMERATED { sf20, sf40, sf64, sf128, sf512, sf1024, sf2560, spare1} OPTIONAL, -- Need R ... } -- TAG-BSR-CONFIG-STOP -- TAG-BWP-START BWP ::= SEQUENCE { locationAndBandwidth INTEGER (0..37949), subcarrierSpacing SubcarrierSpacing, cyclicPrefix ENUMERATED { extended } OPTIONAL -- Need R } -- TAG-BWP-STOP -- TAG-BWP-DOWNLINK-START BWP-Downlink ::= SEQUENCE { bwp-Id BWP-Id, bwp-Common BWP-DownlinkCommon OPTIONAL, -- Cond SetupOtherBWP bwp-Dedicated BWP-DownlinkDedicated OPTIONAL, -- Cond SetupOtherBWP ... } -- TAG-BWP-DOWNLINK-STOP -- TAG-BWP-DOWNLINKCOMMON-START BWP-DownlinkCommon ::= SEQUENCE { genericParameters BWP, pdcch-ConfigCommon CHOICE {release NULL, setup PDCCH-ConfigCommon } OPTIONAL, -- Need M pdsch-ConfigCommon CHOICE {release NULL, setup PDSCH-ConfigCommon } OPTIONAL, -- Need M ... } -- TAG-BWP-DOWNLINKCOMMON-STOP -- TAG-BWP-DOWNLINKDEDICATED-START BWP-DownlinkDedicated ::= SEQUENCE { pdcch-Config CHOICE {release NULL, setup PDCCH-Config } OPTIONAL, -- Need M pdsch-Config CHOICE {release NULL, setup PDSCH-Config } OPTIONAL, -- Need M sps-Config CHOICE {release NULL, setup SPS-Config } OPTIONAL, -- Need M radioLinkMonitoringConfig CHOICE {release NULL, setup RadioLinkMonitoringConfig } OPTIONAL, -- Need M ..., [[ sps-ConfigToAddModList-r16 SPS-ConfigToAddModList-r16 OPTIONAL, -- Need N sps-ConfigToReleaseList-r16 SPS-ConfigToReleaseList-r16 OPTIONAL, -- Need N sps-ConfigDeactivationStateList-r16 SPS-ConfigDeactivationStateList-r16 OPTIONAL, -- Need R beamFailureRecoverySCellConfig-r16 CHOICE {release NULL, setup BeamFailureRecoveryRSConfig-r16} OPTIONAL, -- Cond SCellOnly sl-PDCCH-Config-r16 CHOICE {release NULL, setup PDCCH-Config } OPTIONAL, -- Need M sl-V2X-PDCCH-Config-r16 CHOICE {release NULL, setup PDCCH-Config } OPTIONAL -- Need M ]], [[ preConfGapStatus-r17 BIT STRING (SIZE (maxNrofGapId-r17)) OPTIONAL, -- Cond PreConfigMG beamFailureRecoverySpCellConfig-r17 CHOICE {release NULL, setup BeamFailureRecoveryRSConfig-r16} OPTIONAL, -- Cond SpCellOnly harq-FeedbackEnablingforSPSactive-r17 BOOLEAN OPTIONAL, -- Need R cfr-ConfigMulticast-r17 CHOICE {release NULL, setup CFR-ConfigMulticast-r17 } OPTIONAL, -- Need M dl-PPW-PreConfigToAddModList-r17 DL-PPW-PreConfigToAddModList-r17 OPTIONAL, -- Need N dl-PPW-PreConfigToReleaseList-r17 DL-PPW-PreConfigToReleaseList-r17 OPTIONAL, -- Need N nonCellDefiningSSB-r17 NonCellDefiningSSB-r17 OPTIONAL, -- Need R servingCellMO-r17 MeasObjectId OPTIONAL -- Cond MeasObject-NCD-SSB ]] } SPS-ConfigToAddModList-r16 ::= SEQUENCE (SIZE (1..maxNrofSPS-Config-r16)) OF SPS-Config SPS-ConfigToReleaseList-r16 ::= SEQUENCE (SIZE (1..maxNrofSPS-Config-r16)) OF SPS-ConfigIndex-r16 SPS-ConfigDeactivationState-r16 ::= SEQUENCE (SIZE (1..maxNrofSPS-Config-r16)) OF SPS-ConfigIndex-r16 SPS-ConfigDeactivationStateList-r16 ::= SEQUENCE (SIZE (1..maxNrofSPS-DeactivationState)) OF SPS-ConfigDeactivationState-r16 DL-PPW-PreConfigToAddModList-r17 ::= SEQUENCE (SIZE (1..maxNrofPPW-Config-r17)) OF DL-PPW-PreConfig-r17 DL-PPW-PreConfigToReleaseList-r17 ::= SEQUENCE (SIZE (1..maxNrofPPW-Config-r17)) OF DL-PPW-ID-r17 -- TAG-BWP-DOWNLINKDEDICATED-STOP -- TAG-BWP-ID-START BWP-Id ::= INTEGER (0..maxNrofBWPs) -- TAG-BWP-ID-STOP -- TAG-BWP-UPLINK-START BWP-Uplink ::= SEQUENCE { bwp-Id BWP-Id, bwp-Common BWP-UplinkCommon OPTIONAL, -- Cond SetupOtherBWP bwp-Dedicated BWP-UplinkDedicated OPTIONAL, -- Cond SetupOtherBWP ... } -- TAG-BWP-UPLINK-STOP -- TAG-BWP-UPLINKCOMMON-START BWP-UplinkCommon ::= SEQUENCE { genericParameters BWP, rach-ConfigCommon CHOICE {release NULL, setup RACH-ConfigCommon } OPTIONAL, -- Need M pusch-ConfigCommon CHOICE {release NULL, setup PUSCH-ConfigCommon } OPTIONAL, -- Need M pucch-ConfigCommon CHOICE {release NULL, setup PUCCH-ConfigCommon } OPTIONAL, -- Need M ..., [[ rach-ConfigCommonIAB-r16 CHOICE {release NULL, setup RACH-ConfigCommon } OPTIONAL, -- Need M useInterlacePUCCH-PUSCH-r16 ENUMERATED {enabled} OPTIONAL, -- Need R msgA-ConfigCommon-r16 CHOICE {release NULL, setup MsgA-ConfigCommon-r16 } OPTIONAL -- Cond SpCellOnly2 ]], [[ enableRA-PrioritizationForSlicing-r17 BOOLEAN OPTIONAL, -- Cond RA-PrioSliceAI additionalRACH-ConfigList-r17 CHOICE {release NULL, setup AdditionalRACH-ConfigList-r17 } OPTIONAL, -- Cond SpCellOnly2 rsrp-ThresholdMsg3-r17 RSRP-Range OPTIONAL, -- Need R numberOfMsg3-RepetitionsList-r17 SEQUENCE (SIZE (4)) OF NumberOfMsg3-Repetitions-r17 OPTIONAL, -- Cond Msg3Rep mcs-Msg3-Repetitions-r17 SEQUENCE (SIZE (8)) OF INTEGER (0..31) OPTIONAL -- Cond Msg3Rep ]] } AdditionalRACH-ConfigList-r17 ::= SEQUENCE (SIZE(1..maxAdditionalRACH-r17)) OF AdditionalRACH-Config-r17 AdditionalRACH-Config-r17 ::= SEQUENCE { rach-ConfigCommon-r17 RACH-ConfigCommon OPTIONAL, -- Need R msgA-ConfigCommon-r17 MsgA-ConfigCommon-r16 OPTIONAL, -- Need R ... } NumberOfMsg3-Repetitions-r17::= ENUMERATED {n1, n2, n3, n4, n7, n8, n12, n16} -- TAG-BWP-UPLINKCOMMON-STOP -- TAG-BWP-UPLINKDEDICATED-START BWP-UplinkDedicated ::= SEQUENCE { pucch-Config CHOICE {release NULL, setup PUCCH-Config } OPTIONAL, -- Need M pusch-Config CHOICE {release NULL, setup PUSCH-Config } OPTIONAL, -- Need M configuredGrantConfig CHOICE {release NULL, setup ConfiguredGrantConfig } OPTIONAL, -- Need M srs-Config CHOICE {release NULL, setup SRS-Config } OPTIONAL, -- Need M beamFailureRecoveryConfig CHOICE {release NULL, setup BeamFailureRecoveryConfig } OPTIONAL, -- Cond SpCellOnly ..., [[ sl-PUCCH-Config-r16 CHOICE {release NULL, setup PUCCH-Config } OPTIONAL, -- Need M cp-ExtensionC2-r16 INTEGER (1..28) OPTIONAL, -- Need R cp-ExtensionC3-r16 INTEGER (1..28) OPTIONAL, -- Need R useInterlacePUCCH-PUSCH-r16 ENUMERATED {enabled} OPTIONAL, -- Need R pucch-ConfigurationList-r16 CHOICE {release NULL, setup PUCCH-ConfigurationList-r16 } OPTIONAL, -- Need M lbt-FailureRecoveryConfig-r16 CHOICE {release NULL, setup LBT-FailureRecoveryConfig-r16 } OPTIONAL, -- Need M configuredGrantConfigToAddModList-r16 ConfiguredGrantConfigToAddModList-r16 OPTIONAL, -- Need N configuredGrantConfigToReleaseList-r16 ConfiguredGrantConfigToReleaseList-r16 OPTIONAL, -- Need N configuredGrantConfigType2DeactivationStateList-r16 ConfiguredGrantConfigType2DeactivationStateList-r16 OPTIONAL -- Need R ]], [[ ul-TCI-StateList-r17 CHOICE { explicitlist SEQUENCE { ul-TCI-ToAddModList-r17 SEQUENCE (SIZE (1..maxUL-TCI-r17)) OF TCI-UL-State-r17 OPTIONAL, -- Need N ul-TCI-ToReleaseList-r17 SEQUENCE (SIZE (1..maxUL-TCI-r17)) OF TCI-UL-StateId-r17 OPTIONAL -- Need N }, unifiedTCI-StateRef-r17 ServingCellAndBWP-Id-r17 } OPTIONAL, -- Need R ul-powerControl-r17 Uplink-powerControlId-r17 OPTIONAL, -- Cond NoTCI-PC pucch-ConfigurationListMulticast1-r17 CHOICE {release NULL, setup PUCCH-ConfigurationList-r16 } OPTIONAL, -- Need M pucch-ConfigurationListMulticast2-r17 CHOICE {release NULL, setup PUCCH-ConfigurationList-r16 } OPTIONAL -- Need M ]], [[ pucch-ConfigMulticast1-r17 CHOICE {release NULL, setup PUCCH-Config } OPTIONAL, -- Need M pucch-ConfigMulticast2-r17 CHOICE {release NULL, setup PUCCH-Config } OPTIONAL -- Need M ]], [[ pathlossReferenceRSToAddModList-r17 SEQUENCE (SIZE (1..maxNrofPathlossReferenceRSs-r17)) OF PathlossReferenceRS-r17 OPTIONAL, -- Need N pathlossReferenceRSToReleaseList-r17 SEQUENCE (SIZE (1..maxNrofPathlossReferenceRSs-r17)) OF PathlossReferenceRS-Id-r17 OPTIONAL -- Need N ]] } ConfiguredGrantConfigToAddModList-r16 ::= SEQUENCE (SIZE (1..maxNrofConfiguredGrantConfig-r16)) OF ConfiguredGrantConfig ConfiguredGrantConfigToReleaseList-r16 ::= SEQUENCE (SIZE (1..maxNrofConfiguredGrantConfig-r16)) OF ConfiguredGrantConfigIndex-r16 ConfiguredGrantConfigType2DeactivationState-r16 ::= SEQUENCE (SIZE (1..maxNrofConfiguredGrantConfig-r16)) OF ConfiguredGrantConfigIndex-r16 ConfiguredGrantConfigType2DeactivationStateList-r16 ::= SEQUENCE (SIZE (1..maxNrofCG-Type2DeactivationState)) OF ConfiguredGrantConfigType2DeactivationState-r16 -- TAG-BWP-UPLINKDEDICATED-STOP -- TAG-CANDIDATEBEAMRS-START CandidateBeamRS-r16 ::= SEQUENCE { candidateBeamConfig-r16 CHOICE { ssb-r16 SSB-Index, csi-RS-r16 NZP-CSI-RS-ResourceId }, servingCellId ServCellIndex OPTIONAL -- Need R } -- TAG-CANDIDATEBEAMRS-STOP -- TAG-CELLACCESSRELATEDINFO-START CellAccessRelatedInfo ::= SEQUENCE { plmn-IdentityInfoList PLMN-IdentityInfoList, cellReservedForOtherUse ENUMERATED {true} OPTIONAL, -- Need R ..., [[ cellReservedForFutureUse-r16 ENUMERATED {true} OPTIONAL, -- Need R npn-IdentityInfoList-r16 NPN-IdentityInfoList-r16 OPTIONAL -- Need R ]], [[ snpn-AccessInfoList-r17 SEQUENCE (SIZE (1..maxNPN-r16)) OF SNPN-AccessInfo-r17 OPTIONAL -- Need R ]] } SNPN-AccessInfo-r17 ::= SEQUENCE { extCH-Supported-r17 ENUMERATED {true} OPTIONAL, -- Need R extCH-WithoutConfigAllowed-r17 ENUMERATED {true} OPTIONAL, -- Need R onboardingEnabled-r17 ENUMERATED {true} OPTIONAL, -- Need R imsEmergencySupportForSNPN-r17 ENUMERATED {true} OPTIONAL -- Need R } -- TAG-CELLACCESSRELATEDINFO-STOP -- TAG-CELLACCESSRELATEDINFOEUTRA-5GC-START CellAccessRelatedInfo-EUTRA-5GC ::= SEQUENCE { plmn-IdentityList-eutra-5gc PLMN-IdentityList-EUTRA-5GC, trackingAreaCode-eutra-5gc TrackingAreaCode, ranac-5gc RAN-AreaCode OPTIONAL, cellIdentity-eutra-5gc CellIdentity-EUTRA-5GC } PLMN-IdentityList-EUTRA-5GC::= SEQUENCE (SIZE (1..maxPLMN)) OF PLMN-Identity-EUTRA-5GC PLMN-Identity-EUTRA-5GC ::= CHOICE { plmn-Identity-EUTRA-5GC PLMN-Identity, plmn-index INTEGER (1..maxPLMN) } CellIdentity-EUTRA-5GC ::= CHOICE { cellIdentity-EUTRA BIT STRING (SIZE (28)), cellId-index INTEGER (1..maxPLMN) } -- TAG-CELLACCESSRELATEDINFOEUTRA-5GC-STOP -- TAG-CELLACCESSRELATEDINFOEUTRA-EPC-START CellAccessRelatedInfo-EUTRA-EPC ::= SEQUENCE { plmn-IdentityList-eutra-epc PLMN-IdentityList-EUTRA-EPC, trackingAreaCode-eutra-epc BIT STRING (SIZE (16)), cellIdentity-eutra-epc BIT STRING (SIZE (28)) } PLMN-IdentityList-EUTRA-EPC::= SEQUENCE (SIZE (1..maxPLMN)) OF PLMN-Identity -- TAG-CELLACCESSRELATEDINFOEUTRA-EPC-STOP -- TAG-CELLGROUPCONFIG-START -- Configuration of one Cell-Group: CellGroupConfig ::= SEQUENCE { cellGroupId CellGroupId, rlc-BearerToAddModList SEQUENCE (SIZE(1..maxLC-ID)) OF RLC-BearerConfig OPTIONAL, -- Need N rlc-BearerToReleaseList SEQUENCE (SIZE(1..maxLC-ID)) OF LogicalChannelIdentity OPTIONAL, -- Need N mac-CellGroupConfig MAC-CellGroupConfig OPTIONAL, -- Need M physicalCellGroupConfig PhysicalCellGroupConfig OPTIONAL, -- Need M spCellConfig SpCellConfig OPTIONAL, -- Need M sCellToAddModList SEQUENCE (SIZE (1..maxNrofSCells)) OF SCellConfig OPTIONAL, -- Need N sCellToReleaseList SEQUENCE (SIZE (1..maxNrofSCells)) OF SCellIndex OPTIONAL, -- Need N ..., [[ reportUplinkTxDirectCurrent ENUMERATED {true} OPTIONAL -- Cond BWP-Reconfig ]], [[ bap-Address-r16 BIT STRING (SIZE (10)) OPTIONAL, -- Need M bh-RLC-ChannelToAddModList-r16 SEQUENCE (SIZE(1..maxBH-RLC-ChannelID-r16)) OF BH-RLC-ChannelConfig-r16 OPTIONAL, -- Need N bh-RLC-ChannelToReleaseList-r16 SEQUENCE (SIZE(1..maxBH-RLC-ChannelID-r16)) OF BH-RLC-ChannelID-r16 OPTIONAL, -- Need N f1c-TransferPath-r16 ENUMERATED {lte, nr, both} OPTIONAL, -- Need M simultaneousTCI-UpdateList1-r16 SEQUENCE (SIZE (1..maxNrofServingCellsTCI-r16)) OF ServCellIndex OPTIONAL, -- Need R simultaneousTCI-UpdateList2-r16 SEQUENCE (SIZE (1..maxNrofServingCellsTCI-r16)) OF ServCellIndex OPTIONAL, -- Need R simultaneousSpatial-UpdatedList1-r16 SEQUENCE (SIZE (1..maxNrofServingCellsTCI-r16)) OF ServCellIndex OPTIONAL, -- Need R simultaneousSpatial-UpdatedList2-r16 SEQUENCE (SIZE (1..maxNrofServingCellsTCI-r16)) OF ServCellIndex OPTIONAL, -- Need R uplinkTxSwitchingOption-r16 ENUMERATED {switchedUL, dualUL} OPTIONAL, -- Need R uplinkTxSwitchingPowerBoosting-r16 ENUMERATED {enabled} OPTIONAL -- Need R ]], [[ reportUplinkTxDirectCurrentTwoCarrier-r16 ENUMERATED {true} OPTIONAL -- Need N ]], [[ f1c-TransferPathNRDC-r17 ENUMERATED {mcg, scg, both} OPTIONAL, -- Need M uplinkTxSwitching-2T-Mode-r17 ENUMERATED {enabled} OPTIONAL, -- Cond 2Tx uplinkTxSwitching-DualUL-TxState-r17 ENUMERATED {oneT, twoT} OPTIONAL, -- Cond 2Tx uu-RelayRLC-ChannelToAddModList-r17 SEQUENCE (SIZE(1..maxUu-RelayRLC-ChannelID-r17)) OF Uu-RelayRLC-ChannelConfig-r17 OPTIONAL, -- Need N uu-RelayRLC-ChannelToReleaseList-r17 SEQUENCE (SIZE(1..maxUu-RelayRLC-ChannelID-r17)) OF Uu-RelayRLC-ChannelID-r17 OPTIONAL, -- Need N simultaneousU-TCI-UpdateList1-r17 SEQUENCE (SIZE (1..maxNrofServingCellsTCI-r16)) OF ServCellIndex OPTIONAL, -- Need R simultaneousU-TCI-UpdateList2-r17 SEQUENCE (SIZE (1..maxNrofServingCellsTCI-r16)) OF ServCellIndex OPTIONAL, -- Need R simultaneousU-TCI-UpdateList3-r17 SEQUENCE (SIZE (1..maxNrofServingCellsTCI-r16)) OF ServCellIndex OPTIONAL, -- Need R simultaneousU-TCI-UpdateList4-r17 SEQUENCE (SIZE (1..maxNrofServingCellsTCI-r16)) OF ServCellIndex OPTIONAL, -- Need R rlc-BearerToReleaseListExt-r17 SEQUENCE (SIZE(1..maxLC-ID)) OF LogicalChannelIdentityExt-r17 OPTIONAL, -- Need N iab-ResourceConfigToAddModList-r17 SEQUENCE (SIZE(1..maxNrofIABResourceConfig-r17)) OF IAB-ResourceConfig-r17 OPTIONAL, -- Need N iab-ResourceConfigToReleaseList-r17 SEQUENCE (SIZE(1..maxNrofIABResourceConfig-r17)) OF IAB-ResourceConfigID-r17 OPTIONAL -- Need N ]], [[ reportUplinkTxDirectCurrentMoreCarrier-r17 ReportUplinkTxDirectCurrentMoreCarrier-r17 OPTIONAL -- Need N ]] } -- Serving cell specific MAC and PHY parameters for a SpCell: SpCellConfig ::= SEQUENCE { servCellIndex ServCellIndex OPTIONAL, -- Cond SCG reconfigurationWithSync ReconfigurationWithSync OPTIONAL, -- Cond ReconfWithSync rlf-TimersAndConstants CHOICE {release NULL, setup RLF-TimersAndConstants } OPTIONAL, -- Need M rlmInSyncOutOfSyncThreshold ENUMERATED {n1} OPTIONAL, -- Need S spCellConfigDedicated ServingCellConfig OPTIONAL, -- Need M ..., [[ lowMobilityEvaluationConnected-r17 SEQUENCE { s-SearchDeltaP-Connected-r17 ENUMERATED {dB3, dB6, dB9, dB12, dB15, spare3, spare2, spare1}, t-SearchDeltaP-Connected-r17 ENUMERATED {s5, s10, s20, s30, s60, s120, s180, s240, s300, spare7, spare6, spare5, spare4, spare3, spare2, spare1} } OPTIONAL, -- Need R goodServingCellEvaluationRLM-r17 GoodServingCellEvaluation-r17 OPTIONAL, -- Need R goodServingCellEvaluationBFD-r17 GoodServingCellEvaluation-r17 OPTIONAL, -- Need R deactivatedSCG-Config-r17 CHOICE {release NULL, setup DeactivatedSCG-Config-r17 } OPTIONAL -- Cond SCG-Opt ]] } ReconfigurationWithSync ::= SEQUENCE { spCellConfigCommon ServingCellConfigCommon OPTIONAL, -- Need M newUE-Identity RNTI-Value, t304 ENUMERATED {ms50, ms100, ms150, ms200, ms500, ms1000, ms2000, ms10000}, rach-ConfigDedicated CHOICE { uplink RACH-ConfigDedicated, supplementaryUplink RACH-ConfigDedicated } OPTIONAL, -- Need N ..., [[ smtc SSB-MTC OPTIONAL -- Need S ]], [[ daps-UplinkPowerConfig-r16 DAPS-UplinkPowerConfig-r16 OPTIONAL -- Need N ]], [[ sl-PathSwitchConfig-r17 SL-PathSwitchConfig-r17 OPTIONAL -- Cond DirectToIndirect-PathSwitch ]] } DAPS-UplinkPowerConfig-r16 ::= SEQUENCE { p-DAPS-Source-r16 P-Max, p-DAPS-Target-r16 P-Max, uplinkPowerSharingDAPS-Mode-r16 ENUMERATED {semi-static-mode1, semi-static-mode2, dynamic } } SCellConfig ::= SEQUENCE { sCellIndex SCellIndex, sCellConfigCommon ServingCellConfigCommon OPTIONAL, -- Cond SCellAdd sCellConfigDedicated ServingCellConfig OPTIONAL, -- Cond SCellAddMod ..., [[ smtc SSB-MTC OPTIONAL -- Need S ]], [[ sCellState-r16 ENUMERATED {activated} OPTIONAL, -- Cond SCellAddSync secondaryDRX-GroupConfig-r16 ENUMERATED {true} OPTIONAL -- Need S ]], [[ preConfGapStatus-r17 BIT STRING (SIZE (maxNrofGapId-r17)) OPTIONAL, -- Cond PreConfigMG goodServingCellEvaluationBFD-r17 GoodServingCellEvaluation-r17 OPTIONAL, -- Need R sCellSIB20-r17 CHOICE {release NULL, setup SCellSIB20-r17 } OPTIONAL -- Need M ]], [[ plmn-IdentityInfoList-r17 CHOICE {release NULL, setup PLMN-IdentityInfoList} OPTIONAL, -- Cond SCellSIB20-Opt npn-IdentityInfoList-r17 CHOICE {release NULL, setup NPN-IdentityInfoList-r16} OPTIONAL -- Cond SCellSIB20-Opt ]] } SCellSIB20-r17 ::= OCTET STRING (CONTAINING SystemInformation) DeactivatedSCG-Config-r17 ::= SEQUENCE { bfd-and-RLM-r17 BOOLEAN, ... } GoodServingCellEvaluation-r17 ::= SEQUENCE { offset-r17 ENUMERATED {db2, db4, db6, db8} OPTIONAL -- Need S } SL-PathSwitchConfig-r17 ::= SEQUENCE { targetRelayUE-Identity-r17 SL-SourceIdentity-r17, t420-r17 ENUMERATED {ms50, ms100, ms150, ms200, ms500, ms1000, ms2000, ms10000}, ... } IAB-ResourceConfig-r17 ::= SEQUENCE { iab-ResourceConfigID-r17 IAB-ResourceConfigID-r17, slotList-r17 SEQUENCE (SIZE (1..5120)) OF INTEGER (0..5119) OPTIONAL, -- Need M periodicitySlotList-r17 ENUMERATED {ms0p5, ms0p625, ms1, ms1p25, ms2, ms2p5, ms5, ms10, ms20, ms40, ms80, ms160} OPTIONAL, -- Need M slotListSubcarrierSpacing-r17 SubcarrierSpacing OPTIONAL, -- Need M ... } IAB-ResourceConfigID-r17 ::= INTEGER(0..maxNrofIABResourceConfig-1-r17) ReportUplinkTxDirectCurrentMoreCarrier-r17 ::= SEQUENCE (SIZE(1.. maxSimultaneousBands)) OF IntraBandCC-CombinationReqList-r17 IntraBandCC-CombinationReqList-r17::= SEQUENCE { servCellIndexList-r17 SEQUENCE (SIZE(1.. maxNrofServingCells)) OF ServCellIndex, cc-CombinationList-r17 SEQUENCE (SIZE(1.. maxNrofReqComDC-Location-r17)) OF IntraBandCC-Combination-r17 } IntraBandCC-Combination-r17::= SEQUENCE (SIZE(1.. maxNrofServingCells)) OF CC-State-r17 CC-State-r17::= SEQUENCE { dlCarrier-r17 CarrierState-r17 OPTIONAL, -- Need N ulCarrier-r17 CarrierState-r17 OPTIONAL -- Need N } CarrierState-r17::= CHOICE { deActivated-r17 NULL, activeBWP-r17 INTEGER (0..maxNrofBWPs) } -- TAG-CELLGROUPCONFIG-STOP -- TAG-CELLGROUPID-START CellGroupId ::= INTEGER (0.. maxSecondaryCellGroups) -- TAG-CELLGROUPID-STOP -- TAG-CELLIDENTITY-START CellIdentity ::= BIT STRING (SIZE (36)) -- TAG-CELLIDENTITY-STOP -- TAG-CELLRESELECTIONPRIORITY-START CellReselectionPriority ::= INTEGER (0..7) -- TAG-CELLRESELECTIONPRIORITY-STOP -- TAG-CELLRESELECTIONSUBPRIORITY-START CellReselectionSubPriority ::= ENUMERATED {oDot2, oDot4, oDot6, oDot8} -- TAG-CELLRESELECTIONSUBPRIORITY-STOP -- TAG-CFR-CONFIGMULTICAST-START CFR-ConfigMulticast-r17::= SEQUENCE { locationAndBandwidthMulticast-r17 INTEGER (0..37949) OPTIONAL, -- Need S pdcch-ConfigMulticast-r17 PDCCH-Config OPTIONAL, -- Need M pdsch-ConfigMulticast-r17 PDSCH-Config OPTIONAL, -- Need M sps-ConfigMulticastToAddModList-r17 SPS-ConfigMulticastToAddModList-r17 OPTIONAL, -- Need N sps-ConfigMulticastToReleaseList-r17 SPS-ConfigMulticastToReleaseList-r17 OPTIONAL -- Need N } SPS-ConfigMulticastToAddModList-r17 ::= SEQUENCE (SIZE (1..8)) OF SPS-Config SPS-ConfigMulticastToReleaseList-r17 ::= SEQUENCE (SIZE (1..8)) OF SPS-ConfigIndex-r16 -- TAG-CFR-CONFIGMULTICAST-STOP -- TAG-CGI-INFOEUTRA-START CGI-InfoEUTRA ::= SEQUENCE { cgi-info-EPC SEQUENCE { cgi-info-EPC-legacy CellAccessRelatedInfo-EUTRA-EPC, cgi-info-EPC-list SEQUENCE (SIZE (1..maxPLMN)) OF CellAccessRelatedInfo-EUTRA-EPC OPTIONAL } OPTIONAL, cgi-info-5GC SEQUENCE (SIZE (1..maxPLMN)) OF CellAccessRelatedInfo-EUTRA-5GC OPTIONAL, freqBandIndicator FreqBandIndicatorEUTRA, multiBandInfoList MultiBandInfoListEUTRA OPTIONAL, freqBandIndicatorPriority ENUMERATED {true} OPTIONAL } -- TAG-CGI-INFOEUTRA-STOP -- TAG-CGI-INFOEUTRALOGGING-START CGI-InfoEUTRALogging ::= SEQUENCE { plmn-Identity-eutra-5gc PLMN-Identity OPTIONAL, trackingAreaCode-eutra-5gc TrackingAreaCode OPTIONAL, cellIdentity-eutra-5gc BIT STRING (SIZE (28)) OPTIONAL, plmn-Identity-eutra-epc PLMN-Identity OPTIONAL, trackingAreaCode-eutra-epc BIT STRING (SIZE (16)) OPTIONAL, cellIdentity-eutra-epc BIT STRING (SIZE (28)) OPTIONAL } -- TAG-CGI-INFOEUTRALOGGING-STOP -- TAG-CGI-INFO-NR-START CGI-InfoNR ::= SEQUENCE { plmn-IdentityInfoList PLMN-IdentityInfoList OPTIONAL, frequencyBandList MultiFrequencyBandListNR OPTIONAL, noSIB1 SEQUENCE { ssb-SubcarrierOffset INTEGER (0..15), pdcch-ConfigSIB1 PDCCH-ConfigSIB1 } OPTIONAL, ..., [[ npn-IdentityInfoList-r16 NPN-IdentityInfoList-r16 OPTIONAL ]], [[ cellReservedForOtherUse-r16 ENUMERATED {true} OPTIONAL ]] } -- TAG-CGI-INFO-NR-STOP -- TAG-CGI-INFO-LOGGING-START CGI-Info-Logging-r16 ::= SEQUENCE { plmn-Identity-r16 PLMN-Identity, cellIdentity-r16 CellIdentity, trackingAreaCode-r16 TrackingAreaCode OPTIONAL } -- TAG-CGI-INFO-LOGGING-STOP -- TAG-CLI-RSSI-RANGE-START CLI-RSSI-Range-r16 ::= INTEGER(0..76) -- TAG-CLI-RSSI-RANGE-STOP -- TAG-CODEBOOKCONFIG-START CodebookConfig ::= SEQUENCE { codebookType CHOICE { type1 SEQUENCE { subType CHOICE { typeI-SinglePanel SEQUENCE { nrOfAntennaPorts CHOICE { two SEQUENCE { twoTX-CodebookSubsetRestriction BIT STRING (SIZE (6)) }, moreThanTwo SEQUENCE { n1-n2 CHOICE { two-one-TypeI-SinglePanel-Restriction BIT STRING (SIZE (8)), two-two-TypeI-SinglePanel-Restriction BIT STRING (SIZE (64)), four-one-TypeI-SinglePanel-Restriction BIT STRING (SIZE (16)), three-two-TypeI-SinglePanel-Restriction BIT STRING (SIZE (96)), six-one-TypeI-SinglePanel-Restriction BIT STRING (SIZE (24)), four-two-TypeI-SinglePanel-Restriction BIT STRING (SIZE (128)), eight-one-TypeI-SinglePanel-Restriction BIT STRING (SIZE (32)), four-three-TypeI-SinglePanel-Restriction BIT STRING (SIZE (192)), six-two-TypeI-SinglePanel-Restriction BIT STRING (SIZE (192)), twelve-one-TypeI-SinglePanel-Restriction BIT STRING (SIZE (48)), four-four-TypeI-SinglePanel-Restriction BIT STRING (SIZE (256)), eight-two-TypeI-SinglePanel-Restriction BIT STRING (SIZE (256)), sixteen-one-TypeI-SinglePanel-Restriction BIT STRING (SIZE (64)) }, typeI-SinglePanel-codebookSubsetRestriction-i2 BIT STRING (SIZE (16)) OPTIONAL -- Need R } }, typeI-SinglePanel-ri-Restriction BIT STRING (SIZE (8)) }, typeI-MultiPanel SEQUENCE { ng-n1-n2 CHOICE { two-two-one-TypeI-MultiPanel-Restriction BIT STRING (SIZE (8)), two-four-one-TypeI-MultiPanel-Restriction BIT STRING (SIZE (16)), four-two-one-TypeI-MultiPanel-Restriction BIT STRING (SIZE (8)), two-two-two-TypeI-MultiPanel-Restriction BIT STRING (SIZE (64)), two-eight-one-TypeI-MultiPanel-Restriction BIT STRING (SIZE (32)), four-four-one-TypeI-MultiPanel-Restriction BIT STRING (SIZE (16)), two-four-two-TypeI-MultiPanel-Restriction BIT STRING (SIZE (128)), four-two-two-TypeI-MultiPanel-Restriction BIT STRING (SIZE (64)) }, ri-Restriction BIT STRING (SIZE (4)) } }, codebookMode INTEGER (1..2) }, type2 SEQUENCE { subType CHOICE { typeII SEQUENCE { n1-n2-codebookSubsetRestriction CHOICE { two-one BIT STRING (SIZE (16)), two-two BIT STRING (SIZE (43)), four-one BIT STRING (SIZE (32)), three-two BIT STRING (SIZE (59)), six-one BIT STRING (SIZE (48)), four-two BIT STRING (SIZE (75)), eight-one BIT STRING (SIZE (64)), four-three BIT STRING (SIZE (107)), six-two BIT STRING (SIZE (107)), twelve-one BIT STRING (SIZE (96)), four-four BIT STRING (SIZE (139)), eight-two BIT STRING (SIZE (139)), sixteen-one BIT STRING (SIZE (128)) }, typeII-RI-Restriction BIT STRING (SIZE (2)) }, typeII-PortSelection SEQUENCE { portSelectionSamplingSize ENUMERATED {n1, n2, n3, n4} OPTIONAL, -- Need R typeII-PortSelectionRI-Restriction BIT STRING (SIZE (2)) } }, phaseAlphabetSize ENUMERATED {n4, n8}, subbandAmplitude BOOLEAN, numberOfBeams ENUMERATED {two, three, four} } } } CodebookConfig-r16 ::= SEQUENCE { codebookType CHOICE { type2 SEQUENCE { subType CHOICE { typeII-r16 SEQUENCE { n1-n2-codebookSubsetRestriction-r16 CHOICE { two-one BIT STRING (SIZE (16)), two-two BIT STRING (SIZE (43)), four-one BIT STRING (SIZE (32)), three-two BIT STRING (SIZE (59)), six-one BIT STRING (SIZE (48)), four-two BIT STRING (SIZE (75)), eight-one BIT STRING (SIZE (64)), four-three BIT STRING (SIZE (107)), six-two BIT STRING (SIZE (107)), twelve-one BIT STRING (SIZE (96)), four-four BIT STRING (SIZE (139)), eight-two BIT STRING (SIZE (139)), sixteen-one BIT STRING (SIZE (128)) }, typeII-RI-Restriction-r16 BIT STRING (SIZE(4)) }, typeII-PortSelection-r16 SEQUENCE { portSelectionSamplingSize-r16 ENUMERATED {n1, n2, n3, n4}, typeII-PortSelectionRI-Restriction-r16 BIT STRING (SIZE (4)) } }, numberOfPMI-SubbandsPerCQI-Subband-r16 INTEGER (1..2), paramCombination-r16 INTEGER (1..8) } } } CodebookConfig-r17 ::= SEQUENCE { codebookType CHOICE { type1 SEQUENCE { typeI-SinglePanel-Group1-r17 SEQUENCE { nrOfAntennaPorts CHOICE { two SEQUENCE { twoTX-CodebookSubsetRestriction1-r17 BIT STRING (SIZE (6)) }, moreThanTwo SEQUENCE { n1-n2 CHOICE { two-one-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (8)), two-two-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (64)), four-one-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (16)), three-two-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (96)), six-one-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (24)), four-two-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (128)), eight-one-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (32)), four-three-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (192)), six-two-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (192)), twelve-one-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (48)), four-four-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (256)), eight-two-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (256)), sixteen-one-TypeI-SinglePanel-Restriction1-r17 BIT STRING (SIZE (64)) } } } } OPTIONAL, -- Need R typeI-SinglePanel-Group2-r17 SEQUENCE { nrOfAntennaPorts CHOICE { two SEQUENCE { twoTX-CodebookSubsetRestriction2-r17 BIT STRING (SIZE (6)) }, moreThanTwo SEQUENCE { n1-n2 CHOICE { two-one-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (8)), two-two-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (64)), four-one-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (16)), three-two-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (96)), six-one-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (24)), four-two-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (128)), eight-one-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (32)), four-three-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (192)), six-two-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (192)), twelve-one-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (48)), four-four-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (256)), eight-two-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (256)), sixteen-one-TypeI-SinglePanel-Restriction2-r17 BIT STRING (SIZE (64)) } } } } OPTIONAL, -- Need R typeI-SinglePanel-ri-RestrictionSTRP-r17 BIT STRING (SIZE (8)) OPTIONAL, -- Need R typeI-SinglePanel-ri-RestrictionSDM-r17 BIT STRING (SIZE (4)) OPTIONAL -- Need R }, type2 SEQUENCE { typeII-PortSelection-r17 SEQUENCE { paramCombination-r17 INTEGER (1..8), valueOfN-r17 ENUMERATED {n2, n4} OPTIONAL, -- Need R numberOfPMI-SubbandsPerCQI-Subband-r17 INTEGER(1..2) OPTIONAL, -- Need R typeII-PortSelectionRI-Restriction-r17 BIT STRING (SIZE (4)) } } } } CodebookConfig-v1730 ::= SEQUENCE { codebookType CHOICE { type1 SEQUENCE { codebookMode INTEGER (1..2) OPTIONAL -- Need R } } } -- TAG-CODEBOOKCONFIG-STOP -- TAG-COMMONLOCATIONINFO-START CommonLocationInfo-r16 ::= SEQUENCE { gnss-TOD-msec-r16 OCTET STRING OPTIONAL, locationTimestamp-r16 OCTET STRING OPTIONAL, locationCoordinate-r16 OCTET STRING OPTIONAL, locationError-r16 OCTET STRING OPTIONAL, locationSource-r16 OCTET STRING OPTIONAL, velocityEstimate-r16 OCTET STRING OPTIONAL } -- TAG-COMMONLOCATIONINFO-STOP -- TAG-CONDRECONFIGID-START CondReconfigId-r16 ::= INTEGER (1.. maxNrofCondCells-r16) -- TAG-CONDRECONFIGID-STOP -- TAG-CONDRECONFIGTOADDMODLIST-START CondReconfigToAddModList-r16 ::= SEQUENCE (SIZE (1.. maxNrofCondCells-r16)) OF CondReconfigToAddMod-r16 CondReconfigToAddMod-r16 ::= SEQUENCE { condReconfigId-r16 CondReconfigId-r16, condExecutionCond-r16 SEQUENCE (SIZE (1..2)) OF MeasId OPTIONAL, -- Need M condRRCReconfig-r16 OCTET STRING (CONTAINING RRCReconfiguration) OPTIONAL, -- Cond condReconfigAdd ..., [[ condExecutionCondSCG-r17 OCTET STRING (CONTAINING CondReconfigExecCondSCG-r17) OPTIONAL -- Need M ]] } CondReconfigExecCondSCG-r17 ::= SEQUENCE (SIZE (1..2)) OF MeasId -- TAG-CONDRECONFIGTOADDMODLIST-STOP -- TAG-CONDITIONALRECONFIGURATION-START ConditionalReconfiguration-r16 ::= SEQUENCE { attemptCondReconfig-r16 ENUMERATED {true} OPTIONAL, -- Cond CHO condReconfigToRemoveList-r16 CondReconfigToRemoveList-r16 OPTIONAL, -- Need N condReconfigToAddModList-r16 CondReconfigToAddModList-r16 OPTIONAL, -- Need N ... } CondReconfigToRemoveList-r16 ::= SEQUENCE (SIZE (1.. maxNrofCondCells-r16)) OF CondReconfigId-r16 -- TAG-CONDITIONALRECONFIGURATION-STOP -- TAG-CONFIGUREDGRANTCONFIG-START ConfiguredGrantConfig ::= SEQUENCE { frequencyHopping ENUMERATED {intraSlot, interSlot} OPTIONAL, -- Need S cg-DMRS-Configuration DMRS-UplinkConfig, mcs-Table ENUMERATED {qam256, qam64LowSE} OPTIONAL, -- Need S mcs-TableTransformPrecoder ENUMERATED {qam256, qam64LowSE} OPTIONAL, -- Need S uci-OnPUSCH CHOICE {release NULL, setup CG-UCI-OnPUSCH } OPTIONAL, -- Need M resourceAllocation ENUMERATED { resourceAllocationType0, resourceAllocationType1, dynamicSwitch }, rbg-Size ENUMERATED {config2} OPTIONAL, -- Need S powerControlLoopToUse ENUMERATED {n0, n1}, p0-PUSCH-Alpha P0-PUSCH-AlphaSetId, transformPrecoder ENUMERATED {enabled, disabled} OPTIONAL, -- Need S nrofHARQ-Processes INTEGER(1..16), repK ENUMERATED {n1, n2, n4, n8}, repK-RV ENUMERATED {s1-0231, s2-0303, s3-0000} OPTIONAL, -- Need R periodicity ENUMERATED { sym2, sym7, sym1x14, sym2x14, sym4x14, sym5x14, sym8x14, sym10x14, sym16x14, sym20x14, sym32x14, sym40x14, sym64x14, sym80x14, sym128x14, sym160x14, sym256x14, sym320x14, sym512x14, sym640x14, sym1024x14, sym1280x14, sym2560x14, sym5120x14, sym6, sym1x12, sym2x12, sym4x12, sym5x12, sym8x12, sym10x12, sym16x12, sym20x12, sym32x12, sym40x12, sym64x12, sym80x12, sym128x12, sym160x12, sym256x12, sym320x12, sym512x12, sym640x12, sym1280x12, sym2560x12 }, configuredGrantTimer INTEGER (1..64) OPTIONAL, -- Need R rrc-ConfiguredUplinkGrant SEQUENCE { timeDomainOffset INTEGER (0..5119), timeDomainAllocation INTEGER (0..15), frequencyDomainAllocation BIT STRING (SIZE(18)), antennaPort INTEGER (0..31), dmrs-SeqInitialization INTEGER (0..1) OPTIONAL, -- Need R precodingAndNumberOfLayers INTEGER (0..63), srs-ResourceIndicator INTEGER (0..15) OPTIONAL, -- Need R mcsAndTBS INTEGER (0..31), frequencyHoppingOffset INTEGER (1.. maxNrofPhysicalResourceBlocks-1) OPTIONAL, -- Need R pathlossReferenceIndex INTEGER (0..maxNrofPUSCH-PathlossReferenceRSs-1), ..., [[ pusch-RepTypeIndicator-r16 ENUMERATED {pusch-RepTypeA,pusch-RepTypeB} OPTIONAL, -- Need M frequencyHoppingPUSCH-RepTypeB-r16 ENUMERATED {interRepetition, interSlot} OPTIONAL, -- Cond RepTypeB timeReferenceSFN-r16 ENUMERATED {sfn512} OPTIONAL -- Need S ]], [[ pathlossReferenceIndex2-r17 INTEGER (0..maxNrofPUSCH-PathlossReferenceRSs-1) OPTIONAL, -- Need R srs-ResourceIndicator2-r17 INTEGER (0..15) OPTIONAL, -- Need R precodingAndNumberOfLayers2-r17 INTEGER (0..63) OPTIONAL, -- Need R timeDomainAllocation-v1710 INTEGER (16..63) OPTIONAL, -- Need M timeDomainOffset-r17 INTEGER (0..40959) OPTIONAL, -- Need R cg-SDT-Configuration-r17 CG-SDT-Configuration-r17 OPTIONAL -- Need M ]] } OPTIONAL, -- Need R ..., [[ cg-RetransmissionTimer-r16 INTEGER (1..64) OPTIONAL, -- Need R cg-minDFI-Delay-r16 ENUMERATED {sym7, sym1x14, sym2x14, sym3x14, sym4x14, sym5x14, sym6x14, sym7x14, sym8x14, sym9x14, sym10x14, sym11x14, sym12x14, sym13x14, sym14x14,sym15x14, sym16x14 } OPTIONAL, -- Need R cg-nrofPUSCH-InSlot-r16 INTEGER (1..7) OPTIONAL, -- Need R cg-nrofSlots-r16 INTEGER (1..40) OPTIONAL, -- Need R cg-StartingOffsets-r16 CG-StartingOffsets-r16 OPTIONAL, -- Need R cg-UCI-Multiplexing-r16 ENUMERATED {enabled} OPTIONAL, -- Need R cg-COT-SharingOffset-r16 INTEGER (1..39) OPTIONAL, -- Need R betaOffsetCG-UCI-r16 INTEGER (0..31) OPTIONAL, -- Need R cg-COT-SharingList-r16 SEQUENCE (SIZE (1..1709)) OF CG-COT-Sharing-r16 OPTIONAL, -- Need R harq-ProcID-Offset-r16 INTEGER (0..15) OPTIONAL, -- Need M harq-ProcID-Offset2-r16 INTEGER (0..15) OPTIONAL, -- Need M configuredGrantConfigIndex-r16 ConfiguredGrantConfigIndex-r16 OPTIONAL, -- Cond CG-List configuredGrantConfigIndexMAC-r16 ConfiguredGrantConfigIndexMAC-r16 OPTIONAL, -- Cond CG-IndexMAC periodicityExt-r16 INTEGER (1..5120) OPTIONAL, -- Need R startingFromRV0-r16 ENUMERATED {on, off} OPTIONAL, -- Need R phy-PriorityIndex-r16 ENUMERATED {p0, p1} OPTIONAL, -- Need R autonomousTx-r16 ENUMERATED {enabled} OPTIONAL -- Cond LCH-BasedPrioritization ]], [[ cg-betaOffsetsCrossPri0-r17 CHOICE {release NULL, setup BetaOffsetsCrossPriSelCG-r17 } OPTIONAL, -- Need M cg-betaOffsetsCrossPri1-r17 CHOICE {release NULL, setup BetaOffsetsCrossPriSelCG-r17 } OPTIONAL, -- Need M mappingPattern-r17 ENUMERATED {cyclicMapping, sequentialMapping} OPTIONAL, -- Cond SRSsets sequenceOffsetForRV-r17 INTEGER (0..3) OPTIONAL, -- Need R p0-PUSCH-Alpha2-r17 P0-PUSCH-AlphaSetId OPTIONAL, -- Need R powerControlLoopToUse2-r17 ENUMERATED {n0, n1} OPTIONAL, -- Need R cg-COT-SharingList-r17 SEQUENCE (SIZE (1..50722)) OF CG-COT-Sharing-r17 OPTIONAL, -- Need R periodicityExt-r17 INTEGER (1..40960) OPTIONAL, -- Need R repK-v1710 ENUMERATED {n12, n16, n24, n32} OPTIONAL, -- Need R nrofHARQ-Processes-v1700 INTEGER(17..32) OPTIONAL, -- Need M harq-ProcID-Offset2-v1700 INTEGER (16..31) OPTIONAL, -- Need R configuredGrantTimer-v1700 INTEGER(33..288) OPTIONAL, -- Need R cg-minDFI-Delay-v1710 INTEGER (238..3584) OPTIONAL -- Need R ]], [[ harq-ProcID-Offset-v1730 INTEGER (16..31) OPTIONAL, -- Need R cg-nrofSlots-r17 INTEGER (1..320) OPTIONAL -- Need R ]] } CG-UCI-OnPUSCH ::= CHOICE { dynamic SEQUENCE (SIZE (1..4)) OF BetaOffsets, semiStatic BetaOffsets } CG-COT-Sharing-r16 ::= CHOICE { noCOT-Sharing-r16 NULL, cot-Sharing-r16 SEQUENCE { duration-r16 INTEGER (1..39), offset-r16 INTEGER (1..39), channelAccessPriority-r16 INTEGER (1..4) } } CG-COT-Sharing-r17 ::= CHOICE { noCOT-Sharing-r17 NULL, cot-Sharing-r17 SEQUENCE { duration-r17 INTEGER (1..319), offset-r17 INTEGER (1..319) } } CG-StartingOffsets-r16 ::= SEQUENCE { cg-StartingFullBW-InsideCOT-r16 SEQUENCE (SIZE (1..7)) OF INTEGER (0..6) OPTIONAL, -- Need R cg-StartingFullBW-OutsideCOT-r16 SEQUENCE (SIZE (1..7)) OF INTEGER (0..6) OPTIONAL, -- Need R cg-StartingPartialBW-InsideCOT-r16 INTEGER (0..6) OPTIONAL, -- Need R cg-StartingPartialBW-OutsideCOT-r16 INTEGER (0..6) OPTIONAL -- Need R } BetaOffsetsCrossPriSelCG-r17 ::= CHOICE { dynamic-r17 SEQUENCE (SIZE (1..4)) OF BetaOffsetsCrossPri-r17, semiStatic-r17 BetaOffsetsCrossPri-r17 } CG-SDT-Configuration-r17 ::= SEQUENCE { cg-SDT-RetransmissionTimer INTEGER (1..64) OPTIONAL, -- Need R sdt-SSB-Subset-r17 CHOICE { shortBitmap-r17 BIT STRING (SIZE (4)), mediumBitmap-r17 BIT STRING (SIZE (8)), longBitmap-r17 BIT STRING (SIZE (64)) } OPTIONAL, -- Need S sdt-SSB-PerCG-PUSCH-r17 ENUMERATED {oneEighth, oneFourth, half, one, two, four, eight, sixteen} OPTIONAL, -- Need M sdt-P0-PUSCH-r17 INTEGER (-16..15) OPTIONAL, -- Need M sdt-Alpha-r17 ENUMERATED {alpha0, alpha04, alpha05, alpha06, alpha07, alpha08, alpha09, alpha1} OPTIONAL, -- Need M sdt-DMRS-Ports-r17 CHOICE { dmrsType1-r17 BIT STRING (SIZE (8)), dmrsType2-r17 BIT STRING (SIZE (12)) } OPTIONAL, -- Need M sdt-NrofDMRS-Sequences-r17 INTEGER (1..2) OPTIONAL -- Need M } -- TAG-CONFIGUREDGRANTCONFIG-STOP -- TAG-CONFIGUREDGRANTCONFIGINDEX-START ConfiguredGrantConfigIndex-r16 ::= INTEGER (0.. maxNrofConfiguredGrantConfig-1-r16) -- TAG-CONFIGUREDGRANTCONFIGINDEX-STOP -- TAG-CONFIGUREDGRANTCONFIGINDEXMAC-START ConfiguredGrantConfigIndexMAC-r16 ::= INTEGER (0.. maxNrofConfiguredGrantConfigMAC-1-r16) -- TAG-CONFIGUREDGRANTCONFIGINDEXMAC-STOP -- TAG-CONNESTFAILURECONTROL-START ConnEstFailureControl ::= SEQUENCE { connEstFailCount ENUMERATED {n1, n2, n3, n4}, connEstFailOffsetValidity ENUMERATED {s30, s60, s120, s240, s300, s420, s600, s900}, connEstFailOffset INTEGER (0..15) OPTIONAL -- Need S } -- TAG-CONNESTFAILURECONTROL-STOP -- TAG-CONTROLRESOURCESET-START ControlResourceSet ::= SEQUENCE { controlResourceSetId ControlResourceSetId, frequencyDomainResources BIT STRING (SIZE (45)), duration INTEGER (1..maxCoReSetDuration), cce-REG-MappingType CHOICE { interleaved SEQUENCE { reg-BundleSize ENUMERATED {n2, n3, n6}, interleaverSize ENUMERATED {n2, n3, n6}, shiftIndex INTEGER(0..maxNrofPhysicalResourceBlocks-1) OPTIONAL -- Need S }, nonInterleaved NULL }, precoderGranularity ENUMERATED {sameAsREG-bundle, allContiguousRBs}, tci-StatesPDCCH-ToAddList SEQUENCE(SIZE (1..maxNrofTCI-StatesPDCCH)) OF TCI-StateId OPTIONAL, -- Cond NotSIB-initialBWP tci-StatesPDCCH-ToReleaseList SEQUENCE(SIZE (1..maxNrofTCI-StatesPDCCH)) OF TCI-StateId OPTIONAL, -- Cond NotSIB-initialBWP tci-PresentInDCI ENUMERATED {enabled} OPTIONAL, -- Need S pdcch-DMRS-ScramblingID INTEGER (0..65535) OPTIONAL, -- Need S ..., [[ rb-Offset-r16 INTEGER (0..5) OPTIONAL, -- Need S tci-PresentDCI-1-2-r16 INTEGER (1..3) OPTIONAL, -- Need S coresetPoolIndex-r16 INTEGER (0..1) OPTIONAL, -- Need S controlResourceSetId-v1610 ControlResourceSetId-v1610 OPTIONAL -- Need S ]], [[ followUnifiedTCI-State-r17 ENUMERATED {enabled} OPTIONAL -- Need R ]] } -- TAG-CONTROLRESOURCESET-STOP -- TAG-CONTROLRESOURCESETID-START ControlResourceSetId ::= INTEGER (0..maxNrofControlResourceSets-1) ControlResourceSetId-r16 ::= INTEGER (0..maxNrofControlResourceSets-1-r16) ControlResourceSetId-v1610 ::= INTEGER (maxNrofControlResourceSets..maxNrofControlResourceSets-1-r16) -- TAG-CONTROLRESOURCESETID-STOP -- TAG-CONTROLRESOURCESETZERO-START ControlResourceSetZero ::= INTEGER (0..15) -- TAG-CONTROLRESOURCESETZERO-STOP -- TAG-CROSSCARRIERSCHEDULINGCONFIG-START CrossCarrierSchedulingConfig ::= SEQUENCE { schedulingCellInfo CHOICE { own SEQUENCE { -- Cross carrier scheduling: scheduling cell cif-Presence BOOLEAN }, other SEQUENCE { -- Cross carrier scheduling: scheduled cell schedulingCellId ServCellIndex, cif-InSchedulingCell INTEGER (1..7) } }, ..., [[ carrierIndicatorSize-r16 SEQUENCE { carrierIndicatorSizeDCI-1-2-r16 INTEGER (0..3), carrierIndicatorSizeDCI-0-2-r16 INTEGER (0..3) } OPTIONAL, -- Cond CIF-PRESENCE enableDefaultBeamForCCS-r16 ENUMERATED {enabled} OPTIONAL -- Need S ]], [[ ccs-BlindDetectionSplit-r17 ENUMERATED {oneSeventh, threeFourteenth, twoSeventh, threeSeventh, oneHalf, fourSeventh, fiveSeventh, spare1} OPTIONAL -- Need R ]] } -- TAG-CROSSCARRIERSCHEDULINGCONFIG-STOP -- TAG-CSI-APERIODICTRIGGERSTATELIST-START CSI-AperiodicTriggerStateList ::= SEQUENCE (SIZE (1..maxNrOfCSI-AperiodicTriggers)) OF CSI-AperiodicTriggerState CSI-AperiodicTriggerState ::= SEQUENCE { associatedReportConfigInfoList SEQUENCE (SIZE(1..maxNrofReportConfigPerAperiodicTrigger)) OF CSI-AssociatedReportConfigInfo, ..., [[ ap-CSI-MultiplexingMode-r17 ENUMERATED {enabled} OPTIONAL -- Need R ]] } CSI-AssociatedReportConfigInfo ::= SEQUENCE { reportConfigId CSI-ReportConfigId, resourcesForChannel CHOICE { nzp-CSI-RS SEQUENCE { resourceSet INTEGER (1..maxNrofNZP-CSI-RS-ResourceSetsPerConfig), qcl-info SEQUENCE (SIZE(1..maxNrofAP-CSI-RS-ResourcesPerSet)) OF TCI-StateId OPTIONAL -- Cond Aperiodic }, csi-SSB-ResourceSet INTEGER (1..maxNrofCSI-SSB-ResourceSetsPerConfig) }, csi-IM-ResourcesForInterference INTEGER(1..maxNrofCSI-IM-ResourceSetsPerConfig) OPTIONAL, -- Cond CSI-IM-ForInterference nzp-CSI-RS-ResourcesForInterference INTEGER (1..maxNrofNZP-CSI-RS-ResourceSetsPerConfig) OPTIONAL, -- Cond NZP-CSI-RS-ForInterference ..., [[ resourcesForChannel2-r17 CHOICE { nzp-CSI-RS2-r17 SEQUENCE { resourceSet2-r17 INTEGER (1..maxNrofNZP-CSI-RS-ResourceSetsPerConfig), qcl-info2-r17 SEQUENCE (SIZE(1..maxNrofAP-CSI-RS-ResourcesPerSet)) OF TCI-StateId OPTIONAL -- Cond Aperiodic }, csi-SSB-ResourceSet2-r17 INTEGER (1..maxNrofCSI-SSB-ResourceSetsPerConfigExt) } OPTIONAL, -- Cond NoUnifiedTCI csi-SSB-ResourceSetExt INTEGER (1..maxNrofCSI-SSB-ResourceSetsPerConfigExt) OPTIONAL -- Need R ]] } -- TAG-CSI-APERIODICTRIGGERSTATELIST-STOP -- TAG-CSI-FREQUENCYOCCUPATION-START CSI-FrequencyOccupation ::= SEQUENCE { startingRB INTEGER (0..maxNrofPhysicalResourceBlocks-1), nrofRBs INTEGER (24..maxNrofPhysicalResourceBlocksPlus1), ... } -- TAG-CSI-FREQUENCYOCCUPATION-STOP -- TAG-CSI-IM-RESOURCE-START CSI-IM-Resource ::= SEQUENCE { csi-IM-ResourceId CSI-IM-ResourceId, csi-IM-ResourceElementPattern CHOICE { pattern0 SEQUENCE { subcarrierLocation-p0 ENUMERATED { s0, s2, s4, s6, s8, s10 }, symbolLocation-p0 INTEGER (0..12) }, pattern1 SEQUENCE { subcarrierLocation-p1 ENUMERATED { s0, s4, s8 }, symbolLocation-p1 INTEGER (0..13) } } OPTIONAL, -- Need M freqBand CSI-FrequencyOccupation OPTIONAL, -- Need M periodicityAndOffset CSI-ResourcePeriodicityAndOffset OPTIONAL, -- Cond PeriodicOrSemiPersistent ... } -- TAG-CSI-IM-RESOURCE-STOP -- TAG-CSI-IM-RESOURCEID-START CSI-IM-ResourceId ::= INTEGER (0..maxNrofCSI-IM-Resources-1) -- TAG-CSI-IM-RESOURCEID-STOP -- TAG-CSI-IM-RESOURCESET-START CSI-IM-ResourceSet ::= SEQUENCE { csi-IM-ResourceSetId CSI-IM-ResourceSetId, csi-IM-Resources SEQUENCE (SIZE(1..maxNrofCSI-IM-ResourcesPerSet)) OF CSI-IM-ResourceId, ... } -- TAG-CSI-IM-RESOURCESET-STOP -- TAG-CSI-IM-RESOURCESETID-START CSI-IM-ResourceSetId ::= INTEGER (0..maxNrofCSI-IM-ResourceSets-1) -- TAG-CSI-IM-RESOURCESETID-STOP -- TAG-CSI-MEASCONFIG-START CSI-MeasConfig ::= SEQUENCE { nzp-CSI-RS-ResourceToAddModList SEQUENCE (SIZE (1..maxNrofNZP-CSI-RS-Resources)) OF NZP-CSI-RS-Resource OPTIONAL, -- Need N nzp-CSI-RS-ResourceToReleaseList SEQUENCE (SIZE (1..maxNrofNZP-CSI-RS-Resources)) OF NZP-CSI-RS-ResourceId OPTIONAL, -- Need N nzp-CSI-RS-ResourceSetToAddModList SEQUENCE (SIZE (1..maxNrofNZP-CSI-RS-ResourceSets)) OF NZP-CSI-RS-ResourceSet OPTIONAL, -- Need N nzp-CSI-RS-ResourceSetToReleaseList SEQUENCE (SIZE (1..maxNrofNZP-CSI-RS-ResourceSets)) OF NZP-CSI-RS-ResourceSetId OPTIONAL, -- Need N csi-IM-ResourceToAddModList SEQUENCE (SIZE (1..maxNrofCSI-IM-Resources)) OF CSI-IM-Resource OPTIONAL, -- Need N csi-IM-ResourceToReleaseList SEQUENCE (SIZE (1..maxNrofCSI-IM-Resources)) OF CSI-IM-ResourceId OPTIONAL, -- Need N csi-IM-ResourceSetToAddModList SEQUENCE (SIZE (1..maxNrofCSI-IM-ResourceSets)) OF CSI-IM-ResourceSet OPTIONAL, -- Need N csi-IM-ResourceSetToReleaseList SEQUENCE (SIZE (1..maxNrofCSI-IM-ResourceSets)) OF CSI-IM-ResourceSetId OPTIONAL, -- Need N csi-SSB-ResourceSetToAddModList SEQUENCE (SIZE (1..maxNrofCSI-SSB-ResourceSets)) OF CSI-SSB-ResourceSet OPTIONAL, -- Need N csi-SSB-ResourceSetToReleaseList SEQUENCE (SIZE (1..maxNrofCSI-SSB-ResourceSets)) OF CSI-SSB-ResourceSetId OPTIONAL, -- Need N csi-ResourceConfigToAddModList SEQUENCE (SIZE (1..maxNrofCSI-ResourceConfigurations)) OF CSI-ResourceConfig OPTIONAL, -- Need N csi-ResourceConfigToReleaseList SEQUENCE (SIZE (1..maxNrofCSI-ResourceConfigurations)) OF CSI-ResourceConfigId OPTIONAL, -- Need N csi-ReportConfigToAddModList SEQUENCE (SIZE (1..maxNrofCSI-ReportConfigurations)) OF CSI-ReportConfig OPTIONAL, -- Need N csi-ReportConfigToReleaseList SEQUENCE (SIZE (1..maxNrofCSI-ReportConfigurations)) OF CSI-ReportConfigId OPTIONAL, -- Need N reportTriggerSize INTEGER (0..6) OPTIONAL, -- Need M aperiodicTriggerStateList CHOICE {release NULL, setup CSI-AperiodicTriggerStateList } OPTIONAL, -- Need M semiPersistentOnPUSCH-TriggerStateList CHOICE {release NULL, setup CSI-SemiPersistentOnPUSCH-TriggerStateList } OPTIONAL, -- Need M ..., [[ reportTriggerSizeDCI-0-2-r16 INTEGER (0..6) OPTIONAL -- Need R ]], [[ sCellActivationRS-ConfigToAddModList-r17 SEQUENCE (SIZE (1..maxNrofSCellActRS-r17)) OF SCellActivationRS-Config-r17 OPTIONAL, -- Need N sCellActivationRS-ConfigToReleaseList-r17 SEQUENCE (SIZE (1..maxNrofSCellActRS-r17)) OF SCellActivationRS-ConfigId-r17 OPTIONAL -- Need N ]] } -- TAG-CSI-MEASCONFIG-STOP -- TAG-CSI-REPORTCONFIG-START CSI-ReportConfig ::= SEQUENCE { reportConfigId CSI-ReportConfigId, carrier ServCellIndex OPTIONAL, -- Need S resourcesForChannelMeasurement CSI-ResourceConfigId, csi-IM-ResourcesForInterference CSI-ResourceConfigId OPTIONAL, -- Need R nzp-CSI-RS-ResourcesForInterference CSI-ResourceConfigId OPTIONAL, -- Need R reportConfigType CHOICE { periodic SEQUENCE { reportSlotConfig CSI-ReportPeriodicityAndOffset, pucch-CSI-ResourceList SEQUENCE (SIZE (1..maxNrofBWPs)) OF PUCCH-CSI-Resource }, semiPersistentOnPUCCH SEQUENCE { reportSlotConfig CSI-ReportPeriodicityAndOffset, pucch-CSI-ResourceList SEQUENCE (SIZE (1..maxNrofBWPs)) OF PUCCH-CSI-Resource }, semiPersistentOnPUSCH SEQUENCE { reportSlotConfig ENUMERATED {sl5, sl10, sl20, sl40, sl80, sl160, sl320}, reportSlotOffsetList SEQUENCE (SIZE (1.. maxNrofUL-Allocations)) OF INTEGER(0..32), p0alpha P0-PUSCH-AlphaSetId }, aperiodic SEQUENCE { reportSlotOffsetList SEQUENCE (SIZE (1..maxNrofUL-Allocations)) OF INTEGER(0..32) } }, reportQuantity CHOICE { none NULL, cri-RI-PMI-CQI NULL, cri-RI-i1 NULL, cri-RI-i1-CQI SEQUENCE { pdsch-BundleSizeForCSI ENUMERATED {n2, n4} OPTIONAL -- Need S }, cri-RI-CQI NULL, cri-RSRP NULL, ssb-Index-RSRP NULL, cri-RI-LI-PMI-CQI NULL }, reportFreqConfiguration SEQUENCE { cqi-FormatIndicator ENUMERATED { widebandCQI, subbandCQI } OPTIONAL, -- Need R pmi-FormatIndicator ENUMERATED { widebandPMI, subbandPMI } OPTIONAL, -- Need R csi-ReportingBand CHOICE { subbands3 BIT STRING(SIZE(3)), subbands4 BIT STRING(SIZE(4)), subbands5 BIT STRING(SIZE(5)), subbands6 BIT STRING(SIZE(6)), subbands7 BIT STRING(SIZE(7)), subbands8 BIT STRING(SIZE(8)), subbands9 BIT STRING(SIZE(9)), subbands10 BIT STRING(SIZE(10)), subbands11 BIT STRING(SIZE(11)), subbands12 BIT STRING(SIZE(12)), subbands13 BIT STRING(SIZE(13)), subbands14 BIT STRING(SIZE(14)), subbands15 BIT STRING(SIZE(15)), subbands16 BIT STRING(SIZE(16)), subbands17 BIT STRING(SIZE(17)), subbands18 BIT STRING(SIZE(18)), ..., subbands19-v1530 BIT STRING(SIZE(19)) } OPTIONAL -- Need S } OPTIONAL, -- Need R timeRestrictionForChannelMeasurements ENUMERATED {configured, notConfigured}, timeRestrictionForInterferenceMeasurements ENUMERATED {configured, notConfigured}, codebookConfig CodebookConfig OPTIONAL, -- Need R dummy ENUMERATED {n1, n2} OPTIONAL, -- Need R groupBasedBeamReporting CHOICE { enabled NULL, disabled SEQUENCE { nrofReportedRS ENUMERATED {n1, n2, n3, n4} OPTIONAL -- Need S } }, cqi-Table ENUMERATED {table1, table2, table3, table4-r17} OPTIONAL, -- Need R subbandSize ENUMERATED {value1, value2}, non-PMI-PortIndication SEQUENCE (SIZE (1..maxNrofNZP-CSI-RS-ResourcesPerConfig)) OF PortIndexFor8Ranks OPTIONAL, -- Need R ..., [[ semiPersistentOnPUSCH-v1530 SEQUENCE { reportSlotConfig-v1530 ENUMERATED {sl4, sl8, sl16} } OPTIONAL -- Need R ]], [[ semiPersistentOnPUSCH-v1610 SEQUENCE { reportSlotOffsetListDCI-0-2-r16 SEQUENCE (SIZE (1.. maxNrofUL-Allocations-r16)) OF INTEGER(0..32) OPTIONAL, -- Need R reportSlotOffsetListDCI-0-1-r16 SEQUENCE (SIZE (1.. maxNrofUL-Allocations-r16)) OF INTEGER(0..32) OPTIONAL -- Need R } OPTIONAL, -- Need R aperiodic-v1610 SEQUENCE { reportSlotOffsetListDCI-0-2-r16 SEQUENCE (SIZE (1.. maxNrofUL-Allocations-r16)) OF INTEGER(0..32) OPTIONAL, -- Need R reportSlotOffsetListDCI-0-1-r16 SEQUENCE (SIZE (1.. maxNrofUL-Allocations-r16)) OF INTEGER(0..32) OPTIONAL -- Need R } OPTIONAL, -- Need R reportQuantity-r16 CHOICE { cri-SINR-r16 NULL, ssb-Index-SINR-r16 NULL } OPTIONAL, -- Need R codebookConfig-r16 CodebookConfig-r16 OPTIONAL -- Need R ]], [[ cqi-BitsPerSubband-r17 ENUMERATED {bits4} OPTIONAL, -- Need R groupBasedBeamReporting-v1710 SEQUENCE { nrofReportedGroups-r17 ENUMERATED {n1, n2, n3, n4} } OPTIONAL, -- Need R codebookConfig-r17 CodebookConfig-r17 OPTIONAL, -- Need R sharedCMR-r17 ENUMERATED {enable} OPTIONAL, -- Need R csi-ReportMode-r17 ENUMERATED {mode1, mode2} OPTIONAL, -- Need R numberOfSingleTRP-CSI-Mode1-r17 ENUMERATED {n0, n1, n2} OPTIONAL, -- Need R reportQuantity-r17 CHOICE { cri-RSRP-Index-r17 NULL, ssb-Index-RSRP-Index-r17 NULL, cri-SINR-Index-r17 NULL, ssb-Index-SINR-Index-r17 NULL } OPTIONAL -- Need R ]], [[ semiPersistentOnPUSCH-v1720 SEQUENCE { reportSlotOffsetList-r17 SEQUENCE (SIZE (1.. maxNrofUL-Allocations-r16)) OF INTEGER(0..128) OPTIONAL, -- Need R reportSlotOffsetListDCI-0-2-r17 SEQUENCE (SIZE (1.. maxNrofUL-Allocations-r16)) OF INTEGER(0..128) OPTIONAL, -- Need R reportSlotOffsetListDCI-0-1-r17 SEQUENCE (SIZE (1.. maxNrofUL-Allocations-r16)) OF INTEGER(0..128) OPTIONAL -- Need R } OPTIONAL, -- Need R aperiodic-v1720 SEQUENCE { reportSlotOffsetList-r17 SEQUENCE (SIZE (1.. maxNrofUL-Allocations-r16)) OF INTEGER(0..128) OPTIONAL, -- Need R reportSlotOffsetListDCI-0-2-r17 SEQUENCE (SIZE (1.. maxNrofUL-Allocations-r16)) OF INTEGER(0..128) OPTIONAL, -- Need R reportSlotOffsetListDCI-0-1-r17 SEQUENCE (SIZE (1.. maxNrofUL-Allocations-r16)) OF INTEGER(0..128) OPTIONAL -- Need R } OPTIONAL -- Need R ]], [[ codebookConfig-v1730 CodebookConfig-v1730 OPTIONAL -- Need R ]] } CSI-ReportPeriodicityAndOffset ::= CHOICE { slots4 INTEGER(0..3), slots5 INTEGER(0..4), slots8 INTEGER(0..7), slots10 INTEGER(0..9), slots16 INTEGER(0..15), slots20 INTEGER(0..19), slots40 INTEGER(0..39), slots80 INTEGER(0..79), slots160 INTEGER(0..159), slots320 INTEGER(0..319) } PUCCH-CSI-Resource ::= SEQUENCE { uplinkBandwidthPartId BWP-Id, pucch-Resource PUCCH-ResourceId } PortIndexFor8Ranks ::= CHOICE { portIndex8 SEQUENCE{ rank1-8 PortIndex8 OPTIONAL, -- Need R rank2-8 SEQUENCE(SIZE(2)) OF PortIndex8 OPTIONAL, -- Need R rank3-8 SEQUENCE(SIZE(3)) OF PortIndex8 OPTIONAL, -- Need R rank4-8 SEQUENCE(SIZE(4)) OF PortIndex8 OPTIONAL, -- Need R rank5-8 SEQUENCE(SIZE(5)) OF PortIndex8 OPTIONAL, -- Need R rank6-8 SEQUENCE(SIZE(6)) OF PortIndex8 OPTIONAL, -- Need R rank7-8 SEQUENCE(SIZE(7)) OF PortIndex8 OPTIONAL, -- Need R rank8-8 SEQUENCE(SIZE(8)) OF PortIndex8 OPTIONAL -- Need R }, portIndex4 SEQUENCE{ rank1-4 PortIndex4 OPTIONAL, -- Need R rank2-4 SEQUENCE(SIZE(2)) OF PortIndex4 OPTIONAL, -- Need R rank3-4 SEQUENCE(SIZE(3)) OF PortIndex4 OPTIONAL, -- Need R rank4-4 SEQUENCE(SIZE(4)) OF PortIndex4 OPTIONAL -- Need R }, portIndex2 SEQUENCE{ rank1-2 PortIndex2 OPTIONAL, -- Need R rank2-2 SEQUENCE(SIZE(2)) OF PortIndex2 OPTIONAL -- Need R }, portIndex1 NULL } PortIndex8::= INTEGER (0..7) PortIndex4::= INTEGER (0..3) PortIndex2::= INTEGER (0..1) -- TAG-CSI-REPORTCONFIG-STOP -- TAG-CSI-REPORTCONFIGID-START CSI-ReportConfigId ::= INTEGER (0..maxNrofCSI-ReportConfigurations-1) -- TAG-CSI-REPORTCONFIGID-STOP -- TAG-CSI-RESOURCECONFIG-START CSI-ResourceConfig ::= SEQUENCE { csi-ResourceConfigId CSI-ResourceConfigId, csi-RS-ResourceSetList CHOICE { nzp-CSI-RS-SSB SEQUENCE { nzp-CSI-RS-ResourceSetList SEQUENCE (SIZE (1..maxNrofNZP-CSI-RS-ResourceSetsPerConfig)) OF NZP-CSI-RS-ResourceSetId OPTIONAL, -- Need R csi-SSB-ResourceSetList SEQUENCE (SIZE (1..maxNrofCSI-SSB-ResourceSetsPerConfig)) OF CSI-SSB-ResourceSetId OPTIONAL -- Need R }, csi-IM-ResourceSetList SEQUENCE (SIZE (1..maxNrofCSI-IM-ResourceSetsPerConfig)) OF CSI-IM-ResourceSetId }, bwp-Id BWP-Id, resourceType ENUMERATED { aperiodic, semiPersistent, periodic }, ..., [[ csi-SSB-ResourceSetListExt-r17 CSI-SSB-ResourceSetId OPTIONAL -- Need R ]] } -- TAG-CSI-RESOURCECONFIG-STOP -- TAG-CSI-RESOURCECONFIGID-START CSI-ResourceConfigId ::= INTEGER (0..maxNrofCSI-ResourceConfigurations-1) -- TAG-CSI-RESOURCECONFIGID-STOP -- TAG-CSI-RESOURCEPERIODICITYANDOFFSET-START CSI-ResourcePeriodicityAndOffset ::= CHOICE { slots4 INTEGER (0..3), slots5 INTEGER (0..4), slots8 INTEGER (0..7), slots10 INTEGER (0..9), slots16 INTEGER (0..15), slots20 INTEGER (0..19), slots32 INTEGER (0..31), slots40 INTEGER (0..39), slots64 INTEGER (0..63), slots80 INTEGER (0..79), slots160 INTEGER (0..159), slots320 INTEGER (0..319), slots640 INTEGER (0..639) } -- TAG-CSI-RESOURCEPERIODICITYANDOFFSET-STOP -- TAG-CSI-RS-RESOURCECONFIGMOBILITY-START CSI-RS-ResourceConfigMobility ::= SEQUENCE { subcarrierSpacing SubcarrierSpacing, csi-RS-CellList-Mobility SEQUENCE (SIZE (1..maxNrofCSI-RS-CellsRRM)) OF CSI-RS-CellMobility, ..., [[ refServCellIndex ServCellIndex OPTIONAL -- Need S ]] } CSI-RS-CellMobility ::= SEQUENCE { cellId PhysCellId, csi-rs-MeasurementBW SEQUENCE { nrofPRBs ENUMERATED { size24, size48, size96, size192, size264}, startPRB INTEGER(0..2169) }, density ENUMERATED {d1,d3} OPTIONAL, -- Need R csi-rs-ResourceList-Mobility SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesRRM)) OF CSI-RS-Resource-Mobility } CSI-RS-Resource-Mobility ::= SEQUENCE { csi-RS-Index CSI-RS-Index, slotConfig CHOICE { ms4 INTEGER (0..31), ms5 INTEGER (0..39), ms10 INTEGER (0..79), ms20 INTEGER (0..159), ms40 INTEGER (0..319) }, associatedSSB SEQUENCE { ssb-Index SSB-Index, isQuasiColocated BOOLEAN } OPTIONAL, -- Need R frequencyDomainAllocation CHOICE { row1 BIT STRING (SIZE (4)), row2 BIT STRING (SIZE (12)) }, firstOFDMSymbolInTimeDomain INTEGER (0..13), sequenceGenerationConfig INTEGER (0..1023), ..., [[ slotConfig-r17 CHOICE { ms4 INTEGER (0..255), ms5 INTEGER (0..319), ms10 INTEGER (0..639), ms20 INTEGER (0..1279), ms40 INTEGER (0..2559) } OPTIONAL -- Need R ]] } CSI-RS-Index ::= INTEGER (0..maxNrofCSI-RS-ResourcesRRM-1) -- TAG-CSI-RS-RESOURCECONFIGMOBILITY-STOP -- TAG-CSI-RS-RESOURCEMAPPING-START CSI-RS-ResourceMapping ::= SEQUENCE { frequencyDomainAllocation CHOICE { row1 BIT STRING (SIZE (4)), row2 BIT STRING (SIZE (12)), row4 BIT STRING (SIZE (3)), other BIT STRING (SIZE (6)) }, nrofPorts ENUMERATED {p1,p2,p4,p8,p12,p16,p24,p32}, firstOFDMSymbolInTimeDomain INTEGER (0..13), firstOFDMSymbolInTimeDomain2 INTEGER (2..12) OPTIONAL, -- Need R cdm-Type ENUMERATED {noCDM, fd-CDM2, cdm4-FD2-TD2, cdm8-FD2-TD4}, density CHOICE { dot5 ENUMERATED {evenPRBs, oddPRBs}, one NULL, three NULL, spare NULL }, freqBand CSI-FrequencyOccupation, ... } -- TAG-CSI-RS-RESOURCEMAPPING-STOP -- TAG-CSI-SEMIPERSISTENTONPUSCHTRIGGERSTATELIST-START CSI-SemiPersistentOnPUSCH-TriggerStateList ::= SEQUENCE(SIZE (1..maxNrOfSemiPersistentPUSCH-Triggers)) OF CSI-SemiPersistentOnPUSCH-TriggerState CSI-SemiPersistentOnPUSCH-TriggerState ::= SEQUENCE { associatedReportConfigInfo CSI-ReportConfigId, ..., [[ sp-CSI-MultiplexingMode-r17 ENUMERATED {enabled} OPTIONAL -- Need R ]] } -- TAG-CSI-SEMIPERSISTENTONPUSCHTRIGGERSTATELIST-STOP -- TAG-CSI-SSB-RESOURCESET-START CSI-SSB-ResourceSet ::= SEQUENCE { csi-SSB-ResourceSetId CSI-SSB-ResourceSetId, csi-SSB-ResourceList SEQUENCE (SIZE(1..maxNrofCSI-SSB-ResourcePerSet)) OF SSB-Index, ..., [[ servingAdditionalPCIList-r17 SEQUENCE (SIZE(1..maxNrofCSI-SSB-ResourcePerSet)) OF ServingAdditionalPCIIndex-r17 OPTIONAL -- Need R ]] } ServingAdditionalPCIIndex-r17 ::= INTEGER(0..maxNrofAdditionalPCI-r17) -- TAG-CSI-SSB-RESOURCESET-STOP -- TAG-CSI-SSB-RESOURCESETID-START CSI-SSB-ResourceSetId ::= INTEGER (0..maxNrofCSI-SSB-ResourceSets-1) -- TAG-CSI-SSB-RESOURCESETID-STOP -- TAG-DEDICATED-NAS-MESSAGE-START DedicatedNAS-Message ::= OCTET STRING -- TAG-DEDICATED-NAS-MESSAGE-STOP -- TAG-DL-PPW-PRECONFIG-START DL-PPW-PreConfig-r17 ::= SEQUENCE { dl-PPW-ID-r17 DL-PPW-ID-r17, dl-PPW-PeriodicityAndStartSlot-r17 DL-PPW-PeriodicityAndStartSlot-r17, length-r17 INTEGER (1..160), type-r17 ENUMERATED {type1A, type1B, type2} OPTIONAL, -- Cond MultiType priority-r17 ENUMERATED {st1, st2, st3} OPTIONAL -- Cond MultiState } DL-PPW-ID-r17 ::= INTEGER (0..maxNrofPPW-ID-1-r17) DL-PPW-PeriodicityAndStartSlot-r17 ::= CHOICE { scs15 CHOICE { n4 INTEGER (0..3), n5 INTEGER (0..4), n8 INTEGER (0..7), n10 INTEGER (0..9), n16 INTEGER (0..15), n20 INTEGER (0..19), n32 INTEGER (0..31), n40 INTEGER (0..39), n64 INTEGER (0..63), n80 INTEGER (0..79), n160 INTEGER (0..159), n320 INTEGER (0..319), n640 INTEGER (0..639), n1280 INTEGER (0..1279), n2560 INTEGER (0..2559), n5120 INTEGER (0..5119), n10240 INTEGER (0..10239), ... }, scs30 CHOICE { n8 INTEGER (0..7), n10 INTEGER (0..9), n16 INTEGER (0..15), n20 INTEGER (0..19), n32 INTEGER (0..31), n40 INTEGER (0..39), n64 INTEGER (0..63), n80 INTEGER (0..79), n128 INTEGER (0..127), n160 INTEGER (0..159), n320 INTEGER (0..319), n640 INTEGER (0..639), n1280 INTEGER (0..1279), n2560 INTEGER (0..2559), n5120 INTEGER (0..5119), n10240 INTEGER (0..10239), n20480 INTEGER (0..20479), ... }, scs60 CHOICE { n16 INTEGER (0..15), n20 INTEGER (0..19), n32 INTEGER (0..31), n40 INTEGER (0..39), n64 INTEGER (0..63), n80 INTEGER (0..79), n128 INTEGER (0..127), n160 INTEGER (0..159), n256 INTEGER (0..255), n320 INTEGER (0..319), n640 INTEGER (0..639), n1280 INTEGER (0..1279), n2560 INTEGER (0..2559), n5120 INTEGER (0..5119), n10240 INTEGER (0..10239), n20480 INTEGER (0..20479), n40960 INTEGER (0..40959), ... }, scs120 CHOICE { n32 INTEGER (0..31), n40 INTEGER (0..39), n64 INTEGER (0..63), n80 INTEGER (0..79), n128 INTEGER (0..127), n160 INTEGER (0..159), n256 INTEGER (0..255), n320 INTEGER (0..319), n512 INTEGER (0..511), n640 INTEGER (0..639), n1280 INTEGER (0..1279), n2560 INTEGER (0..2559), n5120 INTEGER (0..5119), n10240 INTEGER (0..10239), n20480 INTEGER (0..20479), n40960 INTEGER (0..40959), n81920 INTEGER (0..81919), ... }, ... } -- TAG-DL-PPW-PRECONFIG-STOP -- TAG-DMRS-BUNDLINGPUCCH-CONFIG-START DMRS-BundlingPUCCH-Config-r17 ::= SEQUENCE { pucch-DMRS-Bundling-r17 ENUMERATED {enabled} OPTIONAL, -- Need R pucch-TimeDomainWindowLength-r17 INTEGER (2..8) OPTIONAL, -- Need S pucch-WindowRestart-r17 ENUMERATED {enabled} OPTIONAL, -- Need R pucch-FrequencyHoppingInterval-r17 ENUMERATED {s2, s4, s5, s10} OPTIONAL, -- Need S ... } -- TAG-DMRS-BUNDLINGPUCCH-CONFIG-STOP -- TAG-DMRS-BUNDLINGPUSCH-CONFIG-START DMRS-BundlingPUSCH-Config-r17 ::= SEQUENCE { pusch-DMRS-Bundling-r17 ENUMERATED {enabled} OPTIONAL, -- Need R pusch-TimeDomainWindowLength-r17 INTEGER (2..32) OPTIONAL, -- Need S pusch-WindowRestart-r17 ENUMERATED {enabled} OPTIONAL, -- Need R pusch-FrequencyHoppingInterval-r17 ENUMERATED {s2, s4, s5, s6, s8, s10, s12, s14, s16, s20} OPTIONAL, -- Need S ... } -- TAG-DMRS-BUNDLINGPUSCH-CONFIG-STOP -- TAG-DMRS-DOWNLINKCONFIG-START DMRS-DownlinkConfig ::= SEQUENCE { dmrs-Type ENUMERATED {type2} OPTIONAL, -- Need S dmrs-AdditionalPosition ENUMERATED {pos0, pos1, pos3} OPTIONAL, -- Need S maxLength ENUMERATED {len2} OPTIONAL, -- Need S scramblingID0 INTEGER (0..65535) OPTIONAL, -- Need S scramblingID1 INTEGER (0..65535) OPTIONAL, -- Need S phaseTrackingRS CHOICE {release NULL, setup PTRS-DownlinkConfig } OPTIONAL, -- Need M ..., [[ dmrs-Downlink-r16 ENUMERATED {enabled} OPTIONAL -- Need R ]] } -- TAG-DMRS-DOWNLINKCONFIG-STOP -- TAG-DMRS-UPLINKCONFIG-START DMRS-UplinkConfig ::= SEQUENCE { dmrs-Type ENUMERATED {type2} OPTIONAL, -- Need S dmrs-AdditionalPosition ENUMERATED {pos0, pos1, pos3} OPTIONAL, -- Need S phaseTrackingRS CHOICE {release NULL, setup PTRS-UplinkConfig } OPTIONAL, -- Need M maxLength ENUMERATED {len2} OPTIONAL, -- Need S transformPrecodingDisabled SEQUENCE { scramblingID0 INTEGER (0..65535) OPTIONAL, -- Need S scramblingID1 INTEGER (0..65535) OPTIONAL, -- Need S ..., [[ dmrs-Uplink-r16 ENUMERATED {enabled} OPTIONAL -- Need R ]] } OPTIONAL, -- Need R transformPrecodingEnabled SEQUENCE { nPUSCH-Identity INTEGER(0..1007) OPTIONAL, -- Need S sequenceGroupHopping ENUMERATED {disabled} OPTIONAL, -- Need S sequenceHopping ENUMERATED {enabled} OPTIONAL, -- Need S ..., [[ dmrs-UplinkTransformPrecoding-r16 CHOICE {release NULL, setup DMRS-UplinkTransformPrecoding-r16} OPTIONAL -- Need M ]] } OPTIONAL, -- Need R ... } DMRS-UplinkTransformPrecoding-r16 ::= SEQUENCE { pi2BPSK-ScramblingID0 INTEGER(0..65535) OPTIONAL, -- Need S pi2BPSK-ScramblingID1 INTEGER(0..65535) OPTIONAL -- Need S } -- TAG-DMRS-UPLINKCONFIG-STOP -- TAG-DOWNLINKCONFIGCOMMON-START DownlinkConfigCommon ::= SEQUENCE { frequencyInfoDL FrequencyInfoDL OPTIONAL, -- Cond InterFreqHOAndServCellAdd initialDownlinkBWP BWP-DownlinkCommon OPTIONAL, -- Cond ServCellAdd ..., [[ initialDownlinkBWP-RedCap-r17 BWP-DownlinkCommon OPTIONAL -- Need R ]] } -- TAG-DOWNLINKCONFIGCOMMON-STOP -- TAG-DOWNLINKCONFIGCOMMONSIB-START DownlinkConfigCommonSIB ::= SEQUENCE { frequencyInfoDL FrequencyInfoDL-SIB, initialDownlinkBWP BWP-DownlinkCommon, bcch-Config BCCH-Config, pcch-Config PCCH-Config, ..., [[ pei-Config-r17 PEI-Config-r17 OPTIONAL, -- Need R initialDownlinkBWP-RedCap-r17 BWP-DownlinkCommon OPTIONAL -- Need R ]] } BCCH-Config ::= SEQUENCE { modificationPeriodCoeff ENUMERATED {n2, n4, n8, n16}, ... } PCCH-Config ::= SEQUENCE { defaultPagingCycle PagingCycle, nAndPagingFrameOffset CHOICE { oneT NULL, halfT INTEGER (0..1), quarterT INTEGER (0..3), oneEighthT INTEGER (0..7), oneSixteenthT INTEGER (0..15) }, ns ENUMERATED {four, two, one}, firstPDCCH-MonitoringOccasionOfPO CHOICE { sCS15KHZoneT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..139), sCS30KHZoneT-SCS15KHZhalfT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..279), sCS60KHZoneT-SCS30KHZhalfT-SCS15KHZquarterT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..559), sCS120KHZoneT-SCS60KHZhalfT-SCS30KHZquarterT-SCS15KHZoneEighthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..1119), sCS120KHZhalfT-SCS60KHZquarterT-SCS30KHZoneEighthT-SCS15KHZoneSixteenthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..2239), sCS480KHZoneT-SCS120KHZquarterT-SCS60KHZoneEighthT-SCS30KHZoneSixteenthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..4479), sCS480KHZhalfT-SCS120KHZoneEighthT-SCS60KHZoneSixteenthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..8959), sCS480KHZquarterT-SCS120KHZoneSixteenthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..17919) } OPTIONAL, -- Need R ..., [[ nrofPDCCH-MonitoringOccasionPerSSB-InPO-r16 INTEGER (2..4) OPTIONAL -- Cond SharedSpectrum2 ]], [[ ranPagingInIdlePO-r17 ENUMERATED {true} OPTIONAL, -- Need R firstPDCCH-MonitoringOccasionOfPO-v1710 CHOICE { sCS480KHZoneEighthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..35839), sCS480KHZoneSixteenthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..71679) } OPTIONAL -- Need R ]] } PEI-Config-r17 ::= SEQUENCE { po-NumPerPEI-r17 ENUMERATED {po1, po2, po4, po8}, payloadSizeDCI-2-7-r17 INTEGER (1..maxDCI-2-7-Size-r17), pei-FrameOffset-r17 INTEGER (0..16), subgroupConfig-r17 SubgroupConfig-r17, lastUsedCellOnly-r17 ENUMERATED {true} OPTIONAL, -- Need R ... } SubgroupConfig-r17 ::= SEQUENCE { subgroupsNumPerPO-r17 INTEGER (1.. maxNrofPagingSubgroups-r17), subgroupsNumForUEID-r17 INTEGER (1.. maxNrofPagingSubgroups-r17) OPTIONAL, -- Need S ... } -- TAG-DOWNLINKCONFIGCOMMONSIB-STOP -- TAG-DOWNLINKPREEMPTION-START DownlinkPreemption ::= SEQUENCE { int-RNTI RNTI-Value, timeFrequencySet ENUMERATED {set0, set1}, dci-PayloadSize INTEGER (0..maxINT-DCI-PayloadSize), int-ConfigurationPerServingCell SEQUENCE (SIZE (1..maxNrofServingCells)) OF INT-ConfigurationPerServingCell, ... } INT-ConfigurationPerServingCell ::= SEQUENCE { servingCellId ServCellIndex, positionInDCI INTEGER (0..maxINT-DCI-PayloadSize-1) } -- TAG-DOWNLINKPREEMPTION-STOP -- TAG-DRB-IDENTITY-START DRB-Identity ::= INTEGER (1..32) -- TAG-DRB-IDENTITY-STOP -- TAG-DRX-CONFIG-START DRX-Config ::= SEQUENCE { drx-onDurationTimer CHOICE { subMilliSeconds INTEGER (1..31), milliSeconds ENUMERATED { ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms400, ms500, ms600, ms800, ms1000, ms1200, ms1600, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 } }, drx-InactivityTimer ENUMERATED { ms0, ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms500, ms750, ms1280, ms1920, ms2560, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1}, drx-HARQ-RTT-TimerDL INTEGER (0..56), drx-HARQ-RTT-TimerUL INTEGER (0..56), drx-RetransmissionTimerDL ENUMERATED { sl0, sl1, sl2, sl4, sl6, sl8, sl16, sl24, sl33, sl40, sl64, sl80, sl96, sl112, sl128, sl160, sl320, spare15, spare14, spare13, spare12, spare11, spare10, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1}, drx-RetransmissionTimerUL ENUMERATED { sl0, sl1, sl2, sl4, sl6, sl8, sl16, sl24, sl33, sl40, sl64, sl80, sl96, sl112, sl128, sl160, sl320, spare15, spare14, spare13, spare12, spare11, spare10, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 }, drx-LongCycleStartOffset CHOICE { ms10 INTEGER(0..9), ms20 INTEGER(0..19), ms32 INTEGER(0..31), ms40 INTEGER(0..39), ms60 INTEGER(0..59), ms64 INTEGER(0..63), ms70 INTEGER(0..69), ms80 INTEGER(0..79), ms128 INTEGER(0..127), ms160 INTEGER(0..159), ms256 INTEGER(0..255), ms320 INTEGER(0..319), ms512 INTEGER(0..511), ms640 INTEGER(0..639), ms1024 INTEGER(0..1023), ms1280 INTEGER(0..1279), ms2048 INTEGER(0..2047), ms2560 INTEGER(0..2559), ms5120 INTEGER(0..5119), ms10240 INTEGER(0..10239) }, shortDRX SEQUENCE { drx-ShortCycle ENUMERATED { ms2, ms3, ms4, ms5, ms6, ms7, ms8, ms10, ms14, ms16, ms20, ms30, ms32, ms35, ms40, ms64, ms80, ms128, ms160, ms256, ms320, ms512, ms640, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 }, drx-ShortCycleTimer INTEGER (1..16) } OPTIONAL, -- Need R drx-SlotOffset INTEGER (0..31) } DRX-ConfigExt-v1700 ::= SEQUENCE { drx-HARQ-RTT-TimerDL-r17 INTEGER (0..448), drx-HARQ-RTT-TimerUL-r17 INTEGER (0..448) } -- TAG-DRX-CONFIG-STOP -- TAG-DRX-CONFIGSECONDARYGROUP-START DRX-ConfigSecondaryGroup-r16 ::= SEQUENCE { drx-onDurationTimer-r16 CHOICE { subMilliSeconds INTEGER (1..31), milliSeconds ENUMERATED { ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms400, ms500, ms600, ms800, ms1000, ms1200, ms1600, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 } }, drx-InactivityTimer-r16 ENUMERATED { ms0, ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms500, ms750, ms1280, ms1920, ms2560, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} } -- TAG-DRX-CONFIGSECONDARYGROUP-STOP -- TAG-DRX-CONFIGSL-START DRX-ConfigSL-r17 ::= SEQUENCE { drx-HARQ-RTT-TimerSL-r17 INTEGER (0..56), drx-RetransmissionTimerSL-r17 ENUMERATED {sl0, sl1, sl2, sl4, sl6, sl8, sl16, sl24, sl33, sl40, sl64, sl80, sl96, sl112, sl128, sl160, sl320, spare15, spare14, spare13, spare12, spare11, spare10, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} } -- TAG-DRX-CONFIGSL-STOP -- TAG-EPHEMERISINFO-START EphemerisInfo-r17 ::= CHOICE { positionVelocity-r17 PositionVelocity-r17, orbital-r17 Orbital-r17 } PositionVelocity-r17 ::= SEQUENCE { positionX-r17 PositionStateVector-r17, positionY-r17 PositionStateVector-r17, positionZ-r17 PositionStateVector-r17, velocityVX-r17 VelocityStateVector-r17, velocityVY-r17 VelocityStateVector-r17, velocityVZ-r17 VelocityStateVector-r17 } Orbital-r17 ::= SEQUENCE { semiMajorAxis-r17 INTEGER (0..8589934591), eccentricity-r17 INTEGER (0..1048575), periapsis-r17 INTEGER (0..268435455), longitude-r17 INTEGER (0..268435455), inclination-r17 INTEGER (-67108864..67108863), meanAnomaly-r17 INTEGER (0..268435455) } PositionStateVector-r17 ::= INTEGER (-33554432..33554431) VelocityStateVector-r17 ::= INTEGER (-131072..131071) -- TAG-EPHEMERISINFO-STOP -- TAG-FEATURECOMBINATION-START FeatureCombination-r17 ::= SEQUENCE { redCap-r17 ENUMERATED {true} OPTIONAL, -- Need R smallData-r17 ENUMERATED {true} OPTIONAL, -- Need R nsag-r17 NSAG-List-r17 OPTIONAL, -- Need R msg3-Repetitions-r17 ENUMERATED {true} OPTIONAL, -- Need R spare4 ENUMERATED {true} OPTIONAL, -- Need R spare3 ENUMERATED {true} OPTIONAL, -- Need R spare2 ENUMERATED {true} OPTIONAL, -- Need R spare1 ENUMERATED {true} OPTIONAL -- Need R } NSAG-List-r17 ::= SEQUENCE (SIZE (1.. maxSliceInfo-r17)) OF NSAG-ID-r17 -- TAG-FEATURECOMBINATION-STOP -- TAG-FEATURECOMBINATIONPREAMBLES-START FeatureCombinationPreambles-r17 ::= SEQUENCE { featureCombination-r17 FeatureCombination-r17, startPreambleForThisPartition-r17 INTEGER (0..63), numberOfPreamblesPerSSB-ForThisPartition-r17 INTEGER (1..64), ssb-SharedRO-MaskIndex-r17 INTEGER (1..15) OPTIONAL, -- Need S groupBconfigured-r17 SEQUENCE { ra-SizeGroupA-r17 ENUMERATED {b56, b144, b208, b256, b282, b480, b640, b800, b1000, b72, spare6, spare5,spare4, spare3, spare2, spare1}, messagePowerOffsetGroupB-r17 ENUMERATED { minusinfinity, dB0, dB5, dB8, dB10, dB12, dB15, dB18}, numberOfRA-PreamblesGroupA-r17 INTEGER (1..64) } OPTIONAL, -- Need R separateMsgA-PUSCH-Config-r17 MsgA-PUSCH-Config-r16 OPTIONAL, -- Cond MsgAConfigCommon msgA-RSRP-Threshold-r17 RSRP-Range OPTIONAL, -- Need R rsrp-ThresholdSSB-r17 RSRP-Range OPTIONAL, -- Need R deltaPreamble-r17 INTEGER (-1..6) OPTIONAL, -- Need R ... } -- TAG-FEATURECOMBINATIONPREAMBLES-STOP -- TAG-FILTERCOEFFICIENT-START FilterCoefficient ::= ENUMERATED { fc0, fc1, fc2, fc3, fc4, fc5, fc6, fc7, fc8, fc9, fc11, fc13, fc15, fc17, fc19, spare1, ...} -- TAG-FILTERCOEFFICIENT-STOP -- TAG-FREQBANDINDICATORNR-START FreqBandIndicatorNR ::= INTEGER (1..1024) -- TAG-FREQBANDINDICATORNR-STOP -- TAG-FREQPRIORITYLISTDEDICATEDSLICING-START FreqPriorityListDedicatedSlicing-r17 ::= SEQUENCE (SIZE (1.. maxFreq)) OF FreqPriorityDedicatedSlicing-r17 FreqPriorityDedicatedSlicing-r17 ::= SEQUENCE { dl-ExplicitCarrierFreq-r17 ARFCN-ValueNR, sliceInfoListDedicated-r17 SliceInfoListDedicated-r17 OPTIONAL -- Cond Mandatory } SliceInfoListDedicated-r17 ::= SEQUENCE (SIZE (1..maxSliceInfo-r17)) OF SliceInfoDedicated-r17 SliceInfoDedicated-r17 ::= SEQUENCE { nsag-IdentityInfo-r17 NSAG-IdentityInfo-r17, nsag-CellReselectionPriority-r17 CellReselectionPriority OPTIONAL, -- Need R nsag-CellReselectionSubPriority-r17 CellReselectionSubPriority OPTIONAL -- Need R } -- TAG-FREQPRIORITYLISTDEDICATEDSLICING-STOP -- TAG-FREQPRIORITYLISTSLICING-START FreqPriorityListSlicing-r17 ::= SEQUENCE (SIZE (1..maxFreqPlus1)) OF FreqPrioritySlicing-r17 FreqPrioritySlicing-r17 ::= SEQUENCE { dl-ImplicitCarrierFreq-r17 INTEGER (0..maxFreq), sliceInfoList-r17 SliceInfoList-r17 OPTIONAL -- Cond Mandatory } SliceInfoList-r17 ::= SEQUENCE (SIZE (1..maxSliceInfo-r17)) OF SliceInfo-r17 SliceInfo-r17 ::= SEQUENCE { nsag-IdentityInfo-r17 NSAG-IdentityInfo-r17, nsag-CellReselectionPriority-r17 CellReselectionPriority OPTIONAL, -- Need R nsag-CellReselectionSubPriority-r17 CellReselectionSubPriority OPTIONAL, -- Need R sliceCellListNR-r17 CHOICE { sliceAllowedCellListNR-r17 SliceCellListNR-r17, sliceExcludedCellListNR-r17 SliceCellListNR-r17 } OPTIONAL -- Need R } SliceCellListNR-r17 ::= SEQUENCE (SIZE (1..maxCellSlice-r17)) OF PCI-Range -- TAG-FREQPRIORITYLISTSLICING-STOP -- TAG-FREQUENCYINFODL-START FrequencyInfoDL ::= SEQUENCE { absoluteFrequencySSB ARFCN-ValueNR OPTIONAL, -- Cond SpCellAdd frequencyBandList MultiFrequencyBandListNR, absoluteFrequencyPointA ARFCN-ValueNR, scs-SpecificCarrierList SEQUENCE (SIZE (1..maxSCSs)) OF SCS-SpecificCarrier, ... } -- TAG-FREQUENCYINFODL-STOP -- TAG-FREQUENCYINFODL-SIB-START FrequencyInfoDL-SIB ::= SEQUENCE { frequencyBandList MultiFrequencyBandListNR-SIB, offsetToPointA INTEGER (0..2199), scs-SpecificCarrierList SEQUENCE (SIZE (1..maxSCSs)) OF SCS-SpecificCarrier } -- TAG-FREQUENCYINFODL-SIB-STOP -- TAG-FREQUENCYINFOUL-START FrequencyInfoUL ::= SEQUENCE { frequencyBandList MultiFrequencyBandListNR OPTIONAL, -- Cond FDD-OrSUL absoluteFrequencyPointA ARFCN-ValueNR OPTIONAL, -- Cond FDD-OrSUL scs-SpecificCarrierList SEQUENCE (SIZE (1..maxSCSs)) OF SCS-SpecificCarrier, additionalSpectrumEmission AdditionalSpectrumEmission OPTIONAL, -- Need S p-Max P-Max OPTIONAL, -- Need S frequencyShift7p5khz ENUMERATED {true} OPTIONAL, -- Cond FDD-TDD-OrSUL-Optional ... } -- TAG-FREQUENCYINFOUL-STOP -- TAG-FREQUENCYINFOUL-SIB-START FrequencyInfoUL-SIB ::= SEQUENCE { frequencyBandList MultiFrequencyBandListNR-SIB OPTIONAL, -- Cond FDD-OrSUL absoluteFrequencyPointA ARFCN-ValueNR OPTIONAL, -- Cond FDD-OrSUL scs-SpecificCarrierList SEQUENCE (SIZE (1..maxSCSs)) OF SCS-SpecificCarrier, p-Max P-Max OPTIONAL, -- Need S frequencyShift7p5khz ENUMERATED {true} OPTIONAL, -- Cond FDD-TDD-OrSUL-Optional ... } -- TAG-FREQUENCYINFOUL-SIB-STOP -- TAG-GAPPRIORITY-START GapPriority-r17 ::= INTEGER (1..maxNrOfGapPri-r17) -- TAG-GAPPRIORITY-STOP -- TAG-HIGHSPEEDCONFIG-START HighSpeedConfig-r16 ::= SEQUENCE { highSpeedMeasFlag-r16 ENUMERATED {true} OPTIONAL, -- Cond SpCellOnly highSpeedDemodFlag-r16 ENUMERATED {true} OPTIONAL, -- Need R ... } HighSpeedConfig-v1700 ::= SEQUENCE { highSpeedMeasCA-Scell-r17 ENUMERATED {true} OPTIONAL, -- Cond SCellOnly highSpeedMeasInterFreq-r17 ENUMERATED {true} OPTIONAL, -- Cond SpCellOnly2 highSpeedDemodCA-Scell-r17 ENUMERATED {true} OPTIONAL, -- Need R ... } HighSpeedConfigFR2-r17 ::= SEQUENCE { highSpeedMeasFlagFR2-r17 ENUMERATED {set1, set2} OPTIONAL, -- Need R highSpeedDeploymentTypeFR2-r17 ENUMERATED {unidirectional, bidirectional} OPTIONAL, -- Need R highSpeedLargeOneStepUL-TimingFR2-r17 ENUMERATED {true} OPTIONAL, -- Need R ... } -- TAG-HIGHSPEEDCONFIG-STOP -- TAG-HYSTERESIS-START Hysteresis ::= INTEGER (0..30) -- TAG-HYSTERESIS-STOP -- TAG-HYSTERESISLOCATION-START HysteresisLocation-r17 ::= INTEGER (0..32768) -- TAG-HYSTERESISLOCATION-STOP -- TAG-INVALIDSYMBOLPATTERN-START InvalidSymbolPattern-r16 ::= SEQUENCE { symbols-r16 CHOICE { oneSlot BIT STRING (SIZE (14)), twoSlots BIT STRING (SIZE (28)) }, periodicityAndPattern-r16 CHOICE { n2 BIT STRING (SIZE (2)), n4 BIT STRING (SIZE (4)), n5 BIT STRING (SIZE (5)), n8 BIT STRING (SIZE (8)), n10 BIT STRING (SIZE (10)), n20 BIT STRING (SIZE (20)), n40 BIT STRING (SIZE (40)) } OPTIONAL, -- Need M ... } -- TAG-INVALIDSYMBOLPATTERN-STOP -- TAG-I-RNTI-VALUE-START I-RNTI-Value ::= BIT STRING (SIZE(40)) -- TAG-I-RNTI-VALUE-STOP -- TAG-LBT-FAILURERECOVERYCONFIG-START LBT-FailureRecoveryConfig-r16 ::= SEQUENCE { lbt-FailureInstanceMaxCount-r16 ENUMERATED {n4, n8, n16, n32, n64, n128}, lbt-FailureDetectionTimer-r16 ENUMERATED {ms10, ms20, ms40, ms80, ms160, ms320}, ... } -- TAG-LBT-FAILURERECOVERYCONFIG-STOP -- TAG-LOCATIONINFO-START LocationInfo-r16 ::= SEQUENCE { commonLocationInfo-r16 CommonLocationInfo-r16 OPTIONAL, bt-LocationInfo-r16 LogMeasResultListBT-r16 OPTIONAL, wlan-LocationInfo-r16 LogMeasResultListWLAN-r16 OPTIONAL, sensor-LocationInfo-r16 Sensor-LocationInfo-r16 OPTIONAL, ... } -- TAG-LOCATIONINFO-STOP -- TAG-LOCATIONMEASUREMENTINFO-START LocationMeasurementInfo ::= CHOICE { eutra-RSTD EUTRA-RSTD-InfoList, ..., eutra-FineTimingDetection NULL, nr-PRS-Measurement-r16 NR-PRS-MeasurementInfoList-r16 } EUTRA-RSTD-InfoList ::= SEQUENCE (SIZE (1..maxInterRAT-RSTD-Freq)) OF EUTRA-RSTD-Info EUTRA-RSTD-Info ::= SEQUENCE { carrierFreq ARFCN-ValueEUTRA, measPRS-Offset INTEGER (0..39), ... } NR-PRS-MeasurementInfoList-r16 ::= SEQUENCE (SIZE (1..maxFreqLayers)) OF NR-PRS-MeasurementInfo-r16 NR-PRS-MeasurementInfo-r16 ::= SEQUENCE { dl-PRS-PointA-r16 ARFCN-ValueNR, nr-MeasPRS-RepetitionAndOffset-r16 CHOICE { ms20-r16 INTEGER (0..19), ms40-r16 INTEGER (0..39), ms80-r16 INTEGER (0..79), ms160-r16 INTEGER (0..159), ... }, nr-MeasPRS-length-r16 ENUMERATED {ms1dot5, ms3, ms3dot5, ms4, ms5dot5, ms6, ms10, ms20}, ... } -- TAG-LOCATIONMEASUREMENTINFO-STOP -- TAG-LOGICALCHANNELCONFIG-START LogicalChannelConfig ::= SEQUENCE { ul-SpecificParameters SEQUENCE { priority INTEGER (1..16), prioritisedBitRate ENUMERATED {kBps0, kBps8, kBps16, kBps32, kBps64, kBps128, kBps256, kBps512, kBps1024, kBps2048, kBps4096, kBps8192, kBps16384, kBps32768, kBps65536, infinity}, bucketSizeDuration ENUMERATED {ms5, ms10, ms20, ms50, ms100, ms150, ms300, ms500, ms1000, spare7, spare6, spare5, spare4, spare3,spare2, spare1}, allowedServingCells SEQUENCE (SIZE (1..maxNrofServingCells-1)) OF ServCellIndex OPTIONAL, -- Cond PDCP-CADuplication allowedSCS-List SEQUENCE (SIZE (1..maxSCSs)) OF SubcarrierSpacing OPTIONAL, -- Need R maxPUSCH-Duration ENUMERATED {ms0p02, ms0p04, ms0p0625, ms0p125, ms0p25, ms0p5, ms0p01-v1700, spare1} OPTIONAL, -- Need R configuredGrantType1Allowed ENUMERATED {true} OPTIONAL, -- Need R logicalChannelGroup INTEGER (0..maxLCG-ID) OPTIONAL, -- Need R schedulingRequestID SchedulingRequestId OPTIONAL, -- Need R logicalChannelSR-Mask BOOLEAN, logicalChannelSR-DelayTimerApplied BOOLEAN, ..., bitRateQueryProhibitTimer ENUMERATED {s0, s0dot4, s0dot8, s1dot6, s3, s6, s12, s30} OPTIONAL, -- Need R [[ allowedCG-List-r16 SEQUENCE (SIZE (0.. maxNrofConfiguredGrantConfigMAC-1-r16)) OF ConfiguredGrantConfigIndexMAC-r16 OPTIONAL, -- Need S allowedPHY-PriorityIndex-r16 ENUMERATED {p0, p1} OPTIONAL -- Need S ]], [[ logicalChannelGroupIAB-Ext-r17 INTEGER (0..maxLCG-ID-IAB-r17) OPTIONAL, -- Need R allowedHARQ-mode-r17 ENUMERATED {harqModeA, harqModeB} OPTIONAL -- Need R ]] } OPTIONAL, -- Cond UL ..., [[ channelAccessPriority-r16 INTEGER (1..4) OPTIONAL, -- Need R bitRateMultiplier-r16 ENUMERATED {x40, x70, x100, x200} OPTIONAL -- Need R ]] } -- TAG-LOGICALCHANNELCONFIG-STOP -- TAG-LOGICALCHANNELIDENTITY-START LogicalChannelIdentity ::= INTEGER (1..maxLC-ID) -- TAG-LOGICALCHANNELIDENTITY-STOP -- TAG-LTE-NEIGHCELLSCRS-ASSISTINFOLIST-START LTE-NeighCellsCRS-AssistInfoList-r17 ::= SEQUENCE (SIZE (1..maxNrofCRS-IM-InterfCell-r17)) OF LTE-NeighCellsCRS-AssistInfo-r17 LTE-NeighCellsCRS-AssistInfo-r17 ::= SEQUENCE { neighCarrierBandwidthDL-r17 ENUMERATED {n6, n15, n25, n50, n75, n100, spare2, spare1} OPTIONAL, -- Cond CRS-IM neighCarrierFreqDL-r17 INTEGER (0..16383) OPTIONAL, -- Need S neighCellId-r17 EUTRA-PhysCellId OPTIONAL, -- Need S neighCRS-muting-r17 ENUMERATED {enabled} OPTIONAL, -- Need R neighMBSFN-SubframeConfigList-r17 EUTRA-MBSFN-SubframeConfigList OPTIONAL, -- Need S neighNrofCRS-Ports-r17 ENUMERATED {n1, n2, n4} OPTIONAL, -- Need S neighV-Shift-r17 ENUMERATED {n0, n1, n2, n3, n4, n5} OPTIONAL -- Cond NotCellID } -- TAG-LTE-NEIGHCELLSCRS-ASSISTINFOLIST-STOP -- TAG-MAC-CELLGROUPCONFIG-START MAC-CellGroupConfig ::= SEQUENCE { drx-Config CHOICE {release NULL, setup DRX-Config } OPTIONAL, -- Need M schedulingRequestConfig SchedulingRequestConfig OPTIONAL, -- Need M bsr-Config BSR-Config OPTIONAL, -- Need M tag-Config TAG-Config OPTIONAL, -- Need M phr-Config CHOICE {release NULL, setup PHR-Config } OPTIONAL, -- Need M skipUplinkTxDynamic BOOLEAN, ..., [[ csi-Mask BOOLEAN OPTIONAL, -- Need M dataInactivityTimer CHOICE {release NULL, setup DataInactivityTimer } OPTIONAL -- Cond MCG-Only ]], [[ usePreBSR-r16 ENUMERATED {true} OPTIONAL, -- Need R schedulingRequestID-LBT-SCell-r16 SchedulingRequestId OPTIONAL, -- Need R lch-BasedPrioritization-r16 ENUMERATED {enabled} OPTIONAL, -- Need R schedulingRequestID-BFR-SCell-r16 SchedulingRequestId OPTIONAL, -- Need R drx-ConfigSecondaryGroup-r16 CHOICE {release NULL, setup DRX-ConfigSecondaryGroup-r16 } OPTIONAL -- Need M ]], [[ enhancedSkipUplinkTxDynamic-r16 ENUMERATED {true} OPTIONAL, -- Need R enhancedSkipUplinkTxConfigured-r16 ENUMERATED {true} OPTIONAL -- Need R ]], [[ intraCG-Prioritization-r17 ENUMERATED {enabled} OPTIONAL, -- Cond LCH-PrioWithReTxTimer drx-ConfigSL-r17 CHOICE {release NULL, setup DRX-ConfigSL-r17 } OPTIONAL, -- Need M drx-ConfigExt-v1700 CHOICE {release NULL, setup DRX-ConfigExt-v1700 } OPTIONAL, -- Need M schedulingRequestID-BFR-r17 SchedulingRequestId OPTIONAL, -- Need R schedulingRequestID-BFR2-r17 SchedulingRequestId OPTIONAL, -- Need R schedulingRequestConfig-v1700 SchedulingRequestConfig-v1700 OPTIONAL, -- Need M tar-Config-r17 CHOICE {release NULL, setup TAR-Config-r17 } OPTIONAL, -- Need M g-RNTI-ConfigToAddModList-r17 SEQUENCE (SIZE (1..maxG-RNTI-r17)) OF MBS-RNTI-SpecificConfig-r17 OPTIONAL, -- Need N g-RNTI-ConfigToReleaseList-r17 SEQUENCE (SIZE (1..maxG-RNTI-r17)) OF MBS-RNTI-SpecificConfigId-r17 OPTIONAL, -- Need N g-CS-RNTI-ConfigToAddModList-r17 SEQUENCE (SIZE (1..maxG-CS-RNTI-r17)) OF MBS-RNTI-SpecificConfig-r17 OPTIONAL, -- Need N g-CS-RNTI-ConfigToReleaseList-r17 SEQUENCE (SIZE (1..maxG-CS-RNTI-r17)) OF MBS-RNTI-SpecificConfigId-r17 OPTIONAL, -- Need N allowCSI-SRS-Tx-MulticastDRX-Active-r17 BOOLEAN OPTIONAL -- Need M ]], [[ schedulingRequestID-PosMG-Request-r17 SchedulingRequestId OPTIONAL, -- Need R drx-LastTransmissionUL-r17 ENUMERATED {enabled} OPTIONAL -- Need R ]], [[ posMG-Request-r17 ENUMERATED {enabled} OPTIONAL -- Need R ]] } DataInactivityTimer ::= ENUMERATED {s1, s2, s3, s5, s7, s10, s15, s20, s40, s50, s60, s80, s100, s120, s150, s180} MBS-RNTI-SpecificConfig-r17 ::= SEQUENCE { mbs-RNTI-SpecificConfigId-r17 MBS-RNTI-SpecificConfigId-r17, groupCommon-RNTI-r17 CHOICE { g-RNTI RNTI-Value, g-CS-RNTI RNTI-Value }, drx-ConfigPTM-r17 CHOICE {release NULL, setup DRX-ConfigPTM-r17 } OPTIONAL, -- Need M harq-FeedbackEnablerMulticast-r17 ENUMERATED {dci-enabler, enabled} OPTIONAL, -- Need S harq-FeedbackOptionMulticast-r17 ENUMERATED {ack-nack, nack-only} OPTIONAL, -- Cond HARQFeedback pdsch-AggregationFactor-r17 ENUMERATED {n2, n4, n8} OPTIONAL -- Cond G-RNTI } MBS-RNTI-SpecificConfigId-r17 ::= INTEGER (0..maxG-RNTI-1-r17) -- TAG-MAC-CELLGROUPCONFIG-STOP -- TAG-MEASCONFIG-START MeasConfig ::= SEQUENCE { measObjectToRemoveList MeasObjectToRemoveList OPTIONAL, -- Need N measObjectToAddModList MeasObjectToAddModList OPTIONAL, -- Need N reportConfigToRemoveList ReportConfigToRemoveList OPTIONAL, -- Need N reportConfigToAddModList ReportConfigToAddModList OPTIONAL, -- Need N measIdToRemoveList MeasIdToRemoveList OPTIONAL, -- Need N measIdToAddModList MeasIdToAddModList OPTIONAL, -- Need N s-MeasureConfig CHOICE { ssb-RSRP RSRP-Range, csi-RSRP RSRP-Range } OPTIONAL, -- Need M quantityConfig QuantityConfig OPTIONAL, -- Need M measGapConfig MeasGapConfig OPTIONAL, -- Need M measGapSharingConfig MeasGapSharingConfig OPTIONAL, -- Need M ..., [[ interFrequencyConfig-NoGap-r16 ENUMERATED {true} OPTIONAL -- Need R ]] } MeasObjectToRemoveList ::= SEQUENCE (SIZE (1..maxNrofObjectId)) OF MeasObjectId MeasIdToRemoveList ::= SEQUENCE (SIZE (1..maxNrofMeasId)) OF MeasId ReportConfigToRemoveList ::= SEQUENCE (SIZE (1..maxReportConfigId)) OF ReportConfigId -- TAG-MEASCONFIG-STOP -- TAG-MEASGAPCONFIG-START MeasGapConfig ::= SEQUENCE { gapFR2 CHOICE {release NULL, setup GapConfig } OPTIONAL, -- Need M ..., [[ gapFR1 CHOICE {release NULL, setup GapConfig } OPTIONAL, -- Need M gapUE CHOICE {release NULL, setup GapConfig } OPTIONAL -- Need M ]], [[ gapToAddModList-r17 SEQUENCE (SIZE (1..maxNrofGapId-r17)) OF GapConfig-r17 OPTIONAL, -- Need N gapToReleaseList-r17 SEQUENCE (SIZE (1..maxNrofGapId-r17)) OF MeasGapId-r17 OPTIONAL, -- Need N posMeasGapPreConfigToAddModList-r17 PosMeasGapPreConfigToAddModList-r17 OPTIONAL, -- Need N posMeasGapPreConfigToReleaseList-r17 PosMeasGapPreConfigToReleaseList-r17 OPTIONAL -- Need N ]] } GapConfig ::= SEQUENCE { gapOffset INTEGER (0..159), mgl ENUMERATED {ms1dot5, ms3, ms3dot5, ms4, ms5dot5, ms6}, mgrp ENUMERATED {ms20, ms40, ms80, ms160}, mgta ENUMERATED {ms0, ms0dot25, ms0dot5}, ..., [[ refServCellIndicator ENUMERATED {pCell, pSCell, mcg-FR2} OPTIONAL -- Cond NEDCorNRDC ]], [[ refFR2ServCellAsyncCA-r16 ServCellIndex OPTIONAL, -- Cond AsyncCA mgl-r16 ENUMERATED {ms10, ms20} OPTIONAL -- Cond PRS ]] } GapConfig-r17 ::= SEQUENCE { measGapId-r17 MeasGapId-r17, gapType-r17 ENUMERATED {perUE, perFR1, perFR2}, gapOffset-r17 INTEGER (0..159), mgl-r17 ENUMERATED {ms1, ms1dot5, ms2, ms3, ms3dot5, ms4, ms5, ms5dot5, ms6, ms10, ms20}, mgrp-r17 ENUMERATED {ms20, ms40, ms80, ms160}, mgta-r17 ENUMERATED {ms0, ms0dot25, ms0dot5, ms0dot75}, refServCellIndicator-r17 ENUMERATED {pCell, pSCell, mcg-FR2} OPTIONAL, -- Cond NEDCorNRDC refFR2-ServCellAsyncCA-r17 ServCellIndex OPTIONAL, -- Cond AsyncCA preConfigInd-r17 ENUMERATED {true} OPTIONAL, -- Need R ncsgInd-r17 ENUMERATED {true} OPTIONAL, -- Need R gapAssociationPRS-r17 ENUMERATED {true} OPTIONAL, -- Need R gapSharing-r17 MeasGapSharingScheme OPTIONAL, -- Need R gapPriority-r17 GapPriority-r17 OPTIONAL, -- Need R ... } PosMeasGapPreConfigToAddModList-r17 ::= SEQUENCE (SIZE (1..maxNrofPreConfigPosGapId-r17)) OF PosGapConfig-r17 PosMeasGapPreConfigToReleaseList-r17 ::= SEQUENCE (SIZE (1..maxNrofPreConfigPosGapId-r17)) OF MeasPosPreConfigGapId-r17 PosGapConfig-r17 ::= SEQUENCE { measPosPreConfigGapId-r17 MeasPosPreConfigGapId-r17, gapOffset-r17 INTEGER (0..159), mgl-r17 ENUMERATED {ms1dot5, ms3, ms3dot5, ms4, ms5dot5, ms6, ms10, ms20}, mgrp-r17 ENUMERATED {ms20, ms40, ms80, ms160}, mgta-r17 ENUMERATED {ms0, ms0dot25, ms0dot5}, gapType-r17 ENUMERATED {perUE, perFR1, perFR2}, ... } MeasPosPreConfigGapId-r17 ::= INTEGER (1..maxNrofPreConfigPosGapId-r17) -- TAG-MEASGAPCONFIG-STOP -- TAG-MEASGAPID-START MeasGapId-r17 ::= INTEGER (1..maxNrofGapId-r17) -- TAG-MEASGAPID-STOP -- TAG-MEASGAPSHARINGCONFIG-START MeasGapSharingConfig ::= SEQUENCE { gapSharingFR2 CHOICE {release NULL, setup MeasGapSharingScheme } OPTIONAL, -- Need M ..., [[ gapSharingFR1 CHOICE {release NULL, setup MeasGapSharingScheme } OPTIONAL, --Need M gapSharingUE CHOICE {release NULL, setup MeasGapSharingScheme } OPTIONAL --Need M ]] } MeasGapSharingScheme::= ENUMERATED {scheme00, scheme01, scheme10, scheme11} -- TAG-MEASGAPSHARINGCONFIG-STOP -- TAG-MEASID-START MeasId ::= INTEGER (1..maxNrofMeasId) -- TAG-MEASID-STOP -- TAG-MEASIDLECONFIG-START MeasIdleConfigSIB-r16 ::= SEQUENCE { measIdleCarrierListNR-r16 SEQUENCE (SIZE (1..maxFreqIdle-r16)) OF MeasIdleCarrierNR-r16 OPTIONAL, -- Need S measIdleCarrierListEUTRA-r16 SEQUENCE (SIZE (1..maxFreqIdle-r16)) OF MeasIdleCarrierEUTRA-r16 OPTIONAL, -- Need S ... } MeasIdleConfigDedicated-r16 ::= SEQUENCE { measIdleCarrierListNR-r16 SEQUENCE (SIZE (1..maxFreqIdle-r16)) OF MeasIdleCarrierNR-r16 OPTIONAL, -- Need N measIdleCarrierListEUTRA-r16 SEQUENCE (SIZE (1..maxFreqIdle-r16)) OF MeasIdleCarrierEUTRA-r16 OPTIONAL, -- Need N measIdleDuration-r16 ENUMERATED{sec10, sec30, sec60, sec120, sec180, sec240, sec300, spare}, validityAreaList-r16 ValidityAreaList-r16 OPTIONAL, -- Need N ... } ValidityAreaList-r16 ::= SEQUENCE (SIZE (1..maxFreqIdle-r16)) OF ValidityArea-r16 ValidityArea-r16 ::= SEQUENCE { carrierFreq-r16 ARFCN-ValueNR, validityCellList-r16 ValidityCellList OPTIONAL -- Need N } ValidityCellList ::= SEQUENCE (SIZE (1.. maxCellMeasIdle-r16)) OF PCI-Range MeasIdleCarrierNR-r16 ::= SEQUENCE { carrierFreq-r16 ARFCN-ValueNR, ssbSubcarrierSpacing-r16 SubcarrierSpacing, frequencyBandList MultiFrequencyBandListNR OPTIONAL, -- Need R measCellListNR-r16 CellListNR-r16 OPTIONAL, -- Need R reportQuantities-r16 ENUMERATED {rsrp, rsrq, both}, qualityThreshold-r16 SEQUENCE { idleRSRP-Threshold-NR-r16 RSRP-Range OPTIONAL, -- Need R idleRSRQ-Threshold-NR-r16 RSRQ-Range OPTIONAL -- Need R } OPTIONAL, -- Need R ssb-MeasConfig-r16 SEQUENCE { nrofSS-BlocksToAverage-r16 INTEGER (2..maxNrofSS-BlocksToAverage) OPTIONAL, -- Need S absThreshSS-BlocksConsolidation-r16 ThresholdNR OPTIONAL, -- Need S smtc-r16 SSB-MTC OPTIONAL, -- Need S ssb-ToMeasure-r16 SSB-ToMeasure OPTIONAL, -- Need S deriveSSB-IndexFromCell-r16 BOOLEAN, ss-RSSI-Measurement-r16 SS-RSSI-Measurement OPTIONAL -- Need S } OPTIONAL, -- Need S beamMeasConfigIdle-r16 BeamMeasConfigIdle-NR-r16 OPTIONAL, -- Need R ... } MeasIdleCarrierEUTRA-r16 ::= SEQUENCE { carrierFreqEUTRA-r16 ARFCN-ValueEUTRA, allowedMeasBandwidth-r16 EUTRA-AllowedMeasBandwidth, measCellListEUTRA-r16 CellListEUTRA-r16 OPTIONAL, -- Need R reportQuantitiesEUTRA-r16 ENUMERATED {rsrp, rsrq, both}, qualityThresholdEUTRA-r16 SEQUENCE { idleRSRP-Threshold-EUTRA-r16 RSRP-RangeEUTRA OPTIONAL, -- Need R idleRSRQ-Threshold-EUTRA-r16 RSRQ-RangeEUTRA-r16 OPTIONAL -- Need R } OPTIONAL, -- Need S ... } CellListNR-r16 ::= SEQUENCE (SIZE (1..maxCellMeasIdle-r16)) OF PCI-Range CellListEUTRA-r16 ::= SEQUENCE (SIZE (1..maxCellMeasIdle-r16)) OF EUTRA-PhysCellIdRange BeamMeasConfigIdle-NR-r16 ::= SEQUENCE { reportQuantityRS-Indexes-r16 ENUMERATED {rsrp, rsrq, both}, maxNrofRS-IndexesToReport-r16 INTEGER (1.. maxNrofIndexesToReport), includeBeamMeasurements-r16 BOOLEAN } RSRQ-RangeEUTRA-r16 ::= INTEGER (-30..46) -- TAG-MEASIDLECONFIG-STOP -- TAG-MEASIDTOADDMODLIST-START MeasIdToAddModList ::= SEQUENCE (SIZE (1..maxNrofMeasId)) OF MeasIdToAddMod MeasIdToAddMod ::= SEQUENCE { measId MeasId, measObjectId MeasObjectId, reportConfigId ReportConfigId } -- TAG-MEASIDTOADDMODLIST-STOP -- TAG-MEASOBJECTCLI-START MeasObjectCLI-r16 ::= SEQUENCE { cli-ResourceConfig-r16 CLI-ResourceConfig-r16, ... } CLI-ResourceConfig-r16 ::= SEQUENCE { srs-ResourceConfig-r16 CHOICE {release NULL, setup SRS-ResourceListConfigCLI-r16 } OPTIONAL, -- Need M rssi-ResourceConfig-r16 CHOICE {release NULL, setup RSSI-ResourceListConfigCLI-r16 } OPTIONAL -- Need M } SRS-ResourceListConfigCLI-r16 ::= SEQUENCE (SIZE (1.. maxNrofCLI-SRS-Resources-r16)) OF SRS-ResourceConfigCLI-r16 RSSI-ResourceListConfigCLI-r16 ::= SEQUENCE (SIZE (1.. maxNrofCLI-RSSI-Resources-r16)) OF RSSI-ResourceConfigCLI-r16 SRS-ResourceConfigCLI-r16 ::= SEQUENCE { srs-Resource-r16 SRS-Resource, srs-SCS-r16 SubcarrierSpacing, refServCellIndex-r16 ServCellIndex OPTIONAL, -- Need S refBWP-r16 BWP-Id, ... } RSSI-ResourceConfigCLI-r16 ::= SEQUENCE { rssi-ResourceId-r16 RSSI-ResourceId-r16, rssi-SCS-r16 SubcarrierSpacing, startPRB-r16 INTEGER (0..2169), nrofPRBs-r16 INTEGER (4..maxNrofPhysicalResourceBlocksPlus1), startPosition-r16 INTEGER (0..13), nrofSymbols-r16 INTEGER (1..14), rssi-PeriodicityAndOffset-r16 RSSI-PeriodicityAndOffset-r16, refServCellIndex-r16 ServCellIndex OPTIONAL, -- Need S ... } RSSI-ResourceId-r16 ::= INTEGER (0.. maxNrofCLI-RSSI-Resources-1-r16) RSSI-PeriodicityAndOffset-r16 ::= CHOICE { sl10 INTEGER(0..9), sl20 INTEGER(0..19), sl40 INTEGER(0..39), sl80 INTEGER(0..79), sl160 INTEGER(0..159), sl320 INTEGER(0..319), s1640 INTEGER(0..639), ... } -- TAG-MEASOBJECTCLI-STOP -- TAG-MEASOBJECTEUTRA-START MeasObjectEUTRA::= SEQUENCE { carrierFreq ARFCN-ValueEUTRA, allowedMeasBandwidth EUTRA-AllowedMeasBandwidth, cellsToRemoveListEUTRAN EUTRA-CellIndexList OPTIONAL, -- Need N cellsToAddModListEUTRAN SEQUENCE (SIZE (1..maxCellMeasEUTRA)) OF EUTRA-Cell OPTIONAL, -- Need N excludedCellsToRemoveListEUTRAN EUTRA-CellIndexList OPTIONAL, -- Need N excludedCellsToAddModListEUTRAN SEQUENCE (SIZE (1..maxCellMeasEUTRA)) OF EUTRA-ExcludedCell OPTIONAL, -- Need N eutra-PresenceAntennaPort1 EUTRA-PresenceAntennaPort1, eutra-Q-OffsetRange EUTRA-Q-OffsetRange OPTIONAL, -- Need R widebandRSRQ-Meas BOOLEAN, ..., [[ associatedMeasGap-r17 MeasGapId-r17 OPTIONAL -- Need R ]] } EUTRA-CellIndexList ::= SEQUENCE (SIZE (1..maxCellMeasEUTRA)) OF EUTRA-CellIndex EUTRA-CellIndex ::= INTEGER (1..maxCellMeasEUTRA) EUTRA-Cell ::= SEQUENCE { cellIndexEUTRA EUTRA-CellIndex, physCellId EUTRA-PhysCellId, cellIndividualOffset EUTRA-Q-OffsetRange } EUTRA-ExcludedCell ::= SEQUENCE { cellIndexEUTRA EUTRA-CellIndex, physCellIdRange EUTRA-PhysCellIdRange } -- TAG-MEASOBJECTEUTRA-STOP -- TAG-MEASOBJECTID-START MeasObjectId ::= INTEGER (1..maxNrofObjectId) -- TAG-MEASOBJECTID-STOP -- TAG-MEASOBJECTNR-START MeasObjectNR ::= SEQUENCE { ssbFrequency ARFCN-ValueNR OPTIONAL, -- Cond SSBorAssociatedSSB ssbSubcarrierSpacing SubcarrierSpacing OPTIONAL, -- Cond SSBorAssociatedSSB smtc1 SSB-MTC OPTIONAL, -- Cond SSBorAssociatedSSB smtc2 SSB-MTC2 OPTIONAL, -- Cond IntraFreqConnected refFreqCSI-RS ARFCN-ValueNR OPTIONAL, -- Cond CSI-RS referenceSignalConfig ReferenceSignalConfig, absThreshSS-BlocksConsolidation ThresholdNR OPTIONAL, -- Need R absThreshCSI-RS-Consolidation ThresholdNR OPTIONAL, -- Need R nrofSS-BlocksToAverage INTEGER (2..maxNrofSS-BlocksToAverage) OPTIONAL, -- Need R nrofCSI-RS-ResourcesToAverage INTEGER (2..maxNrofCSI-RS-ResourcesToAverage) OPTIONAL, -- Need R quantityConfigIndex INTEGER (1..maxNrofQuantityConfig), offsetMO Q-OffsetRangeList, cellsToRemoveList PCI-List OPTIONAL, -- Need N cellsToAddModList CellsToAddModList OPTIONAL, -- Need N excludedCellsToRemoveList PCI-RangeIndexList OPTIONAL, -- Need N excludedCellsToAddModList SEQUENCE (SIZE (1..maxNrofPCI-Ranges)) OF PCI-RangeElement OPTIONAL, -- Need N allowedCellsToRemoveList PCI-RangeIndexList OPTIONAL, -- Need N allowedCellsToAddModList SEQUENCE (SIZE (1..maxNrofPCI-Ranges)) OF PCI-RangeElement OPTIONAL, -- Need N ..., [[ freqBandIndicatorNR FreqBandIndicatorNR OPTIONAL, -- Need R measCycleSCell ENUMERATED {sf160, sf256, sf320, sf512, sf640, sf1024, sf1280} OPTIONAL -- Need R ]], [[ smtc3list-r16 SSB-MTC3List-r16 OPTIONAL, -- Need R rmtc-Config-r16 CHOICE {release NULL, setup RMTC-Config-r16} OPTIONAL, -- Need M t312-r16 CHOICE {release NULL, setup T312-r16 } OPTIONAL -- Need M ]], [[ associatedMeasGapSSB-r17 MeasGapId-r17 OPTIONAL, -- Need R associatedMeasGapCSIRS-r17 MeasGapId-r17 OPTIONAL, -- Need R smtc4list-r17 SSB-MTC4List-r17 OPTIONAL, -- Need R measCyclePSCell-r17 ENUMERATED {ms160, ms256, ms320, ms512, ms640, ms1024, ms1280, spare1} OPTIONAL, -- Cond SCG cellsToAddModListExt-v1710 CellsToAddModListExt-v1710 OPTIONAL -- Need N ]], [[ associatedMeasGapSSB2-v1720 MeasGapId-r17 OPTIONAL, -- Cond AssociatedGapSSB associatedMeasGapCSIRS2-v1720 MeasGapId-r17 OPTIONAL -- Cond AssociatedGapCSIRS ]] } SSB-MTC3List-r16::= SEQUENCE (SIZE(1..4)) OF SSB-MTC3-r16 SSB-MTC4List-r17::= SEQUENCE (SIZE(1..3)) OF SSB-MTC4-r17 T312-r16 ::= ENUMERATED { ms0, ms50, ms100, ms200, ms300, ms400, ms500, ms1000} ReferenceSignalConfig::= SEQUENCE { ssb-ConfigMobility SSB-ConfigMobility OPTIONAL, -- Need M csi-rs-ResourceConfigMobility CHOICE {release NULL, setup CSI-RS-ResourceConfigMobility } OPTIONAL -- Need M } SSB-ConfigMobility::= SEQUENCE { ssb-ToMeasure CHOICE {release NULL, setup SSB-ToMeasure } OPTIONAL, -- Need M deriveSSB-IndexFromCell BOOLEAN, ss-RSSI-Measurement SS-RSSI-Measurement OPTIONAL, -- Need M ..., [[ ssb-PositionQCL-Common-r16 SSB-PositionQCL-Relation-r16 OPTIONAL, -- Cond SharedSpectrum ssb-PositionQCL-CellsToAddModList-r16 SSB-PositionQCL-CellsToAddModList-r16 OPTIONAL, -- Need N ssb-PositionQCL-CellsToRemoveList-r16 PCI-List OPTIONAL -- Need N ]], [[ deriveSSB-IndexFromCellInter-r17 ServCellIndex OPTIONAL, -- Need R ssb-PositionQCL-Common-r17 SSB-PositionQCL-Relation-r17 OPTIONAL, -- Cond SharedSpectrum2 ssb-PositionQCL-Cells-r17 CHOICE {release NULL, setup SSB-PositionQCL-CellList-r17} OPTIONAL -- Need M ]], [[ cca-CellsToAddModList-r17 PCI-List OPTIONAL, -- Need N cca-CellsToRemoveList-r17 PCI-List OPTIONAL -- Need N ]] } Q-OffsetRangeList ::= SEQUENCE { rsrpOffsetSSB Q-OffsetRange DEFAULT dB0, rsrqOffsetSSB Q-OffsetRange DEFAULT dB0, sinrOffsetSSB Q-OffsetRange DEFAULT dB0, rsrpOffsetCSI-RS Q-OffsetRange DEFAULT dB0, rsrqOffsetCSI-RS Q-OffsetRange DEFAULT dB0, sinrOffsetCSI-RS Q-OffsetRange DEFAULT dB0 } ThresholdNR ::= SEQUENCE{ thresholdRSRP RSRP-Range OPTIONAL, -- Need R thresholdRSRQ RSRQ-Range OPTIONAL, -- Need R thresholdSINR SINR-Range OPTIONAL -- Need R } CellsToAddModList ::= SEQUENCE (SIZE (1..maxNrofCellMeas)) OF CellsToAddMod CellsToAddModListExt-v1710 ::= SEQUENCE (SIZE (1..maxNrofCellMeas)) OF CellsToAddModExt-v1710 CellsToAddMod ::= SEQUENCE { physCellId PhysCellId, cellIndividualOffset Q-OffsetRangeList } CellsToAddModExt-v1710 ::= SEQUENCE { ntn-PolarizationDL-r17 ENUMERATED {rhcp,lhcp,linear} OPTIONAL, -- Need R ntn-PolarizationUL-r17 ENUMERATED {rhcp,lhcp,linear} OPTIONAL -- Need R } RMTC-Config-r16 ::= SEQUENCE { rmtc-Periodicity-r16 ENUMERATED {ms40, ms80, ms160, ms320, ms640}, rmtc-SubframeOffset-r16 INTEGER(0..639) OPTIONAL, -- Need M measDurationSymbols-r16 ENUMERATED {sym1, sym14or12, sym28or24, sym42or36, sym70or60}, rmtc-Frequency-r16 ARFCN-ValueNR, ref-SCS-CP-r16 ENUMERATED {kHz15, kHz30, kHz60-NCP, kHz60-ECP}, ..., [[ rmtc-Bandwidth-r17 ENUMERATED {mhz100, mhz400, mhz800, mhz1600, mhz2000} OPTIONAL, -- Need R measDurationSymbols-v1700 ENUMERATED {sym140, sym560, sym1120} OPTIONAL, -- Need R ref-SCS-CP-v1700 ENUMERATED {kHz120, kHz480, kHz960} OPTIONAL, -- Need R tci-StateInfo-r17 SEQUENCE { tci-StateId-r17 TCI-StateId, ref-ServCellId-r17 ServCellIndex OPTIONAL -- Need R } OPTIONAL -- Need R ]], [[ ref-BWPId-r17 BWP-Id OPTIONAL -- Need R ]] } SSB-PositionQCL-CellsToAddModList-r16 ::= SEQUENCE (SIZE (1..maxNrofCellMeas)) OF SSB-PositionQCL-CellsToAddMod-r16 SSB-PositionQCL-CellsToAddMod-r16 ::= SEQUENCE { physCellId-r16 PhysCellId, ssb-PositionQCL-r16 SSB-PositionQCL-Relation-r16 } SSB-PositionQCL-CellList-r17 ::= SEQUENCE (SIZE (1..maxNrofCellMeas)) OF SSB-PositionQCL-Cell-r17 SSB-PositionQCL-Cell-r17 ::= SEQUENCE { physCellId-r17 PhysCellId, ssb-PositionQCL-r17 SSB-PositionQCL-Relation-r17 } -- TAG-MEASOBJECTNR-STOP -- TAG-MEASOBJECTNR-SL-START MeasObjectNR-SL-r16 ::= SEQUENCE { tx-PoolMeasToRemoveList-r16 Tx-PoolMeasList-r16 OPTIONAL, -- Need N tx-PoolMeasToAddModList-r16 Tx-PoolMeasList-r16 OPTIONAL -- Need N } Tx-PoolMeasList-r16 ::= SEQUENCE (SIZE (1..maxNrofSL-PoolToMeasureNR-r16)) OF SL-ResourcePoolID-r16 -- TAG-MEASOBJECTNR-SL-STOP -- TAG-MEASOBJECTRXTXDIFF-START MeasObjectRxTxDiff-r17 ::= SEQUENCE { dl-Ref-r17 CHOICE { prs-Ref-r17 NULL, csi-RS-Ref-r17 NULL, ... } OPTIONAL, -- Need R ... } -- TAG-MEASOBJECTRXTXDIFF-STOP -- TAG-MEASOBJECTTOADDMODLIST-START MeasObjectToAddModList ::= SEQUENCE (SIZE (1..maxNrofObjectId)) OF MeasObjectToAddMod MeasObjectToAddMod ::= SEQUENCE { measObjectId MeasObjectId, measObject CHOICE { measObjectNR MeasObjectNR, ..., measObjectEUTRA MeasObjectEUTRA, measObjectUTRA-FDD-r16 MeasObjectUTRA-FDD-r16, measObjectNR-SL-r16 MeasObjectNR-SL-r16, measObjectCLI-r16 MeasObjectCLI-r16, measObjectRxTxDiff-r17 MeasObjectRxTxDiff-r17, measObjectRelay-r17 SL-MeasObject-r16 } } -- TAG-MEASOBJECTTOADDMODLIST-STOP -- TAG-MEASOBJECTUTRA-FDD-START MeasObjectUTRA-FDD-r16 ::= SEQUENCE { carrierFreq-r16 ARFCN-ValueUTRA-FDD-r16, utra-FDD-Q-OffsetRange-r16 UTRA-FDD-Q-OffsetRange-r16 OPTIONAL, -- Need R cellsToRemoveList-r16 UTRA-FDD-CellIndexList-r16 OPTIONAL, -- Need N cellsToAddModList-r16 CellsToAddModListUTRA-FDD-r16 OPTIONAL, -- Need N ... } CellsToAddModListUTRA-FDD-r16 ::= SEQUENCE (SIZE (1..maxCellMeasUTRA-FDD-r16)) OF CellsToAddModUTRA-FDD-r16 CellsToAddModUTRA-FDD-r16 ::= SEQUENCE { cellIndexUTRA-FDD-r16 UTRA-FDD-CellIndex-r16, physCellId-r16 PhysCellIdUTRA-FDD-r16 } UTRA-FDD-CellIndexList-r16 ::= SEQUENCE (SIZE (1..maxCellMeasUTRA-FDD-r16)) OF UTRA-FDD-CellIndex-r16 UTRA-FDD-CellIndex-r16 ::= INTEGER (1..maxCellMeasUTRA-FDD-r16) -- TAG-MEASOBJECTUTRA-FDD-STOP -- TAG-MEASRESULTCELLLISTSFTD-NR-START MeasResultCellListSFTD-NR ::= SEQUENCE (SIZE (1..maxCellSFTD)) OF MeasResultCellSFTD-NR MeasResultCellSFTD-NR ::= SEQUENCE { physCellId PhysCellId, sfn-OffsetResult INTEGER (0..1023), frameBoundaryOffsetResult INTEGER (-30720..30719), rsrp-Result RSRP-Range OPTIONAL } -- TAG-MEASRESULTCELLLISTSFTD-NR-STOP -- TAG-MEASRESULTCELLLISTSFTD-EUTRA-START MeasResultCellListSFTD-EUTRA ::= SEQUENCE (SIZE (1..maxCellSFTD)) OF MeasResultSFTD-EUTRA MeasResultSFTD-EUTRA ::= SEQUENCE { eutra-PhysCellId EUTRA-PhysCellId, sfn-OffsetResult INTEGER (0..1023), frameBoundaryOffsetResult INTEGER (-30720..30719), rsrp-Result RSRP-Range OPTIONAL } -- TAG-MEASRESULTCELLLISTSFTD-EUTRA-STOP -- TAG-MEASRESULTS-START MeasResults ::= SEQUENCE { measId MeasId, measResultServingMOList MeasResultServMOList, measResultNeighCells CHOICE { measResultListNR MeasResultListNR, ..., measResultListEUTRA MeasResultListEUTRA, measResultListUTRA-FDD-r16 MeasResultListUTRA-FDD-r16, sl-MeasResultsCandRelay-r17 OCTET STRING -- Contains PC5 SL-MeasResultListRelay-r17 } OPTIONAL, ..., [[ measResultServFreqListEUTRA-SCG MeasResultServFreqListEUTRA-SCG OPTIONAL, measResultServFreqListNR-SCG MeasResultServFreqListNR-SCG OPTIONAL, measResultSFTD-EUTRA MeasResultSFTD-EUTRA OPTIONAL, measResultSFTD-NR MeasResultCellSFTD-NR OPTIONAL ]], [[ measResultCellListSFTD-NR MeasResultCellListSFTD-NR OPTIONAL ]], [[ measResultForRSSI-r16 MeasResultForRSSI-r16 OPTIONAL, locationInfo-r16 LocationInfo-r16 OPTIONAL, ul-PDCP-DelayValueResultList-r16 UL-PDCP-DelayValueResultList-r16 OPTIONAL, measResultsSL-r16 MeasResultsSL-r16 OPTIONAL, measResultCLI-r16 MeasResultCLI-r16 OPTIONAL ]], [[ measResultRxTxTimeDiff-r17 MeasResultRxTxTimeDiff-r17 OPTIONAL, sl-MeasResultServingRelay-r17 OCTET STRING OPTIONAL, -- Contains PC5 SL-MeasResultRelay-r17 ul-PDCP-ExcessDelayResultList-r17 UL-PDCP-ExcessDelayResultList-r17 OPTIONAL, coarseLocationInfo-r17 OCTET STRING OPTIONAL ]] } MeasResultServMOList ::= SEQUENCE (SIZE (1..maxNrofServingCells)) OF MeasResultServMO MeasResultServMO ::= SEQUENCE { servCellId ServCellIndex, measResultServingCell MeasResultNR, measResultBestNeighCell MeasResultNR OPTIONAL, ... } MeasResultListNR ::= SEQUENCE (SIZE (1..maxCellReport)) OF MeasResultNR MeasResultNR ::= SEQUENCE { physCellId PhysCellId OPTIONAL, measResult SEQUENCE { cellResults SEQUENCE{ resultsSSB-Cell MeasQuantityResults OPTIONAL, resultsCSI-RS-Cell MeasQuantityResults OPTIONAL }, rsIndexResults SEQUENCE{ resultsSSB-Indexes ResultsPerSSB-IndexList OPTIONAL, resultsCSI-RS-Indexes ResultsPerCSI-RS-IndexList OPTIONAL } OPTIONAL }, ..., [[ cgi-Info CGI-InfoNR OPTIONAL ]] , [[ choCandidate-r17 ENUMERATED {true} OPTIONAL, choConfig-r17 SEQUENCE (SIZE (1..2)) OF CondTriggerConfig-r16 OPTIONAL, triggeredEvent-r17 SEQUENCE { timeBetweenEvents-r17 TimeBetweenEvent-r17 OPTIONAL, firstTriggeredEvent ENUMERATED {condFirstEvent, condSecondEvent} OPTIONAL } OPTIONAL ]] } MeasResultListEUTRA ::= SEQUENCE (SIZE (1..maxCellReport)) OF MeasResultEUTRA MeasResultEUTRA ::= SEQUENCE { eutra-PhysCellId PhysCellId, measResult MeasQuantityResultsEUTRA, cgi-Info CGI-InfoEUTRA OPTIONAL, ... } MultiBandInfoListEUTRA ::= SEQUENCE (SIZE (1..maxMultiBands)) OF FreqBandIndicatorEUTRA MeasQuantityResults ::= SEQUENCE { rsrp RSRP-Range OPTIONAL, rsrq RSRQ-Range OPTIONAL, sinr SINR-Range OPTIONAL } MeasQuantityResultsEUTRA ::= SEQUENCE { rsrp RSRP-RangeEUTRA OPTIONAL, rsrq RSRQ-RangeEUTRA OPTIONAL, sinr SINR-RangeEUTRA OPTIONAL } ResultsPerSSB-IndexList::= SEQUENCE (SIZE (1..maxNrofIndexesToReport2)) OF ResultsPerSSB-Index ResultsPerSSB-Index ::= SEQUENCE { ssb-Index SSB-Index, ssb-Results MeasQuantityResults OPTIONAL } ResultsPerCSI-RS-IndexList::= SEQUENCE (SIZE (1..maxNrofIndexesToReport2)) OF ResultsPerCSI-RS-Index ResultsPerCSI-RS-Index ::= SEQUENCE { csi-RS-Index CSI-RS-Index, csi-RS-Results MeasQuantityResults OPTIONAL } MeasResultServFreqListEUTRA-SCG ::= SEQUENCE (SIZE (1..maxNrofServingCellsEUTRA)) OF MeasResult2EUTRA MeasResultServFreqListNR-SCG ::= SEQUENCE (SIZE (1..maxNrofServingCells)) OF MeasResult2NR MeasResultListUTRA-FDD-r16 ::= SEQUENCE (SIZE (1..maxCellReport)) OF MeasResultUTRA-FDD-r16 MeasResultUTRA-FDD-r16 ::= SEQUENCE { physCellId-r16 PhysCellIdUTRA-FDD-r16, measResult-r16 SEQUENCE { utra-FDD-RSCP-r16 INTEGER (-5..91) OPTIONAL, utra-FDD-EcN0-r16 INTEGER (0..49) OPTIONAL } } MeasResultForRSSI-r16 ::= SEQUENCE { rssi-Result-r16 RSSI-Range-r16, channelOccupancy-r16 INTEGER (0..100) } MeasResultCLI-r16 ::= SEQUENCE { measResultListSRS-RSRP-r16 MeasResultListSRS-RSRP-r16 OPTIONAL, measResultListCLI-RSSI-r16 MeasResultListCLI-RSSI-r16 OPTIONAL } MeasResultListSRS-RSRP-r16 ::= SEQUENCE (SIZE (1.. maxCLI-Report-r16)) OF MeasResultSRS-RSRP-r16 MeasResultSRS-RSRP-r16 ::= SEQUENCE { srs-ResourceId-r16 SRS-ResourceId, srs-RSRP-Result-r16 SRS-RSRP-Range-r16 } MeasResultListCLI-RSSI-r16 ::= SEQUENCE (SIZE (1.. maxCLI-Report-r16)) OF MeasResultCLI-RSSI-r16 MeasResultCLI-RSSI-r16 ::= SEQUENCE { rssi-ResourceId-r16 RSSI-ResourceId-r16, cli-RSSI-Result-r16 CLI-RSSI-Range-r16 } UL-PDCP-DelayValueResultList-r16 ::= SEQUENCE (SIZE (1..maxDRB)) OF UL-PDCP-DelayValueResult-r16 UL-PDCP-DelayValueResult-r16 ::= SEQUENCE { drb-Id-r16 DRB-Identity, averageDelay-r16 INTEGER (0..10000), ... } UL-PDCP-ExcessDelayResultList-r17 ::= SEQUENCE (SIZE (1..maxDRB)) OF UL-PDCP-ExcessDelayResult-r17 UL-PDCP-ExcessDelayResult-r17 ::= SEQUENCE { drb-Id-r17 DRB-Identity, excessDelay-r17 INTEGER (0..31), ... } TimeBetweenEvent-r17 ::= INTEGER (0..1023) -- TAG-MEASRESULTS-STOP -- TAG-MEASRESULT2EUTRA-START MeasResult2EUTRA ::= SEQUENCE { carrierFreq ARFCN-ValueEUTRA, measResultServingCell MeasResultEUTRA OPTIONAL, measResultBestNeighCell MeasResultEUTRA OPTIONAL, ... } -- TAG-MEASRESULT2EUTRA-STOP -- TAG-MEASRESULT2NR-START MeasResult2NR ::= SEQUENCE { ssbFrequency ARFCN-ValueNR OPTIONAL, refFreqCSI-RS ARFCN-ValueNR OPTIONAL, measResultServingCell MeasResultNR OPTIONAL, measResultNeighCellListNR MeasResultListNR OPTIONAL, ... } -- TAG-MEASRESULT2NR-STOP -- TAG-MEASRESULTIDLEEUTRA-START MeasResultIdleEUTRA-r16 ::= SEQUENCE { measResultsPerCarrierListIdleEUTRA-r16 SEQUENCE (SIZE (1.. maxFreqIdle-r16)) OF MeasResultsPerCarrierIdleEUTRA-r16, ... } MeasResultsPerCarrierIdleEUTRA-r16 ::= SEQUENCE { carrierFreqEUTRA-r16 ARFCN-ValueEUTRA, measResultsPerCellListIdleEUTRA-r16 SEQUENCE (SIZE (1..maxCellMeasIdle-r16)) OF MeasResultsPerCellIdleEUTRA-r16, ... } MeasResultsPerCellIdleEUTRA-r16 ::= SEQUENCE { eutra-PhysCellId-r16 EUTRA-PhysCellId, measIdleResultEUTRA-r16 SEQUENCE { rsrp-ResultEUTRA-r16 RSRP-RangeEUTRA OPTIONAL, rsrq-ResultEUTRA-r16 RSRQ-RangeEUTRA-r16 OPTIONAL }, ... } -- TAG-MEASRESULTIDLEEUTRA-STOP -- TAG-MEASRESULTIDLENR-START MeasResultIdleNR-r16 ::= SEQUENCE { measResultServingCell-r16 SEQUENCE { rsrp-Result-r16 RSRP-Range OPTIONAL, rsrq-Result-r16 RSRQ-Range OPTIONAL, resultsSSB-Indexes-r16 ResultsPerSSB-IndexList-r16 OPTIONAL }, measResultsPerCarrierListIdleNR-r16 SEQUENCE (SIZE (1.. maxFreqIdle-r16)) OF MeasResultsPerCarrierIdleNR-r16 OPTIONAL, ... } MeasResultsPerCarrierIdleNR-r16 ::= SEQUENCE { carrierFreq-r16 ARFCN-ValueNR, measResultsPerCellListIdleNR-r16 SEQUENCE (SIZE (1..maxCellMeasIdle-r16)) OF MeasResultsPerCellIdleNR-r16, ... } MeasResultsPerCellIdleNR-r16 ::= SEQUENCE { physCellId-r16 PhysCellId, measIdleResultNR-r16 SEQUENCE { rsrp-Result-r16 RSRP-Range OPTIONAL, rsrq-Result-r16 RSRQ-Range OPTIONAL, resultsSSB-Indexes-r16 ResultsPerSSB-IndexList-r16 OPTIONAL }, ... } ResultsPerSSB-IndexList-r16 ::= SEQUENCE (SIZE (1.. maxNrofIndexesToReport)) OF ResultsPerSSB-IndexIdle-r16 ResultsPerSSB-IndexIdle-r16 ::= SEQUENCE { ssb-Index-r16 SSB-Index, ssb-Results-r16 SEQUENCE { ssb-RSRP-Result-r16 RSRP-Range OPTIONAL, ssb-RSRQ-Result-r16 RSRQ-Range OPTIONAL } OPTIONAL } -- TAG-MEASRESULTIDLENR-STOP -- TAG-MEASRESULTRXTXTIMEDIFF-START MeasResultRxTxTimeDiff-r17 ::= SEQUENCE { rxTxTimeDiff-ue-r17 RxTxTimeDiff-r17 OPTIONAL, ... } -- TAG-MEASRESULTRXTXTIMEDIFF-STOP -- TAG-MEASRESULTSCG-FAILURE-START MeasResultSCG-Failure ::= SEQUENCE { measResultPerMOList MeasResultList2NR, ..., [[ locationInfo-r16 LocationInfo-r16 OPTIONAL ]] } MeasResultList2NR ::= SEQUENCE (SIZE (1..maxFreq)) OF MeasResult2NR -- TAG-MEASRESULTSCG-FAILURE-STOP -- TAG-MEASRESULTSSL-START MeasResultsSL-r16 ::= SEQUENCE { measResultsListSL-r16 CHOICE { measResultNR-SL-r16 MeasResultNR-SL-r16, ... }, ... } MeasResultNR-SL-r16 ::= SEQUENCE { measResultListCBR-NR-r16 SEQUENCE (SIZE (1.. maxNrofSL-PoolToMeasureNR-r16)) OF MeasResultCBR-NR-r16, ... } MeasResultCBR-NR-r16 ::= SEQUENCE { sl-poolReportIdentity-r16 SL-ResourcePoolID-r16, sl-CBR-ResultsNR-r16 SL-CBR-r16, ... } -- TAG-MEASRESULTSSL-STOP -- TAG-MEASTRIGGERQUANTITYEUTRA-START MeasTriggerQuantityEUTRA::= CHOICE { rsrp RSRP-RangeEUTRA, rsrq RSRQ-RangeEUTRA, sinr SINR-RangeEUTRA } RSRP-RangeEUTRA ::= INTEGER (0..97) RSRQ-RangeEUTRA ::= INTEGER (0..34) SINR-RangeEUTRA ::= INTEGER (0..127) -- TAG-MEASTRIGGERQUANTITYEUTRA-STOP -- TAG-MOBILITYSTATEPARAMETERS-START MobilityStateParameters ::= SEQUENCE{ t-Evaluation ENUMERATED { s30, s60, s120, s180, s240, spare3, spare2, spare1}, t-HystNormal ENUMERATED { s30, s60, s120, s180, s240, spare3, spare2, spare1}, n-CellChangeMedium INTEGER (1..16), n-CellChangeHigh INTEGER (1..16) } -- TAG-MOBILITYSTATEPARAMETERS-STOP -- TAG-MRB-IDENTITY-START MRB-Identity-r17 ::= INTEGER (1..512) -- TAG-MRB-IDENTITY-STOP -- TAG-MSGACONFIGCOMMON-START MsgA-ConfigCommon-r16 ::= SEQUENCE { rach-ConfigCommonTwoStepRA-r16 RACH-ConfigCommonTwoStepRA-r16, msgA-PUSCH-Config-r16 MsgA-PUSCH-Config-r16 OPTIONAL --Cond InitialBWPConfig } -- TAG-MSGACONFIGCOMMON-STOP -- TAG-MSGA-PUSCH-CONFIG-START MsgA-PUSCH-Config-r16 ::= SEQUENCE { msgA-PUSCH-ResourceGroupA-r16 MsgA-PUSCH-Resource-r16 OPTIONAL, -- Cond InitialBWPConfig msgA-PUSCH-ResourceGroupB-r16 MsgA-PUSCH-Resource-r16 OPTIONAL, -- Cond GroupBConfigured msgA-TransformPrecoder-r16 ENUMERATED {enabled, disabled} OPTIONAL, -- Need R msgA-DataScramblingIndex-r16 INTEGER (0..1023) OPTIONAL, -- Need S msgA-DeltaPreamble-r16 INTEGER (-1..6) OPTIONAL -- Need R } MsgA-PUSCH-Resource-r16 ::= SEQUENCE { msgA-MCS-r16 INTEGER (0..15), nrofSlotsMsgA-PUSCH-r16 INTEGER (1..4), nrofMsgA-PO-PerSlot-r16 ENUMERATED {one, two, three, six}, msgA-PUSCH-TimeDomainOffset-r16 INTEGER (1..32), msgA-PUSCH-TimeDomainAllocation-r16 INTEGER (1..maxNrofUL-Allocations) OPTIONAL, -- Need S startSymbolAndLengthMsgA-PO-r16 INTEGER (0..127) OPTIONAL, -- Need S mappingTypeMsgA-PUSCH-r16 ENUMERATED {typeA, typeB} OPTIONAL, -- Need S guardPeriodMsgA-PUSCH-r16 INTEGER (0..3) OPTIONAL, -- Need R guardBandMsgA-PUSCH-r16 INTEGER (0..1), frequencyStartMsgA-PUSCH-r16 INTEGER (0..maxNrofPhysicalResourceBlocks-1), nrofPRBs-PerMsgA-PO-r16 INTEGER (1..32), nrofMsgA-PO-FDM-r16 ENUMERATED {one, two, four, eight}, msgA-IntraSlotFrequencyHopping-r16 ENUMERATED {enabled} OPTIONAL, -- Need R msgA-HoppingBits-r16 BIT STRING (SIZE(2)) OPTIONAL, -- Cond FreqHopConfigured msgA-DMRS-Config-r16 MsgA-DMRS-Config-r16, nrofDMRS-Sequences-r16 INTEGER (1..2), msgA-Alpha-r16 ENUMERATED {alpha0, alpha04, alpha05, alpha06, alpha07, alpha08, alpha09, alpha1} OPTIONAL, -- Need S interlaceIndexFirstPO-MsgA-PUSCH-r16 INTEGER (1..10) OPTIONAL, -- Need R nrofInterlacesPerMsgA-PO-r16 INTEGER (1..10) OPTIONAL, -- Need R ... } MsgA-DMRS-Config-r16 ::= SEQUENCE { msgA-DMRS-AdditionalPosition-r16 ENUMERATED {pos0, pos1, pos3} OPTIONAL, -- Need S msgA-MaxLength-r16 ENUMERATED {len2} OPTIONAL, -- Need S msgA-PUSCH-DMRS-CDM-Group-r16 INTEGER (0..1) OPTIONAL, -- Need S msgA-PUSCH-NrofPorts-r16 INTEGER (0..1) OPTIONAL, -- Need S msgA-ScramblingID0-r16 INTEGER (0..65535) OPTIONAL, -- Need S msgA-ScramblingID1-r16 INTEGER (0..65535) OPTIONAL -- Need S } -- TAG-MSGA-PUSCH-CONFIG-STOP -- TAG-MULTIFREQUENCYBANDLISTNR-START MultiFrequencyBandListNR ::= SEQUENCE (SIZE (1..maxNrofMultiBands)) OF FreqBandIndicatorNR -- TAG-MULTIFREQUENCYBANDLISTNR-STOP -- TAG-MULTIFREQUENCYBANDLISTNR-SIB-START MultiFrequencyBandListNR-SIB ::= SEQUENCE (SIZE (1.. maxNrofMultiBands)) OF NR-MultiBandInfo NR-MultiBandInfo ::= SEQUENCE { freqBandIndicatorNR FreqBandIndicatorNR OPTIONAL, -- Cond OptULNotSIB2 nr-NS-PmaxList NR-NS-PmaxList OPTIONAL -- Need S } -- TAG-MULTIFREQUENCYBANDLISTNR-SIB-STOP -- TAG-MUSIM-GAPCONFIG-START MUSIM-GapConfig-r17 ::= SEQUENCE { musim-GapToReleaseList-r17 SEQUENCE (SIZE (1..3)) OF MUSIM-GapId-r17 OPTIONAL, -- Need N musim-GapToAddModList-r17 SEQUENCE (SIZE (1..3)) OF MUSIM-Gap-r17 OPTIONAL, -- Need N musim-AperiodicGap-r17 MUSIM-GapInfo-r17 OPTIONAL, -- Need N ... } MUSIM-Gap-r17 ::= SEQUENCE { musim-GapId-r17 MUSIM-GapId-r17, musim-GapInfo-r17 MUSIM-GapInfo-r17 } -- TAG-MUSIM-GAPCONFIG-STOP -- TAG-MUSIM-GAPID-START MUSIM-GapId-r17 ::= INTEGER (0..2) -- TAG-MUSIM-GAPID-STOP -- TAG-MUSIM-GAPINFO-START MUSIM-GapInfo-r17 ::= SEQUENCE { musim-Starting-SFN-AndSubframe-r17 MUSIM-Starting-SFN-AndSubframe-r17 OPTIONAL, -- Cond aperiodic musim-GapLength-r17 ENUMERATED {ms3, ms4, ms6, ms10, ms20} OPTIONAL, -- Cond gapSetup musim-GapRepetitionAndOffset-r17 CHOICE { ms20-r17 INTEGER (0..19), ms40-r17 INTEGER (0..39), ms80-r17 INTEGER (0..79), ms160-r17 INTEGER (0..159), ms320-r17 INTEGER (0..319), ms640-r17 INTEGER (0..639), ms1280-r17 INTEGER (0..1279), ms2560-r17 INTEGER (0..2559), ms5120-r17 INTEGER (0..5119), ... } OPTIONAL -- Cond periodic } MUSIM-Starting-SFN-AndSubframe-r17 ::= SEQUENCE { starting-SFN-r17 INTEGER (0..1023), startingSubframe-r17 INTEGER (0..9) } -- TAG-MUSIM-GAPINFO-STOP -- TAG-NeedForGapsConfigNR-START NeedForGapsConfigNR-r16 ::= SEQUENCE { requestedTargetBandFilterNR-r16 SEQUENCE (SIZE (1..maxBands)) OF FreqBandIndicatorNR OPTIONAL -- Need R } -- TAG-NeedForGapsConfigNR-STOP -- TAG-NeedForGapsInfoNR-START NeedForGapsInfoNR-r16 ::= SEQUENCE { intraFreq-needForGap-r16 NeedForGapsIntraFreqList-r16, interFreq-needForGap-r16 NeedForGapsBandListNR-r16 } NeedForGapsIntraFreqList-r16 ::= SEQUENCE (SIZE (1.. maxNrofServingCells)) OF NeedForGapsIntraFreq-r16 NeedForGapsBandListNR-r16 ::= SEQUENCE (SIZE (1..maxBands)) OF NeedForGapsNR-r16 NeedForGapsIntraFreq-r16 ::= SEQUENCE { servCellId-r16 ServCellIndex, gapIndicationIntra-r16 ENUMERATED {gap, no-gap} } NeedForGapsNR-r16 ::= SEQUENCE { bandNR-r16 FreqBandIndicatorNR, gapIndication-r16 ENUMERATED {gap, no-gap} } -- TAG-NeedForGapsInfoNR-STOP -- TAG-NeedForGapNCSG-ConfigEUTRA-START NeedForGapNCSG-ConfigEUTRA-r17 ::= SEQUENCE { requestedTargetBandFilterNCSG-EUTRA-r17 SEQUENCE (SIZE (1..maxBandsEUTRA)) OF FreqBandIndicatorEUTRA OPTIONAL -- Need R } -- TAG-NeedForGapNCSG-ConfigEUTRA-STOP -- TAG-NEEDFORGAPNCSG-CONFIGNR-START NeedForGapNCSG-ConfigNR-r17 ::= SEQUENCE { requestedTargetBandFilterNCSG-NR-r17 SEQUENCE (SIZE (1..maxBands)) OF FreqBandIndicatorNR OPTIONAL -- Need R } -- TAG-NEEDFORGAPNCSG-CONFIGNR-STOP -- TAG-NEEDFORGAPNCSG-INFOEUTRA-START NeedForGapNCSG-InfoEUTRA-r17 ::= SEQUENCE { needForNCSG-EUTRA-r17 SEQUENCE (SIZE (1..maxBandsEUTRA)) OF NeedForNCSG-EUTRA-r17 } NeedForNCSG-EUTRA-r17 ::= SEQUENCE { bandEUTRA-r17 FreqBandIndicatorEUTRA, gapIndication-r17 ENUMERATED {gap, ncsg, nogap-noncsg} } -- TAG-NEEDFORGAPNCSG-INFOEUTRA-STOP -- TAG-NEEDFORGAPNCSG-INFONR-START NeedForGapNCSG-InfoNR-r17 ::= SEQUENCE { intraFreq-needForNCSG-r17 NeedForNCSG-IntraFreqList-r17, interFreq-needForNCSG-r17 NeedForNCSG-BandListNR-r17 } NeedForNCSG-IntraFreqList-r17 ::= SEQUENCE (SIZE (1.. maxNrofServingCells)) OF NeedForNCSG-IntraFreq-r17 NeedForNCSG-BandListNR-r17 ::= SEQUENCE (SIZE (1..maxBands)) OF NeedForNCSG-NR-r17 NeedForNCSG-IntraFreq-r17 ::= SEQUENCE { servCellId-r17 ServCellIndex, gapIndicationIntra-r17 ENUMERATED {gap, ncsg, nogap-noncsg} } NeedForNCSG-NR-r17 ::= SEQUENCE { bandNR-r17 FreqBandIndicatorNR, gapIndication-r17 ENUMERATED {gap, ncsg, nogap-noncsg} } -- TAG-NEEDFORGAPNCSG-INFONR-STOP -- TAG-NEXTHOPCHAININGCOUNT-START NextHopChainingCount ::= INTEGER (0..7) -- TAG-NEXTHOPCHAININGCOUNT-STOP -- TAG-NG-5G-S-TMSI-START NG-5G-S-TMSI ::= BIT STRING (SIZE (48)) -- TAG-NG-5G-S-TMSI-STOP -- TAG-NONCELLDEFININGSSB-START NonCellDefiningSSB-r17 ::= SEQUENCE { absoluteFrequencySSB-r17 ARFCN-ValueNR, ssb-Periodicity-r17 ENUMERATED { ms5, ms10, ms20, ms40, ms80, ms160, spare2, spare1 } OPTIONAL, -- Need S ssb-TimeOffset-r17 ENUMERATED { ms5, ms10, ms15, ms20, ms40, ms80, spare2, spare1 } OPTIONAL, -- Need S ... } -- TAG-NONCELLDEFININGSSB-STOP -- TAG-NPN-IDENTITY-START NPN-Identity-r16 ::= CHOICE { pni-npn-r16 SEQUENCE { plmn-Identity-r16 PLMN-Identity, cag-IdentityList-r16 SEQUENCE (SIZE (1..maxNPN-r16)) OF CAG-IdentityInfo-r16 }, snpn-r16 SEQUENCE { plmn-Identity-r16 PLMN-Identity, nid-List-r16 SEQUENCE (SIZE (1..maxNPN-r16)) OF NID-r16 } } CAG-IdentityInfo-r16 ::= SEQUENCE { cag-Identity-r16 BIT STRING (SIZE (32)), manualCAGselectionAllowed-r16 ENUMERATED {true} OPTIONAL -- Need R } NID-r16 ::= BIT STRING (SIZE (44)) -- TAG-NPN-IDENTITY-STOP -- TAG-NPN-IDENTITYINFOLIST-START NPN-IdentityInfoList-r16 ::= SEQUENCE (SIZE (1..maxNPN-r16)) OF NPN-IdentityInfo-r16 NPN-IdentityInfo-r16 ::= SEQUENCE { npn-IdentityList-r16 SEQUENCE (SIZE (1..maxNPN-r16)) OF NPN-Identity-r16, trackingAreaCode-r16 TrackingAreaCode, ranac-r16 RAN-AreaCode OPTIONAL, -- Need R cellIdentity-r16 CellIdentity, cellReservedForOperatorUse-r16 ENUMERATED {reserved, notReserved}, iab-Support-r16 ENUMERATED {true} OPTIONAL, -- Need S ..., [[ gNB-ID-Length-r17 INTEGER (22..32) OPTIONAL -- Need R ]] } -- TAG-NPN-IDENTITYINFOLIST-STOP -- TAG-NR-DL-PRS-PDC-INFO-START NR-DL-PRS-PDC-Info-r17 ::= SEQUENCE { nr-DL-PRS-PDC-ResourceSet-r17 NR-DL-PRS-PDC-ResourceSet-r17 OPTIONAL, -- Need R ... } NR-DL-PRS-PDC-ResourceSet-r17 ::= SEQUENCE { periodicityAndOffset-r17 NR-DL-PRS-Periodicity-and-ResourceSetSlotOffset-r17, numSymbols-r17 ENUMERATED {n2, n4, n6, n12, spare4, spare3, spare2, spare1}, dl-PRS-ResourceBandwidth-r17 INTEGER (1..63), dl-PRS-StartPRB-r17 INTEGER (0..2176), resourceList-r17 SEQUENCE (SIZE (1..maxNrofPRS-ResourcesPerSet-r17)) OF NR-DL-PRS-Resource-r17, repFactorAndTimeGap-r17 RepFactorAndTimeGap-r17 OPTIONAL, -- Need S ... } NR-DL-PRS-Periodicity-and-ResourceSetSlotOffset-r17 ::= CHOICE { scs15-r17 CHOICE { n4-r17 INTEGER (0..3), n5-r17 INTEGER (0..4), n8-r17 INTEGER (0..7), n10-r17 INTEGER (0..9), n16-r17 INTEGER (0..15), n20-r17 INTEGER (0..19), n32-r17 INTEGER (0..31), n40-r17 INTEGER (0..39), n64-r17 INTEGER (0..63), n80-r17 INTEGER (0..79), n160-r17 INTEGER (0..159), n320-r17 INTEGER (0..319), n640-r17 INTEGER (0..639), n1280-r17 INTEGER (0..1279), n2560-r17 INTEGER (0..2559), n5120-r17 INTEGER (0..5119), n10240-r17 INTEGER (0..10239), ... }, scs30-r17 CHOICE { n8-r17 INTEGER (0..7), n10-r17 INTEGER (0..9), n16-r17 INTEGER (0..15), n20-r17 INTEGER (0..19), n32-r17 INTEGER (0..31), n40-r17 INTEGER (0..39), n64-r17 INTEGER (0..63), n80-r17 INTEGER (0..79), n128-r17 INTEGER (0..127), n160-r17 INTEGER (0..159), n320-r17 INTEGER (0..319), n640-r17 INTEGER (0..639), n1280-r17 INTEGER (0..1279), n2560-r17 INTEGER (0..2559), n5120-r17 INTEGER (0..5119), n10240-r17 INTEGER (0..10239), n20480-r17 INTEGER (0..20479), ... }, scs60-r17 CHOICE { n16-r17 INTEGER (0..15), n20-r17 INTEGER (0..19), n32-r17 INTEGER (0..31), n40-r17 INTEGER (0..39), n64-r17 INTEGER (0..63), n80-r17 INTEGER (0..79), n128-r17 INTEGER (0..127), n160-r17 INTEGER (0..159), n256-r17 INTEGER (0..255), n320-r17 INTEGER (0..319), n640-r17 INTEGER (0..639), n1280-r17 INTEGER (0..1279), n2560-r17 INTEGER (0..2559), n5120-r17 INTEGER (0..5119), n10240-r17 INTEGER (0..10239), n20480-r17 INTEGER (0..20479), n40960-r17 INTEGER (0..40959), ... }, scs120-r17 CHOICE { n32-r17 INTEGER (0..31), n40-r17 INTEGER (0..39), n64-r17 INTEGER (0..63), n80-r17 INTEGER (0..79), n128-r17 INTEGER (0..127), n160-r17 INTEGER (0..159), n256-r17 INTEGER (0..255), n320-r17 INTEGER (0..319), n512-r17 INTEGER (0..511), n640-r17 INTEGER (0..639), n1280-r17 INTEGER (0..1279), n2560-r17 INTEGER (0..2559), n5120-r17 INTEGER (0..5119), n10240-r17 INTEGER (0..10239), n20480-r17 INTEGER (0..20479), n40960-r17 INTEGER (0..40959), n81920-r17 INTEGER (0..81919), ... }, ... } NR-DL-PRS-Resource-r17 ::= SEQUENCE { nr-DL-PRS-ResourceID-r17 NR-DL-PRS-ResourceID-r17, dl-PRS-SequenceID-r17 INTEGER (0..4095), dl-PRS-CombSizeN-AndReOffset-r17 CHOICE { n2-r17 INTEGER (0..1), n4-r17 INTEGER (0..3), n6-r17 INTEGER (0..5), n12-r17 INTEGER (0..11), ... }, dl-PRS-ResourceSlotOffset-r17 INTEGER (0..maxNrofPRS-ResourceOffsetValue-1-r17), dl-PRS-ResourceSymbolOffset-r17 INTEGER (0..12), dl-PRS-QCL-Info-r17 DL-PRS-QCL-Info-r17 OPTIONAL, -- Need N ... } DL-PRS-QCL-Info-r17 ::= CHOICE { ssb-r17 SEQUENCE { ssb-Index-r17 INTEGER (0..63), rs-Type-r17 ENUMERATED {typeC, typeD, typeC-plus-typeD}, ... }, dl-PRS-r17 SEQUENCE { qcl-DL-PRS-ResourceID-r17 NR-DL-PRS-ResourceID-r17, ... }, ... } NR-DL-PRS-ResourceID-r17 ::= INTEGER (0..maxNrofPRS-ResourcesPerSet-1-r17) RepFactorAndTimeGap-r17 ::= SEQUENCE { repetitionFactor-r17 ENUMERATED {n2, n4, n6, n8, n16, n32, spare2, spare1}, timeGap-r17 ENUMERATED {s1, s2, s4, s8, s16, s32, spare2, spare1} } -- TAG-NR-DL-PRS-PDC-INFO-STOP -- TAG-NR-NS-PMAXLIST-START NR-NS-PmaxList ::= SEQUENCE (SIZE (1..maxNR-NS-Pmax)) OF NR-NS-PmaxValue NR-NS-PmaxValue ::= SEQUENCE { additionalPmax P-Max OPTIONAL, -- Need N additionalSpectrumEmission AdditionalSpectrumEmission } -- TAG-NR-NS-PMAXLIST-STOP -- TAG-NSAG-ID-START NSAG-ID-r17 ::= BIT STRING (SIZE (8)) -- TAG-NSAG-ID-STOP -- TAG-NSAG-IDENTITYINFO-START NSAG-IdentityInfo-r17 ::= SEQUENCE { nsag-ID-r17 NSAG-ID-r17, trackingAreaCode-r17 TrackingAreaCode OPTIONAL -- Need R } -- TAG-NSAG-IDENTITYINFO-STOP -- TAG-NTN-CONFIG-START NTN-Config-r17 ::= SEQUENCE { epochTime-r17 EpochTime-r17 OPTIONAL, -- Need R ntn-UlSyncValidityDuration-r17 ENUMERATED{ s5, s10, s15, s20, s25, s30, s35, s40, s45, s50, s55, s60, s120, s180, s240, s900} OPTIONAL, -- Cond SIB19 cellSpecificKoffset-r17 INTEGER(1..1023) OPTIONAL, -- Need R kmac-r17 INTEGER(1..512) OPTIONAL, -- Need R ta-Info-r17 TA-Info-r17 OPTIONAL, -- Need R ntn-PolarizationDL-r17 ENUMERATED {rhcp,lhcp,linear} OPTIONAL, -- Need R ntn-PolarizationUL-r17 ENUMERATED {rhcp,lhcp,linear} OPTIONAL, -- Need R ephemerisInfo-r17 EphemerisInfo-r17 OPTIONAL, -- Need R ta-Report-r17 ENUMERATED {enabled} OPTIONAL, -- Need R ... } EpochTime-r17 ::= SEQUENCE { sfn-r17 INTEGER(0..1023), subFrameNR-r17 INTEGER(0..9) } TA-Info-r17 ::= SEQUENCE { ta-Common-r17 INTEGER(0..66485757), ta-CommonDrift-r17 INTEGER(-257303..257303) OPTIONAL, -- Need R ta-CommonDriftVariant-r17 INTEGER(0..28949) OPTIONAL -- Need R } -- TAG-NTN-CONFIG-STOP -- TAG-NZP-CSI-RS-RESOURCE-START NZP-CSI-RS-Resource ::= SEQUENCE { nzp-CSI-RS-ResourceId NZP-CSI-RS-ResourceId, resourceMapping CSI-RS-ResourceMapping, powerControlOffset INTEGER (-8..15), powerControlOffsetSS ENUMERATED{db-3, db0, db3, db6} OPTIONAL, -- Need R scramblingID ScramblingId, periodicityAndOffset CSI-ResourcePeriodicityAndOffset OPTIONAL, -- Cond PeriodicOrSemiPersistent qcl-InfoPeriodicCSI-RS TCI-StateId OPTIONAL, -- Cond Periodic ... } -- TAG-NZP-CSI-RS-RESOURCE-STOP -- TAG-NZP-CSI-RS-RESOURCEID-START NZP-CSI-RS-ResourceId ::= INTEGER (0..maxNrofNZP-CSI-RS-Resources-1) -- TAG-NZP-CSI-RS-RESOURCEID-STOP -- TAG-NZP-CSI-RS-RESOURCESET-START NZP-CSI-RS-ResourceSet ::= SEQUENCE { nzp-CSI-ResourceSetId NZP-CSI-RS-ResourceSetId, nzp-CSI-RS-Resources SEQUENCE (SIZE (1..maxNrofNZP-CSI-RS-ResourcesPerSet)) OF NZP-CSI-RS-ResourceId, repetition ENUMERATED { on, off } OPTIONAL, -- Need S aperiodicTriggeringOffset INTEGER(0..6) OPTIONAL, -- Need S trs-Info ENUMERATED {true} OPTIONAL, -- Need R ..., [[ aperiodicTriggeringOffset-r16 INTEGER(0..31) OPTIONAL -- Need S ]], [[ pdc-Info-r17 ENUMERATED {true} OPTIONAL, -- Need R cmrGroupingAndPairing-r17 CMRGroupingAndPairing-r17 OPTIONAL, -- Need R aperiodicTriggeringOffset-r17 INTEGER (0..124) OPTIONAL, -- Need S aperiodicTriggeringOffsetL2-r17 INTEGER(0..31) OPTIONAL -- Need R ]] } CMRGroupingAndPairing-r17 ::= SEQUENCE { nrofResourcesGroup1-r17 INTEGER (1..7), pair1OfNZP-CSI-RS-r17 NZP-CSI-RS-Pairing-r17 OPTIONAL, -- Need R pair2OfNZP-CSI-RS-r17 NZP-CSI-RS-Pairing-r17 OPTIONAL -- Need R } NZP-CSI-RS-Pairing-r17 ::= SEQUENCE { nzp-CSI-RS-ResourceId1-r17 INTEGER (1..7), nzp-CSI-RS-ResourceId2-r17 INTEGER (1..7) } -- TAG-NZP-CSI-RS-RESOURCESET-STOP -- TAG-NZP-CSI-RS-RESOURCESETID-START NZP-CSI-RS-ResourceSetId ::= INTEGER (0..maxNrofNZP-CSI-RS-ResourceSets-1) -- TAG-NZP-CSI-RS-RESOURCESETID-STOP -- TAG-P-MAX-START P-Max ::= INTEGER (-30..33) -- TAG-P-MAX-STOP -- TAG-PATHLOSSREFERENCERS-START PathlossReferenceRS-r17 ::= SEQUENCE { pathlossReferenceRS-Id-r17 PathlossReferenceRS-Id-r17, referenceSignal-r17 CHOICE { ssb-Index SSB-Index, csi-RS-Index NZP-CSI-RS-ResourceId }, additionalPCI-r17 AdditionalPCIIndex-r17 OPTIONAL -- Cond RS-SSB } -- TAG-PATHLOSSREFERENCERS-STOP -- TAG-PATHLOSSREFERENCERS-ID-START PathlossReferenceRS-Id-r17 ::= INTEGER (0..maxNrofPathlossReferenceRSs-1-r17) -- TAG-PATHLOSSREFERENCERS-ID-STOP -- TAG-PCIARFCNEUTRA-START PCI-ARFCN-EUTRA-r16 ::= SEQUENCE { physCellId-r16 EUTRA-PhysCellId, carrierFreq-r16 ARFCN-ValueEUTRA } -- TAG-PCIARFCNEUTRA-STOP -- TAG-PCIARFCNNR-START PCI-ARFCN-NR-r16 ::= SEQUENCE { physCellId-r16 PhysCellId, carrierFreq-r16 ARFCN-ValueNR } -- TAG-PCIARFCNNR-STOP -- TAG-PCI-LIST-START PCI-List ::= SEQUENCE (SIZE (1..maxNrofCellMeas)) OF PhysCellId -- TAG-PCI-LIST-STOP -- TAG-PCI-RANGE-START PCI-Range ::= SEQUENCE { start PhysCellId, range ENUMERATED {n4, n8, n12, n16, n24, n32, n48, n64, n84, n96, n128, n168, n252, n504, n1008,spare1} OPTIONAL -- Need S } -- TAG-PCI-RANGE-STOP -- TAG-PCI-RANGEELEMENT-START PCI-RangeElement ::= SEQUENCE { pci-RangeIndex PCI-RangeIndex, pci-Range PCI-Range } -- TAG-PCI-RANGEELEMENT-STOP -- TAG-PCI-RANGEINDEX-START PCI-RangeIndex ::= INTEGER (1..maxNrofPCI-Ranges) -- TAG-PCI-RANGEINDEX-STOP -- TAG-PCI-RANGEINDEXLIST-START PCI-RangeIndexList ::= SEQUENCE (SIZE (1..maxNrofPCI-Ranges)) OF PCI-RangeIndex -- TAG-PCI-RANGEINDEXLIST-STOP -- TAG-PDCCH-CONFIG-START PDCCH-Config ::= SEQUENCE { controlResourceSetToAddModList SEQUENCE(SIZE (1..3)) OF ControlResourceSet OPTIONAL, -- Need N controlResourceSetToReleaseList SEQUENCE(SIZE (1..3)) OF ControlResourceSetId OPTIONAL, -- Need N searchSpacesToAddModList SEQUENCE(SIZE (1..10)) OF SearchSpace OPTIONAL, -- Need N searchSpacesToReleaseList SEQUENCE(SIZE (1..10)) OF SearchSpaceId OPTIONAL, -- Need N downlinkPreemption CHOICE {release NULL, setup DownlinkPreemption } OPTIONAL, -- Need M tpc-PUSCH CHOICE {release NULL, setup PUSCH-TPC-CommandConfig } OPTIONAL, -- Need M tpc-PUCCH CHOICE {release NULL, setup PUCCH-TPC-CommandConfig } OPTIONAL, -- Need M tpc-SRS CHOICE {release NULL, setup SRS-TPC-CommandConfig} OPTIONAL, -- Need M ..., [[ controlResourceSetToAddModListSizeExt-v1610 SEQUENCE (SIZE (1..2)) OF ControlResourceSet OPTIONAL, -- Need N controlResourceSetToReleaseListSizeExt-r16 SEQUENCE (SIZE (1..5)) OF ControlResourceSetId-r16 OPTIONAL, -- Need N searchSpacesToAddModListExt-r16 SEQUENCE(SIZE (1..10)) OF SearchSpaceExt-r16 OPTIONAL, -- Need N uplinkCancellation-r16 CHOICE {release NULL, setup UplinkCancellation-r16 } OPTIONAL, -- Need M monitoringCapabilityConfig-r16 ENUMERATED { r15monitoringcapability,r16monitoringcapability } OPTIONAL, -- Need M searchSpaceSwitchConfig-r16 SearchSpaceSwitchConfig-r16 OPTIONAL -- Need R ]], [[ searchSpacesToAddModListExt-v1700 SEQUENCE(SIZE (1..10)) OF SearchSpaceExt-v1700 OPTIONAL, -- Need N monitoringCapabilityConfig-v1710 ENUMERATED { r17monitoringcapability } OPTIONAL, -- Need M searchSpaceSwitchConfig-r17 SearchSpaceSwitchConfig-r17 OPTIONAL, -- Need R pdcch-SkippingDurationList-r17 SEQUENCE(SIZE (1..3)) OF SCS-SpecificDuration-r17 OPTIONAL -- Need R ]] } SearchSpaceSwitchConfig-r16 ::= SEQUENCE { cellGroupsForSwitchList-r16 SEQUENCE(SIZE (1..4)) OF CellGroupForSwitch-r16 OPTIONAL, -- Need R searchSpaceSwitchDelay-r16 INTEGER (10..52) OPTIONAL -- Need R } SearchSpaceSwitchConfig-r17 ::= SEQUENCE { searchSpaceSwitchTimer-r17 SCS-SpecificDuration-r17 OPTIONAL, -- Need R searchSpaceSwitchDelay-r17 INTEGER (10..52) OPTIONAL -- Need R } CellGroupForSwitch-r16 ::= SEQUENCE(SIZE (1..16)) OF ServCellIndex SCS-SpecificDuration-r17 ::= INTEGER (1..166) -- TAG-PDCCH-CONFIG-STOP -- TAG-PDCCH-CONFIGCOMMON-START PDCCH-ConfigCommon ::= SEQUENCE { controlResourceSetZero ControlResourceSetZero OPTIONAL, -- Cond InitialBWP-Only commonControlResourceSet ControlResourceSet OPTIONAL, -- Need R searchSpaceZero SearchSpaceZero OPTIONAL, -- Cond InitialBWP-Only commonSearchSpaceList SEQUENCE (SIZE(1..4)) OF SearchSpace OPTIONAL, -- Need R searchSpaceSIB1 SearchSpaceId OPTIONAL, -- Need S searchSpaceOtherSystemInformation SearchSpaceId OPTIONAL, -- Need S pagingSearchSpace SearchSpaceId OPTIONAL, -- Need S ra-SearchSpace SearchSpaceId OPTIONAL, -- Need S ..., [[ firstPDCCH-MonitoringOccasionOfPO CHOICE { sCS15KHZoneT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..139), sCS30KHZoneT-SCS15KHZhalfT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..279), sCS60KHZoneT-SCS30KHZhalfT-SCS15KHZquarterT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..559), sCS120KHZoneT-SCS60KHZhalfT-SCS30KHZquarterT-SCS15KHZoneEighthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..1119), sCS120KHZhalfT-SCS60KHZquarterT-SCS30KHZoneEighthT-SCS15KHZoneSixteenthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..2239), sCS120KHZquarterT-SCS60KHZoneEighthT-SCS30KHZoneSixteenthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..4479), sCS120KHZoneEighthT-SCS60KHZoneSixteenthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..8959), sCS120KHZoneSixteenthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..17919) } OPTIONAL -- Cond OtherBWP ]], [[ commonSearchSpaceListExt-r16 SEQUENCE (SIZE(1..4)) OF SearchSpaceExt-r16 OPTIONAL -- Need R ]], [[ sdt-SearchSpace-r17 CHOICE { newSearchSpace SearchSpace, existingSearchSpace SearchSpaceId } OPTIONAL, -- Need R searchSpaceMCCH-r17 SearchSpaceId OPTIONAL, -- Need R searchSpaceMTCH-r17 SearchSpaceId OPTIONAL, -- Need S commonSearchSpaceListExt2-r17 SEQUENCE (SIZE(1..4)) OF SearchSpaceExt-v1700 OPTIONAL, -- Need R firstPDCCH-MonitoringOccasionOfPO-v1710 CHOICE { sCS480KHZoneEighthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..35839), sCS480KHZoneSixteenthT SEQUENCE (SIZE (1..maxPO-perPF)) OF INTEGER (0..71679) } OPTIONAL, -- Need R pei-ConfigBWP-r17 SEQUENCE { pei-SearchSpace-r17 SearchSpaceId, firstPDCCH-MonitoringOccasionOfPEI-O-r17 CHOICE { sCS15KHZoneT SEQUENCE (SIZE (1..maxPEI-perPF-r17)) OF INTEGER (0..139), sCS30KHZoneT-SCS15KHZhalfT SEQUENCE (SIZE (1..maxPEI-perPF-r17)) OF INTEGER (0..279), sCS60KHZoneT-SCS30KHZhalfT-SCS15KHZquarterT SEQUENCE (SIZE (1..maxPEI-perPF-r17)) OF INTEGER (0..559), sCS120KHZoneT-SCS60KHZhalfT-SCS30KHZquarterT-SCS15KHZoneEighthT SEQUENCE (SIZE (1..maxPEI-perPF-r17)) OF INTEGER (0..1119), sCS120KHZhalfT-SCS60KHZquarterT-SCS30KHZoneEighthT-SCS15KHZoneSixteenthT SEQUENCE (SIZE (1..maxPEI-perPF-r17)) OF INTEGER (0..2239), sCS480KHZoneT-SCS120KHZquarterT-SCS60KHZoneEighthT-SCS30KHZoneSixteenthT SEQUENCE (SIZE (1..maxPEI-perPF-r17)) OF INTEGER (0..4479), sCS480KHZhalfT-SCS120KHZoneEighthT-SCS60KHZoneSixteenthT SEQUENCE (SIZE (1..maxPEI-perPF-r17)) OF INTEGER (0..8959), sCS480KHZquarterT-SCS120KHZoneSixteenthT SEQUENCE (SIZE (1..maxPEI-perPF-r17)) OF INTEGER (0..17919), sCS480KHZoneEighthT SEQUENCE (SIZE (1..maxPEI-perPF-r17)) OF INTEGER (0..35839), sCS480KHZoneSixteenthT SEQUENCE (SIZE (1..maxPEI-perPF-r17)) OF INTEGER (0..71679) } } OPTIONAL -- Cond InitialBWP-Paging ]], [[ followUnifiedTCI-State-v1720 ENUMERATED {enabled} OPTIONAL -- Need R ]] } -- TAG-PDCCH-CONFIGCOMMON-STOP -- TAG-PDCCH-CONFIGSIB1-START PDCCH-ConfigSIB1 ::= SEQUENCE { controlResourceSetZero ControlResourceSetZero, searchSpaceZero SearchSpaceZero } -- TAG-PDCCH-CONFIGSIB1-STOP -- TAG-PDCCH-SERVINGCELLCONFIG-START PDCCH-ServingCellConfig ::= SEQUENCE { slotFormatIndicator CHOICE {release NULL, setup SlotFormatIndicator } OPTIONAL, -- Need M ..., [[ availabilityIndicator-r16 CHOICE {release NULL, setup AvailabilityIndicator-r16} OPTIONAL, -- Need M searchSpaceSwitchTimer-r16 INTEGER (1..80) OPTIONAL -- Need R ]], [[ searchSpaceSwitchTimer-v1710 INTEGER (81..1280) OPTIONAL -- Need R ]] } -- TAG-PDCCH-SERVINGCELLCONFIG-STOP -- TAG-PDCP-CONFIG-START PDCP-Config ::= SEQUENCE { drb SEQUENCE { discardTimer ENUMERATED {ms10, ms20, ms30, ms40, ms50, ms60, ms75, ms100, ms150, ms200, ms250, ms300, ms500, ms750, ms1500, infinity} OPTIONAL, -- Cond Setup pdcp-SN-SizeUL ENUMERATED {len12bits, len18bits} OPTIONAL, -- Cond Setup1 pdcp-SN-SizeDL ENUMERATED {len12bits, len18bits} OPTIONAL, -- Cond Setup2 headerCompression CHOICE { notUsed NULL, rohc SEQUENCE { maxCID INTEGER (1..16383) DEFAULT 15, profiles SEQUENCE { profile0x0001 BOOLEAN, profile0x0002 BOOLEAN, profile0x0003 BOOLEAN, profile0x0004 BOOLEAN, profile0x0006 BOOLEAN, profile0x0101 BOOLEAN, profile0x0102 BOOLEAN, profile0x0103 BOOLEAN, profile0x0104 BOOLEAN }, drb-ContinueROHC ENUMERATED { true } OPTIONAL -- Need N }, uplinkOnlyROHC SEQUENCE { maxCID INTEGER (1..16383) DEFAULT 15, profiles SEQUENCE { profile0x0006 BOOLEAN }, drb-ContinueROHC ENUMERATED { true } OPTIONAL -- Need N }, ... }, integrityProtection ENUMERATED { enabled } OPTIONAL, -- Cond ConnectedTo5GC1 statusReportRequired ENUMERATED { true } OPTIONAL, -- Cond Rlc-AM-UM outOfOrderDelivery ENUMERATED { true } OPTIONAL -- Need R } OPTIONAL, -- Cond DRB moreThanOneRLC SEQUENCE { primaryPath SEQUENCE { cellGroup CellGroupId OPTIONAL, -- Need R logicalChannel LogicalChannelIdentity OPTIONAL -- Need R }, ul-DataSplitThreshold UL-DataSplitThreshold OPTIONAL, -- Cond SplitBearer pdcp-Duplication BOOLEAN OPTIONAL -- Need R } OPTIONAL, -- Cond MoreThanOneRLC t-Reordering ENUMERATED { ms0, ms1, ms2, ms4, ms5, ms8, ms10, ms15, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms120, ms140, ms160, ms180, ms200, ms220, ms240, ms260, ms280, ms300, ms500, ms750, ms1000, ms1250, ms1500, ms1750, ms2000, ms2250, ms2500, ms2750, ms3000, spare28, spare27, spare26, spare25, spare24, spare23, spare22, spare21, spare20, spare19, spare18, spare17, spare16, spare15, spare14, spare13, spare12, spare11, spare10, spare09, spare08, spare07, spare06, spare05, spare04, spare03, spare02, spare01 } OPTIONAL, -- Need S ..., [[ cipheringDisabled ENUMERATED {true} OPTIONAL -- Cond ConnectedTo5GC ]], [[ discardTimerExt-r16 CHOICE {release NULL, setup DiscardTimerExt-r16 } OPTIONAL, -- Cond DRB2 moreThanTwoRLC-DRB-r16 SEQUENCE { splitSecondaryPath-r16 LogicalChannelIdentity OPTIONAL, -- Cond SplitBearer2 duplicationState-r16 SEQUENCE (SIZE (3)) OF BOOLEAN OPTIONAL -- Need S } OPTIONAL, -- Cond MoreThanTwoRLC-DRB ethernetHeaderCompression-r16 CHOICE {release NULL, setup EthernetHeaderCompression-r16 } OPTIONAL -- Need M ]], [[ survivalTimeStateSupport-r17 ENUMERATED {true} OPTIONAL, -- Cond Drb-Duplication uplinkDataCompression-r17 CHOICE {release NULL, setup UplinkDataCompression-r17 } OPTIONAL, -- Cond Rlc-AM discardTimerExt2-r17 CHOICE {release NULL, setup DiscardTimerExt2-r17 } OPTIONAL, -- Need M initialRX-DELIV-r17 BIT STRING (SIZE (32)) OPTIONAL -- Cond MRB-Initialization ]] } EthernetHeaderCompression-r16 ::= SEQUENCE { ehc-Common-r16 SEQUENCE { ehc-CID-Length-r16 ENUMERATED { bits7, bits15 }, ... }, ehc-Downlink-r16 SEQUENCE { drb-ContinueEHC-DL-r16 ENUMERATED { true } OPTIONAL, -- Need N ... } OPTIONAL, -- Need M ehc-Uplink-r16 SEQUENCE { maxCID-EHC-UL-r16 INTEGER (1..32767), drb-ContinueEHC-UL-r16 ENUMERATED { true } OPTIONAL, -- Need N ... } OPTIONAL -- Need M } UL-DataSplitThreshold ::= ENUMERATED { b0, b100, b200, b400, b800, b1600, b3200, b6400, b12800, b25600, b51200, b102400, b204800, b409600, b819200, b1228800, b1638400, b2457600, b3276800, b4096000, b4915200, b5734400, b6553600, infinity, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} DiscardTimerExt-r16 ::= ENUMERATED {ms0dot5, ms1, ms2, ms4, ms6, ms8, spare2, spare1} DiscardTimerExt2-r17 ::= ENUMERATED {ms2000, spare3, spare2, spare1} UplinkDataCompression-r17 ::= CHOICE { newSetup SEQUENCE { bufferSize-r17 ENUMERATED {kbyte2, kbyte4, kbyte8, spare1}, dictionary-r17 ENUMERATED {sip-SDP, operator} OPTIONAL -- Need N }, drb-ContinueUDC NULL } -- TAG-PDCP-CONFIG-STOP -- TAG-PDSCH-CONFIG-START PDSCH-Config ::= SEQUENCE { dataScramblingIdentityPDSCH INTEGER (0..1023) OPTIONAL, -- Need S dmrs-DownlinkForPDSCH-MappingTypeA CHOICE {release NULL, setup DMRS-DownlinkConfig } OPTIONAL, -- Need M dmrs-DownlinkForPDSCH-MappingTypeB CHOICE {release NULL, setup DMRS-DownlinkConfig } OPTIONAL, -- Need M tci-StatesToAddModList SEQUENCE (SIZE(1..maxNrofTCI-States)) OF TCI-State OPTIONAL, -- Need N tci-StatesToReleaseList SEQUENCE (SIZE(1..maxNrofTCI-States)) OF TCI-StateId OPTIONAL, -- Need N vrb-ToPRB-Interleaver ENUMERATED {n2, n4} OPTIONAL, -- Need S resourceAllocation ENUMERATED { resourceAllocationType0, resourceAllocationType1, dynamicSwitch}, pdsch-TimeDomainAllocationList CHOICE {release NULL, setup PDSCH-TimeDomainResourceAllocationList } OPTIONAL, -- Need M pdsch-AggregationFactor ENUMERATED { n2, n4, n8 } OPTIONAL, -- Need S rateMatchPatternToAddModList SEQUENCE (SIZE (1..maxNrofRateMatchPatterns)) OF RateMatchPattern OPTIONAL, -- Need N rateMatchPatternToReleaseList SEQUENCE (SIZE (1..maxNrofRateMatchPatterns)) OF RateMatchPatternId OPTIONAL, -- Need N rateMatchPatternGroup1 RateMatchPatternGroup OPTIONAL, -- Need R rateMatchPatternGroup2 RateMatchPatternGroup OPTIONAL, -- Need R rbg-Size ENUMERATED {config1, config2}, mcs-Table ENUMERATED {qam256, qam64LowSE} OPTIONAL, -- Need S maxNrofCodeWordsScheduledByDCI ENUMERATED {n1, n2} OPTIONAL, -- Need R prb-BundlingType CHOICE { staticBundling SEQUENCE { bundleSize ENUMERATED { n4, wideband } OPTIONAL -- Need S }, dynamicBundling SEQUENCE { bundleSizeSet1 ENUMERATED { n4, wideband, n2-wideband, n4-wideband } OPTIONAL, -- Need S bundleSizeSet2 ENUMERATED { n4, wideband } OPTIONAL -- Need S } }, zp-CSI-RS-ResourceToAddModList SEQUENCE (SIZE (1..maxNrofZP-CSI-RS-Resources)) OF ZP-CSI-RS-Resource OPTIONAL, -- Need N zp-CSI-RS-ResourceToReleaseList SEQUENCE (SIZE (1..maxNrofZP-CSI-RS-Resources)) OF ZP-CSI-RS-ResourceId OPTIONAL, -- Need N aperiodic-ZP-CSI-RS-ResourceSetsToAddModList SEQUENCE (SIZE (1..maxNrofZP-CSI-RS-ResourceSets)) OF ZP-CSI-RS-ResourceSet OPTIONAL, -- Need N aperiodic-ZP-CSI-RS-ResourceSetsToReleaseList SEQUENCE (SIZE (1..maxNrofZP-CSI-RS-ResourceSets)) OF ZP-CSI-RS-ResourceSetId OPTIONAL, -- Need N sp-ZP-CSI-RS-ResourceSetsToAddModList SEQUENCE (SIZE (1..maxNrofZP-CSI-RS-ResourceSets)) OF ZP-CSI-RS-ResourceSet OPTIONAL, -- Need N sp-ZP-CSI-RS-ResourceSetsToReleaseList SEQUENCE (SIZE (1..maxNrofZP-CSI-RS-ResourceSets)) OF ZP-CSI-RS-ResourceSetId OPTIONAL, -- Need N p-ZP-CSI-RS-ResourceSet CHOICE {release NULL, setup ZP-CSI-RS-ResourceSet } OPTIONAL, -- Need M ..., [[ maxMIMO-Layers-r16 CHOICE {release NULL, setup MaxMIMO-LayersDL-r16 } OPTIONAL, -- Need M minimumSchedulingOffsetK0-r16 CHOICE {release NULL, setup MinSchedulingOffsetK0-Values-r16 } OPTIONAL, -- Need M -- Start of the parameters for DCI format 1_2 introduced in V16.1.0 antennaPortsFieldPresenceDCI-1-2-r16 ENUMERATED {enabled} OPTIONAL, -- Need S aperiodicZP-CSI-RS-ResourceSetsToAddModListDCI-1-2-r16 SEQUENCE (SIZE (1..maxNrofZP-CSI-RS-ResourceSets)) OF ZP-CSI-RS-ResourceSet OPTIONAL, -- Need N aperiodicZP-CSI-RS-ResourceSetsToReleaseListDCI-1-2-r16 SEQUENCE (SIZE (1..maxNrofZP-CSI-RS-ResourceSets)) OF ZP-CSI-RS-ResourceSetId OPTIONAL, -- Need N dmrs-DownlinkForPDSCH-MappingTypeA-DCI-1-2-r16 CHOICE {release NULL, setup DMRS-DownlinkConfig } OPTIONAL, -- Need M dmrs-DownlinkForPDSCH-MappingTypeB-DCI-1-2-r16 CHOICE {release NULL, setup DMRS-DownlinkConfig } OPTIONAL, -- Need M dmrs-SequenceInitializationDCI-1-2-r16 ENUMERATED {enabled} OPTIONAL, -- Need S harq-ProcessNumberSizeDCI-1-2-r16 INTEGER (0..4) OPTIONAL, -- Need R mcs-TableDCI-1-2-r16 ENUMERATED {qam256, qam64LowSE} OPTIONAL, -- Need S numberOfBitsForRV-DCI-1-2-r16 INTEGER (0..2) OPTIONAL, -- Need R pdsch-TimeDomainAllocationListDCI-1-2-r16 CHOICE {release NULL, setup PDSCH-TimeDomainResourceAllocationList-r16 } OPTIONAL, -- Need M prb-BundlingTypeDCI-1-2-r16 CHOICE { staticBundling-r16 SEQUENCE { bundleSize-r16 ENUMERATED { n4, wideband } OPTIONAL -- Need S }, dynamicBundling-r16 SEQUENCE { bundleSizeSet1-r16 ENUMERATED { n4, wideband, n2-wideband, n4-wideband } OPTIONAL, -- Need S bundleSizeSet2-r16 ENUMERATED { n4, wideband } OPTIONAL -- Need S } } OPTIONAL, -- Need R priorityIndicatorDCI-1-2-r16 ENUMERATED {enabled} OPTIONAL, -- Need S rateMatchPatternGroup1DCI-1-2-r16 RateMatchPatternGroup OPTIONAL, -- Need R rateMatchPatternGroup2DCI-1-2-r16 RateMatchPatternGroup OPTIONAL, -- Need R resourceAllocationType1GranularityDCI-1-2-r16 ENUMERATED {n2,n4,n8,n16} OPTIONAL, -- Need S vrb-ToPRB-InterleaverDCI-1-2-r16 ENUMERATED {n2, n4} OPTIONAL, -- Need S referenceOfSLIVDCI-1-2-r16 ENUMERATED {enabled} OPTIONAL, -- Need S resourceAllocationDCI-1-2-r16 ENUMERATED { resourceAllocationType0, resourceAllocationType1, dynamicSwitch} OPTIONAL, -- Need M -- End of the parameters for DCI format 1_2 introduced in V16.1.0 priorityIndicatorDCI-1-1-r16 ENUMERATED {enabled} OPTIONAL, -- Need S dataScramblingIdentityPDSCH2-r16 INTEGER (0..1023) OPTIONAL, -- Need R pdsch-TimeDomainAllocationList-r16 CHOICE {release NULL, setup PDSCH-TimeDomainResourceAllocationList-r16 } OPTIONAL, -- Need M repetitionSchemeConfig-r16 CHOICE {release NULL, setup RepetitionSchemeConfig-r16} OPTIONAL -- Need M ]], [[ repetitionSchemeConfig-v1630 CHOICE {release NULL, setup RepetitionSchemeConfig-v1630} OPTIONAL -- Need M ]], [[ pdsch-HARQ-ACK-OneShotFeedbackDCI-1-2-r17 ENUMERATED {enabled} OPTIONAL, -- Need R pdsch-HARQ-ACK-EnhType3DCI-1-2-r17 ENUMERATED {enabled} OPTIONAL, -- Need R pdsch-HARQ-ACK-EnhType3DCI-Field-1-2-r17 ENUMERATED {enabled} OPTIONAL, -- Need R pdsch-HARQ-ACK-RetxDCI-1-2-r17 ENUMERATED {enabled} OPTIONAL, -- Need R pucch-sSCellDynDCI-1-2-r17 ENUMERATED {enabled} OPTIONAL, -- Need R dl-OrJointTCI-StateList-r17 CHOICE { explicitlist SEQUENCE { dl-OrJointTCI-StateToAddModList-r17 SEQUENCE (SIZE (1..maxNrofTCI-States)) OF TCI-State OPTIONAL, -- Need N dl-OrJointTCI-StateToReleaseList-r17 SEQUENCE (SIZE (1..maxNrofTCI-States)) OF TCI-StateId OPTIONAL -- Need N }, unifiedTCI-StateRef-r17 ServingCellAndBWP-Id-r17 } OPTIONAL, -- Need R beamAppTime-r17 ENUMERATED {n1, n2, n4, n7, n14, n28, n42, n56, n70, n84, n98, n112, n224, n336, spare2, spare1} OPTIONAL, -- Need R dummy CHOICE {release NULL, setup Dummy-TDRA-List } OPTIONAL, -- Need M dmrs-FD-OCC-DisabledForRank1-PDSCH-r17 ENUMERATED {true} OPTIONAL, -- Need R minimumSchedulingOffsetK0-r17 CHOICE {release NULL, setup MinSchedulingOffsetK0-Values-r17 } OPTIONAL, -- Need M harq-ProcessNumberSizeDCI-1-2-v1700 INTEGER (0..5) OPTIONAL, -- Need R harq-ProcessNumberSizeDCI-1-1-r17 INTEGER (5) OPTIONAL, -- Need R mcs-Table-r17 ENUMERATED {qam1024} OPTIONAL, -- Need R mcs-TableDCI-1-2-r17 ENUMERATED {qam1024} OPTIONAL, -- Need R xOverheadMulticast-r17 ENUMERATED {xOh6, xOh12, xOh18} OPTIONAL, -- Need S priorityIndicatorDCI-4-2-r17 ENUMERATED {enabled} OPTIONAL, -- Need S sizeDCI-4-2-r17 INTEGER (20..maxDCI-4-2-Size-r17) OPTIONAL -- Need R ]], [[ pdsch-TimeDomainAllocationListForMultiPDSCH-r17 CHOICE {release NULL, setup MultiPDSCH-TDRA-List-r17 } OPTIONAL -- Need M ]] } RateMatchPatternGroup ::= SEQUENCE (SIZE (1..maxNrofRateMatchPatternsPerGroup)) OF CHOICE { cellLevel RateMatchPatternId, bwpLevel RateMatchPatternId } MinSchedulingOffsetK0-Values-r16 ::= SEQUENCE (SIZE (1..maxNrOfMinSchedulingOffsetValues-r16)) OF INTEGER (0..maxK0-SchedulingOffset-r16) MinSchedulingOffsetK0-Values-r17 ::= SEQUENCE (SIZE (1..maxNrOfMinSchedulingOffsetValues-r16)) OF INTEGER (0..maxK0-SchedulingOffset-r17) MaxMIMO-LayersDL-r16 ::= INTEGER (1..8) -- TAG-PDSCH-CONFIG-STOP -- TAG-PDSCH-CONFIGCOMMON-START PDSCH-ConfigCommon ::= SEQUENCE { pdsch-TimeDomainAllocationList PDSCH-TimeDomainResourceAllocationList OPTIONAL, -- Need R ... } -- TAG-PDSCH-CONFIGCOMMON-STOP -- TAG-PDSCH-SERVINGCELLCONFIG-START PDSCH-ServingCellConfig ::= SEQUENCE { codeBlockGroupTransmission CHOICE {release NULL, setup PDSCH-CodeBlockGroupTransmission } OPTIONAL, -- Need M xOverhead ENUMERATED { xOh6, xOh12, xOh18 } OPTIONAL, -- Need S nrofHARQ-ProcessesForPDSCH ENUMERATED {n2, n4, n6, n10, n12, n16} OPTIONAL, -- Need S pucch-Cell ServCellIndex OPTIONAL, -- Cond SCellAddOnly ..., [[ maxMIMO-Layers INTEGER (1..8) OPTIONAL, -- Need M processingType2Enabled BOOLEAN OPTIONAL -- Need M ]], [[ pdsch-CodeBlockGroupTransmissionList-r16 CHOICE {release NULL, setup PDSCH-CodeBlockGroupTransmissionList-r16 } OPTIONAL -- Need M ]], [[ downlinkHARQ-FeedbackDisabled-r17 CHOICE {release NULL, setup DownlinkHARQ-FeedbackDisabled-r17 } OPTIONAL, -- Need M nrofHARQ-ProcessesForPDSCH-v1700 ENUMERATED {n32} OPTIONAL -- Need R ]] } PDSCH-CodeBlockGroupTransmission ::= SEQUENCE { maxCodeBlockGroupsPerTransportBlock ENUMERATED {n2, n4, n6, n8}, codeBlockGroupFlushIndicator BOOLEAN, ... } PDSCH-CodeBlockGroupTransmissionList-r16 ::= SEQUENCE (SIZE (1..2)) OF PDSCH-CodeBlockGroupTransmission DownlinkHARQ-FeedbackDisabled-r17 ::= BIT STRING (SIZE (32)) -- TAG-PDSCH-SERVINGCELLCONFIG-STOP -- TAG-PDSCH-TIMEDOMAINRESOURCEALLOCATIONLIST-START PDSCH-TimeDomainResourceAllocationList ::= SEQUENCE (SIZE(1..maxNrofDL-Allocations)) OF PDSCH-TimeDomainResourceAllocation PDSCH-TimeDomainResourceAllocation ::= SEQUENCE { k0 INTEGER(0..32) OPTIONAL, -- Need S mappingType ENUMERATED {typeA, typeB}, startSymbolAndLength INTEGER (0..127) } PDSCH-TimeDomainResourceAllocationList-r16 ::= SEQUENCE (SIZE(1..maxNrofDL-Allocations)) OF PDSCH-TimeDomainResourceAllocation-r16 PDSCH-TimeDomainResourceAllocation-r16 ::= SEQUENCE { k0-r16 INTEGER(0..32) OPTIONAL, -- Need S mappingType-r16 ENUMERATED {typeA, typeB}, startSymbolAndLength-r16 INTEGER (0..127), repetitionNumber-r16 ENUMERATED {n2, n3, n4, n5, n6, n7, n8, n16} OPTIONAL, -- Cond Formats1-0and1-1 ..., [[ k0-v1710 INTEGER(33..128) OPTIONAL -- Need S ]], [[ repetitionNumber-v1730 ENUMERATED {n2, n3, n4, n5, n6, n7, n8, n16} OPTIONAL -- Cond Format1-2 ]] } Dummy-TDRA-List ::= SEQUENCE (SIZE(1.. maxNrofDL-Allocations)) OF MultiPDSCH-TDRA-r17 MultiPDSCH-TDRA-List-r17 ::= SEQUENCE (SIZE(1.. maxNrofDL-AllocationsExt-r17)) OF MultiPDSCH-TDRA-r17 MultiPDSCH-TDRA-r17 ::= SEQUENCE { pdsch-TDRA-List-r17 SEQUENCE (SIZE(1..maxNrofMultiplePDSCHs-r17)) OF PDSCH-TimeDomainResourceAllocation-r16, ... } -- TAG-PDSCH-TIMEDOMAINRESOURCEALLOCATIONLIST-STOP -- TAG-PHR-CONFIG-START PHR-Config ::= SEQUENCE { phr-PeriodicTimer ENUMERATED {sf10, sf20, sf50, sf100, sf200,sf500, sf1000, infinity}, phr-ProhibitTimer ENUMERATED {sf0, sf10, sf20, sf50, sf100,sf200, sf500, sf1000}, phr-Tx-PowerFactorChange ENUMERATED {dB1, dB3, dB6, infinity}, multiplePHR BOOLEAN, dummy BOOLEAN, phr-Type2OtherCell BOOLEAN, phr-ModeOtherCG ENUMERATED {real, virtual}, ..., [[ mpe-Reporting-FR2-r16 CHOICE {release NULL, setup MPE-Config-FR2-r16 } OPTIONAL -- Need M ]], [[ mpe-Reporting-FR2-r17 CHOICE {release NULL, setup MPE-Config-FR2-r17 } OPTIONAL, -- Need M twoPHRMode-r17 ENUMERATED {enabled} OPTIONAL -- Need R ]] } MPE-Config-FR2-r16 ::= SEQUENCE { mpe-ProhibitTimer-r16 ENUMERATED {sf0, sf10, sf20, sf50, sf100, sf200, sf500, sf1000}, mpe-Threshold-r16 ENUMERATED {dB3, dB6, dB9, dB12} } MPE-Config-FR2-r17 ::= SEQUENCE { mpe-ProhibitTimer-r17 ENUMERATED {sf0, sf10, sf20, sf50, sf100, sf200, sf500, sf1000}, mpe-Threshold-r17 ENUMERATED {dB3, dB6, dB9, dB12}, numberOfN-r17 INTEGER(1..4), ... } -- TAG-PHR-CONFIG-STOP -- TAG-PHYSCELLID-START PhysCellId ::= INTEGER (0..1007) -- TAG-PHYSCELLID-STOP -- TAG-PHYSICALCELLGROUPCONFIG-START PhysicalCellGroupConfig ::= SEQUENCE { harq-ACK-SpatialBundlingPUCCH ENUMERATED {true} OPTIONAL, -- Need S harq-ACK-SpatialBundlingPUSCH ENUMERATED {true} OPTIONAL, -- Need S p-NR-FR1 P-Max OPTIONAL, -- Need R pdsch-HARQ-ACK-Codebook ENUMERATED {semiStatic, dynamic}, tpc-SRS-RNTI RNTI-Value OPTIONAL, -- Need R tpc-PUCCH-RNTI RNTI-Value OPTIONAL, -- Need R tpc-PUSCH-RNTI RNTI-Value OPTIONAL, -- Need R sp-CSI-RNTI RNTI-Value OPTIONAL, -- Need R cs-RNTI CHOICE {release NULL, setup RNTI-Value } OPTIONAL, -- Need M ..., [[ mcs-C-RNTI RNTI-Value OPTIONAL, -- Need R p-UE-FR1 P-Max OPTIONAL -- Cond MCG-Only ]], [[ xScale ENUMERATED {dB0, dB6, spare2, spare1} OPTIONAL -- Cond SCG-Only ]], [[ pdcch-BlindDetection CHOICE {release NULL, setup PDCCH-BlindDetection } OPTIONAL -- Need M ]], [[ dcp-Config-r16 CHOICE {release NULL, setup DCP-Config-r16 } OPTIONAL, -- Need M harq-ACK-SpatialBundlingPUCCH-secondaryPUCCHgroup-r16 ENUMERATED {enabled, disabled} OPTIONAL, -- Cond twoPUCCHgroup harq-ACK-SpatialBundlingPUSCH-secondaryPUCCHgroup-r16 ENUMERATED {enabled, disabled} OPTIONAL, -- Cond twoPUCCHgroup pdsch-HARQ-ACK-Codebook-secondaryPUCCHgroup-r16 ENUMERATED {semiStatic, dynamic} OPTIONAL, -- Cond twoPUCCHgroup p-NR-FR2-r16 P-Max OPTIONAL, -- Need R p-UE-FR2-r16 P-Max OPTIONAL, -- Cond MCG-Only nrdc-PCmode-FR1-r16 ENUMERATED {semi-static-mode1, semi-static-mode2, dynamic} OPTIONAL, -- Cond MCG-Only nrdc-PCmode-FR2-r16 ENUMERATED {semi-static-mode1, semi-static-mode2, dynamic} OPTIONAL, -- Cond MCG-Only pdsch-HARQ-ACK-Codebook-r16 ENUMERATED {enhancedDynamic} OPTIONAL, -- Need R nfi-TotalDAI-Included-r16 ENUMERATED {true} OPTIONAL, -- Need R ul-TotalDAI-Included-r16 ENUMERATED {true} OPTIONAL, -- Need R pdsch-HARQ-ACK-OneShotFeedback-r16 ENUMERATED {true} OPTIONAL, -- Need R pdsch-HARQ-ACK-OneShotFeedbackNDI-r16 ENUMERATED {true} OPTIONAL, -- Need R pdsch-HARQ-ACK-OneShotFeedbackCBG-r16 ENUMERATED {true} OPTIONAL, -- Need R downlinkAssignmentIndexDCI-0-2-r16 ENUMERATED { enabled } OPTIONAL, -- Need S downlinkAssignmentIndexDCI-1-2-r16 ENUMERATED {n1, n2, n4} OPTIONAL, -- Need S pdsch-HARQ-ACK-CodebookList-r16 CHOICE {release NULL, setup PDSCH-HARQ-ACK-CodebookList-r16} OPTIONAL, -- Need M ackNackFeedbackMode-r16 ENUMERATED {joint, separate} OPTIONAL, -- Need R pdcch-BlindDetectionCA-CombIndicator-r16 CHOICE {release NULL, setup PDCCH-BlindDetectionCA-CombIndicator-r16 } OPTIONAL, -- Need M pdcch-BlindDetection2-r16 CHOICE {release NULL, setup PDCCH-BlindDetection2-r16 } OPTIONAL, -- Need M pdcch-BlindDetection3-r16 CHOICE {release NULL, setup PDCCH-BlindDetection3-r16 } OPTIONAL, -- Need M bdFactorR-r16 ENUMERATED {n1} OPTIONAL -- Need R ]], [[ -- start of enhanced Type3 feedback pdsch-HARQ-ACK-EnhType3ToAddModList-r17 SEQUENCE (SIZE(1..maxNrofEnhType3HARQ-ACK-r17)) OF PDSCH-HARQ-ACK-EnhType3-r17 OPTIONAL, -- Need N pdsch-HARQ-ACK-EnhType3ToReleaseList-r17 SEQUENCE (SIZE(1..maxNrofEnhType3HARQ-ACK-r17)) OF PDSCH-HARQ-ACK-EnhType3Index-r17 OPTIONAL, -- Need N pdsch-HARQ-ACK-EnhType3SecondaryToAddModList-r17 SEQUENCE (SIZE(1..maxNrofEnhType3HARQ-ACK-r17)) OF PDSCH-HARQ-ACK-EnhType3-r17 OPTIONAL, -- Need N pdsch-HARQ-ACK-EnhType3SecondaryToReleaseList-r17 SEQUENCE (SIZE(1..maxNrofEnhType3HARQ-ACK-r17)) OF PDSCH-HARQ-ACK-EnhType3Index-r17 OPTIONAL, -- Need N pdsch-HARQ-ACK-EnhType3DCI-FieldSecondaryPUCCHgroup-r17 ENUMERATED {enabled} OPTIONAL, -- Cond twoPUCCHgroup pdsch-HARQ-ACK-EnhType3DCI-Field-r17 ENUMERATED {enabled} OPTIONAL, -- Need R -- end of enhanced Type3 feedback -- start of triggering of HARQ-ACK re-transmission on a PUCCH resource pdsch-HARQ-ACK-Retx-r17 ENUMERATED {enabled} OPTIONAL, -- Need R pdsch-HARQ-ACK-RetxSecondaryPUCCHgroup-r17 ENUMERATED {enabled} OPTIONAL, -- Cond twoPUCCHgroup -- end of triggering of HARQ-ACK re-transmission on a PUCCH resource -- start of PUCCH Cell switching pucch-sSCell-r17 SCellIndex OPTIONAL, -- Need R pucch-sSCellSecondaryPUCCHgroup-r17 SCellIndex OPTIONAL, -- Cond twoPUCCHgroup pucch-sSCellDyn-r17 ENUMERATED {enabled} OPTIONAL, -- Need R pucch-sSCellDynSecondaryPUCCHgroup-r17 ENUMERATED {enabled} OPTIONAL, -- Cond twoPUCCHgroup pucch-sSCellPattern-r17 SEQUENCE (SIZE(1..maxNrofSlots)) OF INTEGER (0..1) OPTIONAL, -- Need R pucch-sSCellPatternSecondaryPUCCHgroup-r17 SEQUENCE (SIZE(1..maxNrofSlots)) OF INTEGER (0..1) OPTIONAL, -- Cond twoPUCCHgroup -- end of PUCCH Cell switching uci-MuxWithDiffPrio-r17 ENUMERATED {enabled} OPTIONAL, -- Need R uci-MuxWithDiffPrioSecondaryPUCCHgroup-r17 ENUMERATED {enabled} OPTIONAL, -- Cond twoPUCCHgroup simultaneousPUCCH-PUSCH-r17 ENUMERATED {enabled} OPTIONAL, -- Need R simultaneousPUCCH-PUSCH-SecondaryPUCCHgroup-r17 ENUMERATED {enabled} OPTIONAL, -- Cond twoPUCCHgroup prioLowDG-HighCG-r17 ENUMERATED {enabled} OPTIONAL, -- Need R prioHighDG-LowCG-r17 ENUMERATED {enabled} OPTIONAL, -- Need R twoQCLTypeDforPDCCHRepetition-r17 ENUMERATED {enabled} OPTIONAL, -- Need R multicastConfig-r17 CHOICE {release NULL, setup MulticastConfig-r17 } OPTIONAL, -- Need M pdcch-BlindDetectionCA-CombIndicator-r17 CHOICE {release NULL, setup PDCCH-BlindDetectionCA-CombIndicator-r17 } OPTIONAL -- Need M ]], [[ simultaneousSR-PUSCH-diffPUCCH-Groups-r17 ENUMERATED {enabled} OPTIONAL -- Cond twoPUCCHgroup ]], [[ intraBandNC-PRACH-simulTx-r17 ENUMERATED {enabled} OPTIONAL -- Need R ]], [[ pdcch-BlindDetection4-r17 CHOICE {release NULL, setup PDCCH-BlindDetection4-r17 } OPTIONAL -- Need M ]] } PDSCH-HARQ-ACK-EnhType3-r17 ::= SEQUENCE { pdsch-HARQ-ACK-EnhType3Index-r17 PDSCH-HARQ-ACK-EnhType3Index-r17, applicable-r17 CHOICE { perCC SEQUENCE (SIZE (1..maxNrofServingCells)) OF INTEGER (0..1), perHARQ SEQUENCE (SIZE (1..maxNrofServingCells)) OF BIT STRING (SIZE (16)) }, pdsch-HARQ-ACK-EnhType3NDI-r17 ENUMERATED {true} OPTIONAL, -- Need R pdsch-HARQ-ACK-EnhType3CBG-r17 ENUMERATED {true} OPTIONAL, -- Need S ..., [[ perHARQ-Ext-r17 SEQUENCE (SIZE (1..maxNrofServingCells)) OF BIT STRING (SIZE (32)) OPTIONAL -- Need R ]] } PDSCH-HARQ-ACK-EnhType3Index-r17 ::= INTEGER (0..maxNrofEnhType3HARQ-ACK-1-r17) PDCCH-BlindDetection ::= INTEGER (1..15) DCP-Config-r16 ::= SEQUENCE { ps-RNTI-r16 RNTI-Value, ps-Offset-r16 INTEGER (1..120), sizeDCI-2-6-r16 INTEGER (1..maxDCI-2-6-Size-r16), ps-PositionDCI-2-6-r16 INTEGER (0..maxDCI-2-6-Size-1-r16), ps-WakeUp-r16 ENUMERATED {true} OPTIONAL, -- Need S ps-TransmitPeriodicL1-RSRP-r16 ENUMERATED {true} OPTIONAL, -- Need S ps-TransmitOtherPeriodicCSI-r16 ENUMERATED {true} OPTIONAL -- Need S } PDSCH-HARQ-ACK-CodebookList-r16 ::= SEQUENCE (SIZE (1..2)) OF ENUMERATED {semiStatic, dynamic} PDCCH-BlindDetectionCA-CombIndicator-r16 ::= SEQUENCE { pdcch-BlindDetectionCA1-r16 INTEGER (1..15), pdcch-BlindDetectionCA2-r16 INTEGER (1..15) } PDCCH-BlindDetection2-r16 ::= INTEGER (1..15) PDCCH-BlindDetection3-r16 ::= INTEGER (1..15) PDCCH-BlindDetection4-r17 ::= INTEGER (1..15) MulticastConfig-r17 ::= SEQUENCE { pdsch-HARQ-ACK-CodebookListMulticast-r17 CHOICE {release NULL, setup PDSCH-HARQ-ACK-CodebookList-r16} OPTIONAL, -- Need M type1CodebookGenerationMode-r17 ENUMERATED { mode1, mode2} OPTIONAL -- Need M } PDCCH-BlindDetectionCA-CombIndicator-r17 ::= SEQUENCE { pdcch-BlindDetectionCA1-r17 INTEGER (1..15) OPTIONAL, -- Need R pdcch-BlindDetectionCA2-r17 INTEGER (1..15) OPTIONAL, -- Need R pdcch-BlindDetectionCA3-r17 INTEGER (1..15) } -- TAG-PHYSICALCELLGROUPCONFIG-STOP -- TAG-PLMN-IDENTITY-START PLMN-Identity ::= SEQUENCE { mcc MCC OPTIONAL, -- Cond MCC mnc MNC } MCC ::= SEQUENCE (SIZE (3)) OF MCC-MNC-Digit MNC ::= SEQUENCE (SIZE (2..3)) OF MCC-MNC-Digit MCC-MNC-Digit ::= INTEGER (0..9) -- TAG-PLMN-IDENTITY-STOP -- TAG-PLMN-IDENTITYINFOLIST-START PLMN-IdentityInfoList ::= SEQUENCE (SIZE (1..maxPLMN)) OF PLMN-IdentityInfo PLMN-IdentityInfo ::= SEQUENCE { plmn-IdentityList SEQUENCE (SIZE (1..maxPLMN)) OF PLMN-Identity, trackingAreaCode TrackingAreaCode OPTIONAL, -- Need R ranac RAN-AreaCode OPTIONAL, -- Need R cellIdentity CellIdentity, cellReservedForOperatorUse ENUMERATED {reserved, notReserved}, ..., [[ iab-Support-r16 ENUMERATED {true} OPTIONAL -- Need S ]], [[ trackingAreaList-r17 SEQUENCE (SIZE (1..maxTAC-r17)) OF TrackingAreaCode OPTIONAL, -- Need R gNB-ID-Length-r17 INTEGER (22..32) OPTIONAL -- Need R ]] } -- TAG-PLMN-IDENTITYINFOLIST-STOP -- TAG-PLMNIDENTITYLIST2-START PLMN-IdentityList2-r16 ::= SEQUENCE (SIZE (1..16)) OF PLMN-Identity -- TAG-PLMNIDENTITYLIST2-STOP -- TAG-PRB-ID-START PRB-Id ::= INTEGER (0..maxNrofPhysicalResourceBlocks-1) -- TAG-PRB-ID-STOP -- TAG-PTRS-DOWNLINKCONFIG-START PTRS-DownlinkConfig ::= SEQUENCE { frequencyDensity SEQUENCE (SIZE (2)) OF INTEGER (1..276) OPTIONAL, -- Need S timeDensity SEQUENCE (SIZE (3)) OF INTEGER (0..29) OPTIONAL, -- Need S epre-Ratio INTEGER (0..3) OPTIONAL, -- Need S resourceElementOffset ENUMERATED { offset01, offset10, offset11 } OPTIONAL, -- Need S ..., [[ maxNrofPorts-r16 ENUMERATED {n1, n2} OPTIONAL -- Need R ]] } -- TAG-PTRS-DOWNLINKCONFIG-STOP -- TAG-PTRS-UPLINKCONFIG-START PTRS-UplinkConfig ::= SEQUENCE { transformPrecoderDisabled SEQUENCE { frequencyDensity SEQUENCE (SIZE (2)) OF INTEGER (1..276) OPTIONAL, -- Need S timeDensity SEQUENCE (SIZE (3)) OF INTEGER (0..29) OPTIONAL, -- Need S maxNrofPorts ENUMERATED {n1, n2}, resourceElementOffset ENUMERATED {offset01, offset10, offset11 } OPTIONAL, -- Need S ptrs-Power ENUMERATED {p00, p01, p10, p11} } OPTIONAL, -- Need R transformPrecoderEnabled SEQUENCE { sampleDensity SEQUENCE (SIZE (5)) OF INTEGER (1..276), timeDensityTransformPrecoding ENUMERATED {d2} OPTIONAL -- Need S } OPTIONAL, -- Need R ... } -- TAG-PTRS-UPLINKCONFIG-STOP -- TAG-PUCCH-CONFIG-START PUCCH-Config ::= SEQUENCE { resourceSetToAddModList SEQUENCE (SIZE (1..maxNrofPUCCH-ResourceSets)) OF PUCCH-ResourceSet OPTIONAL, -- Need N resourceSetToReleaseList SEQUENCE (SIZE (1..maxNrofPUCCH-ResourceSets)) OF PUCCH-ResourceSetId OPTIONAL, -- Need N resourceToAddModList SEQUENCE (SIZE (1..maxNrofPUCCH-Resources)) OF PUCCH-Resource OPTIONAL, -- Need N resourceToReleaseList SEQUENCE (SIZE (1..maxNrofPUCCH-Resources)) OF PUCCH-ResourceId OPTIONAL, -- Need N format1 CHOICE {release NULL, setup PUCCH-FormatConfig } OPTIONAL, -- Need M format2 CHOICE {release NULL, setup PUCCH-FormatConfig } OPTIONAL, -- Need M format3 CHOICE {release NULL, setup PUCCH-FormatConfig } OPTIONAL, -- Need M format4 CHOICE {release NULL, setup PUCCH-FormatConfig } OPTIONAL, -- Need M schedulingRequestResourceToAddModList SEQUENCE (SIZE (1..maxNrofSR-Resources)) OF SchedulingRequestResourceConfig OPTIONAL, -- Need N schedulingRequestResourceToReleaseList SEQUENCE (SIZE (1..maxNrofSR-Resources)) OF SchedulingRequestResourceId OPTIONAL, -- Need N multi-CSI-PUCCH-ResourceList SEQUENCE (SIZE (1..2)) OF PUCCH-ResourceId OPTIONAL, -- Need M dl-DataToUL-ACK SEQUENCE (SIZE (1..8)) OF INTEGER (0..15) OPTIONAL, -- Need M spatialRelationInfoToAddModList SEQUENCE (SIZE (1..maxNrofSpatialRelationInfos)) OF PUCCH-SpatialRelationInfo OPTIONAL, -- Need N spatialRelationInfoToReleaseList SEQUENCE (SIZE (1..maxNrofSpatialRelationInfos)) OF PUCCH-SpatialRelationInfoId OPTIONAL, -- Need N pucch-PowerControl PUCCH-PowerControl OPTIONAL, -- Need M ..., [[ resourceToAddModListExt-v1610 SEQUENCE (SIZE (1..maxNrofPUCCH-Resources)) OF PUCCH-ResourceExt-v1610 OPTIONAL, -- Need N dl-DataToUL-ACK-r16 CHOICE {release NULL, setup DL-DataToUL-ACK-r16 } OPTIONAL, -- Need M ul-AccessConfigListDCI-1-1-r16 CHOICE {release NULL, setup UL-AccessConfigListDCI-1-1-r16 } OPTIONAL, -- Need M subslotLengthForPUCCH-r16 CHOICE { normalCP-r16 ENUMERATED {n2,n7}, extendedCP-r16 ENUMERATED {n2,n6} } OPTIONAL, -- Need R dl-DataToUL-ACK-DCI-1-2-r16 CHOICE {release NULL, setup DL-DataToUL-ACK-DCI-1-2-r16} OPTIONAL, -- Need M numberOfBitsForPUCCH-ResourceIndicatorDCI-1-2-r16 INTEGER (0..3) OPTIONAL, -- Need R dmrs-UplinkTransformPrecodingPUCCH-r16 ENUMERATED {enabled} OPTIONAL, -- Cond PI2-BPSK spatialRelationInfoToAddModListSizeExt-v1610 SEQUENCE (SIZE (1..maxNrofSpatialRelationInfosDiff-r16)) OF PUCCH-SpatialRelationInfo OPTIONAL, -- Need N spatialRelationInfoToReleaseListSizeExt-v1610 SEQUENCE (SIZE (1..maxNrofSpatialRelationInfosDiff-r16)) OF PUCCH-SpatialRelationInfoId OPTIONAL, -- Need N spatialRelationInfoToAddModListExt-v1610 SEQUENCE (SIZE (1..maxNrofSpatialRelationInfos-r16)) OF PUCCH-SpatialRelationInfoExt-r16 OPTIONAL, -- Need N spatialRelationInfoToReleaseListExt-v1610 SEQUENCE (SIZE (1..maxNrofSpatialRelationInfos-r16)) OF PUCCH-SpatialRelationInfoId-r16 OPTIONAL, -- Need N resourceGroupToAddModList-r16 SEQUENCE (SIZE (1..maxNrofPUCCH-ResourceGroups-r16)) OF PUCCH-ResourceGroup-r16 OPTIONAL, -- Need N resourceGroupToReleaseList-r16 SEQUENCE (SIZE (1..maxNrofPUCCH-ResourceGroups-r16)) OF PUCCH-ResourceGroupId-r16 OPTIONAL, -- Need N sps-PUCCH-AN-List-r16 CHOICE {release NULL, setup SPS-PUCCH-AN-List-r16 } OPTIONAL, -- Need M schedulingRequestResourceToAddModListExt-v1610 SEQUENCE (SIZE (1..maxNrofSR-Resources)) OF SchedulingRequestResourceConfigExt-v1610 OPTIONAL -- Need N ]], [[ format0-r17 CHOICE {release NULL, setup PUCCH-FormatConfig } OPTIONAL, -- Need M format2Ext-r17 CHOICE {release NULL, setup PUCCH-FormatConfigExt-r17 } OPTIONAL, -- Need M format3Ext-r17 CHOICE {release NULL, setup PUCCH-FormatConfigExt-r17 } OPTIONAL, -- Need M format4Ext-r17 CHOICE {release NULL, setup PUCCH-FormatConfigExt-r17 } OPTIONAL, -- Need M ul-AccessConfigListDCI-1-2-r17 CHOICE {release NULL, setup UL-AccessConfigListDCI-1-2-r17 } OPTIONAL, -- Need M mappingPattern-r17 ENUMERATED {cyclicMapping, sequentialMapping} OPTIONAL, -- Need R powerControlSetInfoToAddModList-r17 SEQUENCE (SIZE (1..maxNrofPowerControlSetInfos-r17)) OF PUCCH-PowerControlSetInfo-r17 OPTIONAL, -- Need N powerControlSetInfoToReleaseList-r17 SEQUENCE (SIZE (1..maxNrofPowerControlSetInfos-r17)) OF PUCCH-PowerControlSetInfoId-r17 OPTIONAL, -- Need N secondTPCFieldDCI-1-1-r17 ENUMERATED {enabled} OPTIONAL, -- Need R secondTPCFieldDCI-1-2-r17 ENUMERATED {enabled} OPTIONAL, -- Need R dl-DataToUL-ACK-r17 CHOICE {release NULL, setup DL-DataToUL-ACK-r17 } OPTIONAL, -- Need M dl-DataToUL-ACK-DCI-1-2-r17 CHOICE {release NULL, setup DL-DataToUL-ACK-DCI-1-2-r17} OPTIONAL, -- Need M ul-AccessConfigListDCI-1-1-r17 CHOICE {release NULL, setup UL-AccessConfigListDCI-1-1-r17 } OPTIONAL, -- Need M schedulingRequestResourceToAddModListExt-v1700 SEQUENCE (SIZE (1..maxNrofSR-Resources)) OF SchedulingRequestResourceConfigExt-v1700 OPTIONAL, -- Need N dmrs-BundlingPUCCH-Config-r17 CHOICE {release NULL, setup DMRS-BundlingPUCCH-Config-r17 } OPTIONAL, -- Need M dl-DataToUL-ACK-v1700 CHOICE {release NULL, setup DL-DataToUL-ACK-v1700 } OPTIONAL, -- Need M dl-DataToUL-ACK-MulticastDCI-Format4-1-r17 CHOICE {release NULL, setup DL-DataToUL-ACK-MulticastDCI-Format4-1-r17 } OPTIONAL, -- Need M sps-PUCCH-AN-ListMulticast-r17 CHOICE {release NULL, setup SPS-PUCCH-AN-List-r16 } OPTIONAL -- Need M ]] } PUCCH-FormatConfig ::= SEQUENCE { interslotFrequencyHopping ENUMERATED {enabled} OPTIONAL, -- Need R additionalDMRS ENUMERATED {true} OPTIONAL, -- Need R maxCodeRate PUCCH-MaxCodeRate OPTIONAL, -- Need R nrofSlots ENUMERATED {n2,n4,n8} OPTIONAL, -- Need S pi2BPSK ENUMERATED {enabled} OPTIONAL, -- Need R simultaneousHARQ-ACK-CSI ENUMERATED {true} OPTIONAL -- Need R } PUCCH-FormatConfigExt-r17 ::= SEQUENCE { maxCodeRateLP-r17 PUCCH-MaxCodeRate OPTIONAL, -- Need R ... } PUCCH-MaxCodeRate ::= ENUMERATED {zeroDot08, zeroDot15, zeroDot25, zeroDot35, zeroDot45, zeroDot60, zeroDot80} -- A set with one or more PUCCH resources PUCCH-ResourceSet ::= SEQUENCE { pucch-ResourceSetId PUCCH-ResourceSetId, resourceList SEQUENCE (SIZE (1..maxNrofPUCCH-ResourcesPerSet)) OF PUCCH-ResourceId, maxPayloadSize INTEGER (4..256) OPTIONAL -- Need R } PUCCH-ResourceSetId ::= INTEGER (0..maxNrofPUCCH-ResourceSets-1) PUCCH-Resource ::= SEQUENCE { pucch-ResourceId PUCCH-ResourceId, startingPRB PRB-Id, intraSlotFrequencyHopping ENUMERATED { enabled } OPTIONAL, -- Need R secondHopPRB PRB-Id OPTIONAL, -- Need R format CHOICE { format0 PUCCH-format0, format1 PUCCH-format1, format2 PUCCH-format2, format3 PUCCH-format3, format4 PUCCH-format4 } } PUCCH-ResourceExt-v1610 ::= SEQUENCE { interlaceAllocation-r16 SEQUENCE { rb-SetIndex-r16 INTEGER (0..4), interlace0-r16 CHOICE { scs15 INTEGER (0..9), scs30 INTEGER (0..4) } } OPTIONAL, --Need R format-v1610 CHOICE { interlace1-v1610 INTEGER (0..9), occ-v1610 SEQUENCE { occ-Length-v1610 ENUMERATED {n2,n4} OPTIONAL, -- Need M occ-Index-v1610 ENUMERATED {n0,n1,n2,n3} OPTIONAL -- Need M } } OPTIONAL, -- Need R ..., [[ format-v1700 SEQUENCE { nrofPRBs-r17 INTEGER (1..16) } OPTIONAL, -- Need R pucch-RepetitionNrofSlots-r17 ENUMERATED { n1,n2,n4,n8 } OPTIONAL -- Need R ]] } PUCCH-ResourceId ::= INTEGER (0..maxNrofPUCCH-Resources-1) PUCCH-format0 ::= SEQUENCE { initialCyclicShift INTEGER(0..11), nrofSymbols INTEGER (1..2), startingSymbolIndex INTEGER(0..13) } PUCCH-format1 ::= SEQUENCE { initialCyclicShift INTEGER(0..11), nrofSymbols INTEGER (4..14), startingSymbolIndex INTEGER(0..10), timeDomainOCC INTEGER(0..6) } PUCCH-format2 ::= SEQUENCE { nrofPRBs INTEGER (1..16), nrofSymbols INTEGER (1..2), startingSymbolIndex INTEGER(0..13) } PUCCH-format3 ::= SEQUENCE { nrofPRBs INTEGER (1..16), nrofSymbols INTEGER (4..14), startingSymbolIndex INTEGER(0..10) } PUCCH-format4 ::= SEQUENCE { nrofSymbols INTEGER (4..14), occ-Length ENUMERATED {n2,n4}, occ-Index ENUMERATED {n0,n1,n2,n3}, startingSymbolIndex INTEGER(0..10) } PUCCH-ResourceGroup-r16 ::= SEQUENCE { pucch-ResourceGroupId-r16 PUCCH-ResourceGroupId-r16, resourcePerGroupList-r16 SEQUENCE (SIZE (1..maxNrofPUCCH-ResourcesPerGroup-r16)) OF PUCCH-ResourceId } PUCCH-ResourceGroupId-r16 ::= INTEGER (0..maxNrofPUCCH-ResourceGroups-1-r16) DL-DataToUL-ACK-r16 ::= SEQUENCE (SIZE (1..8)) OF INTEGER (-1..15) DL-DataToUL-ACK-r17 ::= SEQUENCE (SIZE (1..8)) OF INTEGER (-1..127) DL-DataToUL-ACK-v1700 ::= SEQUENCE (SIZE (1..8)) OF INTEGER (16..31) DL-DataToUL-ACK-DCI-1-2-r16 ::= SEQUENCE (SIZE (1..8)) OF INTEGER (0..15) DL-DataToUL-ACK-DCI-1-2-r17 ::= SEQUENCE (SIZE (1..8)) OF INTEGER (0..127) UL-AccessConfigListDCI-1-1-r16 ::= SEQUENCE (SIZE (1..16)) OF INTEGER (0..15) UL-AccessConfigListDCI-1-2-r17 ::= SEQUENCE (SIZE (1..16)) OF INTEGER (0..15) UL-AccessConfigListDCI-1-1-r17 ::= SEQUENCE (SIZE (1..3)) OF INTEGER (0..2) DL-DataToUL-ACK-MulticastDCI-Format4-1-r17 ::= SEQUENCE (SIZE (1..8)) OF INTEGER (0..15) -- TAG-PUCCH-CONFIG-STOP -- TAG-PUCCH-CONFIGCOMMON-START PUCCH-ConfigCommon ::= SEQUENCE { pucch-ResourceCommon INTEGER (0..15) OPTIONAL, -- Cond InitialBWP-Only pucch-GroupHopping ENUMERATED { neither, enable, disable }, hoppingId INTEGER (0..1023) OPTIONAL, -- Need R p0-nominal INTEGER (-202..24) OPTIONAL, -- Need R ..., [[ nrofPRBs INTEGER (1..16) OPTIONAL, -- Need R intra-SlotFH-r17 ENUMERATED {fromLowerEdge, fromUpperEdge} OPTIONAL, -- Cond InitialBWP-RedCapOnly pucch-ResourceCommonRedCap-r17 INTEGER (0..15) OPTIONAL, -- Cond InitialBWP-RedCap additionalPRBOffset-r17 ENUMERATED {n2, n3, n4, n6, n8, n9, n10, n12} OPTIONAL -- Cond InitialBWP-RedCapOnly ]] } -- TAG-PUCCH-CONFIGCOMMON-STOP -- TAG-PUCCH-CONFIGURATIONLIST-START PUCCH-ConfigurationList-r16 ::= SEQUENCE (SIZE (1..2)) OF PUCCH-Config -- TAG-PUCCH-CONFIGURATIONLIST-STOP -- TAG-PUCCH-PATHLOSSREFERENCERS-ID-START PUCCH-PathlossReferenceRS-Id ::= INTEGER (0..maxNrofPUCCH-PathlossReferenceRSs-1) PUCCH-PathlossReferenceRS-Id-v1610 ::= INTEGER (maxNrofPUCCH-PathlossReferenceRSs..maxNrofPUCCH-PathlossReferenceRSs-1-r16) PUCCH-PathlossReferenceRS-Id-r17 ::= INTEGER (0..maxNrofPUCCH-PathlossReferenceRSs-1-r17) -- TAG-PUCCH-PATHLOSSREFERENCERS-ID-STOP -- TAG-PUCCH-POWERCONTROL-START PUCCH-PowerControl ::= SEQUENCE { deltaF-PUCCH-f0 INTEGER (-16..15) OPTIONAL, -- Need R deltaF-PUCCH-f1 INTEGER (-16..15) OPTIONAL, -- Need R deltaF-PUCCH-f2 INTEGER (-16..15) OPTIONAL, -- Need R deltaF-PUCCH-f3 INTEGER (-16..15) OPTIONAL, -- Need R deltaF-PUCCH-f4 INTEGER (-16..15) OPTIONAL, -- Need R p0-Set SEQUENCE (SIZE (1..maxNrofPUCCH-P0-PerSet)) OF P0-PUCCH OPTIONAL, -- Need M pathlossReferenceRSs SEQUENCE (SIZE (1..maxNrofPUCCH-PathlossReferenceRSs)) OF PUCCH-PathlossReferenceRS OPTIONAL, -- Need M twoPUCCH-PC-AdjustmentStates ENUMERATED {twoStates} OPTIONAL, -- Need S ..., [[ pathlossReferenceRSs-v1610 CHOICE {release NULL, setup PathlossReferenceRSs-v1610 } OPTIONAL -- Need M ]] } P0-PUCCH ::= SEQUENCE { p0-PUCCH-Id P0-PUCCH-Id, p0-PUCCH-Value INTEGER (-16..15) } P0-PUCCH-Id ::= INTEGER (1..8) PathlossReferenceRSs-v1610 ::= SEQUENCE (SIZE (1..maxNrofPUCCH-PathlossReferenceRSsDiff-r16)) OF PUCCH-PathlossReferenceRS-r16 PUCCH-PathlossReferenceRS ::= SEQUENCE { pucch-PathlossReferenceRS-Id PUCCH-PathlossReferenceRS-Id, referenceSignal CHOICE { ssb-Index SSB-Index, csi-RS-Index NZP-CSI-RS-ResourceId } } PUCCH-PathlossReferenceRS-r16 ::= SEQUENCE { pucch-PathlossReferenceRS-Id-r16 PUCCH-PathlossReferenceRS-Id-v1610, referenceSignal-r16 CHOICE { ssb-Index-r16 SSB-Index, csi-RS-Index-r16 NZP-CSI-RS-ResourceId } } PUCCH-PowerControlSetInfo-r17 ::= SEQUENCE { pucch-PowerControlSetInfoId-r17 PUCCH-PowerControlSetInfoId-r17, p0-PUCCH-Id-r17 P0-PUCCH-Id, pucch-ClosedLoopIndex-r17 ENUMERATED { i0, i1 }, pucch-PathlossReferenceRS-Id-r17 PUCCH-PathlossReferenceRS-Id-r17 } PUCCH-PowerControlSetInfoId-r17 ::= INTEGER (1.. maxNrofPowerControlSetInfos-r17) -- TAG-PUCCH-POWERCONTROL-STOP -- TAG-PUCCH-SPATIALRELATIONINFO-START PUCCH-SpatialRelationInfo ::= SEQUENCE { pucch-SpatialRelationInfoId PUCCH-SpatialRelationInfoId, servingCellId ServCellIndex OPTIONAL, -- Need S referenceSignal CHOICE { ssb-Index SSB-Index, csi-RS-Index NZP-CSI-RS-ResourceId, srs PUCCH-SRS }, pucch-PathlossReferenceRS-Id PUCCH-PathlossReferenceRS-Id, p0-PUCCH-Id P0-PUCCH-Id, closedLoopIndex ENUMERATED { i0, i1 } } PUCCH-SpatialRelationInfoExt-r16 ::= SEQUENCE { pucch-SpatialRelationInfoId-v1610 PUCCH-SpatialRelationInfoId-v1610 OPTIONAL, -- Need S pucch-PathlossReferenceRS-Id-v1610 PUCCH-PathlossReferenceRS-Id-v1610 OPTIONAL, --Need R ... } PUCCH-SRS ::= SEQUENCE { resource SRS-ResourceId, uplinkBWP BWP-Id } -- TAG-PUCCH-SPATIALRELATIONINFO-STOP -- TAG-PUCCH-SPATIALRELATIONINFO-START PUCCH-SpatialRelationInfoId ::= INTEGER (1..maxNrofSpatialRelationInfos) PUCCH-SpatialRelationInfoId-r16 ::= INTEGER (1..maxNrofSpatialRelationInfos-r16) PUCCH-SpatialRelationInfoId-v1610::= INTEGER (maxNrofSpatialRelationInfos-plus-1..maxNrofSpatialRelationInfos-r16) -- TAG-PUCCH-SPATIALRELATIONINFO-STOP -- TAG-PUCCH-TPC-COMMANDCONFIG-START PUCCH-TPC-CommandConfig ::= SEQUENCE { tpc-IndexPCell INTEGER (1..15) OPTIONAL, -- Cond PDCCH-OfSpcell tpc-IndexPUCCH-SCell INTEGER (1..15) OPTIONAL, -- Cond PDCCH-ofSpCellOrPUCCH-SCell ..., [[ tpc-IndexPUCCH-sSCell-r17 INTEGER (1..15) OPTIONAL, -- Need R tpc-IndexPUCCH-sScellSecondaryPUCCHgroup-r17 INTEGER (1..15) OPTIONAL -- Cond twoPUCCHgroup ]] } -- TAG-PUCCH-TPC-COMMANDCONFIG-STOP -- TAG-PUSCH-CONFIG-START PUSCH-Config ::= SEQUENCE { dataScramblingIdentityPUSCH INTEGER (0..1023) OPTIONAL, -- Need S txConfig ENUMERATED {codebook, nonCodebook} OPTIONAL, -- Need S dmrs-UplinkForPUSCH-MappingTypeA CHOICE {release NULL, setup DMRS-UplinkConfig } OPTIONAL, -- Need M dmrs-UplinkForPUSCH-MappingTypeB CHOICE {release NULL, setup DMRS-UplinkConfig } OPTIONAL, -- Need M pusch-PowerControl PUSCH-PowerControl OPTIONAL, -- Need M frequencyHopping ENUMERATED {intraSlot, interSlot} OPTIONAL, -- Need S frequencyHoppingOffsetLists SEQUENCE (SIZE (1..4)) OF INTEGER (1.. maxNrofPhysicalResourceBlocks-1) OPTIONAL, -- Need M resourceAllocation ENUMERATED { resourceAllocationType0, resourceAllocationType1, dynamicSwitch}, pusch-TimeDomainAllocationList CHOICE {release NULL, setup PUSCH-TimeDomainResourceAllocationList } OPTIONAL, -- Need M pusch-AggregationFactor ENUMERATED { n2, n4, n8 } OPTIONAL, -- Need S mcs-Table ENUMERATED {qam256, qam64LowSE} OPTIONAL, -- Need S mcs-TableTransformPrecoder ENUMERATED {qam256, qam64LowSE} OPTIONAL, -- Need S transformPrecoder ENUMERATED {enabled, disabled} OPTIONAL, -- Need S codebookSubset ENUMERATED {fullyAndPartialAndNonCoherent, partialAndNonCoherent,nonCoherent} OPTIONAL, -- Cond codebookBased maxRank INTEGER (1..4) OPTIONAL, -- Cond codebookBased rbg-Size ENUMERATED { config2} OPTIONAL, -- Need S uci-OnPUSCH CHOICE {release NULL, setup UCI-OnPUSCH} OPTIONAL, -- Need M tp-pi2BPSK ENUMERATED {enabled} OPTIONAL, -- Need S ..., [[ minimumSchedulingOffsetK2-r16 CHOICE {release NULL, setup MinSchedulingOffsetK2-Values-r16 } OPTIONAL, -- Need M ul-AccessConfigListDCI-0-1-r16 CHOICE {release NULL, setup UL-AccessConfigListDCI-0-1-r16 } OPTIONAL, -- Need M -- Start of the parameters for DCI format 0_2 introduced in V16.1.0 harq-ProcessNumberSizeDCI-0-2-r16 INTEGER (0..4) OPTIONAL, -- Need R dmrs-SequenceInitializationDCI-0-2-r16 ENUMERATED {enabled} OPTIONAL, -- Need S numberOfBitsForRV-DCI-0-2-r16 INTEGER (0..2) OPTIONAL, -- Need R antennaPortsFieldPresenceDCI-0-2-r16 ENUMERATED {enabled} OPTIONAL, -- Need S dmrs-UplinkForPUSCH-MappingTypeA-DCI-0-2-r16 CHOICE {release NULL, setup DMRS-UplinkConfig } OPTIONAL, -- Need M dmrs-UplinkForPUSCH-MappingTypeB-DCI-0-2-r16 CHOICE {release NULL, setup DMRS-UplinkConfig } OPTIONAL, -- Need M frequencyHoppingDCI-0-2-r16 CHOICE { pusch-RepTypeA ENUMERATED {intraSlot, interSlot}, pusch-RepTypeB ENUMERATED {interRepetition, interSlot} } OPTIONAL, -- Need S frequencyHoppingOffsetListsDCI-0-2-r16 CHOICE {release NULL, setup FrequencyHoppingOffsetListsDCI-0-2-r16} OPTIONAL, -- Need M codebookSubsetDCI-0-2-r16 ENUMERATED {fullyAndPartialAndNonCoherent, partialAndNonCoherent,nonCoherent} OPTIONAL, -- Cond codebookBased invalidSymbolPatternIndicatorDCI-0-2-r16 ENUMERATED {enabled} OPTIONAL, -- Need S maxRankDCI-0-2-r16 INTEGER (1..4) OPTIONAL, -- Cond codebookBased mcs-TableDCI-0-2-r16 ENUMERATED {qam256, qam64LowSE} OPTIONAL, -- Need S mcs-TableTransformPrecoderDCI-0-2-r16 ENUMERATED {qam256, qam64LowSE} OPTIONAL, -- Need S priorityIndicatorDCI-0-2-r16 ENUMERATED {enabled} OPTIONAL, -- Need S pusch-RepTypeIndicatorDCI-0-2-r16 ENUMERATED { pusch-RepTypeA, pusch-RepTypeB} OPTIONAL, -- Need R resourceAllocationDCI-0-2-r16 ENUMERATED { resourceAllocationType0, resourceAllocationType1, dynamicSwitch} OPTIONAL, -- Need M resourceAllocationType1GranularityDCI-0-2-r16 ENUMERATED { n2,n4,n8,n16 } OPTIONAL, -- Need S uci-OnPUSCH-ListDCI-0-2-r16 CHOICE {release NULL, setup UCI-OnPUSCH-ListDCI-0-2-r16} OPTIONAL, -- Need M pusch-TimeDomainAllocationListDCI-0-2-r16 CHOICE {release NULL, setup PUSCH-TimeDomainResourceAllocationList-r16 } OPTIONAL, -- Need M -- End of the parameters for DCI format 0_2 introduced in V16.1.0 -- Start of the parameters for DCI format 0_1 introduced in V16.1.0 pusch-TimeDomainAllocationListDCI-0-1-r16 CHOICE {release NULL, setup PUSCH-TimeDomainResourceAllocationList-r16 } OPTIONAL, -- Need M invalidSymbolPatternIndicatorDCI-0-1-r16 ENUMERATED {enabled} OPTIONAL, -- Need S priorityIndicatorDCI-0-1-r16 ENUMERATED {enabled} OPTIONAL, -- Need S pusch-RepTypeIndicatorDCI-0-1-r16 ENUMERATED { pusch-RepTypeA, pusch-RepTypeB} OPTIONAL, -- Need R frequencyHoppingDCI-0-1-r16 ENUMERATED {interRepetition, interSlot} OPTIONAL, -- Cond RepTypeB uci-OnPUSCH-ListDCI-0-1-r16 CHOICE {release NULL, setup UCI-OnPUSCH-ListDCI-0-1-r16 } OPTIONAL, -- Need M -- End of the parameters for DCI format 0_1 introduced in V16.1.0 invalidSymbolPattern-r16 InvalidSymbolPattern-r16 OPTIONAL, -- Need S pusch-PowerControl-v1610 CHOICE {release NULL, setup PUSCH-PowerControl-v1610} OPTIONAL, -- Need M ul-FullPowerTransmission-r16 ENUMERATED {fullpower, fullpowerMode1, fullpowerMode2} OPTIONAL, -- Need R pusch-TimeDomainAllocationListForMultiPUSCH-r16 CHOICE {release NULL, setup PUSCH-TimeDomainResourceAllocationList-r16 } OPTIONAL, -- Need M numberOfInvalidSymbolsForDL-UL-Switching-r16 INTEGER (1..4) OPTIONAL -- Cond RepTypeB2 ]], [[ ul-AccessConfigListDCI-0-2-r17 CHOICE {release NULL, setup UL-AccessConfigListDCI-0-2-r17 } OPTIONAL, -- Need M betaOffsetsCrossPri0-r17 CHOICE {release NULL, setup BetaOffsetsCrossPriSel-r17 } OPTIONAL, -- Need M betaOffsetsCrossPri1-r17 CHOICE {release NULL, setup BetaOffsetsCrossPriSel-r17 } OPTIONAL, -- Need M betaOffsetsCrossPri0DCI-0-2-r17 CHOICE {release NULL, setup BetaOffsetsCrossPriSelDCI-0-2-r17 } OPTIONAL, -- Need M betaOffsetsCrossPri1DCI-0-2-r17 CHOICE {release NULL, setup BetaOffsetsCrossPriSelDCI-0-2-r17 } OPTIONAL, -- Need M mappingPattern-r17 ENUMERATED {cyclicMapping, sequentialMapping} OPTIONAL, -- Cond SRSsets secondTPCFieldDCI-0-1-r17 ENUMERATED {enabled} OPTIONAL, -- Need R secondTPCFieldDCI-0-2-r17 ENUMERATED {enabled} OPTIONAL, -- Need R sequenceOffsetForRV-r17 INTEGER (0..3) OPTIONAL, -- Need R ul-AccessConfigListDCI-0-1-r17 CHOICE {release NULL, setup UL-AccessConfigListDCI-0-1-r17 } OPTIONAL, -- Need M minimumSchedulingOffsetK2-r17 CHOICE {release NULL, setup MinSchedulingOffsetK2-Values-r17 } OPTIONAL, -- Need M availableSlotCounting-r17 ENUMERATED { enabled } OPTIONAL, -- Need S dmrs-BundlingPUSCH-Config-r17 CHOICE {release NULL, setup DMRS-BundlingPUSCH-Config-r17 } OPTIONAL, -- Need M harq-ProcessNumberSizeDCI-0-2-v1700 INTEGER (5) OPTIONAL, -- Need R harq-ProcessNumberSizeDCI-0-1-r17 INTEGER (5) OPTIONAL, -- Need R mpe-ResourcePoolToAddModList-r17 SEQUENCE (SIZE(1..maxMPE-Resources-r17)) OF MPE-Resource-r17 OPTIONAL, -- Need N mpe-ResourcePoolToReleaseList-r17 SEQUENCE (SIZE(1..maxMPE-Resources-r17)) OF MPE-ResourceId-r17 OPTIONAL -- Need N ]] } UCI-OnPUSCH ::= SEQUENCE { betaOffsets CHOICE { dynamic SEQUENCE (SIZE (4)) OF BetaOffsets, semiStatic BetaOffsets } OPTIONAL, -- Need M scaling ENUMERATED { f0p5, f0p65, f0p8, f1 } } MinSchedulingOffsetK2-Values-r16 ::= SEQUENCE (SIZE (1..maxNrOfMinSchedulingOffsetValues-r16)) OF INTEGER (0..maxK2-SchedulingOffset-r16) MinSchedulingOffsetK2-Values-r17 ::= SEQUENCE (SIZE (1..maxNrOfMinSchedulingOffsetValues-r16)) OF INTEGER (0..maxK2-SchedulingOffset-r17) UCI-OnPUSCH-DCI-0-2-r16 ::= SEQUENCE { betaOffsetsDCI-0-2-r16 CHOICE { dynamicDCI-0-2-r16 CHOICE { oneBit-r16 SEQUENCE (SIZE (2)) OF BetaOffsets, twoBits-r16 SEQUENCE (SIZE (4)) OF BetaOffsets }, semiStaticDCI-0-2-r16 BetaOffsets } OPTIONAL, -- Need M scalingDCI-0-2-r16 ENUMERATED { f0p5, f0p65, f0p8, f1 } } FrequencyHoppingOffsetListsDCI-0-2-r16 ::= SEQUENCE (SIZE (1..4)) OF INTEGER (1.. maxNrofPhysicalResourceBlocks-1) UCI-OnPUSCH-ListDCI-0-2-r16 ::= SEQUENCE (SIZE (1..2)) OF UCI-OnPUSCH-DCI-0-2-r16 UCI-OnPUSCH-ListDCI-0-1-r16 ::= SEQUENCE (SIZE (1..2)) OF UCI-OnPUSCH UL-AccessConfigListDCI-0-1-r16 ::= SEQUENCE (SIZE (1..64)) OF INTEGER (0..63) UL-AccessConfigListDCI-0-1-r17 ::= SEQUENCE (SIZE (1..3)) OF INTEGER (0..2) UL-AccessConfigListDCI-0-2-r17 ::= SEQUENCE (SIZE (1..64)) OF INTEGER (0..63) BetaOffsetsCrossPriSel-r17 ::= CHOICE { dynamic-r17 SEQUENCE (SIZE (4)) OF BetaOffsetsCrossPri-r17, semiStatic-r17 BetaOffsetsCrossPri-r17 } BetaOffsetsCrossPriSelDCI-0-2-r17 ::= CHOICE { dynamicDCI-0-2-r17 CHOICE { oneBit-r17 SEQUENCE (SIZE (2)) OF BetaOffsetsCrossPri-r17, twoBits-r17 SEQUENCE (SIZE (4)) OF BetaOffsetsCrossPri-r17 }, semiStaticDCI-0-2-r17 BetaOffsetsCrossPri-r17 } MPE-Resource-r17 ::= SEQUENCE { mpe-ResourceId-r17 MPE-ResourceId-r17, cell-r17 ServCellIndex OPTIONAL, -- Need R additionalPCI-r17 AdditionalPCIIndex-r17 OPTIONAL, -- Need R mpe-ReferenceSignal-r17 CHOICE { csi-RS-Resource-r17 NZP-CSI-RS-ResourceId, ssb-Resource-r17 SSB-Index } } MPE-ResourceId-r17 ::= INTEGER (1..maxMPE-Resources-r17) -- TAG-PUSCH-CONFIG-STOP -- TAG-PUSCH-CONFIGCOMMON-START PUSCH-ConfigCommon ::= SEQUENCE { groupHoppingEnabledTransformPrecoding ENUMERATED {enabled} OPTIONAL, -- Need R pusch-TimeDomainAllocationList PUSCH-TimeDomainResourceAllocationList OPTIONAL, -- Need R msg3-DeltaPreamble INTEGER (-1..6) OPTIONAL, -- Need R p0-NominalWithGrant INTEGER (-202..24) OPTIONAL, -- Need R ... } -- TAG-PUSCH-CONFIGCOMMON-STOP -- TAG-PUSCH-POWERCONTROL-START PUSCH-PowerControl ::= SEQUENCE { tpc-Accumulation ENUMERATED { disabled } OPTIONAL, -- Need S msg3-Alpha Alpha OPTIONAL, -- Need S p0-NominalWithoutGrant INTEGER (-202..24) OPTIONAL, -- Need M p0-AlphaSets SEQUENCE (SIZE (1..maxNrofP0-PUSCH-AlphaSets)) OF P0-PUSCH-AlphaSet OPTIONAL, -- Need M pathlossReferenceRSToAddModList SEQUENCE (SIZE (1..maxNrofPUSCH-PathlossReferenceRSs)) OF PUSCH-PathlossReferenceRS OPTIONAL, -- Need N pathlossReferenceRSToReleaseList SEQUENCE (SIZE (1..maxNrofPUSCH-PathlossReferenceRSs)) OF PUSCH-PathlossReferenceRS-Id OPTIONAL, -- Need N twoPUSCH-PC-AdjustmentStates ENUMERATED {twoStates} OPTIONAL, -- Need S deltaMCS ENUMERATED {enabled} OPTIONAL, -- Need S sri-PUSCH-MappingToAddModList SEQUENCE (SIZE (1..maxNrofSRI-PUSCH-Mappings)) OF SRI-PUSCH-PowerControl OPTIONAL, -- Need N sri-PUSCH-MappingToReleaseList SEQUENCE (SIZE (1..maxNrofSRI-PUSCH-Mappings)) OF SRI-PUSCH-PowerControlId OPTIONAL -- Need N } P0-PUSCH-AlphaSet ::= SEQUENCE { p0-PUSCH-AlphaSetId P0-PUSCH-AlphaSetId, p0 INTEGER (-16..15) OPTIONAL, -- Need S alpha Alpha OPTIONAL -- Need S } P0-PUSCH-AlphaSetId ::= INTEGER (0..maxNrofP0-PUSCH-AlphaSets-1) PUSCH-PathlossReferenceRS ::= SEQUENCE { pusch-PathlossReferenceRS-Id PUSCH-PathlossReferenceRS-Id, referenceSignal CHOICE { ssb-Index SSB-Index, csi-RS-Index NZP-CSI-RS-ResourceId } } PUSCH-PathlossReferenceRS-r16 ::= SEQUENCE { pusch-PathlossReferenceRS-Id-r16 PUSCH-PathlossReferenceRS-Id-v1610, referenceSignal-r16 CHOICE { ssb-Index-r16 SSB-Index, csi-RS-Index-r16 NZP-CSI-RS-ResourceId } } DummyPathlossReferenceRS-v1710 ::= SEQUENCE { pusch-PathlossReferenceRS-Id-r17 PUSCH-PathlossReferenceRS-Id-r17, additionalPCI-r17 AdditionalPCIIndex-r17 OPTIONAL -- Need R } PUSCH-PathlossReferenceRS-Id ::= INTEGER (0..maxNrofPUSCH-PathlossReferenceRSs-1) PUSCH-PathlossReferenceRS-Id-v1610 ::= INTEGER (maxNrofPUSCH-PathlossReferenceRSs..maxNrofPUSCH-PathlossReferenceRSs-1-r16) PUSCH-PathlossReferenceRS-Id-r17 ::= INTEGER (0..maxNrofPUSCH-PathlossReferenceRSs-1-r16) SRI-PUSCH-PowerControl ::= SEQUENCE { sri-PUSCH-PowerControlId SRI-PUSCH-PowerControlId, sri-PUSCH-PathlossReferenceRS-Id PUSCH-PathlossReferenceRS-Id, sri-P0-PUSCH-AlphaSetId P0-PUSCH-AlphaSetId, sri-PUSCH-ClosedLoopIndex ENUMERATED { i0, i1 } } SRI-PUSCH-PowerControlId ::= INTEGER (0..maxNrofSRI-PUSCH-Mappings-1) PUSCH-PowerControl-v1610 ::= SEQUENCE { pathlossReferenceRSToAddModListSizeExt-v1610 SEQUENCE (SIZE (1..maxNrofPUSCH-PathlossReferenceRSsDiff-r16)) OF PUSCH-PathlossReferenceRS-r16 OPTIONAL, -- Need N pathlossReferenceRSToReleaseListSizeExt-v1610 SEQUENCE (SIZE (1..maxNrofPUSCH-PathlossReferenceRSsDiff-r16)) OF PUSCH-PathlossReferenceRS-Id-v1610 OPTIONAL, -- Need N p0-PUSCH-SetList-r16 SEQUENCE (SIZE (1..maxNrofSRI-PUSCH-Mappings)) OF P0-PUSCH-Set-r16 OPTIONAL, -- Need R olpc-ParameterSet SEQUENCE { olpc-ParameterSetDCI-0-1-r16 INTEGER (1..2) OPTIONAL, -- Need R olpc-ParameterSetDCI-0-2-r16 INTEGER (1..2) OPTIONAL -- Need R } OPTIONAL, -- Need M ..., [[ sri-PUSCH-MappingToAddModList2-r17 SEQUENCE (SIZE (1..maxNrofSRI-PUSCH-Mappings)) OF SRI-PUSCH-PowerControl OPTIONAL, -- Need N sri-PUSCH-MappingToReleaseList2-r17 SEQUENCE (SIZE (1..maxNrofSRI-PUSCH-Mappings)) OF SRI-PUSCH-PowerControlId OPTIONAL, -- Need N p0-PUSCH-SetList2-r17 SEQUENCE (SIZE (1..maxNrofSRI-PUSCH-Mappings)) OF P0-PUSCH-Set-r16 OPTIONAL, -- Need R dummy SEQUENCE (SIZE (1..maxNrofPUSCH-PathlossReferenceRSs-r16)) OF DummyPathlossReferenceRS-v1710 OPTIONAL -- Need N ]] } P0-PUSCH-Set-r16 ::= SEQUENCE { p0-PUSCH-SetId-r16 P0-PUSCH-SetId-r16, p0-List-r16 SEQUENCE (SIZE (1..maxNrofP0-PUSCH-Set-r16)) OF P0-PUSCH-r16 OPTIONAL, -- Need R ... } P0-PUSCH-SetId-r16 ::= INTEGER (0..maxNrofSRI-PUSCH-Mappings-1) P0-PUSCH-r16 ::= INTEGER (-16..15) -- TAG-PUSCH-POWERCONTROL-STOP -- TAG-PUSCH-SERVINGCELLCONFIG-START PUSCH-ServingCellConfig ::= SEQUENCE { codeBlockGroupTransmission CHOICE {release NULL, setup PUSCH-CodeBlockGroupTransmission } OPTIONAL, -- Need M rateMatching ENUMERATED {limitedBufferRM} OPTIONAL, -- Need S xOverhead ENUMERATED {xoh6, xoh12, xoh18} OPTIONAL, -- Need S ..., [[ maxMIMO-Layers INTEGER (1..4) OPTIONAL, -- Need M processingType2Enabled BOOLEAN OPTIONAL -- Need M ]], [[ maxMIMO-LayersDCI-0-2-r16 CHOICE {release NULL, setup MaxMIMO-LayersDCI-0-2-r16} OPTIONAL -- Need M ]], [[ nrofHARQ-ProcessesForPUSCH-r17 ENUMERATED {n32} OPTIONAL, -- Need R uplinkHARQ-mode-r17 CHOICE {release NULL, setup UplinkHARQ-mode-r17} OPTIONAL -- Need M ]] } PUSCH-CodeBlockGroupTransmission ::= SEQUENCE { maxCodeBlockGroupsPerTransportBlock ENUMERATED {n2, n4, n6, n8}, ... } MaxMIMO-LayersDCI-0-2-r16 ::= INTEGER (1..4) UplinkHARQ-mode-r17 ::= BIT STRING (SIZE (32)) -- TAG-PUSCH-SERVINGCELLCONFIG-STOP -- TAG-PUSCH-TIMEDOMAINRESOURCEALLOCATIONLIST-START PUSCH-TimeDomainResourceAllocationList ::= SEQUENCE (SIZE(1..maxNrofUL-Allocations)) OF PUSCH-TimeDomainResourceAllocation PUSCH-TimeDomainResourceAllocation ::= SEQUENCE { k2 INTEGER(0..32) OPTIONAL, -- Need S mappingType ENUMERATED {typeA, typeB}, startSymbolAndLength INTEGER (0..127) } PUSCH-TimeDomainResourceAllocationList-r16 ::= SEQUENCE (SIZE(1..maxNrofUL-Allocations-r16)) OF PUSCH-TimeDomainResourceAllocation-r16 PUSCH-TimeDomainResourceAllocation-r16 ::= SEQUENCE { k2-r16 INTEGER(0..32) OPTIONAL, -- Need S puschAllocationList-r16 SEQUENCE (SIZE(1..maxNrofMultiplePUSCHs-r16)) OF PUSCH-Allocation-r16, ... } PUSCH-Allocation-r16 ::= SEQUENCE { mappingType-r16 ENUMERATED {typeA, typeB} OPTIONAL, -- Cond NotFormat01-02-Or-TypeA startSymbolAndLength-r16 INTEGER (0..127) OPTIONAL, -- Cond NotFormat01-02-Or-TypeA startSymbol-r16 INTEGER (0..13) OPTIONAL, -- Cond RepTypeB length-r16 INTEGER (1..14) OPTIONAL, -- Cond RepTypeB numberOfRepetitions-r16 ENUMERATED {n1, n2, n3, n4, n7, n8, n12, n16} OPTIONAL, -- Cond Format01-02 ..., [[ numberOfRepetitionsExt-r17 ENUMERATED {n1, n2, n3, n4, n7, n8, n12, n16, n20, n24, n28, n32, spare4, spare3, spare2, spare1} OPTIONAL, -- Cond Format01-02-For-TypeA numberOfSlotsTBoMS-r17 ENUMERATED {n1, n2, n4, n8, spare4, spare3, spare2, spare1} OPTIONAL, -- Need R extendedK2-r17 INTEGER (0..128) OPTIONAL -- Cond MultiPUSCH ]] } -- TAG-PUSCH-TIMEDOMAINRESOURCEALLOCATIONLIST-STOP -- TAG-PUSCH-TPC-COMMANDCONFIG-START PUSCH-TPC-CommandConfig ::= SEQUENCE { tpc-Index INTEGER (1..15) OPTIONAL, -- Cond SUL tpc-IndexSUL INTEGER (1..15) OPTIONAL, -- Cond SUL-Only targetCell ServCellIndex OPTIONAL, -- Need S ... } -- TAG-PUSCH-TPC-COMMANDCONFIG-STOP -- TAG-Q-OFFSETRANGE-START Q-OffsetRange ::= ENUMERATED { dB-24, dB-22, dB-20, dB-18, dB-16, dB-14, dB-12, dB-10, dB-8, dB-6, dB-5, dB-4, dB-3, dB-2, dB-1, dB0, dB1, dB2, dB3, dB4, dB5, dB6, dB8, dB10, dB12, dB14, dB16, dB18, dB20, dB22, dB24} -- TAG-Q-OFFSETRANGE-STOP -- TAG-Q-QUALMIN-START Q-QualMin ::= INTEGER (-43..-12) -- TAG-Q-QUALMIN-STOP -- TAG-Q-RXLEVMIN-START Q-RxLevMin ::= INTEGER (-70..-22) -- TAG-Q-RXLEVMIN-STOP -- TAG-QUANTITYCONFIG-START QuantityConfig ::= SEQUENCE { quantityConfigNR-List SEQUENCE (SIZE (1..maxNrofQuantityConfig)) OF QuantityConfigNR OPTIONAL, -- Need M ..., [[ quantityConfigEUTRA FilterConfig OPTIONAL -- Need M ]], [[ quantityConfigUTRA-FDD-r16 QuantityConfigUTRA-FDD-r16 OPTIONAL, -- Need M quantityConfigCLI-r16 FilterConfigCLI-r16 OPTIONAL -- Need M ]] } QuantityConfigNR::= SEQUENCE { quantityConfigCell QuantityConfigRS, quantityConfigRS-Index QuantityConfigRS OPTIONAL -- Need M } QuantityConfigRS ::= SEQUENCE { ssb-FilterConfig FilterConfig, csi-RS-FilterConfig FilterConfig } FilterConfig ::= SEQUENCE { filterCoefficientRSRP FilterCoefficient DEFAULT fc4, filterCoefficientRSRQ FilterCoefficient DEFAULT fc4, filterCoefficientRS-SINR FilterCoefficient DEFAULT fc4 } FilterConfigCLI-r16 ::= SEQUENCE { filterCoefficientSRS-RSRP-r16 FilterCoefficient DEFAULT fc4, filterCoefficientCLI-RSSI-r16 FilterCoefficient DEFAULT fc4 } QuantityConfigUTRA-FDD-r16 ::= SEQUENCE { filterCoefficientRSCP-r16 FilterCoefficient DEFAULT fc4, filterCoefficientEcNO-r16 FilterCoefficient DEFAULT fc4 } -- TAG-QUANTITYCONFIG-STOP -- TAG-RACH-CONFIGCOMMON-START RACH-ConfigCommon ::= SEQUENCE { rach-ConfigGeneric RACH-ConfigGeneric, totalNumberOfRA-Preambles INTEGER (1..63) OPTIONAL, -- Need S ssb-perRACH-OccasionAndCB-PreamblesPerSSB CHOICE { oneEighth ENUMERATED {n4,n8,n12,n16,n20,n24,n28,n32,n36,n40,n44,n48,n52,n56,n60,n64}, oneFourth ENUMERATED {n4,n8,n12,n16,n20,n24,n28,n32,n36,n40,n44,n48,n52,n56,n60,n64}, oneHalf ENUMERATED {n4,n8,n12,n16,n20,n24,n28,n32,n36,n40,n44,n48,n52,n56,n60,n64}, one ENUMERATED {n4,n8,n12,n16,n20,n24,n28,n32,n36,n40,n44,n48,n52,n56,n60,n64}, two ENUMERATED {n4,n8,n12,n16,n20,n24,n28,n32}, four INTEGER (1..16), eight INTEGER (1..8), sixteen INTEGER (1..4) } OPTIONAL, -- Need M groupBconfigured SEQUENCE { ra-Msg3SizeGroupA ENUMERATED {b56, b144, b208, b256, b282, b480, b640, b800, b1000, b72, spare6, spare5,spare4, spare3, spare2, spare1}, messagePowerOffsetGroupB ENUMERATED { minusinfinity, dB0, dB5, dB8, dB10, dB12, dB15, dB18}, numberOfRA-PreamblesGroupA INTEGER (1..64) } OPTIONAL, -- Need R ra-ContentionResolutionTimer ENUMERATED { sf8, sf16, sf24, sf32, sf40, sf48, sf56, sf64}, rsrp-ThresholdSSB RSRP-Range OPTIONAL, -- Need R rsrp-ThresholdSSB-SUL RSRP-Range OPTIONAL, -- Cond SUL prach-RootSequenceIndex CHOICE { l839 INTEGER (0..837), l139 INTEGER (0..137) }, msg1-SubcarrierSpacing SubcarrierSpacing OPTIONAL, -- Cond L139 restrictedSetConfig ENUMERATED {unrestrictedSet, restrictedSetTypeA, restrictedSetTypeB}, msg3-transformPrecoder ENUMERATED {enabled} OPTIONAL, -- Need R ..., [[ ra-PrioritizationForAccessIdentity-r16 SEQUENCE { ra-Prioritization-r16 RA-Prioritization, ra-PrioritizationForAI-r16 BIT STRING (SIZE (2)) } OPTIONAL, -- Cond InitialBWP-Only prach-RootSequenceIndex-r16 CHOICE { l571 INTEGER (0..569), l1151 INTEGER (0..1149) } OPTIONAL -- Need R ]], [[ ra-PrioritizationForSlicing-r17 RA-PrioritizationForSlicing-r17 OPTIONAL, -- Cond InitialBWP-Only featureCombinationPreamblesList-r17 SEQUENCE (SIZE(1..maxFeatureCombPreamblesPerRACHResource-r17)) OF FeatureCombinationPreambles-r17 OPTIONAL -- Cond AdditionalRACH ]] } -- TAG-RACH-CONFIGCOMMON-STOP -- TAG-RACH-CONFIGCOMMONTWOSTEPRA-START RACH-ConfigCommonTwoStepRA-r16 ::= SEQUENCE { rach-ConfigGenericTwoStepRA-r16 RACH-ConfigGenericTwoStepRA-r16, msgA-TotalNumberOfRA-Preambles-r16 INTEGER (1..63) OPTIONAL, -- Need S msgA-SSB-PerRACH-OccasionAndCB-PreamblesPerSSB-r16 CHOICE { oneEighth ENUMERATED {n4,n8,n12,n16,n20,n24,n28,n32,n36,n40,n44,n48,n52,n56,n60,n64}, oneFourth ENUMERATED {n4,n8,n12,n16,n20,n24,n28,n32,n36,n40,n44,n48,n52,n56,n60,n64}, oneHalf ENUMERATED {n4,n8,n12,n16,n20,n24,n28,n32,n36,n40,n44,n48,n52,n56,n60,n64}, one ENUMERATED {n4,n8,n12,n16,n20,n24,n28,n32,n36,n40,n44,n48,n52,n56,n60,n64}, two ENUMERATED {n4,n8,n12,n16,n20,n24,n28,n32}, four INTEGER (1..16), eight INTEGER (1..8), sixteen INTEGER (1..4) } OPTIONAL, -- Cond 2StepOnly msgA-CB-PreamblesPerSSB-PerSharedRO-r16 INTEGER (1..60) OPTIONAL, -- Cond SharedRO msgA-SSB-SharedRO-MaskIndex-r16 INTEGER (1..15) OPTIONAL, -- Need S groupB-ConfiguredTwoStepRA-r16 GroupB-ConfiguredTwoStepRA-r16 OPTIONAL, -- Need S msgA-PRACH-RootSequenceIndex-r16 CHOICE { l839 INTEGER (0..837), l139 INTEGER (0..137), l571 INTEGER (0..569), l1151 INTEGER (0..1149) } OPTIONAL, -- Cond 2StepOnly msgA-TransMax-r16 ENUMERATED {n1, n2, n4, n6, n8, n10, n20, n50, n100, n200} OPTIONAL, -- Need R msgA-RSRP-Threshold-r16 RSRP-Range OPTIONAL, -- Cond 2Step4Step msgA-RSRP-ThresholdSSB-r16 RSRP-Range OPTIONAL, -- Need R msgA-SubcarrierSpacing-r16 SubcarrierSpacing OPTIONAL, -- Cond 2StepOnlyL139 msgA-RestrictedSetConfig-r16 ENUMERATED {unrestrictedSet, restrictedSetTypeA, restrictedSetTypeB} OPTIONAL, -- Cond 2StepOnly ra-PrioritizationForAccessIdentityTwoStep-r16 SEQUENCE { ra-Prioritization-r16 RA-Prioritization, ra-PrioritizationForAI-r16 BIT STRING (SIZE (2)) } OPTIONAL, -- Cond InitialBWP-Only ra-ContentionResolutionTimer-r16 ENUMERATED {sf8, sf16, sf24, sf32, sf40, sf48, sf56, sf64} OPTIONAL, -- Cond 2StepOnly ..., [[ ra-PrioritizationForSlicingTwoStep-r17 RA-PrioritizationForSlicing-r17 OPTIONAL, -- Cond InitialBWP-Only featureCombinationPreamblesList-r17 SEQUENCE (SIZE(1..maxFeatureCombPreamblesPerRACHResource-r17)) OF FeatureCombinationPreambles-r17 OPTIONAL -- Cond AdditionalRACH ]] } GroupB-ConfiguredTwoStepRA-r16 ::= SEQUENCE { ra-MsgA-SizeGroupA ENUMERATED {b56, b144, b208, b256, b282, b480, b640, b800, b1000, b72, spare6, spare5, spare4, spare3, spare2, spare1}, messagePowerOffsetGroupB ENUMERATED {minusinfinity, dB0, dB5, dB8, dB10, dB12, dB15, dB18}, numberOfRA-PreamblesGroupA INTEGER (1..64) } -- TAG-RACH-CONFIGCOMMONTWOSTEPRA-STOP -- TAG-RACH-CONFIGDEDICATED-START RACH-ConfigDedicated ::= SEQUENCE { cfra CFRA OPTIONAL, -- Need S ra-Prioritization RA-Prioritization OPTIONAL, -- Need N ..., [[ ra-PrioritizationTwoStep-r16 RA-Prioritization OPTIONAL, -- Need N cfra-TwoStep-r16 CFRA-TwoStep-r16 OPTIONAL -- Need S ]] } CFRA ::= SEQUENCE { occasions SEQUENCE { rach-ConfigGeneric RACH-ConfigGeneric, ssb-perRACH-Occasion ENUMERATED {oneEighth, oneFourth, oneHalf, one, two, four, eight, sixteen} OPTIONAL -- Cond Mandatory } OPTIONAL, -- Need S resources CHOICE { ssb SEQUENCE { ssb-ResourceList SEQUENCE (SIZE(1..maxRA-SSB-Resources)) OF CFRA-SSB-Resource, ra-ssb-OccasionMaskIndex INTEGER (0..15) }, csirs SEQUENCE { csirs-ResourceList SEQUENCE (SIZE(1..maxRA-CSIRS-Resources)) OF CFRA-CSIRS-Resource, rsrp-ThresholdCSI-RS RSRP-Range } }, ..., [[ totalNumberOfRA-Preambles INTEGER (1..63) OPTIONAL -- Cond Occasions ]] } CFRA-TwoStep-r16 ::= SEQUENCE { occasionsTwoStepRA-r16 SEQUENCE { rach-ConfigGenericTwoStepRA-r16 RACH-ConfigGenericTwoStepRA-r16, ssb-PerRACH-OccasionTwoStepRA-r16 ENUMERATED {oneEighth, oneFourth, oneHalf, one, two, four, eight, sixteen} } OPTIONAL, -- Need S msgA-CFRA-PUSCH-r16 MsgA-PUSCH-Resource-r16, msgA-TransMax-r16 ENUMERATED {n1, n2, n4, n6, n8, n10, n20, n50, n100, n200} OPTIONAL, -- Need S resourcesTwoStep-r16 SEQUENCE { ssb-ResourceList SEQUENCE (SIZE(1..maxRA-SSB-Resources)) OF CFRA-SSB-Resource, ra-ssb-OccasionMaskIndex INTEGER (0..15) }, ... } CFRA-SSB-Resource ::= SEQUENCE { ssb SSB-Index, ra-PreambleIndex INTEGER (0..63), ..., [[ msgA-PUSCH-Resource-Index-r16 INTEGER (0..3071) OPTIONAL -- Cond 2StepCFRA ]] } CFRA-CSIRS-Resource ::= SEQUENCE { csi-RS CSI-RS-Index, ra-OccasionList SEQUENCE (SIZE(1..maxRA-OccasionsPerCSIRS)) OF INTEGER (0..maxRA-Occasions-1), ra-PreambleIndex INTEGER (0..63), ... } -- TAG-RACH-CONFIGDEDICATED-STOP -- TAG-RACH-CONFIGGENERIC-START RACH-ConfigGeneric ::= SEQUENCE { prach-ConfigurationIndex INTEGER (0..255), msg1-FDM ENUMERATED {one, two, four, eight}, msg1-FrequencyStart INTEGER (0..maxNrofPhysicalResourceBlocks-1), zeroCorrelationZoneConfig INTEGER(0..15), preambleReceivedTargetPower INTEGER (-202..-60), preambleTransMax ENUMERATED {n3, n4, n5, n6, n7, n8, n10, n20, n50, n100, n200}, powerRampingStep ENUMERATED {dB0, dB2, dB4, dB6}, ra-ResponseWindow ENUMERATED {sl1, sl2, sl4, sl8, sl10, sl20, sl40, sl80}, ..., [[ prach-ConfigurationPeriodScaling-IAB-r16 ENUMERATED {scf1,scf2,scf4,scf8,scf16,scf32,scf64} OPTIONAL, -- Need R prach-ConfigurationFrameOffset-IAB-r16 INTEGER (0..63) OPTIONAL, -- Need R prach-ConfigurationSOffset-IAB-r16 INTEGER (0..39) OPTIONAL, -- Need R ra-ResponseWindow-v1610 ENUMERATED { sl60, sl160} OPTIONAL, -- Need R prach-ConfigurationIndex-v1610 INTEGER (256..262) OPTIONAL -- Need R ]], [[ ra-ResponseWindow-v1700 ENUMERATED {sl240, sl320, sl640, sl960, sl1280, sl1920, sl2560} OPTIONAL -- Need R ]] } -- TAG-RACH-CONFIGGENERIC-STOP -- TAG-RACH-CONFIGGENERICTWOSTEPRA-START RACH-ConfigGenericTwoStepRA-r16 ::= SEQUENCE { msgA-PRACH-ConfigurationIndex-r16 INTEGER (0..262) OPTIONAL, -- Cond 2StepOnly msgA-RO-FDM-r16 ENUMERATED {one, two, four, eight} OPTIONAL, -- Cond 2StepOnly msgA-RO-FrequencyStart-r16 INTEGER (0..maxNrofPhysicalResourceBlocks-1) OPTIONAL, -- Cond 2StepOnly msgA-ZeroCorrelationZoneConfig-r16 INTEGER (0..15) OPTIONAL, -- Cond 2StepOnly msgA-PreamblePowerRampingStep-r16 ENUMERATED {dB0, dB2, dB4, dB6} OPTIONAL, -- Cond 2StepOnlyNoCFRA msgA-PreambleReceivedTargetPower-r16 INTEGER (-202..-60) OPTIONAL, -- Cond 2StepOnlyNoCFRA msgB-ResponseWindow-r16 ENUMERATED {sl1, sl2, sl4, sl8, sl10, sl20, sl40, sl80, sl160, sl320} OPTIONAL, -- Cond NoCFRA preambleTransMax-r16 ENUMERATED {n3, n4, n5, n6, n7, n8, n10, n20, n50, n100, n200} OPTIONAL, -- Cond 2StepOnlyNoCFRA ..., [[ msgB-ResponseWindow-v1700 ENUMERATED {sl240, sl640, sl960, sl1280, sl1920, sl2560} OPTIONAL -- Cond NoCFRA2 ]] } -- TAG-RACH-CONFIGGENERICTWOSTEPRA-STOP -- TAG-RA-PRIORITIZATION-START RA-Prioritization ::= SEQUENCE { powerRampingStepHighPriority ENUMERATED {dB0, dB2, dB4, dB6}, scalingFactorBI ENUMERATED {zero, dot25, dot5, dot75} OPTIONAL, -- Need R ... } -- TAG-RA-PRIORITIZATION-STOP -- TAG-RA-PRIORITIZATIONFORSLICING-START RA-PrioritizationForSlicing-r17 ::= SEQUENCE { ra-PrioritizationSliceInfoList-r17 RA-PrioritizationSliceInfoList-r17, ... } RA-PrioritizationSliceInfoList-r17 ::= SEQUENCE (SIZE (1..maxSliceInfo-r17)) OF RA-PrioritizationSliceInfo-r17 RA-PrioritizationSliceInfo-r17 ::= SEQUENCE { nsag-ID-List-r17 SEQUENCE (SIZE (1..maxSliceInfo-r17)) OF NSAG-ID-r17, ra-Prioritization-r17 RA-Prioritization, ... } -- TAG-RA-PRIORITIZATIONFORSLICING-STOP -- TAG-RADIOBEARERCONFIG-START RadioBearerConfig ::= SEQUENCE { srb-ToAddModList SRB-ToAddModList OPTIONAL, -- Cond HO-Conn srb3-ToRelease ENUMERATED{true} OPTIONAL, -- Need N drb-ToAddModList DRB-ToAddModList OPTIONAL, -- Cond HO-toNR drb-ToReleaseList DRB-ToReleaseList OPTIONAL, -- Need N securityConfig SecurityConfig OPTIONAL, -- Need M ..., [[ mrb-ToAddModList-r17 MRB-ToAddModList-r17 OPTIONAL, -- Need N mrb-ToReleaseList-r17 MRB-ToReleaseList-r17 OPTIONAL, -- Need N srb4-ToAddMod-r17 SRB-ToAddMod OPTIONAL, -- Need N srb4-ToRelease-r17 ENUMERATED{true} OPTIONAL -- Need N ]] } SRB-ToAddModList ::= SEQUENCE (SIZE (1..2)) OF SRB-ToAddMod SRB-ToAddMod ::= SEQUENCE { srb-Identity SRB-Identity, reestablishPDCP ENUMERATED{true} OPTIONAL, -- Need N discardOnPDCP ENUMERATED{true} OPTIONAL, -- Need N pdcp-Config PDCP-Config OPTIONAL, -- Cond PDCP ..., [[ srb-Identity-v1700 SRB-Identity-v1700 OPTIONAL -- Need M ]] } DRB-ToAddModList ::= SEQUENCE (SIZE (1..maxDRB)) OF DRB-ToAddMod DRB-ToAddMod ::= SEQUENCE { cnAssociation CHOICE { eps-BearerIdentity INTEGER (0..15), sdap-Config SDAP-Config } OPTIONAL, -- Cond DRBSetup drb-Identity DRB-Identity, reestablishPDCP ENUMERATED{true} OPTIONAL, -- Need N recoverPDCP ENUMERATED{true} OPTIONAL, -- Need N pdcp-Config PDCP-Config OPTIONAL, -- Cond PDCP ..., [[ daps-Config-r16 ENUMERATED{true} OPTIONAL -- Cond DAPS ]] } DRB-ToReleaseList ::= SEQUENCE (SIZE (1..maxDRB)) OF DRB-Identity SecurityConfig ::= SEQUENCE { securityAlgorithmConfig SecurityAlgorithmConfig OPTIONAL, -- Cond RBTermChange1 keyToUse ENUMERATED{master, secondary} OPTIONAL, -- Cond RBTermChange ... } MRB-ToAddModList-r17 ::= SEQUENCE (SIZE (1..maxMRB-r17)) OF MRB-ToAddMod-r17 MRB-ToAddMod-r17 ::= SEQUENCE { mbs-SessionId-r17 TMGI-r17 OPTIONAL, -- Cond MRBSetup mrb-Identity-r17 MRB-Identity-r17, mrb-IdentityNew-r17 MRB-Identity-r17 OPTIONAL, -- Need N reestablishPDCP-r17 ENUMERATED{true} OPTIONAL, -- Need N recoverPDCP-r17 ENUMERATED{true} OPTIONAL, -- Need N pdcp-Config-r17 PDCP-Config OPTIONAL, -- Cond PDCP ... } MRB-ToReleaseList-r17 ::= SEQUENCE (SIZE (1..maxMRB-r17)) OF MRB-Identity-r17 -- TAG-RADIOBEARERCONFIG-STOP -- TAG-RADIOLINKMONITORINGCONFIG-START RadioLinkMonitoringConfig ::= SEQUENCE { failureDetectionResourcesToAddModList SEQUENCE (SIZE(1..maxNrofFailureDetectionResources)) OF RadioLinkMonitoringRS OPTIONAL, -- Need N failureDetectionResourcesToReleaseList SEQUENCE (SIZE(1..maxNrofFailureDetectionResources)) OF RadioLinkMonitoringRS-Id OPTIONAL, -- Need N beamFailureInstanceMaxCount ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10} OPTIONAL, -- Need R beamFailureDetectionTimer ENUMERATED {pbfd1, pbfd2, pbfd3, pbfd4, pbfd5, pbfd6, pbfd8, pbfd10} OPTIONAL, -- Need R ..., [[ beamFailure-r17 BeamFailureDetection-r17 OPTIONAL -- Need R ]] } BeamFailureDetection-r17 ::= SEQUENCE { failureDetectionSet1-r17 BeamFailureDetectionSet-r17 OPTIONAL, -- Need R failureDetectionSet2-r17 BeamFailureDetectionSet-r17 OPTIONAL, -- Need R additionalPCI-r17 AdditionalPCIIndex-r17 OPTIONAL -- Need R } RadioLinkMonitoringRS ::= SEQUENCE { radioLinkMonitoringRS-Id RadioLinkMonitoringRS-Id, purpose ENUMERATED {beamFailure, rlf, both}, detectionResource CHOICE { ssb-Index SSB-Index, csi-RS-Index NZP-CSI-RS-ResourceId }, ... } BeamFailureDetectionSet-r17 ::= SEQUENCE { bfdResourcesToAddModList-r17 SEQUENCE (SIZE(1..maxNrofBFDResourcePerSet-r17)) OF BeamLinkMonitoringRS-r17 OPTIONAL, -- Need N bfdResourcesToReleaseList-r17 SEQUENCE (SIZE(1..maxNrofBFDResourcePerSet-r17)) OF BeamLinkMonitoringRS-Id-r17 OPTIONAL, -- Need N beamFailureInstanceMaxCount-r17 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10} OPTIONAL, -- Need R beamFailureDetectionTimer-r17 ENUMERATED {pbfd1, pbfd2, pbfd3, pbfd4, pbfd5, pbfd6, pbfd8, pbfd10} OPTIONAL, -- Need R ... } BeamLinkMonitoringRS-r17 ::= SEQUENCE { beamLinkMonitoringRS-Id-r17 BeamLinkMonitoringRS-Id-r17, detectionResource-r17 CHOICE { ssb-Index SSB-Index, csi-RS-Index NZP-CSI-RS-ResourceId }, ... } BeamLinkMonitoringRS-Id-r17 ::= INTEGER (0..maxNrofFailureDetectionResources-1-r17) -- TAG-RADIOLINKMONITORINGCONFIG-STOP -- TAG-RADIOLINKMONITORINGRS-ID-START RadioLinkMonitoringRS-Id ::= INTEGER (0..maxNrofFailureDetectionResources-1) -- TAG-RADIOLINKMONITORINGRS-ID-STOP -- TAG-RAN-AREACODE-START RAN-AreaCode ::= INTEGER (0..255) -- TAG-RAN-AREACODE-STOP -- TAG-RATEMATCHPATTERN-START RateMatchPattern ::= SEQUENCE { rateMatchPatternId RateMatchPatternId, patternType CHOICE { bitmaps SEQUENCE { resourceBlocks BIT STRING (SIZE (275)), symbolsInResourceBlock CHOICE { oneSlot BIT STRING (SIZE (14)), twoSlots BIT STRING (SIZE (28)) }, periodicityAndPattern CHOICE { n2 BIT STRING (SIZE (2)), n4 BIT STRING (SIZE (4)), n5 BIT STRING (SIZE (5)), n8 BIT STRING (SIZE (8)), n10 BIT STRING (SIZE (10)), n20 BIT STRING (SIZE (20)), n40 BIT STRING (SIZE (40)) } OPTIONAL, -- Need S ... }, controlResourceSet ControlResourceSetId }, subcarrierSpacing SubcarrierSpacing OPTIONAL, -- Cond CellLevel dummy ENUMERATED { dynamic, semiStatic }, ..., [[ controlResourceSet-r16 ControlResourceSetId-r16 OPTIONAL -- Need R ]] } -- TAG-RATEMATCHPATTERN-STOP -- TAG-RATEMATCHPATTERNID-START RateMatchPatternId ::= INTEGER (0..maxNrofRateMatchPatterns-1) -- TAG-RATEMATCHPATTERNID-STOP -- TAG-RATEMATCHPATTERNLTE-CRS-START RateMatchPatternLTE-CRS ::= SEQUENCE { carrierFreqDL INTEGER (0..16383), carrierBandwidthDL ENUMERATED {n6, n15, n25, n50, n75, n100, spare2, spare1}, mbsfn-SubframeConfigList EUTRA-MBSFN-SubframeConfigList OPTIONAL, -- Need M nrofCRS-Ports ENUMERATED {n1, n2, n4}, v-Shift ENUMERATED {n0, n1, n2, n3, n4, n5} } LTE-CRS-PatternList-r16 ::= SEQUENCE (SIZE (1..maxLTE-CRS-Patterns-r16)) OF RateMatchPatternLTE-CRS -- TAG-RATEMATCHPATTERNLTE-CRS-STOP -- TAG-REFERENCELOCATION-START ReferenceLocation-r17 ::= OCTET STRING -- TAG-REFERENCELOCATION-STOP -- TAG-REFERENCETIMEINFO-START ReferenceTimeInfo-r16 ::= SEQUENCE { time-r16 ReferenceTime-r16, uncertainty-r16 INTEGER (0..32767) OPTIONAL, -- Need S timeInfoType-r16 ENUMERATED {localClock} OPTIONAL, -- Need S referenceSFN-r16 INTEGER (0..1023) OPTIONAL -- Cond RefTime } ReferenceTime-r16 ::= SEQUENCE { refDays-r16 INTEGER (0..72999), refSeconds-r16 INTEGER (0..86399), refMilliSeconds-r16 INTEGER (0..999), refTenNanoSeconds-r16 INTEGER (0..99999) } -- TAG-REFERENCETIMEINFO-STOP -- TAG-REJECTWAITTIME-START RejectWaitTime ::= INTEGER (1..16) -- TAG-REJECTWAITTIME-STOP -- TAG-REPETITIONSCHEMECONFIG-START RepetitionSchemeConfig-r16 ::= CHOICE { fdm-TDM-r16 CHOICE {release NULL, setup FDM-TDM-r16 }, slotBased-r16 CHOICE {release NULL, setup SlotBased-r16 } } RepetitionSchemeConfig-v1630 ::= SEQUENCE { slotBased-v1630 CHOICE {release NULL, setup SlotBased-v1630 } } FDM-TDM-r16 ::= SEQUENCE { repetitionScheme-r16 ENUMERATED {fdmSchemeA, fdmSchemeB,tdmSchemeA }, startingSymbolOffsetK-r16 INTEGER (0..7) OPTIONAL -- Need R } SlotBased-r16 ::= SEQUENCE { tciMapping-r16 ENUMERATED {cyclicMapping, sequentialMapping}, sequenceOffsetForRV-r16 INTEGER (1..3) } SlotBased-v1630 ::= SEQUENCE { tciMapping-r16 ENUMERATED {cyclicMapping, sequentialMapping}, sequenceOffsetForRV-r16 INTEGER (0) } -- TAG-REPETITIONSCHEMECONFIG-STOP -- TAG-REPORTCONFIGID-START ReportConfigId ::= INTEGER (1..maxReportConfigId) -- TAG-REPORTCONFIGID-STOP -- TAG-REPORTCONFIGINTERRAT-START ReportConfigInterRAT ::= SEQUENCE { reportType CHOICE { periodical PeriodicalReportConfigInterRAT, eventTriggered EventTriggerConfigInterRAT, reportCGI ReportCGI-EUTRA, ..., reportSFTD ReportSFTD-EUTRA } } ReportCGI-EUTRA ::= SEQUENCE { cellForWhichToReportCGI EUTRA-PhysCellId, ..., [[ useAutonomousGaps-r16 ENUMERATED {setup} OPTIONAL -- Need R ]] } ReportSFTD-EUTRA ::= SEQUENCE { reportSFTD-Meas BOOLEAN, reportRSRP BOOLEAN, ... } EventTriggerConfigInterRAT ::= SEQUENCE { eventId CHOICE { eventB1 SEQUENCE { b1-ThresholdEUTRA MeasTriggerQuantityEUTRA, reportOnLeave BOOLEAN, hysteresis Hysteresis, timeToTrigger TimeToTrigger, ... }, eventB2 SEQUENCE { b2-Threshold1 MeasTriggerQuantity, b2-Threshold2EUTRA MeasTriggerQuantityEUTRA, reportOnLeave BOOLEAN, hysteresis Hysteresis, timeToTrigger TimeToTrigger, ... }, ..., [[ eventB1-UTRA-FDD-r16 SEQUENCE { b1-ThresholdUTRA-FDD-r16 MeasTriggerQuantityUTRA-FDD-r16, reportOnLeave-r16 BOOLEAN, hysteresis-r16 Hysteresis, timeToTrigger-r16 TimeToTrigger, ... }, eventB2-UTRA-FDD-r16 SEQUENCE { b2-Threshold1-r16 MeasTriggerQuantity, b2-Threshold2UTRA-FDD-r16 MeasTriggerQuantityUTRA-FDD-r16, reportOnLeave-r16 BOOLEAN, hysteresis-r16 Hysteresis, timeToTrigger-r16 TimeToTrigger, ... } ]], [[ eventY1-Relay-r17 SEQUENCE { y1-Threshold1-r17 MeasTriggerQuantity, y1-Threshold2-Relay-r17 SL-MeasTriggerQuantity-r16, reportOnLeave-r17 BOOLEAN, hysteresis-r17 Hysteresis, timeToTrigger-r17 TimeToTrigger, ... }, eventY2-Relay-r17 SEQUENCE { y2-Threshold-Relay-r17 SL-MeasTriggerQuantity-r16, reportOnLeave-r17 BOOLEAN, hysteresis-r17 Hysteresis, timeToTrigger-r17 TimeToTrigger, ... } ]] }, rsType NR-RS-Type, reportInterval ReportInterval, reportAmount ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity}, reportQuantity MeasReportQuantity, maxReportCells INTEGER (1..maxCellReport), ..., [[ reportQuantityUTRA-FDD-r16 MeasReportQuantityUTRA-FDD-r16 OPTIONAL -- Need R ]], [[ includeCommonLocationInfo-r16 ENUMERATED {true} OPTIONAL, -- Need R includeBT-Meas-r16 CHOICE {release NULL, setup BT-NameList-r16} OPTIONAL, -- Need M includeWLAN-Meas-r16 CHOICE {release NULL, setup WLAN-NameList-r16} OPTIONAL, -- Need M includeSensor-Meas-r16 CHOICE {release NULL, setup Sensor-NameList-r16} OPTIONAL -- Need M ]], [[ reportQuantityRelay-r17 SL-MeasReportQuantity-r16 OPTIONAL -- Need R ]]} PeriodicalReportConfigInterRAT ::= SEQUENCE { reportInterval ReportInterval, reportAmount ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity}, reportQuantity MeasReportQuantity, maxReportCells INTEGER (1..maxCellReport), ..., [[ reportQuantityUTRA-FDD-r16 MeasReportQuantityUTRA-FDD-r16 OPTIONAL -- Need R ]], [[ includeCommonLocationInfo-r16 ENUMERATED {true} OPTIONAL, -- Need R includeBT-Meas-r16 CHOICE {release NULL, setup BT-NameList-r16} OPTIONAL, -- Need M includeWLAN-Meas-r16 CHOICE {release NULL, setup WLAN-NameList-r16} OPTIONAL, -- Need M includeSensor-Meas-r16 CHOICE {release NULL, setup Sensor-NameList-r16} OPTIONAL -- Need M ]], [[ reportQuantityRelay-r17 SL-MeasReportQuantity-r16 OPTIONAL -- Need R ]] } MeasTriggerQuantityUTRA-FDD-r16 ::= CHOICE{ utra-FDD-RSCP-r16 INTEGER (-5..91), utra-FDD-EcN0-r16 INTEGER (0..49) } MeasReportQuantityUTRA-FDD-r16 ::= SEQUENCE { cpich-RSCP BOOLEAN, cpich-EcN0 BOOLEAN } -- TAG-REPORTCONFIGINTERRAT-STOP -- TAG-REPORTCONFIGNR-START ReportConfigNR ::= SEQUENCE { reportType CHOICE { periodical PeriodicalReportConfig, eventTriggered EventTriggerConfig, ..., reportCGI ReportCGI, reportSFTD ReportSFTD-NR, condTriggerConfig-r16 CondTriggerConfig-r16, cli-Periodical-r16 CLI-PeriodicalReportConfig-r16, cli-EventTriggered-r16 CLI-EventTriggerConfig-r16, rxTxPeriodical-r17 RxTxPeriodical-r17 } } ReportCGI ::= SEQUENCE { cellForWhichToReportCGI PhysCellId, ..., [[ useAutonomousGaps-r16 ENUMERATED {setup} OPTIONAL -- Need R ]] } ReportSFTD-NR ::= SEQUENCE { reportSFTD-Meas BOOLEAN, reportRSRP BOOLEAN, ..., [[ reportSFTD-NeighMeas ENUMERATED {true} OPTIONAL, -- Need R drx-SFTD-NeighMeas ENUMERATED {true} OPTIONAL, -- Need R cellsForWhichToReportSFTD SEQUENCE (SIZE (1..maxCellSFTD)) OF PhysCellId OPTIONAL -- Need R ]] } CondTriggerConfig-r16 ::= SEQUENCE { condEventId CHOICE { condEventA3 SEQUENCE { a3-Offset MeasTriggerQuantityOffset, hysteresis Hysteresis, timeToTrigger TimeToTrigger }, condEventA5 SEQUENCE { a5-Threshold1 MeasTriggerQuantity, a5-Threshold2 MeasTriggerQuantity, hysteresis Hysteresis, timeToTrigger TimeToTrigger }, ..., condEventA4-r17 SEQUENCE { a4-Threshold-r17 MeasTriggerQuantity, hysteresis-r17 Hysteresis, timeToTrigger-r17 TimeToTrigger }, condEventD1-r17 SEQUENCE { distanceThreshFromReference1-r17 INTEGER(0.. 65525), distanceThreshFromReference2-r17 INTEGER(0.. 65525), referenceLocation1-r17 ReferenceLocation-r17, referenceLocation2-r17 ReferenceLocation-r17, hysteresisLocation-r17 HysteresisLocation-r17, timeToTrigger-r17 TimeToTrigger }, condEventT1-r17 SEQUENCE { t1-Threshold-r17 INTEGER (0..549755813887), duration-r17 INTEGER (1..6000) } }, rsType-r16 NR-RS-Type, ... } EventTriggerConfig::= SEQUENCE { eventId CHOICE { eventA1 SEQUENCE { a1-Threshold MeasTriggerQuantity, reportOnLeave BOOLEAN, hysteresis Hysteresis, timeToTrigger TimeToTrigger }, eventA2 SEQUENCE { a2-Threshold MeasTriggerQuantity, reportOnLeave BOOLEAN, hysteresis Hysteresis, timeToTrigger TimeToTrigger }, eventA3 SEQUENCE { a3-Offset MeasTriggerQuantityOffset, reportOnLeave BOOLEAN, hysteresis Hysteresis, timeToTrigger TimeToTrigger, useAllowedCellList BOOLEAN }, eventA4 SEQUENCE { a4-Threshold MeasTriggerQuantity, reportOnLeave BOOLEAN, hysteresis Hysteresis, timeToTrigger TimeToTrigger, useAllowedCellList BOOLEAN }, eventA5 SEQUENCE { a5-Threshold1 MeasTriggerQuantity, a5-Threshold2 MeasTriggerQuantity, reportOnLeave BOOLEAN, hysteresis Hysteresis, timeToTrigger TimeToTrigger, useAllowedCellList BOOLEAN }, eventA6 SEQUENCE { a6-Offset MeasTriggerQuantityOffset, reportOnLeave BOOLEAN, hysteresis Hysteresis, timeToTrigger TimeToTrigger, useAllowedCellList BOOLEAN }, ..., [[ eventX1-r17 SEQUENCE { x1-Threshold1-Relay-r17 SL-MeasTriggerQuantity-r16, x1-Threshold2-r17 MeasTriggerQuantity, reportOnLeave-r17 BOOLEAN, hysteresis-r17 Hysteresis, timeToTrigger-r17 TimeToTrigger, useAllowedCellList-r17 BOOLEAN }, eventX2-r17 SEQUENCE { x2-Threshold-Relay-r17 SL-MeasTriggerQuantity-r16, reportOnLeave-r17 BOOLEAN, hysteresis-r17 Hysteresis, timeToTrigger-r17 TimeToTrigger }, eventD1-r17 SEQUENCE { distanceThreshFromReference1-r17 INTEGER(1.. 65525), distanceThreshFromReference2-r17 INTEGER(1.. 65525), referenceLocation1-r17 ReferenceLocation-r17, referenceLocation2-r17 ReferenceLocation-r17, reportOnLeave-r17 BOOLEAN, hysteresisLocation-r17 HysteresisLocation-r17, timeToTrigger-r17 TimeToTrigger } ]] }, rsType NR-RS-Type, reportInterval ReportInterval, reportAmount ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity}, reportQuantityCell MeasReportQuantity, maxReportCells INTEGER (1..maxCellReport), reportQuantityRS-Indexes MeasReportQuantity OPTIONAL, -- Need R maxNrofRS-IndexesToReport INTEGER (1..maxNrofIndexesToReport) OPTIONAL, -- Need R includeBeamMeasurements BOOLEAN, reportAddNeighMeas ENUMERATED {setup} OPTIONAL, -- Need R ..., [[ measRSSI-ReportConfig-r16 MeasRSSI-ReportConfig-r16 OPTIONAL, -- Need R useT312-r16 BOOLEAN OPTIONAL, -- Need M includeCommonLocationInfo-r16 ENUMERATED {true} OPTIONAL, -- Need R includeBT-Meas-r16 CHOICE {release NULL, setup BT-NameList-r16} OPTIONAL, -- Need M includeWLAN-Meas-r16 CHOICE {release NULL, setup WLAN-NameList-r16} OPTIONAL, -- Need M includeSensor-Meas-r16 CHOICE {release NULL, setup Sensor-NameList-r16} OPTIONAL -- Need M ]], [[ coarseLocationRequest-r17 ENUMERATED {true} OPTIONAL, -- Need R reportQuantityRelay-r17 SL-MeasReportQuantity-r16 OPTIONAL -- Need R ]] } PeriodicalReportConfig ::= SEQUENCE { rsType NR-RS-Type, reportInterval ReportInterval, reportAmount ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity}, reportQuantityCell MeasReportQuantity, maxReportCells INTEGER (1..maxCellReport), reportQuantityRS-Indexes MeasReportQuantity OPTIONAL, -- Need R maxNrofRS-IndexesToReport INTEGER (1..maxNrofIndexesToReport) OPTIONAL, -- Need R includeBeamMeasurements BOOLEAN, useAllowedCellList BOOLEAN, ..., [[ measRSSI-ReportConfig-r16 MeasRSSI-ReportConfig-r16 OPTIONAL, -- Need R includeCommonLocationInfo-r16 ENUMERATED {true} OPTIONAL, -- Need R includeBT-Meas-r16 CHOICE {release NULL, setup BT-NameList-r16} OPTIONAL, -- Need M includeWLAN-Meas-r16 CHOICE {release NULL, setup WLAN-NameList-r16} OPTIONAL, -- Need M includeSensor-Meas-r16 CHOICE {release NULL, setup Sensor-NameList-r16} OPTIONAL, -- Need M ul-DelayValueConfig-r16 CHOICE {release NULL, setup UL-DelayValueConfig-r16 } OPTIONAL, -- Need M reportAddNeighMeas-r16 ENUMERATED {setup} OPTIONAL -- Need R ]], [[ ul-ExcessDelayConfig-r17 CHOICE {release NULL, setup UL-ExcessDelayConfig-r17 } OPTIONAL, -- Need M coarseLocationRequest-r17 ENUMERATED {true} OPTIONAL, -- Need R reportQuantityRelay-r17 SL-MeasReportQuantity-r16 OPTIONAL -- Need R ]] } NR-RS-Type ::= ENUMERATED {ssb, csi-rs} MeasTriggerQuantity ::= CHOICE { rsrp RSRP-Range, rsrq RSRQ-Range, sinr SINR-Range } MeasTriggerQuantityOffset ::= CHOICE { rsrp INTEGER (-30..30), rsrq INTEGER (-30..30), sinr INTEGER (-30..30) } MeasReportQuantity ::= SEQUENCE { rsrp BOOLEAN, rsrq BOOLEAN, sinr BOOLEAN } MeasRSSI-ReportConfig-r16 ::= SEQUENCE { channelOccupancyThreshold-r16 RSSI-Range-r16 OPTIONAL -- Need R } CLI-EventTriggerConfig-r16 ::= SEQUENCE { eventId-r16 CHOICE { eventI1-r16 SEQUENCE { i1-Threshold-r16 MeasTriggerQuantityCLI-r16, reportOnLeave-r16 BOOLEAN, hysteresis-r16 Hysteresis, timeToTrigger-r16 TimeToTrigger }, ... }, reportInterval-r16 ReportInterval, reportAmount-r16 ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity}, maxReportCLI-r16 INTEGER (1..maxCLI-Report-r16), ... } CLI-PeriodicalReportConfig-r16 ::= SEQUENCE { reportInterval-r16 ReportInterval, reportAmount-r16 ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity}, reportQuantityCLI-r16 MeasReportQuantityCLI-r16, maxReportCLI-r16 INTEGER (1..maxCLI-Report-r16), ... } RxTxPeriodical-r17 ::= SEQUENCE { rxTxReportInterval-r17 RxTxReportInterval-r17 OPTIONAL, -- Need R reportAmount-r17 ENUMERATED {r1, infinity, spare6, spare5, spare4, spare3, spare2, spare1}, ... } RxTxReportInterval-r17 ::= ENUMERATED {ms80,ms120,ms160,ms240,ms320,ms480,ms640,ms1024,ms1280,ms2048,ms2560,ms5120,spare4,spare3,spare2,spare1} MeasTriggerQuantityCLI-r16 ::= CHOICE { srs-RSRP-r16 SRS-RSRP-Range-r16, cli-RSSI-r16 CLI-RSSI-Range-r16 } MeasReportQuantityCLI-r16 ::= ENUMERATED {srs-rsrp, cli-rssi} -- TAG-REPORTCONFIGNR-STOP -- TAG-REPORTCONFIGNR-SL-START ReportConfigNR-SL-r16 ::= SEQUENCE { reportType-r16 CHOICE { periodical-r16 PeriodicalReportConfigNR-SL-r16, eventTriggered-r16 EventTriggerConfigNR-SL-r16 } } EventTriggerConfigNR-SL-r16::= SEQUENCE { eventId-r16 CHOICE { eventC1 SEQUENCE { c1-Threshold-r16 SL-CBR-r16, hysteresis-r16 Hysteresis, timeToTrigger-r16 TimeToTrigger }, eventC2-r16 SEQUENCE { c2-Threshold-r16 SL-CBR-r16, hysteresis-r16 Hysteresis, timeToTrigger-r16 TimeToTrigger }, ... }, reportInterval-r16 ReportInterval, reportAmount-r16 ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity}, reportQuantity-r16 MeasReportQuantity-r16, ... } PeriodicalReportConfigNR-SL-r16 ::= SEQUENCE { reportInterval-r16 ReportInterval, reportAmount-r16 ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity}, reportQuantity-r16 MeasReportQuantity-r16, ... } MeasReportQuantity-r16 ::= SEQUENCE { cbr-r16 BOOLEAN, ... } -- TAG-REPORTCONFIGNR-SL-STOP -- TAG-REPORTCONFIGTOADDMODLIST-START ReportConfigToAddModList ::= SEQUENCE (SIZE (1..maxReportConfigId)) OF ReportConfigToAddMod ReportConfigToAddMod ::= SEQUENCE { reportConfigId ReportConfigId, reportConfig CHOICE { reportConfigNR ReportConfigNR, ..., reportConfigInterRAT ReportConfigInterRAT, reportConfigNR-SL-r16 ReportConfigNR-SL-r16 } } -- TAG-REPORTCONFIGTOADDMODLIST-STOP -- TAG-REPORTINTERVAL-START ReportInterval ::= ENUMERATED {ms120, ms240, ms480, ms640, ms1024, ms2048, ms5120, ms10240, ms20480, ms40960, min1,min6, min12, min30 } -- TAG-REPORTINTERVAL-STOP -- TAG-RESELECTIONTHRESHOLD-START ReselectionThreshold ::= INTEGER (0..31) -- TAG-RESELECTIONTHRESHOLD-STOP -- TAG-RESELECTIONTHRESHOLDQ-START ReselectionThresholdQ ::= INTEGER (0..31) -- TAG-RESELECTIONTHRESHOLDQ-STOP -- TAG-RESUMECAUSE-START ResumeCause ::= ENUMERATED {emergency, highPriorityAccess, mt-Access, mo-Signalling, mo-Data, mo-VoiceCall, mo-VideoCall, mo-SMS, rna-Update, mps-PriorityAccess, mcs-PriorityAccess, spare1, spare2, spare3, spare4, spare5 } -- TAG-RESUMECAUSE-STOP -- TAG-RLC-BEARERCONFIG-START RLC-BearerConfig ::= SEQUENCE { logicalChannelIdentity LogicalChannelIdentity, servedRadioBearer CHOICE { srb-Identity SRB-Identity, drb-Identity DRB-Identity } OPTIONAL, -- Cond LCH-SetupOnly reestablishRLC ENUMERATED {true} OPTIONAL, -- Need N rlc-Config RLC-Config OPTIONAL, -- Cond LCH-Setup mac-LogicalChannelConfig LogicalChannelConfig OPTIONAL, -- Cond LCH-Setup ..., [[ rlc-Config-v1610 RLC-Config-v1610 OPTIONAL -- Need R ]], [[ rlc-Config-v1700 RLC-Config-v1700 OPTIONAL, -- Need R logicalChannelIdentityExt-r17 LogicalChannelIdentityExt-r17 OPTIONAL, -- Cond LCH-SetupModMRB multicastRLC-BearerConfig-r17 MulticastRLC-BearerConfig-r17 OPTIONAL, -- Cond LCH-SetupOnlyMRB servedRadioBearerSRB4-r17 SRB-Identity-v1700 OPTIONAL -- Need N ]] } MulticastRLC-BearerConfig-r17 ::= SEQUENCE { servedMBS-RadioBearer-r17 MRB-Identity-r17, isPTM-Entity-r17 ENUMERATED {true} OPTIONAL -- Need S } LogicalChannelIdentityExt-r17 ::= INTEGER (320..65855) -- TAG-RLC-BEARERCONFIG-STOP -- TAG-RLC-CONFIG-START RLC-Config ::= CHOICE { am SEQUENCE { ul-AM-RLC UL-AM-RLC, dl-AM-RLC DL-AM-RLC }, um-Bi-Directional SEQUENCE { ul-UM-RLC UL-UM-RLC, dl-UM-RLC DL-UM-RLC }, um-Uni-Directional-UL SEQUENCE { ul-UM-RLC UL-UM-RLC }, um-Uni-Directional-DL SEQUENCE { dl-UM-RLC DL-UM-RLC }, ... } UL-AM-RLC ::= SEQUENCE { sn-FieldLength SN-FieldLengthAM OPTIONAL, -- Cond Reestab t-PollRetransmit T-PollRetransmit, pollPDU PollPDU, pollByte PollByte, maxRetxThreshold ENUMERATED { t1, t2, t3, t4, t6, t8, t16, t32 } } DL-AM-RLC ::= SEQUENCE { sn-FieldLength SN-FieldLengthAM OPTIONAL, -- Cond Reestab t-Reassembly T-Reassembly, t-StatusProhibit T-StatusProhibit } UL-UM-RLC ::= SEQUENCE { sn-FieldLength SN-FieldLengthUM OPTIONAL -- Cond Reestab } DL-UM-RLC ::= SEQUENCE { sn-FieldLength SN-FieldLengthUM OPTIONAL, -- Cond Reestab t-Reassembly T-Reassembly } T-PollRetransmit ::= ENUMERATED { ms5, ms10, ms15, ms20, ms25, ms30, ms35, ms40, ms45, ms50, ms55, ms60, ms65, ms70, ms75, ms80, ms85, ms90, ms95, ms100, ms105, ms110, ms115, ms120, ms125, ms130, ms135, ms140, ms145, ms150, ms155, ms160, ms165, ms170, ms175, ms180, ms185, ms190, ms195, ms200, ms205, ms210, ms215, ms220, ms225, ms230, ms235, ms240, ms245, ms250, ms300, ms350, ms400, ms450, ms500, ms800, ms1000, ms2000, ms4000, ms1-v1610, ms2-v1610, ms3-v1610, ms4-v1610, spare1} PollPDU ::= ENUMERATED { p4, p8, p16, p32, p64, p128, p256, p512, p1024, p2048, p4096, p6144, p8192, p12288, p16384,p20480, p24576, p28672, p32768, p40960, p49152, p57344, p65536, infinity, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} PollByte ::= ENUMERATED { kB1, kB2, kB5, kB8, kB10, kB15, kB25, kB50, kB75, kB100, kB125, kB250, kB375, kB500, kB750, kB1000, kB1250, kB1500, kB2000, kB3000, kB4000, kB4500, kB5000, kB5500, kB6000, kB6500, kB7000, kB7500, mB8, mB9, mB10, mB11, mB12, mB13, mB14, mB15, mB16, mB17, mB18, mB20, mB25, mB30, mB40, infinity, spare20, spare19, spare18, spare17, spare16, spare15, spare14, spare13, spare12, spare11, spare10, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} T-Reassembly ::= ENUMERATED { ms0, ms5, ms10, ms15, ms20, ms25, ms30, ms35, ms40, ms45, ms50, ms55, ms60, ms65, ms70, ms75, ms80, ms85, ms90, ms95, ms100, ms110, ms120, ms130, ms140, ms150, ms160, ms170, ms180, ms190, ms200, spare1} T-StatusProhibit ::= ENUMERATED { ms0, ms5, ms10, ms15, ms20, ms25, ms30, ms35, ms40, ms45, ms50, ms55, ms60, ms65, ms70, ms75, ms80, ms85, ms90, ms95, ms100, ms105, ms110, ms115, ms120, ms125, ms130, ms135, ms140, ms145, ms150, ms155, ms160, ms165, ms170, ms175, ms180, ms185, ms190, ms195, ms200, ms205, ms210, ms215, ms220, ms225, ms230, ms235, ms240, ms245, ms250, ms300, ms350, ms400, ms450, ms500, ms800, ms1000, ms1200, ms1600, ms2000, ms2400, spare2, spare1} SN-FieldLengthUM ::= ENUMERATED {size6, size12} SN-FieldLengthAM ::= ENUMERATED {size12, size18} RLC-Config-v1610 ::= SEQUENCE { dl-AM-RLC-v1610 DL-AM-RLC-v1610 } RLC-Config-v1700 ::= SEQUENCE { dl-AM-RLC-v1700 DL-AM-RLC-v1700, dl-UM-RLC-v1700 DL-UM-RLC-v1700 } DL-AM-RLC-v1610 ::= SEQUENCE { t-StatusProhibit-v1610 T-StatusProhibit-v1610 OPTIONAL, -- Need R ... } DL-AM-RLC-v1700 ::= SEQUENCE { t-ReassemblyExt-r17 T-ReassemblyExt-r17 OPTIONAL -- Need R } DL-UM-RLC-v1700 ::= SEQUENCE { t-ReassemblyExt-r17 T-ReassemblyExt-r17 OPTIONAL -- Need R } T-StatusProhibit-v1610 ::= ENUMERATED { ms1, ms2, ms3, ms4, spare4, spare3, spare2, spare1} T-ReassemblyExt-r17 ::= ENUMERATED {ms210, ms220, ms340, ms350, ms550, ms1100, ms1650, ms2200} -- TAG-RLC-CONFIG-STOP -- TAG-RLF-TIMERSANDCONSTANTS-START RLF-TimersAndConstants ::= SEQUENCE { t310 ENUMERATED {ms0, ms50, ms100, ms200, ms500, ms1000, ms2000, ms4000, ms6000}, n310 ENUMERATED {n1, n2, n3, n4, n6, n8, n10, n20}, n311 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10}, ..., [[ t311 ENUMERATED {ms1000, ms3000, ms5000, ms10000, ms15000, ms20000, ms30000} ]] } -- TAG-RLF-TIMERSANDCONSTANTS-STOP -- TAG-RNTI-VALUE-START RNTI-Value ::= INTEGER (0..65535) -- TAG-RNTI-VALUE-STOP -- TAG-RSRP-RANGE-START RSRP-Range ::= INTEGER(0..127) -- TAG-RSRP-RANGE-STOP -- TAG-RSRQ-RANGE-START RSRQ-Range ::= INTEGER(0..127) -- TAG-RSRQ-RANGE-STOP -- TAG-RSSI-RANGE-START RSSI-Range-r16 ::= INTEGER(0..76) -- TAG-RSSI-RANGE-STOP -- TAG-RXTXTIMEDIFF-START RxTxTimeDiff-r17 ::= SEQUENCE { result-k5-r17 INTEGER (0..61565) OPTIONAL, -- Need N ... } -- TAG-RXTXTIMEDIFF-STOP -- TAG-SCELLACTIVATIONRS-CONFIG-START SCellActivationRS-Config-r17 ::= SEQUENCE { scellActivationRS-Id-r17 SCellActivationRS-ConfigId-r17, resourceSet-r17 NZP-CSI-RS-ResourceSetId, gapBetweenBursts-r17 INTEGER (2..31) OPTIONAL, -- Need R qcl-Info-r17 TCI-StateId, ... } -- TAG-SCELLACTIVATIONRS-CONFIG-STOP -- TAG-SCELLACTIVATIONRS-CONFIGID-START SCellActivationRS-ConfigId-r17 ::= INTEGER (1.. maxNrofSCellActRS-r17) -- TAG-SCELLACTIVATIONRS-CONFIGID-STOP -- TAG-SCELLINDEX-START SCellIndex ::= INTEGER (1..31) -- TAG-SCELLINDEX-STOP -- TAG-SCHEDULINGREQUESTCONFIG-START SchedulingRequestConfig ::= SEQUENCE { schedulingRequestToAddModList SEQUENCE (SIZE (1..maxNrofSR-ConfigPerCellGroup)) OF SchedulingRequestToAddMod OPTIONAL, -- Need N schedulingRequestToReleaseList SEQUENCE (SIZE (1..maxNrofSR-ConfigPerCellGroup)) OF SchedulingRequestId OPTIONAL -- Need N } SchedulingRequestToAddMod ::= SEQUENCE { schedulingRequestId SchedulingRequestId, sr-ProhibitTimer ENUMERATED {ms1, ms2, ms4, ms8, ms16, ms32, ms64, ms128} OPTIONAL, -- Need S sr-TransMax ENUMERATED { n4, n8, n16, n32, n64, spare3, spare2, spare1} } SchedulingRequestConfig-v1700 ::= SEQUENCE { schedulingRequestToAddModListExt-v1700 SEQUENCE (SIZE (1..maxNrofSR-ConfigPerCellGroup)) OF SchedulingRequestToAddModExt-v1700 OPTIONAL -- Need N } SchedulingRequestToAddModExt-v1700 ::= SEQUENCE { sr-ProhibitTimer-v1700 ENUMERATED { ms192, ms256, ms320, ms384, ms448, ms512, ms576, ms640, ms1082, spare7, spare6, spare5, spare4, spare3, spare2, spare1} OPTIONAL -- Need R } -- TAG-SCHEDULINGREQUESTCONFIG-STOP -- TAG-SCHEDULINGREQUESTID-START SchedulingRequestId ::= INTEGER (0..7) -- TAG-SCHEDULINGREQUESTID-STOP -- TAG-SCHEDULINGREQUESTRESOURCECONFIG-START SchedulingRequestResourceConfig ::= SEQUENCE { schedulingRequestResourceId SchedulingRequestResourceId, schedulingRequestID SchedulingRequestId, periodicityAndOffset CHOICE { sym2 NULL, sym6or7 NULL, sl1 NULL, -- Recurs in every slot sl2 INTEGER (0..1), sl4 INTEGER (0..3), sl5 INTEGER (0..4), sl8 INTEGER (0..7), sl10 INTEGER (0..9), sl16 INTEGER (0..15), sl20 INTEGER (0..19), sl40 INTEGER (0..39), sl80 INTEGER (0..79), sl160 INTEGER (0..159), sl320 INTEGER (0..319), sl640 INTEGER (0..639) } OPTIONAL, -- Need M resource PUCCH-ResourceId OPTIONAL -- Need M } SchedulingRequestResourceConfigExt-v1610 ::= SEQUENCE { phy-PriorityIndex-r16 ENUMERATED {p0, p1} OPTIONAL, -- Need M ... } SchedulingRequestResourceConfigExt-v1700 ::= SEQUENCE { periodicityAndOffset-r17 CHOICE { sl1280 INTEGER (0..1279), sl2560 INTEGER (0..2559), sl5120 INTEGER (0..5119) } OPTIONAL -- Need M } -- TAG-SCHEDULINGREQUESTRESOURCECONFIG-STOP -- TAG-SCHEDULINGREQUESTRESOURCEID-START SchedulingRequestResourceId ::= INTEGER (1..maxNrofSR-Resources) -- TAG-SCHEDULINGREQUESTRESOURCEID-STOP -- TAG-SCRAMBLINGID-START ScramblingId ::= INTEGER(0..1023) -- TAG-SCRAMBLINGID-STOP -- TAG-SCS-SPECIFICCARRIER-START SCS-SpecificCarrier ::= SEQUENCE { offsetToCarrier INTEGER (0..2199), subcarrierSpacing SubcarrierSpacing, carrierBandwidth INTEGER (1..maxNrofPhysicalResourceBlocks), ..., [[ txDirectCurrentLocation INTEGER (0..4095) OPTIONAL -- Need S ]] } -- TAG-SCS-SPECIFICCARRIER-STOP -- TAG-SDAP-CONFIG-START SDAP-Config ::= SEQUENCE { pdu-Session PDU-SessionID, sdap-HeaderDL ENUMERATED {present, absent}, sdap-HeaderUL ENUMERATED {present, absent}, defaultDRB BOOLEAN, mappedQoS-FlowsToAdd SEQUENCE (SIZE (1..maxNrofQFIs)) OF QFI OPTIONAL, -- Need N mappedQoS-FlowsToRelease SEQUENCE (SIZE (1..maxNrofQFIs)) OF QFI OPTIONAL, -- Need N ... } QFI ::= INTEGER (0..maxQFI) PDU-SessionID ::= INTEGER (0..255) -- TAG-SDAP-CONFIG-STOP -- TAG-SEARCHSPACE-START SearchSpace ::= SEQUENCE { searchSpaceId SearchSpaceId, controlResourceSetId ControlResourceSetId OPTIONAL, -- Cond SetupOnly monitoringSlotPeriodicityAndOffset CHOICE { sl1 NULL, sl2 INTEGER (0..1), sl4 INTEGER (0..3), sl5 INTEGER (0..4), sl8 INTEGER (0..7), sl10 INTEGER (0..9), sl16 INTEGER (0..15), sl20 INTEGER (0..19), sl40 INTEGER (0..39), sl80 INTEGER (0..79), sl160 INTEGER (0..159), sl320 INTEGER (0..319), sl640 INTEGER (0..639), sl1280 INTEGER (0..1279), sl2560 INTEGER (0..2559) } OPTIONAL, -- Cond Setup4 duration INTEGER (2..2559) OPTIONAL, -- Need S monitoringSymbolsWithinSlot BIT STRING (SIZE (14)) OPTIONAL, -- Cond Setup nrofCandidates SEQUENCE { aggregationLevel1 ENUMERATED {n0, n1, n2, n3, n4, n5, n6, n8}, aggregationLevel2 ENUMERATED {n0, n1, n2, n3, n4, n5, n6, n8}, aggregationLevel4 ENUMERATED {n0, n1, n2, n3, n4, n5, n6, n8}, aggregationLevel8 ENUMERATED {n0, n1, n2, n3, n4, n5, n6, n8}, aggregationLevel16 ENUMERATED {n0, n1, n2, n3, n4, n5, n6, n8} } OPTIONAL, -- Cond Setup searchSpaceType CHOICE { common SEQUENCE { dci-Format0-0-AndFormat1-0 SEQUENCE { ... } OPTIONAL, -- Need R dci-Format2-0 SEQUENCE { nrofCandidates-SFI SEQUENCE { aggregationLevel1 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel2 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel4 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel8 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel16 ENUMERATED {n1, n2} OPTIONAL -- Need R }, ... } OPTIONAL, -- Need R dci-Format2-1 SEQUENCE { ... } OPTIONAL, -- Need R dci-Format2-2 SEQUENCE { ... } OPTIONAL, -- Need R dci-Format2-3 SEQUENCE { dummy1 ENUMERATED {sl1, sl2, sl4, sl5, sl8, sl10, sl16, sl20} OPTIONAL, -- Cond Setup dummy2 ENUMERATED {n1, n2}, ... } OPTIONAL -- Need R }, ue-Specific SEQUENCE { dci-Formats ENUMERATED {formats0-0-And-1-0, formats0-1-And-1-1}, ..., [[ dci-Formats-MT-r16 ENUMERATED {formats2-5} OPTIONAL, -- Need R dci-FormatsSL-r16 ENUMERATED {formats0-0-And-1-0, formats0-1-And-1-1, formats3-0, formats3-1, formats3-0-And-3-1} OPTIONAL, -- Need R dci-FormatsExt-r16 ENUMERATED {formats0-2-And-1-2, formats0-1-And-1-1And-0-2-And-1-2} OPTIONAL -- Need R ]] } } OPTIONAL -- Cond Setup2 } SearchSpaceExt-r16 ::= SEQUENCE { controlResourceSetId-r16 ControlResourceSetId-r16 OPTIONAL, -- Cond SetupOnly2 searchSpaceType-r16 SEQUENCE { common-r16 SEQUENCE { dci-Format2-4-r16 SEQUENCE { nrofCandidates-CI-r16 SEQUENCE { aggregationLevel1-r16 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel2-r16 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel4-r16 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel8-r16 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel16-r16 ENUMERATED {n1, n2} OPTIONAL -- Need R }, ... } OPTIONAL, -- Need R dci-Format2-5-r16 SEQUENCE { nrofCandidates-IAB-r16 SEQUENCE { aggregationLevel1-r16 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel2-r16 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel4-r16 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel8-r16 ENUMERATED {n1, n2} OPTIONAL, -- Need R aggregationLevel16-r16 ENUMERATED {n1, n2} OPTIONAL -- Need R }, ... } OPTIONAL, -- Need R dci-Format2-6-r16 SEQUENCE { ... } OPTIONAL, -- Need R ... } } OPTIONAL, -- Cond Setup3 searchSpaceGroupIdList-r16 SEQUENCE (SIZE (1.. 2)) OF INTEGER (0..1) OPTIONAL, -- Need R freqMonitorLocations-r16 BIT STRING (SIZE (5)) OPTIONAL -- Need R } SearchSpaceExt-v1700 ::= SEQUENCE { monitoringSlotPeriodicityAndOffset-v1710 CHOICE { sl32 INTEGER (0..31), sl64 INTEGER (0..63), sl128 INTEGER (0..127), sl5120 INTEGER (0..5119), sl10240 INTEGER (0..10239), sl20480 INTEGER (0..20479) } OPTIONAL, -- Cond Setup5 monitoringSlotsWithinSlotGroup-r17 CHOICE { slotGroupLength4-r17 BIT STRING (SIZE (4)), slotGroupLength8-r17 BIT STRING (SIZE (8)) } OPTIONAL, -- Need R duration-r17 INTEGER (4..20476) OPTIONAL, -- Need R searchSpaceType-r17 SEQUENCE{ common-r17 SEQUENCE { dci-Format4-0-r17 SEQUENCE { ... } OPTIONAL, -- Need R dci-Format4-1-r17 SEQUENCE { ... } OPTIONAL, -- Need R dci-Format4-2-r17 SEQUENCE { ... } OPTIONAL, -- Need R dci-Format4-1-AndFormat4-2-r17 SEQUENCE { ... } OPTIONAL, -- Need R dci-Format2-7-r17 SEQUENCE { nrofCandidates-PEI-r17 SEQUENCE { aggregationLevel4-r17 ENUMERATED {n0, n1, n2, n3, n4} OPTIONAL, -- Need R aggregationLevel8-r17 ENUMERATED {n0, n1, n2} OPTIONAL, -- Need R aggregationLevel16-r17 ENUMERATED {n0, n1} OPTIONAL -- Need R }, ... } OPTIONAL -- Need R } } OPTIONAL, -- Need R searchSpaceGroupIdList-r17 SEQUENCE (SIZE (1.. 3)) OF INTEGER (0.. maxNrofSearchSpaceGroups-1-r17) OPTIONAL, -- Cond DedicatedOnly searchSpaceLinkingId-r17 INTEGER (0..maxNrofSearchSpacesLinks-1-r17) OPTIONAL -- Cond DedicatedOnly } -- TAG-SEARCHSPACE-STOP -- TAG-SEARCHSPACEID-START SearchSpaceId ::= INTEGER (0..maxNrofSearchSpaces-1) -- TAG-SEARCHSPACEID-STOP -- TAG-SEARCHSPACEZERO-START SearchSpaceZero ::= INTEGER (0..15) -- TAG-SEARCHSPACEZERO-STOP -- TAG-SECURITYALGORITHMCONFIG-START SecurityAlgorithmConfig ::= SEQUENCE { cipheringAlgorithm CipheringAlgorithm, integrityProtAlgorithm IntegrityProtAlgorithm OPTIONAL, -- Need R ... } IntegrityProtAlgorithm ::= ENUMERATED { nia0, nia1, nia2, nia3, spare4, spare3, spare2, spare1, ...} CipheringAlgorithm ::= ENUMERATED { nea0, nea1, nea2, nea3, spare4, spare3, spare2, spare1, ...} -- TAG-SECURITYALGORITHMCONFIG-STOP -- TAG-SEMISTATICCHANNELACCESSCONFIG-START SemiStaticChannelAccessConfig-r16 ::= SEQUENCE { period-r16 ENUMERATED {ms1, ms2, ms2dot5, ms4, ms5, ms10} } -- TAG-SEMISTATICCHANNELACCESSCONFIG-STOP -- TAG-SEMISTATICCHANNELACCESSCONFIGUE-START SemiStaticChannelAccessConfigUE-r17 ::= SEQUENCE { periodUE-r17 ENUMERATED {ms1, ms2, ms2dot5, ms4, ms5, ms10, spare2, spare1}, offsetUE-r17 INTEGER (0..559) } -- TAG-SEMISTATICCHANNELACCESSCONFIGUE-STOP -- TAG-SENSORLOCATIONINFO-START Sensor-LocationInfo-r16 ::= SEQUENCE { sensor-MeasurementInformation-r16 OCTET STRING OPTIONAL, sensor-MotionInformation-r16 OCTET STRING OPTIONAL, ... } -- TAG-SENSORLOCATIONINFO-STOP -- TAG-SERVINGCELLANDBWP-ID-START ServingCellAndBWP-Id-r17 ::= SEQUENCE { servingcell-r17 ServCellIndex, bwp-r17 BWP-Id } -- TAG-SERVINGCELLANDBWP-ID-STOP -- TAG-SERVCELLINDEX-START ServCellIndex ::= INTEGER (0..maxNrofServingCells-1) -- TAG-SERVCELLINDEX-STOP -- TAG-SERVINGCELLCONFIG-START ServingCellConfig ::= SEQUENCE { tdd-UL-DL-ConfigurationDedicated TDD-UL-DL-ConfigDedicated OPTIONAL, -- Cond TDD initialDownlinkBWP BWP-DownlinkDedicated OPTIONAL, -- Need M downlinkBWP-ToReleaseList SEQUENCE (SIZE (1..maxNrofBWPs)) OF BWP-Id OPTIONAL, -- Need N downlinkBWP-ToAddModList SEQUENCE (SIZE (1..maxNrofBWPs)) OF BWP-Downlink OPTIONAL, -- Need N firstActiveDownlinkBWP-Id BWP-Id OPTIONAL, -- Cond SyncAndCellAdd bwp-InactivityTimer ENUMERATED {ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40,ms50, ms60, ms80,ms100, ms200,ms300, ms500, ms750, ms1280, ms1920, ms2560, spare10, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 } OPTIONAL, --Need R defaultDownlinkBWP-Id BWP-Id OPTIONAL, -- Need S uplinkConfig UplinkConfig OPTIONAL, -- Need M supplementaryUplink UplinkConfig OPTIONAL, -- Need M pdcch-ServingCellConfig CHOICE {release NULL, setup PDCCH-ServingCellConfig } OPTIONAL, -- Need M pdsch-ServingCellConfig CHOICE {release NULL, setup PDSCH-ServingCellConfig } OPTIONAL, -- Need M csi-MeasConfig CHOICE {release NULL, setup CSI-MeasConfig } OPTIONAL, -- Need M sCellDeactivationTimer ENUMERATED {ms20, ms40, ms80, ms160, ms200, ms240, ms320, ms400, ms480, ms520, ms640, ms720, ms840, ms1280, spare2,spare1} OPTIONAL, -- Cond ServingCellWithoutPUCCH crossCarrierSchedulingConfig CrossCarrierSchedulingConfig OPTIONAL, -- Need M tag-Id TAG-Id, dummy1 ENUMERATED {enabled} OPTIONAL, -- Need R pathlossReferenceLinking ENUMERATED {spCell, sCell} OPTIONAL, -- Cond SCellOnly servingCellMO MeasObjectId OPTIONAL, -- Cond MeasObject ..., [[ lte-CRS-ToMatchAround CHOICE {release NULL, setup RateMatchPatternLTE-CRS } OPTIONAL, -- Need M rateMatchPatternToAddModList SEQUENCE (SIZE (1..maxNrofRateMatchPatterns)) OF RateMatchPattern OPTIONAL, -- Need N rateMatchPatternToReleaseList SEQUENCE (SIZE (1..maxNrofRateMatchPatterns)) OF RateMatchPatternId OPTIONAL, -- Need N downlinkChannelBW-PerSCS-List SEQUENCE (SIZE (1..maxSCSs)) OF SCS-SpecificCarrier OPTIONAL -- Need S ]], [[ supplementaryUplinkRelease-r16 ENUMERATED {true} OPTIONAL, -- Need N tdd-UL-DL-ConfigurationDedicated-IAB-MT-r16 TDD-UL-DL-ConfigDedicated-IAB-MT-r16 OPTIONAL, -- Cond TDD_IAB dormantBWP-Config-r16 CHOICE {release NULL, setup DormantBWP-Config-r16 } OPTIONAL, -- Need M ca-SlotOffset-r16 CHOICE { refSCS15kHz INTEGER (-2..2), refSCS30KHz INTEGER (-5..5), refSCS60KHz INTEGER (-10..10), refSCS120KHz INTEGER (-20..20) } OPTIONAL, -- Cond AsyncCA dummy2 CHOICE {release NULL, setup DummyJ } OPTIONAL, -- Need M intraCellGuardBandsDL-List-r16 SEQUENCE (SIZE (1..maxSCSs)) OF IntraCellGuardBandsPerSCS-r16 OPTIONAL, -- Need S intraCellGuardBandsUL-List-r16 SEQUENCE (SIZE (1..maxSCSs)) OF IntraCellGuardBandsPerSCS-r16 OPTIONAL, -- Need S csi-RS-ValidationWithDCI-r16 ENUMERATED {enabled} OPTIONAL, -- Need R lte-CRS-PatternList1-r16 CHOICE {release NULL, setup LTE-CRS-PatternList-r16 } OPTIONAL, -- Need M lte-CRS-PatternList2-r16 CHOICE {release NULL, setup LTE-CRS-PatternList-r16 } OPTIONAL, -- Need M crs-RateMatch-PerCORESETPoolIndex-r16 ENUMERATED {enabled} OPTIONAL, -- Need R enableTwoDefaultTCI-States-r16 ENUMERATED {enabled} OPTIONAL, -- Need R enableDefaultTCI-StatePerCoresetPoolIndex-r16 ENUMERATED {enabled} OPTIONAL, -- Need R enableBeamSwitchTiming-r16 ENUMERATED {true} OPTIONAL, -- Need R cbg-TxDiffTBsProcessingType1-r16 ENUMERATED {enabled} OPTIONAL, -- Need R cbg-TxDiffTBsProcessingType2-r16 ENUMERATED {enabled} OPTIONAL -- Need R ]], [[ directionalCollisionHandling-r16 ENUMERATED {enabled} OPTIONAL, -- Need R channelAccessConfig-r16 CHOICE {release NULL, setup ChannelAccessConfig-r16 } OPTIONAL -- Need M ]], [[ nr-dl-PRS-PDC-Info-r17 CHOICE {release NULL, setup NR-DL-PRS-PDC-Info-r17} OPTIONAL, -- Need M semiStaticChannelAccessConfigUE-r17 CHOICE {release NULL, setup SemiStaticChannelAccessConfigUE-r17} OPTIONAL, -- Need M mimoParam-r17 CHOICE {release NULL, setup MIMOParam-r17} OPTIONAL, -- Need M channelAccessMode2-r17 ENUMERATED {enabled} OPTIONAL, -- Need R timeDomainHARQ-BundlingType1-r17 ENUMERATED {enabled} OPTIONAL, -- Need R nrofHARQ-BundlingGroups-r17 ENUMERATED {n1, n2, n4} OPTIONAL, -- Need R fdmed-ReceptionMulticast-r17 ENUMERATED {true} OPTIONAL, -- Need R moreThanOneNackOnlyMode-r17 ENUMERATED {mode2} OPTIONAL, -- Need S tci-ActivatedConfig-r17 TCI-ActivatedConfig-r17 OPTIONAL, -- Cond TCI_ActivatedConfig directionalCollisionHandling-DC-r17 ENUMERATED {enabled} OPTIONAL, -- Need R lte-NeighCellsCRS-AssistInfoList-r17 CHOICE {release NULL, setup LTE-NeighCellsCRS-AssistInfoList-r17 } OPTIONAL -- Need M ]], [[ lte-NeighCellsCRS-Assumptions-r17 ENUMERATED {false} OPTIONAL -- Need R ]], [[ crossCarrierSchedulingConfigRelease-r17 ENUMERATED {true} OPTIONAL -- Need N ]] } UplinkConfig ::= SEQUENCE { initialUplinkBWP BWP-UplinkDedicated OPTIONAL, -- Need M uplinkBWP-ToReleaseList SEQUENCE (SIZE (1..maxNrofBWPs)) OF BWP-Id OPTIONAL, -- Need N uplinkBWP-ToAddModList SEQUENCE (SIZE (1..maxNrofBWPs)) OF BWP-Uplink OPTIONAL, -- Need N firstActiveUplinkBWP-Id BWP-Id OPTIONAL, -- Cond SyncAndCellAdd pusch-ServingCellConfig CHOICE {release NULL, setup PUSCH-ServingCellConfig } OPTIONAL, -- Need M carrierSwitching CHOICE {release NULL, setup SRS-CarrierSwitching } OPTIONAL, -- Need M ..., [[ powerBoostPi2BPSK BOOLEAN OPTIONAL, -- Need M uplinkChannelBW-PerSCS-List SEQUENCE (SIZE (1..maxSCSs)) OF SCS-SpecificCarrier OPTIONAL -- Need S ]], [[ enablePL-RS-UpdateForPUSCH-SRS-r16 ENUMERATED {enabled} OPTIONAL, -- Need R enableDefaultBeamPL-ForPUSCH0-0-r16 ENUMERATED {enabled} OPTIONAL, -- Need R enableDefaultBeamPL-ForPUCCH-r16 ENUMERATED {enabled} OPTIONAL, -- Need R enableDefaultBeamPL-ForSRS-r16 ENUMERATED {enabled} OPTIONAL, -- Need R uplinkTxSwitching-r16 CHOICE {release NULL, setup UplinkTxSwitching-r16 } OPTIONAL, -- Need M mpr-PowerBoost-FR2-r16 ENUMERATED {true} OPTIONAL -- Need R ]] } DummyJ ::= SEQUENCE { maxEnergyDetectionThreshold-r16 INTEGER(-85..-52), energyDetectionThresholdOffset-r16 INTEGER (-20..-13), ul-toDL-COT-SharingED-Threshold-r16 INTEGER (-85..-52) OPTIONAL, -- Need R absenceOfAnyOtherTechnology-r16 ENUMERATED {true} OPTIONAL -- Need R } ChannelAccessConfig-r16 ::= SEQUENCE { energyDetectionConfig-r16 CHOICE { maxEnergyDetectionThreshold-r16 INTEGER (-85..-52), energyDetectionThresholdOffset-r16 INTEGER (-13..20) } OPTIONAL, -- Need R ul-toDL-COT-SharingED-Threshold-r16 INTEGER (-85..-52) OPTIONAL, -- Need R absenceOfAnyOtherTechnology-r16 ENUMERATED {true} OPTIONAL -- Need R } IntraCellGuardBandsPerSCS-r16 ::= SEQUENCE { guardBandSCS-r16 SubcarrierSpacing, intraCellGuardBands-r16 SEQUENCE (SIZE (1..4)) OF GuardBand-r16 } GuardBand-r16 ::= SEQUENCE { startCRB-r16 INTEGER (0..274), nrofCRBs-r16 INTEGER (0..15) } DormancyGroupID-r16 ::= INTEGER (0..4) DormantBWP-Config-r16::= SEQUENCE { dormantBWP-Id-r16 BWP-Id OPTIONAL, -- Need M withinActiveTimeConfig-r16 CHOICE {release NULL, setup WithinActiveTimeConfig-r16 } OPTIONAL, -- Need M outsideActiveTimeConfig-r16 CHOICE {release NULL, setup OutsideActiveTimeConfig-r16 } OPTIONAL -- Need M } WithinActiveTimeConfig-r16 ::= SEQUENCE { firstWithinActiveTimeBWP-Id-r16 BWP-Id OPTIONAL, -- Need M dormancyGroupWithinActiveTime-r16 DormancyGroupID-r16 OPTIONAL -- Need R } OutsideActiveTimeConfig-r16 ::= SEQUENCE { firstOutsideActiveTimeBWP-Id-r16 BWP-Id OPTIONAL, -- Need M dormancyGroupOutsideActiveTime-r16 DormancyGroupID-r16 OPTIONAL -- Need R } UplinkTxSwitching-r16 ::= SEQUENCE { uplinkTxSwitchingPeriodLocation-r16 BOOLEAN, uplinkTxSwitchingCarrier-r16 ENUMERATED {carrier1, carrier2} } MIMOParam-r17 ::= SEQUENCE { additionalPCI-ToAddModList-r17 SEQUENCE (SIZE(1..maxNrofAdditionalPCI-r17)) OF SSB-MTC-AdditionalPCI-r17 OPTIONAL, -- Need N additionalPCI-ToReleaseList-r17 SEQUENCE (SIZE(1..maxNrofAdditionalPCI-r17)) OF AdditionalPCIIndex-r17 OPTIONAL, -- Need N unifiedTCI-StateType-r17 ENUMERATED {separate, joint} OPTIONAL, -- Need R uplink-PowerControlToAddModList-r17 SEQUENCE (SIZE (1..maxUL-TCI-r17)) OF Uplink-powerControl-r17 OPTIONAL, -- Need N uplink-PowerControlToReleaseList-r17 SEQUENCE (SIZE (1..maxUL-TCI-r17)) OF Uplink-powerControlId-r17 OPTIONAL, -- Need N sfnSchemePDCCH-r17 ENUMERATED {sfnSchemeA,sfnSchemeB} OPTIONAL, -- Need R sfnSchemePDSCH-r17 ENUMERATED {sfnSchemeA,sfnSchemeB} OPTIONAL -- Need R } -- TAG-SERVINGCELLCONFIG-STOP -- TAG-SERVINGCELLCONFIGCOMMON-START ServingCellConfigCommon ::= SEQUENCE { physCellId PhysCellId OPTIONAL, -- Cond HOAndServCellAdd, downlinkConfigCommon DownlinkConfigCommon OPTIONAL, -- Cond HOAndServCellAdd uplinkConfigCommon UplinkConfigCommon OPTIONAL, -- Need M supplementaryUplinkConfig UplinkConfigCommon OPTIONAL, -- Need S n-TimingAdvanceOffset ENUMERATED { n0, n25600, n39936 } OPTIONAL, -- Need S ssb-PositionsInBurst CHOICE { shortBitmap BIT STRING (SIZE (4)), mediumBitmap BIT STRING (SIZE (8)), longBitmap BIT STRING (SIZE (64)) } OPTIONAL, -- Cond AbsFreqSSB ssb-periodicityServingCell ENUMERATED { ms5, ms10, ms20, ms40, ms80, ms160, spare2, spare1 } OPTIONAL, -- Need S dmrs-TypeA-Position ENUMERATED {pos2, pos3}, lte-CRS-ToMatchAround CHOICE {release NULL, setup RateMatchPatternLTE-CRS } OPTIONAL, -- Need M rateMatchPatternToAddModList SEQUENCE (SIZE (1..maxNrofRateMatchPatterns)) OF RateMatchPattern OPTIONAL, -- Need N rateMatchPatternToReleaseList SEQUENCE (SIZE (1..maxNrofRateMatchPatterns)) OF RateMatchPatternId OPTIONAL, -- Need N ssbSubcarrierSpacing SubcarrierSpacing OPTIONAL, -- Cond HOAndServCellWithSSB tdd-UL-DL-ConfigurationCommon TDD-UL-DL-ConfigCommon OPTIONAL, -- Cond TDD ss-PBCH-BlockPower INTEGER (-60..50), ..., [[ channelAccessMode-r16 CHOICE { dynamic NULL, semiStatic SemiStaticChannelAccessConfig-r16 } OPTIONAL, -- Cond SharedSpectrum discoveryBurstWindowLength-r16 ENUMERATED {ms0dot5, ms1, ms2, ms3, ms4, ms5} OPTIONAL, -- Need R ssb-PositionQCL-r16 SSB-PositionQCL-Relation-r16 OPTIONAL, -- Cond SharedSpectrum highSpeedConfig-r16 HighSpeedConfig-r16 OPTIONAL -- Need R ]], [[ highSpeedConfig-v1700 HighSpeedConfig-v1700 OPTIONAL, -- Need R channelAccessMode2-r17 ENUMERATED {enabled} OPTIONAL, -- Cond SharedSpectrum2 discoveryBurstWindowLength-r17 ENUMERATED {ms0dot125, ms0dot25, ms0dot5, ms0dot75, ms1, ms1dot25} OPTIONAL, -- Need R ssb-PositionQCL-r17 SSB-PositionQCL-Relation-r17 OPTIONAL, -- Cond SharedSpectrum2 highSpeedConfigFR2-r17 HighSpeedConfigFR2-r17 OPTIONAL, -- Need R uplinkConfigCommon-v1700 UplinkConfigCommon-v1700 OPTIONAL, -- Need R ntn-Config-r17 NTN-Config-r17 OPTIONAL -- Need R ]], [[ featurePriorities-r17 SEQUENCE { redCapPriority-r17 FeaturePriority-r17 OPTIONAL, -- Need R slicingPriority-r17 FeaturePriority-r17 OPTIONAL, -- Need R msg3-Repetitions-Priority-r17 FeaturePriority-r17 OPTIONAL, -- Need R sdt-Priority-r17 FeaturePriority-r17 OPTIONAL -- Need R } OPTIONAL -- Need R ]], [[ ra-ChannelAccess-r17 ENUMERATED {enabled} OPTIONAL -- Cond SharedSpectrum2 ]] } -- TAG-SERVINGCELLCONFIGCOMMON-STOP -- TAG-SERVINGCELLCONFIGCOMMONSIB-START ServingCellConfigCommonSIB ::= SEQUENCE { downlinkConfigCommon DownlinkConfigCommonSIB, uplinkConfigCommon UplinkConfigCommonSIB OPTIONAL, -- Need R supplementaryUplink UplinkConfigCommonSIB OPTIONAL, -- Need R n-TimingAdvanceOffset ENUMERATED { n0, n25600, n39936 } OPTIONAL, -- Need S ssb-PositionsInBurst SEQUENCE { inOneGroup BIT STRING (SIZE (8)), groupPresence BIT STRING (SIZE (8)) OPTIONAL -- Cond FR2-Only }, ssb-PeriodicityServingCell ENUMERATED {ms5, ms10, ms20, ms40, ms80, ms160}, tdd-UL-DL-ConfigurationCommon TDD-UL-DL-ConfigCommon OPTIONAL, -- Cond TDD ss-PBCH-BlockPower INTEGER (-60..50), ..., [[ channelAccessMode-r16 CHOICE { dynamic NULL, semiStatic SemiStaticChannelAccessConfig-r16 } OPTIONAL, -- Cond SharedSpectrum discoveryBurstWindowLength-r16 ENUMERATED {ms0dot5, ms1, ms2, ms3, ms4, ms5} OPTIONAL, -- Need R highSpeedConfig-r16 HighSpeedConfig-r16 OPTIONAL -- Need R ]], [[ channelAccessMode2-r17 ENUMERATED {enabled} OPTIONAL, -- Cond SharedSpectrum2 discoveryBurstWindowLength-v1700 ENUMERATED {ms0dot125, ms0dot25, ms0dot5, ms0dot75, ms1, ms1dot25} OPTIONAL, -- Need R highSpeedConfigFR2-r17 HighSpeedConfigFR2-r17 OPTIONAL, -- Need R uplinkConfigCommon-v1700 UplinkConfigCommonSIB-v1700 OPTIONAL -- Need R ]], [[ enhancedMeasurementLEO-r17 ENUMERATED {true} OPTIONAL -- Need R ]], [[ ra-ChannelAccess-r17 ENUMERATED {enabled} OPTIONAL -- Cond SharedSpectrum2 ]] } -- TAG-SERVINGCELLCONFIGCOMMONSIB-STOP -- TAG-SHORTI-RNTI-VALUE-START ShortI-RNTI-Value ::= BIT STRING (SIZE(24)) -- TAG-SHORTI-RNTI-VALUE-STOP -- TAG-SHORTMAC-I-START ShortMAC-I ::= BIT STRING (SIZE (16)) -- TAG-SHORTMAC-I-STOP -- TAG-SINR-RANGE-START SINR-Range ::= INTEGER(0..127) -- TAG-SINR-RANGE-STOP -- TAG-SI-REQUESTCONFIG-START SI-RequestConfig ::= SEQUENCE { rach-OccasionsSI SEQUENCE { rach-ConfigSI RACH-ConfigGeneric, ssb-perRACH-Occasion ENUMERATED {oneEighth, oneFourth, oneHalf, one, two, four, eight, sixteen} } OPTIONAL, -- Need R si-RequestPeriod ENUMERATED {one, two, four, six, eight, ten, twelve, sixteen} OPTIONAL, -- Need R si-RequestResources SEQUENCE (SIZE (1..maxSI-Message)) OF SI-RequestResources } SI-RequestResources ::= SEQUENCE { ra-PreambleStartIndex INTEGER (0..63), ra-AssociationPeriodIndex INTEGER (0..15) OPTIONAL, -- Need R ra-ssb-OccasionMaskIndex INTEGER (0..15) OPTIONAL -- Need R } -- TAG-SI-REQUESTCONFIG-STOP -- TAG-SI-SCHEDULINGINFO-START SI-SchedulingInfo ::= SEQUENCE { schedulingInfoList SEQUENCE (SIZE (1..maxSI-Message)) OF SchedulingInfo, si-WindowLength ENUMERATED {s5, s10, s20, s40, s80, s160, s320, s640, s1280, s2560-v1710, s5120-v1710 }, si-RequestConfig SI-RequestConfig OPTIONAL, -- Cond MSG-1 si-RequestConfigSUL SI-RequestConfig OPTIONAL, -- Cond SUL-MSG-1 systemInformationAreaID BIT STRING (SIZE (24)) OPTIONAL, -- Need R ... } SchedulingInfo ::= SEQUENCE { si-BroadcastStatus ENUMERATED {broadcasting, notBroadcasting}, si-Periodicity ENUMERATED {rf8, rf16, rf32, rf64, rf128, rf256, rf512}, sib-MappingInfo SIB-Mapping } SI-SchedulingInfo-v1700 ::= SEQUENCE { schedulingInfoList2-r17 SEQUENCE (SIZE (1..maxSI-Message)) OF SchedulingInfo2-r17, dummy SI-RequestConfig OPTIONAL } SI-SchedulingInfo-v1740 ::= SEQUENCE { si-RequestConfigRedCap-r17 SI-RequestConfig OPTIONAL -- Cond REDCAP-MSG-1 } SchedulingInfo2-r17 ::= SEQUENCE { si-BroadcastStatus-r17 ENUMERATED {broadcasting, notBroadcasting}, si-WindowPosition-r17 INTEGER (1..256), si-Periodicity-r17 ENUMERATED {rf8, rf16, rf32, rf64, rf128, rf256, rf512}, sib-MappingInfo-r17 SIB-Mapping-v1700 } SIB-Mapping ::= SEQUENCE (SIZE (1..maxSIB)) OF SIB-TypeInfo SIB-Mapping-v1700 ::= SEQUENCE (SIZE (1..maxSIB)) OF SIB-TypeInfo-v1700 SIB-TypeInfo ::= SEQUENCE { type ENUMERATED {sibType2, sibType3, sibType4, sibType5, sibType6, sibType7, sibType8, sibType9, sibType10-v1610, sibType11-v1610, sibType12-v1610, sibType13-v1610, sibType14-v1610, spare3, spare2, spare1,... }, valueTag INTEGER (0..31) OPTIONAL, -- Cond SIB-TYPE areaScope ENUMERATED {true} OPTIONAL -- Need S } SIB-TypeInfo-v1700 ::= SEQUENCE { sibType-r17 CHOICE { type1-r17 ENUMERATED {sibType15, sibType16, sibType17, sibType18, sibType19, sibType20, sibType21, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1,...}, type2-r17 SEQUENCE { posSibType-r17 ENUMERATED {posSibType1-9, posSibType1-10, posSibType2-24, posSibType2-25, posSibType6-4, posSibType6-5, posSibType6-6, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1,...}, encrypted-r17 ENUMERATED { true } OPTIONAL, -- Need R gnss-id-r17 GNSS-ID-r16 OPTIONAL, -- Need R sbas-id-r17 SBAS-ID-r16 OPTIONAL -- Need R } }, valueTag-r17 INTEGER (0..31) OPTIONAL, -- Cond NonPosSIB areaScope-r17 ENUMERATED {true} OPTIONAL -- Need S } -- TAG-SI-SCHEDULINGINFO-STOP -- TAG-SKCOUNTER-START SK-Counter ::= INTEGER (0..65535) -- TAG-SKCOUNTER-STOP -- TAG-SLOTFORMATCOMBINATIONSPERCELL-START SlotFormatCombinationsPerCell ::= SEQUENCE { servingCellId ServCellIndex, subcarrierSpacing SubcarrierSpacing, subcarrierSpacing2 SubcarrierSpacing OPTIONAL, -- Need R slotFormatCombinations SEQUENCE (SIZE (1..maxNrofSlotFormatCombinationsPerSet)) OF SlotFormatCombination OPTIONAL, -- Need M positionInDCI INTEGER(0..maxSFI-DCI-PayloadSize-1) OPTIONAL, -- Need M ..., [[ enableConfiguredUL-r16 ENUMERATED {enabled} OPTIONAL -- Need R ]] } SlotFormatCombination ::= SEQUENCE { slotFormatCombinationId SlotFormatCombinationId, slotFormats SEQUENCE (SIZE (1..maxNrofSlotFormatsPerCombination)) OF INTEGER (0..255) } SlotFormatCombinationId ::= INTEGER (0..maxNrofSlotFormatCombinationsPerSet-1) -- TAG-SLOTFORMATCOMBINATIONSPERCELL-STOP -- TAG-SLOTFORMATINDICATOR-START SlotFormatIndicator ::= SEQUENCE { sfi-RNTI RNTI-Value, dci-PayloadSize INTEGER (1..maxSFI-DCI-PayloadSize), slotFormatCombToAddModList SEQUENCE (SIZE(1..maxNrofAggregatedCellsPerCellGroup)) OF SlotFormatCombinationsPerCell OPTIONAL, -- Need N slotFormatCombToReleaseList SEQUENCE (SIZE(1..maxNrofAggregatedCellsPerCellGroup)) OF ServCellIndex OPTIONAL, -- Need N ..., [[ availableRB-SetsToAddModList-r16 SEQUENCE (SIZE(1..maxNrofAggregatedCellsPerCellGroup)) OF AvailableRB-SetsPerCell-r16 OPTIONAL, -- Need N availableRB-SetsToReleaseList-r16 SEQUENCE (SIZE(1..maxNrofAggregatedCellsPerCellGroup)) OF ServCellIndex OPTIONAL, -- Need N switchTriggerToAddModList-r16 SEQUENCE (SIZE(1..4)) OF SearchSpaceSwitchTrigger-r16 OPTIONAL, -- Need N switchTriggerToReleaseList-r16 SEQUENCE (SIZE(1..4)) OF ServCellIndex OPTIONAL, -- Need N co-DurationsPerCellToAddModList-r16 SEQUENCE (SIZE(1..maxNrofAggregatedCellsPerCellGroup)) OF CO-DurationsPerCell-r16 OPTIONAL, -- Need N co-DurationsPerCellToReleaseList-r16 SEQUENCE (SIZE(1..maxNrofAggregatedCellsPerCellGroup)) OF ServCellIndex OPTIONAL -- Need N ]], [[ switchTriggerToAddModListSizeExt-r16 SEQUENCE (SIZE(1..maxNrofAggregatedCellsPerCellGroupMinus4-r16)) OF SearchSpaceSwitchTrigger-r16 OPTIONAL, -- Need N switchTriggerToReleaseListSizeExt-r16 SEQUENCE (SIZE(1.. maxNrofAggregatedCellsPerCellGroupMinus4-r16)) OF ServCellIndex OPTIONAL -- Need N ]], [[ co-DurationsPerCellToAddModList-r17 SEQUENCE (SIZE(1..maxNrofAggregatedCellsPerCellGroup)) OF CO-DurationsPerCell-r17 OPTIONAL -- Need N ]] } CO-DurationsPerCell-r16 ::= SEQUENCE { servingCellId-r16 ServCellIndex, positionInDCI-r16 INTEGER(0..maxSFI-DCI-PayloadSize-1), subcarrierSpacing-r16 SubcarrierSpacing, co-DurationList-r16 SEQUENCE (SIZE(1..64)) OF CO-Duration-r16 } CO-DurationsPerCell-r17 ::= SEQUENCE { servingCellId-r17 ServCellIndex, positionInDCI-r17 INTEGER(0..maxSFI-DCI-PayloadSize-1), subcarrierSpacing-r17 SubcarrierSpacing, co-DurationList-r17 SEQUENCE (SIZE(1..64)) OF CO-Duration-r17 } CO-Duration-r16 ::= INTEGER (0..1120) CO-Duration-r17 ::= INTEGER (0..4480) AvailableRB-SetsPerCell-r16 ::= SEQUENCE { servingCellId-r16 ServCellIndex, positionInDCI-r16 INTEGER(0..maxSFI-DCI-PayloadSize-1) } SearchSpaceSwitchTrigger-r16 ::= SEQUENCE { servingCellId-r16 ServCellIndex, positionInDCI-r16 INTEGER(0..maxSFI-DCI-PayloadSize-1) } -- TAG-SLOTFORMATINDICATOR-STOP -- TAG-S-NSSAI-START S-NSSAI ::= CHOICE{ sst BIT STRING (SIZE (8)), sst-SD BIT STRING (SIZE (32)) } -- TAG-S-NSSAI-STOP -- TAG-SPEEDSTATESCALEFACTORS-START SpeedStateScaleFactors ::= SEQUENCE { sf-Medium ENUMERATED {oDot25, oDot5, oDot75, lDot0}, sf-High ENUMERATED {oDot25, oDot5, oDot75, lDot0} } -- TAG-SPEEDSTATESCALEFACTORS-STOP -- TAG-SPS-CONFIG-START SPS-Config ::= SEQUENCE { periodicity ENUMERATED {ms10, ms20, ms32, ms40, ms64, ms80, ms128, ms160, ms320, ms640, spare6, spare5, spare4, spare3, spare2, spare1}, nrofHARQ-Processes INTEGER (1..8), n1PUCCH-AN PUCCH-ResourceId OPTIONAL, -- Need M mcs-Table ENUMERATED {qam64LowSE} OPTIONAL, -- Need S ..., [[ sps-ConfigIndex-r16 SPS-ConfigIndex-r16 OPTIONAL, -- Cond SPS-List harq-ProcID-Offset-r16 INTEGER (0..15) OPTIONAL, -- Need R periodicityExt-r16 INTEGER (1..5120) OPTIONAL, -- Need R harq-CodebookID-r16 INTEGER (1..2) OPTIONAL, -- Need R pdsch-AggregationFactor-r16 ENUMERATED {n1, n2, n4, n8 } OPTIONAL -- Need S ]], [[ sps-HARQ-Deferral-r17 INTEGER (1..32) OPTIONAL, -- Need R n1PUCCH-AN-PUCCHsSCell-r17 PUCCH-ResourceId OPTIONAL, -- Need R periodicityExt-r17 INTEGER (1..40960) OPTIONAL, -- Need R nrofHARQ-Processes-v1710 INTEGER(9..32) OPTIONAL, -- Need R harq-ProcID-Offset-v1700 INTEGER (16..31) OPTIONAL -- Need R ]] } -- TAG-SPS-CONFIG-STOP -- TAG-SPS-CONFIGINDEX-START SPS-ConfigIndex-r16 ::= INTEGER (0.. maxNrofSPS-Config-1-r16) -- TAG-SPS-CONFIGINDEX-STOP -- TAG-SPS-PUCCH-AN-START SPS-PUCCH-AN-r16 ::= SEQUENCE { sps-PUCCH-AN-ResourceID-r16 PUCCH-ResourceId, maxPayloadSize-r16 INTEGER (4..256) OPTIONAL -- Need R } -- TAG-SPS-PUCCH-AN-STOP -- TAG-SPS-PUCCH-AN-LIST-START SPS-PUCCH-AN-List-r16 ::= SEQUENCE (SIZE(1..4)) OF SPS-PUCCH-AN-r16 -- TAG-SPS-PUCCH-AN-LIST-STOP -- TAG-SRB-IDENTITY-START SRB-Identity ::= INTEGER (1..3) SRB-Identity-v1700 ::= INTEGER (4) -- TAG-SRB-IDENTITY-STOP -- TAG-SRS-CARRIERSWITCHING-START SRS-CarrierSwitching ::= SEQUENCE { srs-SwitchFromServCellIndex INTEGER (0..31) OPTIONAL, -- Need M srs-SwitchFromCarrier ENUMERATED {sUL, nUL}, srs-TPC-PDCCH-Group CHOICE { typeA SEQUENCE (SIZE (1..32)) OF SRS-TPC-PDCCH-Config, typeB SRS-TPC-PDCCH-Config } OPTIONAL, -- Need M monitoringCells SEQUENCE (SIZE (1..maxNrofServingCells)) OF ServCellIndex OPTIONAL, -- Need M ... } SRS-TPC-PDCCH-Config ::= SEQUENCE { srs-CC-SetIndexlist SEQUENCE (SIZE(1..4)) OF SRS-CC-SetIndex OPTIONAL -- Need M } SRS-CC-SetIndex ::= SEQUENCE { cc-SetIndex INTEGER (0..3) OPTIONAL, -- Need M cc-IndexInOneCC-Set INTEGER (0..7) OPTIONAL -- Need M } -- TAG-SRS-CARRIERSWITCHING-STOP -- TAG-SRS-CONFIG-START SRS-Config ::= SEQUENCE { srs-ResourceSetToReleaseList SEQUENCE (SIZE(1..maxNrofSRS-ResourceSets)) OF SRS-ResourceSetId OPTIONAL, -- Need N srs-ResourceSetToAddModList SEQUENCE (SIZE(1..maxNrofSRS-ResourceSets)) OF SRS-ResourceSet OPTIONAL, -- Need N srs-ResourceToReleaseList SEQUENCE (SIZE(1..maxNrofSRS-Resources)) OF SRS-ResourceId OPTIONAL, -- Need N srs-ResourceToAddModList SEQUENCE (SIZE(1..maxNrofSRS-Resources)) OF SRS-Resource OPTIONAL, -- Need N tpc-Accumulation ENUMERATED {disabled} OPTIONAL, -- Need S ..., [[ srs-RequestDCI-1-2-r16 INTEGER (1..2) OPTIONAL, -- Need S srs-RequestDCI-0-2-r16 INTEGER (1..2) OPTIONAL, -- Need S srs-ResourceSetToAddModListDCI-0-2-r16 SEQUENCE (SIZE(1..maxNrofSRS-ResourceSets)) OF SRS-ResourceSet OPTIONAL, -- Need N srs-ResourceSetToReleaseListDCI-0-2-r16 SEQUENCE (SIZE(1..maxNrofSRS-ResourceSets)) OF SRS-ResourceSetId OPTIONAL, -- Need N srs-PosResourceSetToReleaseList-r16 SEQUENCE (SIZE(1..maxNrofSRS-PosResourceSets-r16)) OF SRS-PosResourceSetId-r16 OPTIONAL, -- Need N srs-PosResourceSetToAddModList-r16 SEQUENCE (SIZE(1..maxNrofSRS-PosResourceSets-r16)) OF SRS-PosResourceSet-r16 OPTIONAL,-- Need N srs-PosResourceToReleaseList-r16 SEQUENCE (SIZE(1..maxNrofSRS-PosResources-r16)) OF SRS-PosResourceId-r16 OPTIONAL,-- Need N srs-PosResourceToAddModList-r16 SEQUENCE (SIZE(1..maxNrofSRS-PosResources-r16)) OF SRS-PosResource-r16 OPTIONAL -- Need N ]] } SRS-ResourceSet ::= SEQUENCE { srs-ResourceSetId SRS-ResourceSetId, srs-ResourceIdList SEQUENCE (SIZE(1..maxNrofSRS-ResourcesPerSet)) OF SRS-ResourceId OPTIONAL, -- Cond Setup resourceType CHOICE { aperiodic SEQUENCE { aperiodicSRS-ResourceTrigger INTEGER (1..maxNrofSRS-TriggerStates-1), csi-RS NZP-CSI-RS-ResourceId OPTIONAL, -- Cond NonCodebook slotOffset INTEGER (1..32) OPTIONAL, -- Need S ..., [[ aperiodicSRS-ResourceTriggerList SEQUENCE (SIZE(1..maxNrofSRS-TriggerStates-2)) OF INTEGER (1..maxNrofSRS-TriggerStates-1) OPTIONAL -- Need M ]] }, semi-persistent SEQUENCE { associatedCSI-RS NZP-CSI-RS-ResourceId OPTIONAL, -- Cond NonCodebook ... }, periodic SEQUENCE { associatedCSI-RS NZP-CSI-RS-ResourceId OPTIONAL, -- Cond NonCodebook ... } }, usage ENUMERATED {beamManagement, codebook, nonCodebook, antennaSwitching}, alpha Alpha OPTIONAL, -- Need S p0 INTEGER (-202..24) OPTIONAL, -- Cond Setup pathlossReferenceRS PathlossReferenceRS-Config OPTIONAL, -- Need M srs-PowerControlAdjustmentStates ENUMERATED { sameAsFci2, separateClosedLoop} OPTIONAL, -- Need S ..., [[ pathlossReferenceRSList-r16 CHOICE {release NULL, setup PathlossReferenceRSList-r16} OPTIONAL -- Need M ]], [[ usagePDC-r17 ENUMERATED {true} OPTIONAL, -- Need R availableSlotOffsetList-r17 SEQUENCE (SIZE(1..4)) OF AvailableSlotOffset-r17 OPTIONAL, -- Need R followUnifiedTCI-StateSRS-r17 ENUMERATED {enabled} OPTIONAL -- Need R ]] } AvailableSlotOffset-r17 ::= INTEGER (0..7) PathlossReferenceRS-Config ::= CHOICE { ssb-Index SSB-Index, csi-RS-Index NZP-CSI-RS-ResourceId } PathlossReferenceRSList-r16 ::= SEQUENCE (SIZE (1..maxNrofSRS-PathlossReferenceRS-r16)) OF PathlossReferenceRS-r16 PathlossReferenceRS-r16 ::= SEQUENCE { srs-PathlossReferenceRS-Id-r16 SRS-PathlossReferenceRS-Id-r16, pathlossReferenceRS-r16 PathlossReferenceRS-Config } SRS-PathlossReferenceRS-Id-r16 ::= INTEGER (0..maxNrofSRS-PathlossReferenceRS-1-r16) SRS-PosResourceSet-r16 ::= SEQUENCE { srs-PosResourceSetId-r16 SRS-PosResourceSetId-r16, srs-PosResourceIdList-r16 SEQUENCE (SIZE(1..maxNrofSRS-ResourcesPerSet)) OF SRS-PosResourceId-r16 OPTIONAL, -- Cond Setup resourceType-r16 CHOICE { aperiodic-r16 SEQUENCE { aperiodicSRS-ResourceTriggerList-r16 SEQUENCE (SIZE(1..maxNrofSRS-TriggerStates-1)) OF INTEGER (1..maxNrofSRS-TriggerStates-1) OPTIONAL, -- Need M ... }, semi-persistent-r16 SEQUENCE { ... }, periodic-r16 SEQUENCE { ... } }, alpha-r16 Alpha OPTIONAL, -- Need S p0-r16 INTEGER (-202..24) OPTIONAL, -- Cond Setup pathlossReferenceRS-Pos-r16 CHOICE { ssb-IndexServing-r16 SSB-Index, ssb-Ncell-r16 SSB-InfoNcell-r16, dl-PRS-r16 DL-PRS-Info-r16 } OPTIONAL, -- Need M ... } SRS-ResourceSetId ::= INTEGER (0..maxNrofSRS-ResourceSets-1) SRS-PosResourceSetId-r16 ::= INTEGER (0..maxNrofSRS-PosResourceSets-1-r16) SRS-Resource ::= SEQUENCE { srs-ResourceId SRS-ResourceId, nrofSRS-Ports ENUMERATED {port1, ports2, ports4}, ptrs-PortIndex ENUMERATED {n0, n1 } OPTIONAL, -- Need R transmissionComb CHOICE { n2 SEQUENCE { combOffset-n2 INTEGER (0..1), cyclicShift-n2 INTEGER (0..7) }, n4 SEQUENCE { combOffset-n4 INTEGER (0..3), cyclicShift-n4 INTEGER (0..11) } }, resourceMapping SEQUENCE { startPosition INTEGER (0..5), nrofSymbols ENUMERATED {n1, n2, n4}, repetitionFactor ENUMERATED {n1, n2, n4} }, freqDomainPosition INTEGER (0..67), freqDomainShift INTEGER (0..268), freqHopping SEQUENCE { c-SRS INTEGER (0..63), b-SRS INTEGER (0..3), b-hop INTEGER (0..3) }, groupOrSequenceHopping ENUMERATED { neither, groupHopping, sequenceHopping }, resourceType CHOICE { aperiodic SEQUENCE { ... }, semi-persistent SEQUENCE { periodicityAndOffset-sp SRS-PeriodicityAndOffset, ... }, periodic SEQUENCE { periodicityAndOffset-p SRS-PeriodicityAndOffset, ... } }, sequenceId INTEGER (0..1023), spatialRelationInfo SRS-SpatialRelationInfo OPTIONAL, -- Need R ..., [[ resourceMapping-r16 SEQUENCE { startPosition-r16 INTEGER (0..13), nrofSymbols-r16 ENUMERATED {n1, n2, n4}, repetitionFactor-r16 ENUMERATED {n1, n2, n4} } OPTIONAL -- Need R ]], [[ spatialRelationInfo-PDC-r17 CHOICE {release NULL, setup SpatialRelationInfo-PDC-r17 } OPTIONAL, -- Need M resourceMapping-r17 SEQUENCE { startPosition-r17 INTEGER (0..13), nrofSymbols-r17 ENUMERATED {n1, n2, n4, n8, n10, n12, n14}, repetitionFactor-r17 ENUMERATED {n1, n2, n4, n5, n6, n7, n8, n10, n12, n14} } OPTIONAL, -- Need R partialFreqSounding-r17 SEQUENCE { startRBIndexFScaling-r17 CHOICE{ startRBIndexAndFreqScalingFactor2-r17 INTEGER (0..1), startRBIndexAndFreqScalingFactor4-r17 INTEGER (0..3) }, enableStartRBHopping-r17 ENUMERATED {enable} OPTIONAL -- Need R } OPTIONAL, -- Need R transmissionComb-n8-r17 SEQUENCE { combOffset-n8-r17 INTEGER (0..7), cyclicShift-n8-r17 INTEGER (0..5) } OPTIONAL, -- Need R srs-TCI-State-r17 CHOICE { srs-UL-TCI-State TCI-UL-StateId-r17, srs-DLorJointTCI-State TCI-StateId } OPTIONAL -- Need R ]], [[ repetitionFactor-v1730 ENUMERATED {n3} OPTIONAL, -- Need R srs-DLorJointTCI-State-v1730 SEQUENCE { cellAndBWP-r17 ServingCellAndBWP-Id-r17 } OPTIONAL -- Cond DLorJointTCI-SRS ]] } SRS-PosResource-r16::= SEQUENCE { srs-PosResourceId-r16 SRS-PosResourceId-r16, transmissionComb-r16 CHOICE { n2-r16 SEQUENCE { combOffset-n2-r16 INTEGER (0..1), cyclicShift-n2-r16 INTEGER (0..7) }, n4-r16 SEQUENCE { combOffset-n4-r16 INTEGER (0..3), cyclicShift-n4-r16 INTEGER (0..11) }, n8-r16 SEQUENCE { combOffset-n8-r16 INTEGER (0..7), cyclicShift-n8-r16 INTEGER (0..5) }, ... }, resourceMapping-r16 SEQUENCE { startPosition-r16 INTEGER (0..13), nrofSymbols-r16 ENUMERATED {n1, n2, n4, n8, n12} }, freqDomainShift-r16 INTEGER (0..268), freqHopping-r16 SEQUENCE { c-SRS-r16 INTEGER (0..63), ... }, groupOrSequenceHopping-r16 ENUMERATED { neither, groupHopping, sequenceHopping }, resourceType-r16 CHOICE { aperiodic-r16 SEQUENCE { slotOffset-r16 INTEGER (1..32) OPTIONAL, -- Need S ... }, semi-persistent-r16 SEQUENCE { periodicityAndOffset-sp-r16 SRS-PeriodicityAndOffset-r16, ..., [[ periodicityAndOffset-sp-Ext-r16 SRS-PeriodicityAndOffsetExt-r16 OPTIONAL -- Need R ]] }, periodic-r16 SEQUENCE { periodicityAndOffset-p-r16 SRS-PeriodicityAndOffset-r16, ..., [[ periodicityAndOffset-p-Ext-r16 SRS-PeriodicityAndOffsetExt-r16 OPTIONAL -- Need R ]] } }, sequenceId-r16 INTEGER (0..65535), spatialRelationInfoPos-r16 SRS-SpatialRelationInfoPos-r16 OPTIONAL, -- Need R ... } SRS-SpatialRelationInfo ::= SEQUENCE { servingCellId ServCellIndex OPTIONAL, -- Need S referenceSignal CHOICE { ssb-Index SSB-Index, csi-RS-Index NZP-CSI-RS-ResourceId, srs SEQUENCE { resourceId SRS-ResourceId, uplinkBWP BWP-Id } } } SRS-SpatialRelationInfoPos-r16 ::= CHOICE { servingRS-r16 SEQUENCE { servingCellId ServCellIndex OPTIONAL, -- Need S referenceSignal-r16 CHOICE { ssb-IndexServing-r16 SSB-Index, csi-RS-IndexServing-r16 NZP-CSI-RS-ResourceId, srs-SpatialRelation-r16 SEQUENCE { resourceSelection-r16 CHOICE { srs-ResourceId-r16 SRS-ResourceId, srs-PosResourceId-r16 SRS-PosResourceId-r16 }, uplinkBWP-r16 BWP-Id } } }, ssb-Ncell-r16 SSB-InfoNcell-r16, dl-PRS-r16 DL-PRS-Info-r16 } SSB-Configuration-r16 ::= SEQUENCE { ssb-Freq-r16 ARFCN-ValueNR, halfFrameIndex-r16 ENUMERATED {zero, one}, ssbSubcarrierSpacing-r16 SubcarrierSpacing, ssb-Periodicity-r16 ENUMERATED { ms5, ms10, ms20, ms40, ms80, ms160, spare2,spare1 } OPTIONAL, -- Need S sfn0-Offset-r16 SEQUENCE { sfn-Offset-r16 INTEGER (0..1023), integerSubframeOffset-r16 INTEGER (0..9) OPTIONAL -- Need R } OPTIONAL, -- Need R sfn-SSB-Offset-r16 INTEGER (0..15), ss-PBCH-BlockPower-r16 INTEGER (-60..50) OPTIONAL -- Cond Pathloss } SSB-InfoNcell-r16 ::= SEQUENCE { physicalCellId-r16 PhysCellId, ssb-IndexNcell-r16 SSB-Index OPTIONAL, -- Need S ssb-Configuration-r16 SSB-Configuration-r16 OPTIONAL -- Need S } DL-PRS-Info-r16 ::= SEQUENCE { dl-PRS-ID-r16 INTEGER (0..255), dl-PRS-ResourceSetId-r16 INTEGER (0..7), dl-PRS-ResourceId-r16 INTEGER (0..63) OPTIONAL -- Need S } SRS-ResourceId ::= INTEGER (0..maxNrofSRS-Resources-1) SRS-PosResourceId-r16 ::= INTEGER (0..maxNrofSRS-PosResources-1-r16) SRS-PeriodicityAndOffset ::= CHOICE { sl1 NULL, sl2 INTEGER(0..1), sl4 INTEGER(0..3), sl5 INTEGER(0..4), sl8 INTEGER(0..7), sl10 INTEGER(0..9), sl16 INTEGER(0..15), sl20 INTEGER(0..19), sl32 INTEGER(0..31), sl40 INTEGER(0..39), sl64 INTEGER(0..63), sl80 INTEGER(0..79), sl160 INTEGER(0..159), sl320 INTEGER(0..319), sl640 INTEGER(0..639), sl1280 INTEGER(0..1279), sl2560 INTEGER(0..2559) } SRS-PeriodicityAndOffset-r16 ::= CHOICE { sl1 NULL, sl2 INTEGER(0..1), sl4 INTEGER(0..3), sl5 INTEGER(0..4), sl8 INTEGER(0..7), sl10 INTEGER(0..9), sl16 INTEGER(0..15), sl20 INTEGER(0..19), sl32 INTEGER(0..31), sl40 INTEGER(0..39), sl64 INTEGER(0..63), sl80 INTEGER(0..79), sl160 INTEGER(0..159), sl320 INTEGER(0..319), sl640 INTEGER(0..639), sl1280 INTEGER(0..1279), sl2560 INTEGER(0..2559), sl5120 INTEGER(0..5119), sl10240 INTEGER(0..10239), sl40960 INTEGER(0..40959), sl81920 INTEGER(0..81919), ... } SRS-PeriodicityAndOffsetExt-r16 ::= CHOICE { sl128 INTEGER(0..127), sl256 INTEGER(0..255), sl512 INTEGER(0..511), sl20480 INTEGER(0..20479) } SpatialRelationInfo-PDC-r17 ::= SEQUENCE { referenceSignal CHOICE { ssb-Index SSB-Index, csi-RS-Index NZP-CSI-RS-ResourceId, dl-PRS-PDC NR-DL-PRS-ResourceID-r17, srs SEQUENCE { resourceId SRS-ResourceId, uplinkBWP BWP-Id }, ... }, ... } -- TAG-SRS-CONFIG-STOP -- TAG-SRS-RSRP-RANGE-START SRS-RSRP-Range-r16 ::= INTEGER(0..98) -- TAG-SRS-RSRP-RANGE-STOP -- TAG-SRS-TPC-COMMANDCONFIG-START SRS-TPC-CommandConfig ::= SEQUENCE { startingBitOfFormat2-3 INTEGER (1..31) OPTIONAL, -- Need R fieldTypeFormat2-3 INTEGER (0..1) OPTIONAL, -- Need R ..., [[ startingBitOfFormat2-3SUL INTEGER (1..31) OPTIONAL -- Need R ]] } -- TAG-SRS-TPC-COMMANDCONFIG-STOP -- TAG-SSB-INDEX-START SSB-Index ::= INTEGER (0..maxNrofSSBs-1) -- TAG-SSB-INDEX-STOP -- TAG-SSB-MTC-START SSB-MTC ::= SEQUENCE { periodicityAndOffset CHOICE { sf5 INTEGER (0..4), sf10 INTEGER (0..9), sf20 INTEGER (0..19), sf40 INTEGER (0..39), sf80 INTEGER (0..79), sf160 INTEGER (0..159) }, duration ENUMERATED { sf1, sf2, sf3, sf4, sf5 } } SSB-MTC2 ::= SEQUENCE { pci-List SEQUENCE (SIZE (1..maxNrofPCIsPerSMTC)) OF PhysCellId OPTIONAL, -- Need M periodicity ENUMERATED {sf5, sf10, sf20, sf40, sf80, spare3, spare2, spare1} } SSB-MTC2-LP-r16 ::= SEQUENCE { pci-List SEQUENCE (SIZE (1..maxNrofPCIsPerSMTC)) OF PhysCellId OPTIONAL, -- Need R periodicity ENUMERATED {sf10, sf20, sf40, sf80, sf160, spare3, spare2, spare1} } SSB-MTC3-r16 ::= SEQUENCE { periodicityAndOffset-r16 CHOICE { sf5-r16 INTEGER (0..4), sf10-r16 INTEGER (0..9), sf20-r16 INTEGER (0..19), sf40-r16 INTEGER (0..39), sf80-r16 INTEGER (0..79), sf160-r16 INTEGER (0..159), sf320-r16 INTEGER (0..319), sf640-r16 INTEGER (0..639), sf1280-r16 INTEGER (0..1279) }, duration-r16 ENUMERATED {sf1, sf2, sf3, sf4, sf5}, pci-List-r16 SEQUENCE (SIZE (1..maxNrofPCIsPerSMTC)) OF PhysCellId OPTIONAL, -- Need M ssb-ToMeasure-r16 CHOICE {release NULL, setup SSB-ToMeasure } OPTIONAL -- Need M } SSB-MTC4-r17 ::= SEQUENCE { pci-List-r17 SEQUENCE (SIZE (1..maxNrofPCIsPerSMTC)) OF PhysCellId OPTIONAL, -- Need M offset-r17 INTEGER (0..159) } SSB-MTC-AdditionalPCI-r17 ::= SEQUENCE { additionalPCIIndex-r17 AdditionalPCIIndex-r17, additionalPCI-r17 PhysCellId, periodicity-r17 ENUMERATED { ms5, ms10, ms20, ms40, ms80, ms160, spare2, spare1 }, ssb-PositionsInBurst-r17 CHOICE { shortBitmap BIT STRING (SIZE (4)), mediumBitmap BIT STRING (SIZE (8)), longBitmap BIT STRING (SIZE (64)) }, ss-PBCH-BlockPower-r17 INTEGER (-60..50) } AdditionalPCIIndex-r17 ::= INTEGER(1..maxNrofAdditionalPCI-r17) -- TAG-SSB-MTC-STOP -- TAG-SSB-POSITIONQCL-RELATION-START SSB-PositionQCL-Relation-r16 ::= ENUMERATED {n1,n2,n4,n8} SSB-PositionQCL-Relation-r17 ::= ENUMERATED {n32, n64} -- TAG-SSB-POSITIONQCL-RELATION-STOP -- TAG-SSB-TOMEASURE-START SSB-ToMeasure ::= CHOICE { shortBitmap BIT STRING (SIZE (4)), mediumBitmap BIT STRING (SIZE (8)), longBitmap BIT STRING (SIZE (64)) } -- TAG-SSB-TOMEASURE-STOP -- TAG-SS-RSSI-MEASUREMENT-START SS-RSSI-Measurement ::= SEQUENCE { measurementSlots BIT STRING (SIZE (1..80)), endSymbol INTEGER(0..3) } -- TAG-SS-RSSI-MEASUREMENT-STOP -- TAG-SUBCARRIERSPACING-START SubcarrierSpacing ::= ENUMERATED {kHz15, kHz30, kHz60, kHz120, kHz240, kHz480-v1700, kHz960-v1700, spare1} -- TAG-SUBCARRIERSPACING-STOP -- TAG-TAG-CONFIG-START TAG-Config ::= SEQUENCE { tag-ToReleaseList SEQUENCE (SIZE (1..maxNrofTAGs)) OF TAG-Id OPTIONAL, -- Need N tag-ToAddModList SEQUENCE (SIZE (1..maxNrofTAGs)) OF TAG OPTIONAL -- Need N } TAG ::= SEQUENCE { tag-Id TAG-Id, timeAlignmentTimer TimeAlignmentTimer, ... } TAG-Id ::= INTEGER (0..maxNrofTAGs-1) -- TAG-TAG-CONFIG-STOP -- TAG-TAR-CONFIG-START TAR-Config-r17 ::= SEQUENCE { offsetThresholdTA-r17 ENUMERATED {ms0dot5, ms1, ms2, ms3, ms4, ms5, ms6 ,ms7, ms8, ms9, ms10, ms11, ms12, ms13, ms14, ms15, spare13, spare12, spare11, spare10, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} OPTIONAL, -- Need R timingAdvanceSR-r17 ENUMERATED {enabled} OPTIONAL, -- Need R ... } -- TAG-TAR-CONFIG-STOP -- TAG-TCI-ACTIVATEDCONFIG-START TCI-ActivatedConfig-r17 ::= SEQUENCE { pdcch-TCI-r17 SEQUENCE (SIZE (1..5)) OF TCI-StateId, pdsch-TCI-r17 BIT STRING (SIZE (1..maxNrofTCI-States)) } -- TAG-TCI-ACTIVATEDCONFIG-STOP -- TAG-TCI-STATE-START TCI-State ::= SEQUENCE { tci-StateId TCI-StateId, qcl-Type1 QCL-Info, qcl-Type2 QCL-Info OPTIONAL, -- Need R ..., [[ additionalPCI-r17 AdditionalPCIIndex-r17 OPTIONAL, -- Need R pathlossReferenceRS-Id-r17 PathlossReferenceRS-Id-r17 OPTIONAL, -- Cond JointTCI1 ul-powerControl-r17 Uplink-powerControlId-r17 OPTIONAL -- Cond JointTCI ]] } QCL-Info ::= SEQUENCE { cell ServCellIndex OPTIONAL, -- Need R bwp-Id BWP-Id OPTIONAL, -- Cond CSI-RS-Indicated referenceSignal CHOICE { csi-rs NZP-CSI-RS-ResourceId, ssb SSB-Index }, qcl-Type ENUMERATED {typeA, typeB, typeC, typeD}, ... } -- TAG-TCI-STATE-STOP -- TAG-TCI-STATEID-START TCI-StateId ::= INTEGER (0..maxNrofTCI-States-1) -- TAG-TCI-STATEID-STOP -- TAG-TCI-UL-STATE-START TCI-UL-State-r17 ::= SEQUENCE { tci-UL-StateId-r17 TCI-UL-StateId-r17, servingCellId-r17 ServCellIndex OPTIONAL, -- Need R bwp-Id-r17 BWP-Id OPTIONAL, -- Cond CSI-RSorSRS-Indicated referenceSignal-r17 CHOICE { ssb-Index-r17 SSB-Index, csi-RS-Index-r17 NZP-CSI-RS-ResourceId, srs-r17 SRS-ResourceId }, additionalPCI-r17 AdditionalPCIIndex-r17 OPTIONAL, -- Need R ul-powerControl-r17 Uplink-powerControlId-r17 OPTIONAL, -- Need R pathlossReferenceRS-Id-r17 PathlossReferenceRS-Id-r17 OPTIONAL, -- Cond Mandatory ... } -- TAG-TCI-UL-STATE-STOP -- TAG-TCI-UL-STATEID-START TCI-UL-StateId-r17 ::= INTEGER (0..maxUL-TCI-1-r17) -- TAG-TCI-UL-STATEID-STOP -- TAG-TDD-UL-DL-CONFIGCOMMON-START TDD-UL-DL-ConfigCommon ::= SEQUENCE { referenceSubcarrierSpacing SubcarrierSpacing, pattern1 TDD-UL-DL-Pattern, pattern2 TDD-UL-DL-Pattern OPTIONAL, -- Need R ... } TDD-UL-DL-Pattern ::= SEQUENCE { dl-UL-TransmissionPeriodicity ENUMERATED {ms0p5, ms0p625, ms1, ms1p25, ms2, ms2p5, ms5, ms10}, nrofDownlinkSlots INTEGER (0..maxNrofSlots), nrofDownlinkSymbols INTEGER (0..maxNrofSymbols-1), nrofUplinkSlots INTEGER (0..maxNrofSlots), nrofUplinkSymbols INTEGER (0..maxNrofSymbols-1), ..., [[ dl-UL-TransmissionPeriodicity-v1530 ENUMERATED {ms3, ms4} OPTIONAL -- Need R ]] } -- TAG-TDD-UL-DL-CONFIGCOMMON-STOP -- TAG-TDD-UL-DL-CONFIGDEDICATED-START TDD-UL-DL-ConfigDedicated ::= SEQUENCE { slotSpecificConfigurationsToAddModList SEQUENCE (SIZE (1..maxNrofSlots)) OF TDD-UL-DL-SlotConfig OPTIONAL, -- Need N slotSpecificConfigurationsToReleaseList SEQUENCE (SIZE (1..maxNrofSlots)) OF TDD-UL-DL-SlotIndex OPTIONAL, -- Need N ... } TDD-UL-DL-ConfigDedicated-IAB-MT-r16::= SEQUENCE { slotSpecificConfigurationsToAddModList-IAB-MT-r16 SEQUENCE (SIZE (1..maxNrofSlots)) OF TDD-UL-DL-SlotConfig-IAB-MT-r16 OPTIONAL, -- Need N slotSpecificConfigurationsToReleaseList-IAB-MT-r16 SEQUENCE (SIZE (1..maxNrofSlots)) OF TDD-UL-DL-SlotIndex OPTIONAL, -- Need N ... } TDD-UL-DL-SlotConfig ::= SEQUENCE { slotIndex TDD-UL-DL-SlotIndex, symbols CHOICE { allDownlink NULL, allUplink NULL, explicit SEQUENCE { nrofDownlinkSymbols INTEGER (1..maxNrofSymbols-1) OPTIONAL, -- Need S nrofUplinkSymbols INTEGER (1..maxNrofSymbols-1) OPTIONAL -- Need S } } } TDD-UL-DL-SlotConfig-IAB-MT-r16::= SEQUENCE { slotIndex-r16 TDD-UL-DL-SlotIndex, symbols-IAB-MT-r16 CHOICE { allDownlink-r16 NULL, allUplink-r16 NULL, explicit-r16 SEQUENCE { nrofDownlinkSymbols-r16 INTEGER (1..maxNrofSymbols-1) OPTIONAL, -- Need S nrofUplinkSymbols-r16 INTEGER (1..maxNrofSymbols-1) OPTIONAL -- Need S }, explicit-IAB-MT-r16 SEQUENCE { nrofDownlinkSymbols-r16 INTEGER (1..maxNrofSymbols-1) OPTIONAL, -- Need S nrofUplinkSymbols-r16 INTEGER (1..maxNrofSymbols-1) OPTIONAL -- Need S } } } TDD-UL-DL-SlotIndex ::= INTEGER (0..maxNrofSlots-1) -- TAG-TDD-UL-DL-CONFIGDEDICATED-STOP -- TAG-TRACKINGAREACODE-START TrackingAreaCode ::= BIT STRING (SIZE (24)) -- TAG-TRACKINGAREACODE-STOP -- TAG-TRESELECTION-START T-Reselection ::= INTEGER (0..7) -- TAG-TRESELECTION-STOP -- TAG-TIMEALIGNMENTTIMER-START TimeAlignmentTimer ::= ENUMERATED {ms500, ms750, ms1280, ms1920, ms2560, ms5120, ms10240, infinity} -- TAG-TIMEALIGNMENTTIMER-STOP -- TAG-TIMETOTRIGGER-START TimeToTrigger ::= ENUMERATED { ms0, ms40, ms64, ms80, ms100, ms128, ms160, ms256, ms320, ms480, ms512, ms640, ms1024, ms1280, ms2560, ms5120} -- TAG-TIMETOTRIGGER-STOP -- TAG-UAC-BARRINGINFOSETINDEX-START UAC-BarringInfoSetIndex ::= INTEGER (1..maxBarringInfoSet) -- TAG-UAC-BARRINGINFOSETINDEX-STOP -- TAG-UAC-BARRINGINFOSETLIST-START UAC-BarringInfoSetList ::= SEQUENCE (SIZE(1..maxBarringInfoSet)) OF UAC-BarringInfoSet UAC-BarringInfoSetList-v1700 ::= SEQUENCE (SIZE(1..maxBarringInfoSet)) OF UAC-BarringInfoSet-v1700 UAC-BarringInfoSet ::= SEQUENCE { uac-BarringFactor ENUMERATED {p00, p05, p10, p15, p20, p25, p30, p40, p50, p60, p70, p75, p80, p85, p90, p95}, uac-BarringTime ENUMERATED {s4, s8, s16, s32, s64, s128, s256, s512}, uac-BarringForAccessIdentity BIT STRING (SIZE(7)) } UAC-BarringInfoSet-v1700 ::= SEQUENCE { uac-BarringFactorForAI3-r17 ENUMERATED {p00, p05, p10, p15, p20, p25, p30, p40, p50, p60, p70, p75, p80, p85, p90, p95} OPTIONAL -- Need S } -- TAG-UAC-BARRINGINFOSETLIST-STOP -- TAG-UAC-BARRINGPERCATLIST-START UAC-BarringPerCatList ::= SEQUENCE (SIZE (1..maxAccessCat-1)) OF UAC-BarringPerCat UAC-BarringPerCat ::= SEQUENCE { accessCategory INTEGER (1..maxAccessCat-1), uac-barringInfoSetIndex UAC-BarringInfoSetIndex } -- TAG-UAC-BARRINGPERCATLIST-STOP -- TAG-UAC-BARRINGPERPLMN-LIST-START UAC-BarringPerPLMN-List ::= SEQUENCE (SIZE (1.. maxPLMN)) OF UAC-BarringPerPLMN UAC-BarringPerPLMN ::= SEQUENCE { plmn-IdentityIndex INTEGER (1..maxPLMN), uac-ACBarringListType CHOICE{ uac-ImplicitACBarringList SEQUENCE (SIZE(maxAccessCat-1)) OF UAC-BarringInfoSetIndex, uac-ExplicitACBarringList UAC-BarringPerCatList } OPTIONAL -- Need S } -- TAG-UAC-BARRINGPERPLMN-LIST-STOP -- TAG-UE-TIMERSANDCONSTANTS-START UE-TimersAndConstants ::= SEQUENCE { t300 ENUMERATED {ms100, ms200, ms300, ms400, ms600, ms1000, ms1500, ms2000}, t301 ENUMERATED {ms100, ms200, ms300, ms400, ms600, ms1000, ms1500, ms2000}, t310 ENUMERATED {ms0, ms50, ms100, ms200, ms500, ms1000, ms2000}, n310 ENUMERATED {n1, n2, n3, n4, n6, n8, n10, n20}, t311 ENUMERATED {ms1000, ms3000, ms5000, ms10000, ms15000, ms20000, ms30000}, n311 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10}, t319 ENUMERATED {ms100, ms200, ms300, ms400, ms600, ms1000, ms1500, ms2000}, ... } -- TAG-UE-TIMERSANDCONSTANTS-STOP -- TAG-UE-TIMERSANDCONSTANTSREMOTEUE-START UE-TimersAndConstantsRemoteUE-r17 ::= SEQUENCE { t300-RemoteUE-r17 ENUMERATED {ms100, ms200, ms300, ms400, ms600, ms1000, ms1500, ms2000} OPTIONAL, -- Need S t301-RemoteUE-r17 ENUMERATED {ms100, ms200, ms300, ms400, ms600, ms1000, ms1500, ms2000} OPTIONAL, -- Need S t319-RemoteUE-r17 ENUMERATED {ms100, ms200, ms300, ms400, ms600, ms1000, ms1500, ms2000} OPTIONAL, -- Need S ... } -- TAG-UE-TIMERSANDCONSTANTSREMOTEUE-STOP -- TAG-ULDELAYVALUECONFIG-START UL-DelayValueConfig-r16 ::= SEQUENCE { delay-DRBlist-r16 SEQUENCE (SIZE(1..maxDRB)) OF DRB-Identity } -- TAG-ULDELAYVALUECONFIG-STOP -- TAG-ULEXCESSDELAYCONFIG-START UL-ExcessDelayConfig-r17 ::= SEQUENCE { excessDelay-DRBlist-r17 SEQUENCE (SIZE(1..maxDRB)) OF ExcessDelay-DRB-IdentityInfo-r17 } ExcessDelay-DRB-IdentityInfo-r17 ::= SEQUENCE { drb-IdentityList SEQUENCE (SIZE (1..maxDRB)) OF DRB-Identity, delayThreshold ENUMERATED {ms0dot25, ms0dot5, ms1, ms2, ms4, ms5, ms10, ms20, ms30, ms40, ms50, ms60, ms70, ms80, ms90, ms100, ms150, ms300, ms500} } -- TAG-ULEXCESSDELAYCONFIG-STOP -- TAG-UL-GAPFR2-CONFIG-START UL-GapFR2-Config-r17 ::= SEQUENCE { gapOffset-r17 INTEGER (0..159), ugl-r17 ENUMERATED {ms0dot125, ms0dot25, ms0dot5, ms1}, ugrp-r17 ENUMERATED {ms5, ms20, ms40, ms160}, refFR2-ServCellAsyncCA-r17 ServCellIndex OPTIONAL -- Cond AsyncCA } -- TAG-UL-GAPFR2-CONFIG-STOP -- TAG-UPLINKCANCELLATION-START UplinkCancellation-r16 ::= SEQUENCE { ci-RNTI-r16 RNTI-Value, dci-PayloadSizeForCI-r16 INTEGER (0..maxCI-DCI-PayloadSize-r16), ci-ConfigurationPerServingCell-r16 SEQUENCE (SIZE (1..maxNrofServingCells)) OF CI-ConfigurationPerServingCell-r16, ... } CI-ConfigurationPerServingCell-r16 ::= SEQUENCE { servingCellId ServCellIndex, positionInDCI-r16 INTEGER (0..maxCI-DCI-PayloadSize-1-r16), positionInDCI-ForSUL-r16 INTEGER (0..maxCI-DCI-PayloadSize-1-r16) OPTIONAL, -- Cond SUL-Only ci-PayloadSize-r16 ENUMERATED {n1, n2, n4, n5, n7, n8, n10, n14, n16, n20, n28, n32, n35, n42, n56, n112}, timeFrequencyRegion-r16 SEQUENCE { timeDurationForCI-r16 ENUMERATED {n2, n4, n7, n14} OPTIONAL, -- Cond SymbolPeriodicity timeGranularityForCI-r16 ENUMERATED {n1, n2, n4, n7, n14, n28}, frequencyRegionForCI-r16 INTEGER (0..37949), deltaOffset-r16 INTEGER (0..2), ... }, uplinkCancellationPriority-v1610 ENUMERATED {enabled} OPTIONAL -- Need S } -- TAG-UPLINKCANCELLATION-STOP -- TAG-UPLINKCONFIGCOMMON-START UplinkConfigCommon ::= SEQUENCE { frequencyInfoUL FrequencyInfoUL OPTIONAL, -- Cond InterFreqHOAndServCellAdd initialUplinkBWP BWP-UplinkCommon OPTIONAL, -- Cond ServCellAdd dummy TimeAlignmentTimer } UplinkConfigCommon-v1700 ::= SEQUENCE { initialUplinkBWP-RedCap-r17 BWP-UplinkCommon OPTIONAL -- Need R } -- TAG-UPLINKCONFIGCOMMON-STOP -- TAG-UPLINKCONFIGCOMMONSIB-START UplinkConfigCommonSIB ::= SEQUENCE { frequencyInfoUL FrequencyInfoUL-SIB, initialUplinkBWP BWP-UplinkCommon, timeAlignmentTimerCommon TimeAlignmentTimer } UplinkConfigCommonSIB-v1700 ::= SEQUENCE { initialUplinkBWP-RedCap-r17 BWP-UplinkCommon OPTIONAL -- Need R } -- TAG-UPLINKCONFIGCOMMONSIB-STOP -- TAG-UPLINK-POWERCONTROL-START Uplink-powerControl-r17 ::= SEQUENCE { ul-powercontrolId-r17 Uplink-powerControlId-r17, p0AlphaSetforPUSCH-r17 P0AlphaSet-r17 OPTIONAL, -- Need R p0AlphaSetforPUCCH-r17 P0AlphaSet-r17 OPTIONAL, -- Need R p0AlphaSetforSRS-r17 P0AlphaSet-r17 OPTIONAL -- Need R } P0AlphaSet-r17 ::= SEQUENCE { p0-r17 INTEGER (-16..15) OPTIONAL, -- Need R alpha-r17 Alpha OPTIONAL, -- Need S closedLoopIndex-r17 ENUMERATED { i0, i1 } } Uplink-powerControlId-r17 ::= INTEGER(1.. maxUL-TCI-r17) -- TAG-UPLINK-POWERCONTROL-STOP -- TAG-UURELAYRLCCHANNELCONFIG-START Uu-RelayRLC-ChannelConfig-r17::= SEQUENCE { uu-LogicalChannelIdentity-r17 LogicalChannelIdentity OPTIONAL, -- Cond RelayLCH-SetupOnly uu-RelayRLC-ChannelID-r17 Uu-RelayRLC-ChannelID-r17, reestablishRLC-r17 ENUMERATED {true} OPTIONAL, -- Need N rlc-Config-r17 RLC-Config OPTIONAL, -- Cond RelayLCH-Setup mac-LogicalChannelConfig-r17 LogicalChannelConfig OPTIONAL, -- Cond RelayLCH-Setup ... } -- TAG-UURELAYRLCCHANNELCONFIG-STOP -- TAG-UURELAYRLCCHANNELID-START Uu-RelayRLC-ChannelID-r17 ::= INTEGER (1..maxLC-ID) -- TAG-UURELAYRLCCHANNELID-STOP -- TAG-UPLINKTXDIRECTCURRENTLIST-START UplinkTxDirectCurrentList ::= SEQUENCE (SIZE (1..maxNrofServingCells)) OF UplinkTxDirectCurrentCell UplinkTxDirectCurrentCell ::= SEQUENCE { servCellIndex ServCellIndex, uplinkDirectCurrentBWP SEQUENCE (SIZE (1..maxNrofBWPs)) OF UplinkTxDirectCurrentBWP, ..., [[ uplinkDirectCurrentBWP-SUL SEQUENCE (SIZE (1..maxNrofBWPs)) OF UplinkTxDirectCurrentBWP OPTIONAL ]] } UplinkTxDirectCurrentBWP ::= SEQUENCE { bwp-Id BWP-Id, shift7dot5kHz BOOLEAN, txDirectCurrentLocation INTEGER (0..3301) } -- TAG-UPLINKTXDIRECTCURRENTLIST-STOP -- TAG-UPLINKTXDIRECTCURRENTMORECARRIERLIST-START UplinkTxDirectCurrentMoreCarrierList-r17 ::= SEQUENCE (SIZE (1..maxNrofCC-Group-r17)) OF CC-Group-r17 CC-Group-r17 ::= SEQUENCE { servCellIndexLower-r17 ServCellIndex, servCellIndexHigher-r17 ServCellIndex OPTIONAL, defaultDC-Location-r17 DefaultDC-Location-r17, offsetToDefault-r17 CHOICE{ offsetValue OffsetValue-r17, offsetlist SEQUENCE (SIZE(1..maxNrofReqComDC-Location-r17)) OF OffsetValue-r17 } OPTIONAL } OffsetValue-r17::= SEQUENCE { offsetValue-r17 INTEGER (-20000.. 20000), shift7dot5kHz-r17 BOOLEAN } DefaultDC-Location-r17 ::= CHOICE { ul FrequencyComponent-r17, dl FrequencyComponent-r17, ulAndDL FrequencyComponent-r17 } FrequencyComponent-r17 ::= ENUMERATED {activeCarrier,configuredCarrier,activeBWP,configuredBWP} -- TAG-UPLINKTXDIRECTCURRENTMORECARRIERLIST-STOP -- TAG-UPLINKTXDIRECTCURRENTTWOCARRIERLIST-START UplinkTxDirectCurrentTwoCarrierList-r16 ::= SEQUENCE (SIZE (1..maxNrofTxDC-TwoCarrier-r16)) OF UplinkTxDirectCurrentTwoCarrier-r16 UplinkTxDirectCurrentTwoCarrier-r16 ::= SEQUENCE { carrierOneInfo-r16 UplinkTxDirectCurrentCarrierInfo-r16, carrierTwoInfo-r16 UplinkTxDirectCurrentCarrierInfo-r16, singlePA-TxDirectCurrent-r16 UplinkTxDirectCurrentTwoCarrierInfo-r16, secondPA-TxDirectCurrent-r16 UplinkTxDirectCurrentTwoCarrierInfo-r16 OPTIONAL } UplinkTxDirectCurrentCarrierInfo-r16 ::= SEQUENCE { servCellIndex-r16 ServCellIndex, servCellInfo-r16 CHOICE { bwp-Id-r16 BWP-Id, deactivatedCarrier-r16 ENUMERATED {deactivated} } } UplinkTxDirectCurrentTwoCarrierInfo-r16 ::= SEQUENCE { referenceCarrierIndex-r16 ServCellIndex, shift7dot5kHz-r16 BOOLEAN, txDirectCurrentLocation-r16 INTEGER (0..3301) } -- TAG-UPLINKTXDIRECTCURRENTTWOCARRIERLIST-STOP -- TAG-ZP-CSI-RS-RESOURCE-START ZP-CSI-RS-Resource ::= SEQUENCE { zp-CSI-RS-ResourceId ZP-CSI-RS-ResourceId, resourceMapping CSI-RS-ResourceMapping, periodicityAndOffset CSI-ResourcePeriodicityAndOffset OPTIONAL, --Cond PeriodicOrSemiPersistent ... } ZP-CSI-RS-ResourceId ::= INTEGER (0..maxNrofZP-CSI-RS-Resources-1) -- TAG-ZP-CSI-RS-RESOURCE-STOP -- TAG-ZP-CSI-RS-RESOURCESET-START ZP-CSI-RS-ResourceSet ::= SEQUENCE { zp-CSI-RS-ResourceSetId ZP-CSI-RS-ResourceSetId, zp-CSI-RS-ResourceIdList SEQUENCE (SIZE(1..maxNrofZP-CSI-RS-ResourcesPerSet)) OF ZP-CSI-RS-ResourceId, ... } -- TAG-ZP-CSI-RS-RESOURCESET-STOP -- TAG-ZP-CSI-RS-RESOURCESETID-START ZP-CSI-RS-ResourceSetId ::= INTEGER (0..maxNrofZP-CSI-RS-ResourceSets-1) -- TAG-ZP-CSI-RS-RESOURCESETID-STOP -- TAG-ACCESSSTRATUMRELEASE-START AccessStratumRelease ::= ENUMERATED { rel15, rel16, rel17, spare5, spare4, spare3, spare2, spare1, ... } -- TAG-ACCESSSTRATUMRELEASE-STOP -- TAG-APPLAYERMEASPARAMETERS-START AppLayerMeasParameters-r17 ::= SEQUENCE { qoe-Streaming-MeasReport-r17 ENUMERATED {supported} OPTIONAL, qoe-MTSI-MeasReport-r17 ENUMERATED {supported} OPTIONAL, qoe-VR-MeasReport-r17 ENUMERATED {supported} OPTIONAL, ran-VisibleQoE-Streaming-MeasReport-r17 ENUMERATED {supported} OPTIONAL, ran-VisibleQoE-VR-MeasReport-r17 ENUMERATED {supported} OPTIONAL, ul-MeasurementReportAppLayer-Seg-r17 ENUMERATED {supported} OPTIONAL, ... } -- TAG-APPLAYERMEASPARAMETERS-STOP -- TAG-BANDCOMBINATIONLIST-START BandCombinationList ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination BandCombinationList-v1540 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1540 BandCombinationList-v1550 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1550 BandCombinationList-v1560 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1560 BandCombinationList-v1570 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1570 BandCombinationList-v1580 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1580 BandCombinationList-v1590 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1590 BandCombinationList-v15g0 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v15g0 BandCombinationList-v1610 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1610 BandCombinationList-v1630 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1630 BandCombinationList-v1640 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1640 BandCombinationList-v1650 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1650 BandCombinationList-v1680 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1680 BandCombinationList-v1690 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1690 BandCombinationList-v16a0 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v16a0 BandCombinationList-v1700 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1700 BandCombinationList-v1720 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1720 BandCombinationList-v1730 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1730 BandCombinationList-v1740 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-v1740 BandCombinationList-UplinkTxSwitch-r16 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-UplinkTxSwitch-r16 BandCombinationList-UplinkTxSwitch-v1630 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-UplinkTxSwitch-v1630 BandCombinationList-UplinkTxSwitch-v1640 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-UplinkTxSwitch-v1640 BandCombinationList-UplinkTxSwitch-v1650 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-UplinkTxSwitch-v1650 BandCombinationList-UplinkTxSwitch-v1670 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-UplinkTxSwitch-v1670 BandCombinationList-UplinkTxSwitch-v1690 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-UplinkTxSwitch-v1690 BandCombinationList-UplinkTxSwitch-v16a0 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-UplinkTxSwitch-v16a0 BandCombinationList-UplinkTxSwitch-v1700 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-UplinkTxSwitch-v1700 BandCombinationList-UplinkTxSwitch-v1720 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-UplinkTxSwitch-v1720 BandCombinationList-UplinkTxSwitch-v1730 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-UplinkTxSwitch-v1730 BandCombinationList-UplinkTxSwitch-v1740 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombination-UplinkTxSwitch-v1740 BandCombination ::= SEQUENCE { bandList SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandParameters, featureSetCombination FeatureSetCombinationId, ca-ParametersEUTRA CA-ParametersEUTRA OPTIONAL, ca-ParametersNR CA-ParametersNR OPTIONAL, mrdc-Parameters MRDC-Parameters OPTIONAL, supportedBandwidthCombinationSet BIT STRING (SIZE (1..32)) OPTIONAL, powerClass-v1530 ENUMERATED {pc2} OPTIONAL } BandCombination-v1540::= SEQUENCE { bandList-v1540 SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandParameters-v1540, ca-ParametersNR-v1540 CA-ParametersNR-v1540 OPTIONAL } BandCombination-v1550 ::= SEQUENCE { ca-ParametersNR-v1550 CA-ParametersNR-v1550 } BandCombination-v1560::= SEQUENCE { ne-DC-BC ENUMERATED {supported} OPTIONAL, ca-ParametersNRDC CA-ParametersNRDC OPTIONAL, ca-ParametersEUTRA-v1560 CA-ParametersEUTRA-v1560 OPTIONAL, ca-ParametersNR-v1560 CA-ParametersNR-v1560 OPTIONAL } BandCombination-v1570 ::= SEQUENCE { ca-ParametersEUTRA-v1570 CA-ParametersEUTRA-v1570 } BandCombination-v1580 ::= SEQUENCE { mrdc-Parameters-v1580 MRDC-Parameters-v1580 } BandCombination-v1590::= SEQUENCE { supportedBandwidthCombinationSetIntraENDC BIT STRING (SIZE (1..32)) OPTIONAL, mrdc-Parameters-v1590 MRDC-Parameters-v1590 } BandCombination-v15g0::= SEQUENCE { ca-ParametersNR-v15g0 CA-ParametersNR-v15g0 OPTIONAL, ca-ParametersNRDC-v15g0 CA-ParametersNRDC-v15g0 OPTIONAL, mrdc-Parameters-v15g0 MRDC-Parameters-v15g0 OPTIONAL } BandCombination-v1610 ::= SEQUENCE { bandList-v1610 SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandParameters-v1610 OPTIONAL, ca-ParametersNR-v1610 CA-ParametersNR-v1610 OPTIONAL, ca-ParametersNRDC-v1610 CA-ParametersNRDC-v1610 OPTIONAL, powerClass-v1610 ENUMERATED {pc1dot5} OPTIONAL, powerClassNRPart-r16 ENUMERATED {pc1, pc2, pc3, pc5} OPTIONAL, featureSetCombinationDAPS-r16 FeatureSetCombinationId OPTIONAL, mrdc-Parameters-v1620 MRDC-Parameters-v1620 OPTIONAL } BandCombination-v1630 ::= SEQUENCE { ca-ParametersNR-v1630 CA-ParametersNR-v1630 OPTIONAL, ca-ParametersNRDC-v1630 CA-ParametersNRDC-v1630 OPTIONAL, mrdc-Parameters-v1630 MRDC-Parameters-v1630 OPTIONAL, supportedTxBandCombListPerBC-Sidelink-r16 BIT STRING (SIZE (1..maxBandComb)) OPTIONAL, supportedRxBandCombListPerBC-Sidelink-r16 BIT STRING (SIZE (1..maxBandComb)) OPTIONAL, scalingFactorTxSidelink-r16 SEQUENCE (SIZE (1..maxBandComb)) OF ScalingFactorSidelink-r16 OPTIONAL, scalingFactorRxSidelink-r16 SEQUENCE (SIZE (1..maxBandComb)) OF ScalingFactorSidelink-r16 OPTIONAL } BandCombination-v1640 ::= SEQUENCE { ca-ParametersNR-v1640 CA-ParametersNR-v1640 OPTIONAL, ca-ParametersNRDC-v1640 CA-ParametersNRDC-v1640 OPTIONAL } BandCombination-v1650 ::= SEQUENCE { ca-ParametersNRDC-v1650 CA-ParametersNRDC-v1650 OPTIONAL } BandCombination-v1680 ::= SEQUENCE { intrabandConcurrentOperationPowerClass-r16 SEQUENCE (SIZE (1..maxBandComb)) OF IntraBandPowerClass-r16 OPTIONAL } BandCombination-v1690 ::= SEQUENCE { ca-ParametersNR-v1690 CA-ParametersNR-v1690 OPTIONAL } BandCombination-v16a0 ::= SEQUENCE { ca-ParametersNR-v16a0 CA-ParametersNR-v16a0 OPTIONAL, ca-ParametersNRDC-v16a0 CA-ParametersNRDC-v16a0 OPTIONAL } BandCombination-v1700 ::= SEQUENCE { ca-ParametersNR-v1700 CA-ParametersNR-v1700 OPTIONAL, ca-ParametersNRDC-v1700 CA-ParametersNRDC-v1700 OPTIONAL, mrdc-Parameters-v1700 MRDC-Parameters-v1700 OPTIONAL, bandList-v1710 SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandParameters-v1710 OPTIONAL, supportedBandCombListPerBC-SL-RelayDiscovery-r17 BIT STRING (SIZE (1..maxBandComb)) OPTIONAL, supportedBandCombListPerBC-SL-NonRelayDiscovery-r17 BIT STRING (SIZE (1..maxBandComb)) OPTIONAL } BandCombination-v1720 ::= SEQUENCE { ca-ParametersNR-v1720 CA-ParametersNR-v1720 OPTIONAL, ca-ParametersNRDC-v1720 CA-ParametersNRDC-v1720 OPTIONAL } BandCombination-v1730 ::= SEQUENCE { ca-ParametersNR-v1730 CA-ParametersNR-v1730 OPTIONAL, ca-ParametersNRDC-v1730 CA-ParametersNRDC-v1730 OPTIONAL, bandList-v1730 SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandParameters-v1730 OPTIONAL } BandCombination-v1740 ::= SEQUENCE { ca-ParametersNR-v1740 CA-ParametersNR-v1740 OPTIONAL } BandCombination-UplinkTxSwitch-r16 ::= SEQUENCE { bandCombination-r16 BandCombination, bandCombination-v1540 BandCombination-v1540 OPTIONAL, bandCombination-v1560 BandCombination-v1560 OPTIONAL, bandCombination-v1570 BandCombination-v1570 OPTIONAL, bandCombination-v1580 BandCombination-v1580 OPTIONAL, bandCombination-v1590 BandCombination-v1590 OPTIONAL, bandCombination-v1610 BandCombination-v1610 OPTIONAL, supportedBandPairListNR-r16 SEQUENCE (SIZE (1..maxULTxSwitchingBandPairs)) OF ULTxSwitchingBandPair-r16, uplinkTxSwitching-OptionSupport-r16 ENUMERATED {switchedUL, dualUL, both} OPTIONAL, uplinkTxSwitching-PowerBoosting-r16 ENUMERATED {supported} OPTIONAL, ..., [[ -- R4 16-5 UL-MIMO coherence capability for dynamic Tx switching between 3CC 1Tx-2Tx switching uplinkTxSwitching-PUSCH-TransCoherence-r16 ENUMERATED {nonCoherent, fullCoherent} OPTIONAL ]] } BandCombination-UplinkTxSwitch-v1630 ::= SEQUENCE { bandCombination-v1630 BandCombination-v1630 OPTIONAL } BandCombination-UplinkTxSwitch-v1640 ::= SEQUENCE { bandCombination-v1640 BandCombination-v1640 OPTIONAL } BandCombination-UplinkTxSwitch-v1650 ::= SEQUENCE { bandCombination-v1650 BandCombination-v1650 OPTIONAL } BandCombination-UplinkTxSwitch-v1670 ::= SEQUENCE { bandCombination-v15g0 BandCombination-v15g0 OPTIONAL } BandCombination-UplinkTxSwitch-v1690 ::= SEQUENCE { bandCombination-v1690 BandCombination-v1690 OPTIONAL } BandCombination-UplinkTxSwitch-v16a0 ::= SEQUENCE { bandCombination-v16a0 BandCombination-v16a0 OPTIONAL } BandCombination-UplinkTxSwitch-v1700 ::= SEQUENCE { bandCombination-v1700 BandCombination-v1700 OPTIONAL, -- R4 16-1/16-2/16-3 Dynamic Tx switching between 2CC/3CC 2Tx-2Tx/1Tx-2Tx switching supportedBandPairListNR-v1700 SEQUENCE (SIZE (1..maxULTxSwitchingBandPairs)) OF ULTxSwitchingBandPair-v1700 OPTIONAL, -- R4 16-6: UL-MIMO coherence capability for dynamic Tx switching between 2Tx-2Tx switching uplinkTxSwitchingBandParametersList-v1700 SEQUENCE (SIZE (1.. maxSimultaneousBands)) OF UplinkTxSwitchingBandParameters-v1700 OPTIONAL } BandCombination-UplinkTxSwitch-v1720 ::= SEQUENCE { bandCombination-v1720 BandCombination-v1720 OPTIONAL, uplinkTxSwitching-OptionSupport2T2T-r17 ENUMERATED {switchedUL, dualUL, both} OPTIONAL } BandCombination-UplinkTxSwitch-v1730 ::= SEQUENCE { bandCombination-v1730 BandCombination-v1730 OPTIONAL } BandCombination-UplinkTxSwitch-v1740 ::= SEQUENCE { bandCombination-v1740 BandCombination-v1740 OPTIONAL } ULTxSwitchingBandPair-r16 ::= SEQUENCE { bandIndexUL1-r16 INTEGER(1..maxSimultaneousBands), bandIndexUL2-r16 INTEGER(1..maxSimultaneousBands), uplinkTxSwitchingPeriod-r16 ENUMERATED {n35us, n140us, n210us}, uplinkTxSwitching-DL-Interruption-r16 BIT STRING (SIZE(1..maxSimultaneousBands)) OPTIONAL } ULTxSwitchingBandPair-v1700 ::= SEQUENCE { uplinkTxSwitchingPeriod2T2T-r17 ENUMERATED {n35us, n140us, n210us} OPTIONAL } UplinkTxSwitchingBandParameters-v1700 ::= SEQUENCE { bandIndex-r17 INTEGER(1..maxSimultaneousBands), uplinkTxSwitching2T2T-PUSCH-TransCoherence-r17 ENUMERATED {nonCoherent, fullCoherent} OPTIONAL } BandParameters ::= CHOICE { eutra SEQUENCE { bandEUTRA FreqBandIndicatorEUTRA, ca-BandwidthClassDL-EUTRA CA-BandwidthClassEUTRA OPTIONAL, ca-BandwidthClassUL-EUTRA CA-BandwidthClassEUTRA OPTIONAL }, nr SEQUENCE { bandNR FreqBandIndicatorNR, ca-BandwidthClassDL-NR CA-BandwidthClassNR OPTIONAL, ca-BandwidthClassUL-NR CA-BandwidthClassNR OPTIONAL } } BandParameters-v1540 ::= SEQUENCE { srs-CarrierSwitch CHOICE { nr SEQUENCE { srs-SwitchingTimesListNR SEQUENCE (SIZE (1..maxSimultaneousBands)) OF SRS-SwitchingTimeNR }, eutra SEQUENCE { srs-SwitchingTimesListEUTRA SEQUENCE (SIZE (1..maxSimultaneousBands)) OF SRS-SwitchingTimeEUTRA } } OPTIONAL, srs-TxSwitch SEQUENCE { supportedSRS-TxPortSwitch ENUMERATED {t1r2, t1r4, t2r4, t1r4-t2r4, t1r1, t2r2, t4r4, notSupported}, txSwitchImpactToRx INTEGER (1..32) OPTIONAL, txSwitchWithAnotherBand INTEGER (1..32) OPTIONAL } OPTIONAL } BandParameters-v1610 ::= SEQUENCE { srs-TxSwitch-v1610 SEQUENCE { supportedSRS-TxPortSwitch-v1610 ENUMERATED {t1r1-t1r2, t1r1-t1r2-t1r4, t1r1-t1r2-t2r2-t2r4, t1r1-t1r2-t2r2-t1r4-t2r4, t1r1-t2r2, t1r1-t2r2-t4r4} } OPTIONAL } BandParameters-v1710 ::= SEQUENCE { -- R1 23-8-3 SRS Antenna switching for >4Rx srs-AntennaSwitchingBeyond4RX-r17 SEQUENCE { -- 1. Support of SRS antenna switching xTyR with y>4 supportedSRS-TxPortSwitchBeyond4Rx-r17 BIT STRING (SIZE (11)), -- 2. Report the entry number of the first-listed band with UL in the band combination that affects this DL entryNumberAffectBeyond4Rx-r17 INTEGER (1..32) OPTIONAL, -- 3. Report the entry number of the first-listed band with UL in the band combination that switches together with this UL entryNumberSwitchBeyond4Rx-r17 INTEGER (1..32) OPTIONAL } OPTIONAL } BandParameters-v1730 ::= SEQUENCE { -- R1 39-3-2 Affected bands for inter-band CA during SRS carrier switching srs-SwitchingAffectedBandsListNR-r17 SEQUENCE (SIZE (1..maxSimultaneousBands)) OF SRS-SwitchingAffectedBandsNR-r17 } ScalingFactorSidelink-r16 ::= ENUMERATED {f0p4, f0p75, f0p8, f1} IntraBandPowerClass-r16 ::= ENUMERATED {pc2, pc3, spare6, spare5, spare4, spare3, spare2, spare1} SRS-SwitchingAffectedBandsNR-r17 ::= BIT STRING (SIZE (1..maxSimultaneousBands)) -- TAG-BANDCOMBINATIONLIST-STOP -- TAG-BANDCOMBINATIONLISTSIDELINKEUTRANR-START BandCombinationListSidelinkEUTRA-NR-r16 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombinationParametersSidelinkEUTRA-NR-r16 BandCombinationListSidelinkEUTRA-NR-v1630 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombinationParametersSidelinkEUTRA-NR-v1630 BandCombinationListSidelinkEUTRA-NR-v1710 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombinationParametersSidelinkEUTRA-NR-v1710 BandCombinationParametersSidelinkEUTRA-NR-r16 ::= SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandParametersSidelinkEUTRA-NR-r16 BandCombinationParametersSidelinkEUTRA-NR-v1630 ::= SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandParametersSidelinkEUTRA-NR-v1630 BandCombinationParametersSidelinkEUTRA-NR-v1710 ::= SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandParametersSidelinkEUTRA-NR-v1710 BandParametersSidelinkEUTRA-NR-r16 ::= CHOICE { eutra SEQUENCE { bandParametersSidelinkEUTRA1-r16 OCTET STRING OPTIONAL, bandParametersSidelinkEUTRA2-r16 OCTET STRING OPTIONAL }, nr SEQUENCE { bandParametersSidelinkNR-r16 BandParametersSidelink-r16 } } BandParametersSidelinkEUTRA-NR-v1630 ::= CHOICE { eutra NULL, nr SEQUENCE { tx-Sidelink-r16 ENUMERATED {supported} OPTIONAL, rx-Sidelink-r16 ENUMERATED {supported} OPTIONAL, sl-CrossCarrierScheduling-r16 ENUMERATED {supported} OPTIONAL } } BandParametersSidelinkEUTRA-NR-v1710 ::= CHOICE { eutra NULL, nr SEQUENCE { --32-4 sl-TransmissionMode2-PartialSensing-r17 SEQUENCE { harq-TxProcessModeTwoSidelink-r17 ENUMERATED {n8, n16}, scs-CP-PatternTxSidelinkModeTwo-r17 CHOICE { fr1-r17 SEQUENCE { scs-15kHz-r17 BIT STRING (SIZE (16)) OPTIONAL, scs-30kHz-r17 BIT STRING (SIZE (16)) OPTIONAL, scs-60kHz-r17 BIT STRING (SIZE (16)) OPTIONAL }, fr2-r17 SEQUENCE { scs-60kHz-r17 BIT STRING (SIZE (16)) OPTIONAL, scs-120kHz-r17 BIT STRING (SIZE (16)) OPTIONAL } } OPTIONAL, extendedCP-Mode2PartialSensing-r17 ENUMERATED {supported} OPTIONAL, dl-openLoopPC-Sidelink-r17 ENUMERATED {supported} OPTIONAL } OPTIONAL, --32-2a: Receiving NR sidelink of PSFCH rx-sidelinkPSFCH-r17 ENUMERATED {n5, n15, n25, n32, n35, n45, n50, n64} OPTIONAL, --32-5a-1 tx-IUC-Scheme1-Mode2Sidelink-r17 ENUMERATED {supported} OPTIONAL, --32-5b-1 tx-IUC-Scheme2-Mode2Sidelink-r17 ENUMERATED {n4, n8, n16} OPTIONAL } } BandParametersSidelink-r16 ::= SEQUENCE { freqBandSidelink-r16 FreqBandIndicatorNR } -- TAG-BANDCOMBINATIONLISTSIDELINKEUTRANR-STOP -- TAG-BANDCOMBINATIONLISTSLDISCOVERY-START BandCombinationListSL-Discovery-r17 ::= SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandParametersSidelinkDiscovery-r17 BandParametersSidelinkDiscovery-r17 ::= SEQUENCE { sl-CrossCarrierScheduling-r17 ENUMERATED {supported} OPTIONAL, --R1 32-4: Transmitting NR sidelink mode 2 with partial sensing sl-TransmissionMode2-PartialSensing-r17 SEQUENCE { harq-TxProcessModeTwoSidelink-r17 ENUMERATED {n8, n16}, scs-CP-PatternTxSidelinkModeTwo-r17 CHOICE { fr1-r17 SEQUENCE { scs-15kHz-r17 BIT STRING (SIZE (16)) OPTIONAL, scs-30kHz-r17 BIT STRING (SIZE (16)) OPTIONAL, scs-60kHz-r17 BIT STRING (SIZE (16)) OPTIONAL }, fr2-r17 SEQUENCE { scs-60kHz-r17 BIT STRING (SIZE (16)) OPTIONAL, scs-120kHz-r17 BIT STRING (SIZE (16)) OPTIONAL } } OPTIONAL, extendedCP-Mode2PartialSensing-r17 ENUMERATED {supported} OPTIONAL, dl-openLoopPC-Sidelink-r17 ENUMERATED {supported} OPTIONAL } OPTIONAL, --R1 32-5a-1: Transmitting Inter-UE coordination scheme 1 in NR sidelink mode 2 tx-IUC-Scheme1-Mode2Sidelink-r17 ENUMERATED {supported} OPTIONAL } -- TAG-BANDCOMBINATIONLISTSLDISCOVERY-STOP -- TAG-CA-BANDWIDTHCLASSEUTRA-START CA-BandwidthClassEUTRA ::= ENUMERATED {a, b, c, d, e, f, ...} -- TAG-CA-BANDWIDTHCLASSEUTRA-STOP -- TAG-CA-BANDWIDTHCLASSNR-START -- R4 17-6: new CA BW Classes R2~R12 CA-BandwidthClassNR ::= ENUMERATED {a, b, c, d, e, f, g, h, i, j, k, l, m, n, o, p, q, ...,r2-v1730, r3-v1730, r4-v1730, r5-v1730, r6-v1730, r7-v1730, r8-v1730, r9-v1730, r10-v1730, r11-v1730, r12-v1730 } -- TAG-CA-BANDWIDTHCLASSNR-STOP -- TAG-CA-PARAMETERSEUTRA-START CA-ParametersEUTRA ::= SEQUENCE { multipleTimingAdvance ENUMERATED {supported} OPTIONAL, simultaneousRx-Tx ENUMERATED {supported} OPTIONAL, supportedNAICS-2CRS-AP BIT STRING (SIZE (1..8)) OPTIONAL, additionalRx-Tx-PerformanceReq ENUMERATED {supported} OPTIONAL, ue-CA-PowerClass-N ENUMERATED {class2} OPTIONAL, supportedBandwidthCombinationSetEUTRA-v1530 BIT STRING (SIZE (1..32)) OPTIONAL, ... } CA-ParametersEUTRA-v1560 ::= SEQUENCE { fd-MIMO-TotalWeightedLayers INTEGER (2..128) OPTIONAL } CA-ParametersEUTRA-v1570 ::= SEQUENCE { dl-1024QAM-TotalWeightedLayers INTEGER (0..10) OPTIONAL } -- TAG-CA-PARAMETERSEUTRA-STOP -- TAG-CA-PARAMETERSNR-START CA-ParametersNR ::= SEQUENCE { dummy ENUMERATED {supported} OPTIONAL, parallelTxSRS-PUCCH-PUSCH ENUMERATED {supported} OPTIONAL, parallelTxPRACH-SRS-PUCCH-PUSCH ENUMERATED {supported} OPTIONAL, simultaneousRxTxInterBandCA ENUMERATED {supported} OPTIONAL, simultaneousRxTxSUL ENUMERATED {supported} OPTIONAL, diffNumerologyAcrossPUCCH-Group ENUMERATED {supported} OPTIONAL, diffNumerologyWithinPUCCH-GroupSmallerSCS ENUMERATED {supported} OPTIONAL, supportedNumberTAG ENUMERATED {n2, n3, n4} OPTIONAL, ... } CA-ParametersNR-v1540 ::= SEQUENCE { simultaneousSRS-AssocCSI-RS-AllCC INTEGER (5..32) OPTIONAL, csi-RS-IM-ReceptionForFeedbackPerBandComb SEQUENCE { maxNumberSimultaneousNZP-CSI-RS-ActBWP-AllCC INTEGER (1..64) OPTIONAL, totalNumberPortsSimultaneousNZP-CSI-RS-ActBWP-AllCC INTEGER (2..256) OPTIONAL } OPTIONAL, simultaneousCSI-ReportsAllCC INTEGER (5..32) OPTIONAL, dualPA-Architecture ENUMERATED {supported} OPTIONAL } CA-ParametersNR-v1550 ::= SEQUENCE { dummy ENUMERATED {supported} OPTIONAL } CA-ParametersNR-v1560 ::= SEQUENCE { diffNumerologyWithinPUCCH-GroupLargerSCS ENUMERATED {supported} OPTIONAL } CA-ParametersNR-v15g0 ::= SEQUENCE { simultaneousRxTxInterBandCAPerBandPair SimultaneousRxTxPerBandPair OPTIONAL, simultaneousRxTxSULPerBandPair SimultaneousRxTxPerBandPair OPTIONAL } CA-ParametersNR-v1610 ::= SEQUENCE { -- R1 9-3: Parallel MsgA and SRS/PUCCH/PUSCH transmissions across CCs in inter-band CA parallelTxMsgA-SRS-PUCCH-PUSCH-r16 ENUMERATED {supported} OPTIONAL, -- R1 9-4: MsgA operation in a band combination including SUL msgA-SUL-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-9c: Joint search space group switching across multiple cells jointSearchSpaceSwitchAcrossCells-r16 ENUMERATED {supported} OPTIONAL, -- R1 14-5: Half-duplex UE behaviour in TDD CA for same SCS half-DuplexTDD-CA-SameSCS-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-4: SCell dormancy within active time scellDormancyWithinActiveTime-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-4a: SCell dormancy outside active time scellDormancyOutsideActiveTime-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-6: Cross-carrier A-CSI RS triggering with different SCS crossCarrierA-CSI-trigDiffSCS-r16 ENUMERATED {higherA-CSI-SCS,lowerA-CSI-SCS,both} OPTIONAL, -- R1 18-6a: Default QCL assumption for cross-carrier A-CSI-RS triggering defaultQCL-CrossCarrierA-CSI-Trig-r16 ENUMERATED {diffOnly, both} OPTIONAL, -- R1 18-7: CA with non-aligned frame boundaries for inter-band CA interCA-NonAlignedFrame-r16 ENUMERATED {supported} OPTIONAL, simul-SRS-Trans-BC-r16 ENUMERATED {n2} OPTIONAL, interFreqDAPS-r16 SEQUENCE { interFreqAsyncDAPS-r16 ENUMERATED {supported} OPTIONAL, interFreqDiffSCS-DAPS-r16 ENUMERATED {supported} OPTIONAL, interFreqMultiUL-TransmissionDAPS-r16 ENUMERATED {supported} OPTIONAL, interFreqSemiStaticPowerSharingDAPS-Mode1-r16 ENUMERATED {supported} OPTIONAL, interFreqSemiStaticPowerSharingDAPS-Mode2-r16 ENUMERATED {supported} OPTIONAL, interFreqDynamicPowerSharingDAPS-r16 ENUMERATED {short, long} OPTIONAL, interFreqUL-TransCancellationDAPS-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, codebookParametersPerBC-r16 CodebookParameters-v1610 OPTIONAL, -- R1 16-2a-10 Value of R for BD/CCE blindDetectFactor-r16 INTEGER (1..2) OPTIONAL, -- R1 11-2a: Capability on the number of CCs for monitoring a maximum number of BDs and non-overlapped CCEs per span when configured -- with DL CA with Rel-16 PDCCH monitoring capability on all the serving cells pdcch-MonitoringCA-r16 SEQUENCE { maxNumberOfMonitoringCC-r16 INTEGER (2..16), supportedSpanArrangement-r16 ENUMERATED {alignedOnly, alignedAndNonAligned} } OPTIONAL, -- R1 11-2c: Number of carriers for CCE/BD scaling with DL CA with mix of Rel. 16 and Rel. 15 PDCCH monitoring capabilities on -- different carriers pdcch-BlindDetectionCA-Mixed-r16 SEQUENCE { pdcch-BlindDetectionCA1-r16 INTEGER (1..15), pdcch-BlindDetectionCA2-r16 INTEGER (1..15), supportedSpanArrangement-r16 ENUMERATED {alignedOnly, alignedAndNonAligned} } OPTIONAL, -- R1 11-2d: Capability on the number of CCs for monitoring a maximum number of BDs and non-overlapped CCEs per span for MCG and for -- SCG when configured for NR-DC operation with Rel-16 PDCCH monitoring capability on all the serving cells pdcch-BlindDetectionMCG-UE-r16 INTEGER (1..14) OPTIONAL, pdcch-BlindDetectionSCG-UE-r16 INTEGER (1..14) OPTIONAL, -- R1 11-2e: Number of carriers for CCE/BD scaling for MCG and for SCG when configured for NR-DC operation with mix of Rel. 16 and -- Rel. 15 PDCCH monitoring capabilities on different carriers pdcch-BlindDetectionMCG-UE-Mixed-r16 SEQUENCE { pdcch-BlindDetectionMCG-UE1-r16 INTEGER (0..15), pdcch-BlindDetectionMCG-UE2-r16 INTEGER (0..15) } OPTIONAL, pdcch-BlindDetectionSCG-UE-Mixed-r16 SEQUENCE { pdcch-BlindDetectionSCG-UE1-r16 INTEGER (0..15), pdcch-BlindDetectionSCG-UE2-r16 INTEGER (0..15) } OPTIONAL, -- R1 18-5 cross-carrier scheduling with different SCS in DL CA crossCarrierSchedulingDL-DiffSCS-r16 ENUMERATED {low-to-high, high-to-low, both} OPTIONAL, -- R1 18-5a Default QCL assumption for cross-carrier scheduling crossCarrierSchedulingDefaultQCL-r16 ENUMERATED {diff-only, both} OPTIONAL, -- R1 18-5b cross-carrier scheduling with different SCS in UL CA crossCarrierSchedulingUL-DiffSCS-r16 ENUMERATED {low-to-high, high-to-low, both} OPTIONAL, -- R1 13.19a Simultaneous positioning SRS and MIMO SRS transmission for a given BC simul-SRS-MIMO-Trans-BC-r16 ENUMERATED {n2} OPTIONAL, -- R1 16-3a, 16-3a-1, 16-3b, 16-3b-1: New Individual Codebook codebookParametersAdditionPerBC-r16 CodebookParametersAdditionPerBC-r16 OPTIONAL, -- R1 16-8: Mixed codebook codebookComboParametersAdditionPerBC-r16 CodebookComboParametersAdditionPerBC-r16 OPTIONAL } CA-ParametersNR-v1630 ::= SEQUENCE { -- R1 22-5b: Simultaneous transmission of SRS for antenna switching and SRS for CB/NCB /BM for inter-band UL CA -- R1 22-5d: Simultaneous transmission of SRS for antenna switching for inter-band UL CA simulTX-SRS-AntSwitchingInterBandUL-CA-r16 SimulSRS-ForAntennaSwitching-r16 OPTIONAL, -- R4 8-5: supported beam management type for inter-band CA beamManagementType-r16 ENUMERATED {ibm, dummy} OPTIONAL, -- R4 7-3a: UL frequency separation class with aggregate BW and Gap BW intraBandFreqSeparationUL-AggBW-GapBW-r16 ENUMERATED {classI, classII, classIII} OPTIONAL, -- RAN 89: Case B in case of Inter-band CA with non-aligned frame boundaries interCA-NonAlignedFrame-B-r16 ENUMERATED {supported} OPTIONAL } CA-ParametersNR-v1640 ::= SEQUENCE { -- R4 7-5: Support of reporting UL Tx DC locations for uplink intra-band CA. uplinkTxDC-TwoCarrierReport-r16 ENUMERATED {supported} OPTIONAL, -- RAN 22-6: Support of up to 3 different numerologies in the same NR PUCCH group for NR part of EN-DC, NGEN-DC, NE-DC and NR-CA -- where UE is not configured with two NR PUCCH groups maxUpTo3Diff-NumerologiesConfigSinglePUCCH-grp-r16 PUCCH-Grp-CarrierTypes-r16 OPTIONAL, -- RAN 22-6a: Support of up to 4 different numerologies in the same NR PUCCH group for NR part of EN-DC, NGEN-DC, NE-DC and NR-CA -- where UE is not configured with two NR PUCCH groups maxUpTo4Diff-NumerologiesConfigSinglePUCCH-grp-r16 PUCCH-Grp-CarrierTypes-r16 OPTIONAL, -- RAN 22-7: Support two PUCCH groups for NR-CA with 3 or more bands with at least two carrier types twoPUCCH-Grp-ConfigurationsList-r16 SEQUENCE (SIZE (1..maxTwoPUCCH-Grp-ConfigList-r16)) OF TwoPUCCH-Grp-Configurations-r16 OPTIONAL, -- R1 22-7a: Different numerology across NR PUCCH groups diffNumerologyAcrossPUCCH-Group-CarrierTypes-r16 ENUMERATED {supported} OPTIONAL, -- R1 22-7b: Different numerologies across NR carriers within the same NR PUCCH group, with PUCCH on a carrier of smaller SCS diffNumerologyWithinPUCCH-GroupSmallerSCS-CarrierTypes-r16 ENUMERATED {supported} OPTIONAL, -- R1 22-7c: Different numerologies across NR carriers within the same NR PUCCH group, with PUCCH on a carrier of larger SCS diffNumerologyWithinPUCCH-GroupLargerSCS-CarrierTypes-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-2f: add the replicated FGs of 11-2a/c with restriction for non-aligned span case -- with DL CA with Rel-16 PDCCH monitoring capability on all the serving cells pdcch-MonitoringCA-NonAlignedSpan-r16 INTEGER (2..16) OPTIONAL, -- R1 11-2g: add the replicated FGs of 11-2a/c with restriction for non-aligned span case pdcch-BlindDetectionCA-Mixed-NonAlignedSpan-r16 SEQUENCE { pdcch-BlindDetectionCA1-r16 INTEGER (1..15), pdcch-BlindDetectionCA2-r16 INTEGER (1..15) } OPTIONAL } CA-ParametersNR-v1690 ::= SEQUENCE { csi-ReportingCrossPUCCH-Grp-r16 SEQUENCE { computationTimeForA-CSI-r16 ENUMERATED {sameAsNoCross, relaxed}, additionalSymbols-r16 SEQUENCE { scs-15kHz-additionalSymbols-r16 ENUMERATED {s14, s28} OPTIONAL, scs-30kHz-additionalSymbols-r16 ENUMERATED {s14, s28} OPTIONAL, scs-60kHz-additionalSymbols-r16 ENUMERATED {s14, s28, s56} OPTIONAL, scs-120kHz-additionalSymbols-r16 ENUMERATED {s14, s28, s56} OPTIONAL } OPTIONAL, sp-CSI-ReportingOnPUCCH-r16 ENUMERATED {supported} OPTIONAL, sp-CSI-ReportingOnPUSCH-r16 ENUMERATED {supported} OPTIONAL, carrierTypePairList-r16 SEQUENCE (SIZE (1..maxCarrierTypePairList-r16)) OF CarrierTypePair-r16 } OPTIONAL } CA-ParametersNR-v16a0 ::= SEQUENCE { pdcch-BlindDetectionMixedList-r16 SEQUENCE(SIZE(1..maxNrofPdcch-BlindDetectionMixed-1-r16)) OF PDCCH-BlindDetectionMixedList-r16 } CA-ParametersNR-v1700 ::= SEQUENCE { -- R1 23-9-1: Basic Features of Further Enhanced Port-Selection Type II Codebook (FeType-II) per band combination information codebookParametersfetype2PerBC-r17 CodebookParametersfetype2PerBC-r17 OPTIONAL, -- R4 18-4: Support of enhanced Demodulation requirements for CA in HST SFN FR1 demodulationEnhancementCA-r17 ENUMERATED {supported} OPTIONAL, -- R4 20-1: Maximum uplink duty cycle for NR inter-band CA power class 2 maxUplinkDutyCycle-interBandCA-PC2-r17 ENUMERATED {n50, n60, n70, n80, n90, n100} OPTIONAL, -- R4 20-2: Maximum uplink duty cycle for NR SUL combination power class 2 maxUplinkDutyCycle-SULcombination-PC2-r17 ENUMERATED {n50, n60, n70, n80, n90, n100} OPTIONAL, beamManagementType-CBM-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-18: Parallel PUCCH and PUSCH transmission across CCs in inter-band CA parallelTxPUCCH-PUSCH-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-9-5 Active CSI-RS resources and ports for mixed codebook types in any slot per band combination codebookComboParameterMixedTypePerBC-r17 CodebookComboParameterMixedTypePerBC-r17 OPTIONAL, -- R1 23-7-1 Basic Features of CSI Enhancement for Multi-TRP mTRP-CSI-EnhancementPerBC-r17 SEQUENCE { maxNumNZP-CSI-RS-r17 INTEGER (2..8), cSI-Report-mode-r17 ENUMERATED {mode1, mode2, both}, supportedComboAcrossCCs-r17 SEQUENCE (SIZE (1..16)) OF CSI-MultiTRP-SupportedCombinations-r17, codebookMode-NCJT-r17 ENUMERATED{mode1,mode1And2} } OPTIONAL, -- R1 23-7-1b Active CSI-RS resources and ports in the presence of multi-TRP CSI codebookComboParameterMultiTRP-PerBC-r17 CodebookComboParameterMultiTRP-PerBC-r17 OPTIONAL, -- R1 24-8b: 32 DL HARQ processes for FR 2-2 - maximum number of component carriers maxCC-32-DL-HARQ-ProcessFR2-2-r17 ENUMERATED {n1, n2, n3, n4, n6, n8, n16, n32} OPTIONAL, -- R1 24-9b: 32 UL HARQ processes for FR 2-2 - maximum number of component carriers maxCC-32-UL-HARQ-ProcessFR2-2-r17 ENUMERATED {n1, n2, n3, n4, n5, n8, n16, n32} OPTIONAL, -- R1 34-2: Cross-carrier scheduling from SCell to PCell/PSCell (Type B) crossCarrierSchedulingSCell-SpCellTypeB-r17 CrossCarrierSchedulingSCell-SpCell-r17 OPTIONAL, -- R1 34-1: Cross-carrier scheduling from SCell to PCell/PSCell with search space restrictions (Type A) crossCarrierSchedulingSCell-SpCellTypeA-r17 CrossCarrierSchedulingSCell-SpCell-r17 OPTIONAL, -- R1 34-1a: DCI formats on PCell/PSCell USS set(s) support dci-FormatsPCellPSCellUSS-Sets-r17 ENUMERATED {supported} OPTIONAL, -- R1 34-3: Disabling scaling factor alpha when sSCell is deactivated disablingScalingFactorDeactSCell-r17 ENUMERATED {supported} OPTIONAL, -- R1 34-4: Disabling scaling factor alpha when sSCell is deactivated disablingScalingFactorDormantSCell-r17 ENUMERATED {supported} OPTIONAL, -- R1 34-5: Non-aligned frame boundaries between PCell/PSCell and sSCell non-AlignedFrameBoundaries-r17 SEQUENCE { scs15kHz-15kHz-r17 BIT STRING (SIZE (1..496)) OPTIONAL, scs15kHz-30kHz-r17 BIT STRING (SIZE (1..496)) OPTIONAL, scs15kHz-60kHz-r17 BIT STRING (SIZE (1..496)) OPTIONAL, scs30kHz-30kHz-r17 BIT STRING (SIZE (1..496)) OPTIONAL, scs30kHz-60kHz-r17 BIT STRING (SIZE (1..496)) OPTIONAL, scs60kHz-60kHz-r17 BIT STRING (SIZE (1..496)) OPTIONAL } OPTIONAL } CA-ParametersNR-v1720 ::= SEQUENCE { -- R1 39-1: Parallel SRS and PUCCH/PUSCH transmission across CCs in intra-band non-contiguous CA parallelTxSRS-PUCCH-PUSCH-intraBand-r17 ENUMERATED {supported} OPTIONAL, -- R1 39-2: Parallel PRACH and SRS/PUCCH/PUSCH transmissions across CCs in intra-band non-contiguous CA parallelTxPRACH-SRS-PUCCH-PUSCH-intraBand-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-9: Semi-static PUCCH cell switching for a single PUCCH group only semiStaticPUCCH-CellSwitchSingleGroup-r17 SEQUENCE { pucch-Group-r17 ENUMERATED {primaryGroupOnly, secondaryGroupOnly, eitherPrimaryOrSecondaryGroup}, pucch-Group-Config-r17 PUCCH-Group-Config-r17 } OPTIONAL, -- R1 25-9a: Semi-static PUCCH cell switching for two PUCCH groups semiStaticPUCCH-CellSwitchTwoGroups-r17 SEQUENCE (SIZE (1..maxTwoPUCCH-Grp-ConfigList-r17)) OF TwoPUCCH-Grp-Configurations-r17 OPTIONAL, -- R1 25-10: PUCCH cell switching based on dynamic indication for same length of overlapping PUCCH slots/sub-slots for a single -- PUCCH group only dynamicPUCCH-CellSwitchSameLengthSingleGroup-r17 SEQUENCE { pucch-Group-r17 ENUMERATED {primaryGroupOnly, secondaryGroupOnly, eitherPrimaryOrSecondaryGroup}, pucch-Group-Config-r17 PUCCH-Group-Config-r17 } OPTIONAL, -- R1 25-10a: PUCCH cell switching based on dynamic indication for different length of overlapping PUCCH slots/sub-slots -- for a single PUCCH group only dynamicPUCCH-CellSwitchDiffLengthSingleGroup-r17 SEQUENCE { pucch-Group-r17 ENUMERATED {primaryGroupOnly, secondaryGroupOnly, eitherPrimaryOrSecondaryGroup}, pucch-Group-Config-r17 PUCCH-Group-Config-r17 } OPTIONAL, -- R1 25-10b: PUCCH cell switching based on dynamic indication for same length of overlapping PUCCH slots/sub-slots for two PUCCH -- groups dynamicPUCCH-CellSwitchSameLengthTwoGroups-r17 SEQUENCE (SIZE (1..maxTwoPUCCH-Grp-ConfigList-r17)) OF TwoPUCCH-Grp-Configurations-r17 OPTIONAL, -- R1 25-10c: PUCCH cell switching based on dynamic indication for different length of overlapping PUCCH slots/sub-slots for two -- PUCCH groups dynamicPUCCH-CellSwitchDiffLengthTwoGroups-r17 SEQUENCE (SIZE (1..maxTwoPUCCH-Grp-ConfigList-r17)) OF TwoPUCCH-Grp-Configurations-r17 OPTIONAL, -- R1 33-2a: ACK/NACK based HARQ-ACK feedback and RRC-based enabling/disabling ACK/NACK-based -- feedback for dynamic scheduling for multicast ack-NACK-FeedbackForMulticast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-2d: PTP retransmission for multicast dynamic scheduling ptp-Retx-Multicast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-4: NACK-only based HARQ-ACK feedback for RRC-based enabling/disabling multicast with ACK/NACK transforming nack-OnlyFeedbackForMulticast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-4a: NACK-only based HARQ-ACK feedback for multicast corresponding to a specific sequence or a PUCCH transmission nack-OnlyFeedbackSpecificResourceForMulticast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-5-1a: ACK/NACK based HARQ-ACK feedback and RRC-based enabling/disabling ACK/NACK-based feedback -- for SPS group-common PDSCH for multicast ack-NACK-FeedbackForSPS-Multicast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-5-1d: PTP retransmission for SPS group-common PDSCH for multicast ptp-Retx-SPS-Multicast-r17 ENUMERATED {supported} OPTIONAL, -- R4 26-1: Higher Power Limit CA DC higherPowerLimit-r17 ENUMERATED {supported} OPTIONAL, -- R1 39-4: Parallel MsgA and SRS/PUCCH/PUSCH transmissions across CCs in intra-band non-contiguous CA parallelTxMsgA-SRS-PUCCH-PUSCH-intraBand-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-11a: Capability on the number of CCs for monitoring a maximum number of BDs and non-overlapped CCEs per span when -- configured with DL CA with Rel-17 PDCCH monitoring capability on all the serving cells pdcch-MonitoringCA-r17 INTEGER (4..16) OPTIONAL, -- R1 24-11f: Capability on the number of CCs for monitoring a maximum number of BDs and non-overlapped CCEs for MCG and for SCG -- when configured for NR-DC operation with Rel-17 PDCCH monitoring capability on all the serving cells pdcch-BlindDetectionMCG-SCG-List-r17 SEQUENCE(SIZE(1..maxNrofPdcch-BlindDetection-r17)) OF PDCCH-BlindDetectionMCG-SCG-r17 OPTIONAL, -- R1 24-11c: Number of carriers for CCE/BD scaling with DL CA with mix of Rel. 17 and Rel. 15 PDCCH monitoring capabilities on -- different Carriers -- R1 24-11g: Number of carriers for CCE/BD scaling for MCG and for SCG when configured for NR-DC operation with mix of Rel. 17 and -- Rel. 15 PDCCH monitoring capabilities on different carriers pdcch-BlindDetectionMixedList1-r17 SEQUENCE(SIZE(1..maxNrofPdcch-BlindDetection-r17)) OF PDCCH-BlindDetectionMixed-r17 OPTIONAL, -- R1 24-11d: Number of carriers for CCE/BD scaling with DL CA with mix of Rel. 17 and Rel. 16 PDCCH monitoring capabilities on -- different Carriers -- R1 24-11h: Number of carriers for CCE/BD scaling for MCG and for SCG when configured for NR-DC operation with mix of Rel. 17 and -- Rel. 16 PDCCH monitoring capabilities on different carriers pdcch-BlindDetectionMixedList2-r17 SEQUENCE(SIZE(1..maxNrofPdcch-BlindDetection-r17)) OF PDCCH-BlindDetectionMixed-r17 OPTIONAL, -- R1 24-11e: Number of carriers for CCE/BD scaling with DL CA with mix of Rel. 17, Rel. 16 and Rel. 15 PDCCH monitoring -- capabilities on different carriers -- R1 24-11i: Number of carriers for CCE/BD scaling for MCG and for SCG when configured for NR-DC operation with mix of Rel. 17, -- Rel. 16 and Rel. 15 PDCCH monitoring capabilities on different carriers pdcch-BlindDetectionMixedList3-r17 SEQUENCE(SIZE(1..maxNrofPdcch-BlindDetection-r17)) OF PDCCH-BlindDetectionMixed1-r17 OPTIONAL } CA-ParametersNR-v1730 ::= SEQUENCE { -- R1 30-4a: DM-RS bundling for PUSCH repetition type A (per BC) dmrs-BundlingPUSCH-RepTypeAPerBC-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4b: DM-RS bundling for PUSCH repetition type B(per BC) dmrs-BundlingPUSCH-RepTypeBPerBC-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4c: DM-RS bundling for TB processing over multi-slot PUSCH(per BC) dmrs-BundlingPUSCH-multiSlotPerBC-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4d: DMRS bundling for PUCCH repetitions(per BC) dmrs-BundlingPUCCH-RepPerBC-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4g: Restart DM-RS bundling (per BC) dmrs-BundlingRestartPerBC-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4h: DM-RS bundling for non-back-to-back transmission (per BC) dmrs-BundlingNonBackToBackTX-PerBC-r17 ENUMERATED {supported} OPTIONAL, -- R1 39-3-1: Stay on the target CC for SRS carrier switching stayOnTargetCC-SRS-CarrierSwitch-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-3-3a: FDM-ed Type-1 and Type-2 HARQ-ACK codebooks for multiplexing HARQ-ACK for unicast and HARQ-ACK for multicast fdm-CodebookForMux-UnicastMulticastHARQ-ACK-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-3-3b: Mode 2 TDM-ed Type-1 and Type-2 HARQ-ACK codebook for multiplexing HARQ-ACK for unicast and HARQ-ACK for multicast mode2-TDM-CodebookForMux-UnicastMulticastHARQ-ACK-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-3-4: Mode 1 for type1 codebook generation mode1-ForType1-CodebookGeneration-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-5-1j: NACK-only based HARQ-ACK feedback for multicast corresponding to a specific sequence or a PUCCH transmission -- for SPS group-commmon PDSCH for multicast nack-OnlyFeedbackSpecificResourceForSPS-Multicast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-8-2: Up to 2 PUCCH resources configuration for multicast feedback for dynamically scheduled multicast multiPUCCH-ConfigForMulticast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-8-3: PUCCH resource configuration for multicast feedback for SPS GC-PDSCH pucch-ConfigForSPS-Multicast-r17 ENUMERATED {supported} OPTIONAL, -- The following parameter is associated with R1 33-2a, R1 33-3-3a, and R1 33-3-3b, and is not a RAN1 FG. maxNumberG-RNTI-HARQ-ACK-Codebook-r17 INTEGER (1..4) OPTIONAL, -- R1 33-3-5: Feedback multiplexing for unicast PDSCH and group-common PDSCH for multicast with same priority and different codebook -- type mux-HARQ-ACK-UnicastMulticast-r17 ENUMERATED {supported} OPTIONAL } CA-ParametersNR-v1740 ::= SEQUENCE { -- R1 33-5-1f: NACK-only based HARQ-ACK feedback for multicast RRC-based enabling/disabling NACK-only based feedback -- for SPS group-common PDSCH for multicast nack-OnlyFeedbackForSPS-Multicast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-8-1: PUCCH resource configuration for multicast feedback for dynamically scheduled multicast singlePUCCH-ConfigForMulticast-r17 ENUMERATED {supported} OPTIONAL } CrossCarrierSchedulingSCell-SpCell-r17 ::= SEQUENCE { supportedSCS-Combinations-r17 SEQUENCE { scs15kHz-15kHz-r17 ENUMERATED {supported} OPTIONAL, scs15kHz-30kHz-r17 ENUMERATED {supported} OPTIONAL, scs15kHz-60kHz-r17 ENUMERATED {supported} OPTIONAL, scs30kHz-30kHz-r17 BIT STRING (SIZE (1..496)) OPTIONAL, scs30kHz-60kHz-r17 BIT STRING (SIZE (1..496)) OPTIONAL, scs60kHz-60kHz-r17 BIT STRING (SIZE (1..496)) OPTIONAL }, pdcch-MonitoringOccasion-r17 ENUMERATED {val1, val2} } PDCCH-BlindDetectionMixedList-r16::= SEQUENCE { pdcch-BlindDetectionCA-MixedExt-r16 CHOICE { pdcch-BlindDetectionCA-Mixed-v16a0 PDCCH-BlindDetectionCA-MixedExt-r16, pdcch-BlindDetectionCA-Mixed-NonAlignedSpan-v16a0 PDCCH-BlindDetectionCA-MixedExt-r16 } OPTIONAL, pdcch-BlindDetectionCG-UE-MixedExt-r16 SEQUENCE{ pdcch-BlindDetectionMCG-UE-Mixed-v16a0 PDCCH-BlindDetectionCG-UE-MixedExt-r16, pdcch-BlindDetectionSCG-UE-Mixed-v16a0 PDCCH-BlindDetectionCG-UE-MixedExt-r16 } OPTIONAL } PDCCH-BlindDetectionCA-MixedExt-r16 ::= SEQUENCE { pdcch-BlindDetectionCA1-r16 INTEGER (1..15), pdcch-BlindDetectionCA2-r16 INTEGER (1..15) } PDCCH-BlindDetectionCG-UE-MixedExt-r16 ::= SEQUENCE { pdcch-BlindDetectionCG-UE1-r16 INTEGER (0..15), pdcch-BlindDetectionCG-UE2-r16 INTEGER (0..15) } PDCCH-BlindDetectionMCG-SCG-r17 ::= SEQUENCE { pdcch-BlindDetectionMCG-UE-r17 INTEGER (1..15), pdcch-BlindDetectionSCG-UE-r17 INTEGER (1..15) } PDCCH-BlindDetectionMixed-r17::= SEQUENCE { pdcch-BlindDetectionCA-Mixed-r17 PDCCH-BlindDetectionCA-Mixed-r17 OPTIONAL, pdcch-BlindDetectionCG-UE-Mixed-r17 SEQUENCE{ pdcch-BlindDetectionMCG-UE-Mixed-v17 PDCCH-BlindDetectionCG-UE-Mixed-r17, pdcch-BlindDetectionSCG-UE-Mixed-v17 PDCCH-BlindDetectionCG-UE-Mixed-r17 } OPTIONAL } PDCCH-BlindDetectionCG-UE-Mixed-r17 ::= SEQUENCE { pdcch-BlindDetectionCG-UE1-r17 INTEGER (0..15), pdcch-BlindDetectionCG-UE2-r17 INTEGER (0..15) } PDCCH-BlindDetectionCA-Mixed-r17 ::= SEQUENCE { pdcch-BlindDetectionCA1-r17 INTEGER (1..15) OPTIONAL, pdcch-BlindDetectionCA2-r17 INTEGER (1..15) OPTIONAL } PDCCH-BlindDetectionMixed1-r17::= SEQUENCE { pdcch-BlindDetectionCA-Mixed1-r17 PDCCH-BlindDetectionCA-Mixed1-r17 OPTIONAL, pdcch-BlindDetectionCG-UE-Mixed1-r17 SEQUENCE{ pdcch-BlindDetectionMCG-UE-Mixed1-v17 PDCCH-BlindDetectionCG-UE-Mixed1-r17, pdcch-BlindDetectionSCG-UE-Mixed1-v17 PDCCH-BlindDetectionCG-UE-Mixed1-r17 } OPTIONAL } PDCCH-BlindDetectionCG-UE-Mixed1-r17 ::= SEQUENCE { pdcch-BlindDetectionCG-UE1-r17 INTEGER (0..15), pdcch-BlindDetectionCG-UE2-r17 INTEGER (0..15), pdcch-BlindDetectionCG-UE3-r17 INTEGER (0..15) } PDCCH-BlindDetectionCA-Mixed1-r17 ::= SEQUENCE { pdcch-BlindDetectionCA1-r17 INTEGER (1..15) OPTIONAL, pdcch-BlindDetectionCA2-r17 INTEGER (1..15) OPTIONAL, pdcch-BlindDetectionCA3-r17 INTEGER (1..15) OPTIONAL } SimulSRS-ForAntennaSwitching-r16 ::= SEQUENCE { supportSRS-xTyR-xLessThanY-r16 ENUMERATED {supported} OPTIONAL, supportSRS-xTyR-xEqualToY-r16 ENUMERATED {supported} OPTIONAL, supportSRS-AntennaSwitching-r16 ENUMERATED {supported} OPTIONAL } TwoPUCCH-Grp-Configurations-r16 ::= SEQUENCE { pucch-PrimaryGroupMapping-r16 TwoPUCCH-Grp-ConfigParams-r16, pucch-SecondaryGroupMapping-r16 TwoPUCCH-Grp-ConfigParams-r16 } TwoPUCCH-Grp-Configurations-r17 ::= SEQUENCE { primaryPUCCH-GroupConfig-r17 PUCCH-Group-Config-r17, secondaryPUCCH-GroupConfig-r17 PUCCH-Group-Config-r17 } TwoPUCCH-Grp-ConfigParams-r16 ::= SEQUENCE { pucch-GroupMapping-r16 PUCCH-Grp-CarrierTypes-r16, pucch-TX-r16 PUCCH-Grp-CarrierTypes-r16 } CarrierTypePair-r16 ::= SEQUENCE { carrierForCSI-Measurement-r16 PUCCH-Grp-CarrierTypes-r16, carrierForCSI-Reporting-r16 PUCCH-Grp-CarrierTypes-r16 } PUCCH-Grp-CarrierTypes-r16 ::= SEQUENCE { fr1-NonSharedTDD-r16 ENUMERATED {supported} OPTIONAL, fr1-SharedTDD-r16 ENUMERATED {supported} OPTIONAL, fr1-NonSharedFDD-r16 ENUMERATED {supported} OPTIONAL, fr2-r16 ENUMERATED {supported} OPTIONAL } PUCCH-Group-Config-r17 ::= SEQUENCE { fr1-FR1-NonSharedTDD-r17 ENUMERATED {supported} OPTIONAL, fr2-FR2-NonSharedTDD-r17 ENUMERATED {supported} OPTIONAL, fr1-FR2-NonSharedTDD-r17 ENUMERATED {supported} OPTIONAL } -- TAG-CA-PARAMETERSNR-STOP -- TAG-CA-PARAMETERS-NRDC-START CA-ParametersNRDC ::= SEQUENCE { ca-ParametersNR-ForDC CA-ParametersNR OPTIONAL, ca-ParametersNR-ForDC-v1540 CA-ParametersNR-v1540 OPTIONAL, ca-ParametersNR-ForDC-v1550 CA-ParametersNR-v1550 OPTIONAL, ca-ParametersNR-ForDC-v1560 CA-ParametersNR-v1560 OPTIONAL, featureSetCombinationDC FeatureSetCombinationId OPTIONAL } CA-ParametersNRDC-v15g0 ::= SEQUENCE { ca-ParametersNR-ForDC-v15g0 CA-ParametersNR-v15g0 OPTIONAL } CA-ParametersNRDC-v1610 ::= SEQUENCE { -- R1 18-1: Semi-static power sharing mode1 between MCG and SCG cells of same FR for NR dual connectivity intraFR-NR-DC-PwrSharingMode1-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-1a: Semi-static power sharing mode 2 between MCG and SCG cells of same FR for NR dual connectivity intraFR-NR-DC-PwrSharingMode2-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-1b: Dynamic power sharing between MCG and SCG cells of same FR for NR dual connectivity intraFR-NR-DC-DynamicPwrSharing-r16 ENUMERATED {short, long} OPTIONAL, asyncNRDC-r16 ENUMERATED {supported} OPTIONAL } CA-ParametersNRDC-v1630 ::= SEQUENCE { ca-ParametersNR-ForDC-v1610 CA-ParametersNR-v1610 OPTIONAL, ca-ParametersNR-ForDC-v1630 CA-ParametersNR-v1630 OPTIONAL } CA-ParametersNRDC-v1640 ::= SEQUENCE { ca-ParametersNR-ForDC-v1640 CA-ParametersNR-v1640 OPTIONAL } CA-ParametersNRDC-v1650 ::= SEQUENCE { supportedCellGrouping-r16 BIT STRING (SIZE (1..maxCellGroupings-r16)) OPTIONAL } CA-ParametersNRDC-v16a0 ::= SEQUENCE { ca-ParametersNR-ForDC-v16a0 CA-ParametersNR-v16a0 OPTIONAL } CA-ParametersNRDC-v1700 ::= SEQUENCE { -- R1 31-9: Indicates the support of simultaneous transmission and reception of an IAB-node from multiple parent nodes simultaneousRxTx-IAB-MultipleParents-r17 ENUMERATED {supported} OPTIONAL, condPSCellAdditionNRDC-r17 ENUMERATED {supported} OPTIONAL, scg-ActivationDeactivationNRDC-r17 ENUMERATED {supported} OPTIONAL, scg-ActivationDeactivationResumeNRDC-r17 ENUMERATED {supported} OPTIONAL, beamManagementType-CBM-r17 ENUMERATED {supported} OPTIONAL } CA-ParametersNRDC-v1720 ::= SEQUENCE { ca-ParametersNR-ForDC-v1700 CA-ParametersNR-v1700 OPTIONAL, ca-ParametersNR-ForDC-v1720 CA-ParametersNR-v1720 OPTIONAL } CA-ParametersNRDC-v1730 ::= SEQUENCE { ca-ParametersNR-ForDC-v1730 CA-ParametersNR-v1730 OPTIONAL } -- TAG-CA-PARAMETERS-NRDC-STOP -- TAG-CARRIERAGGREGATIONVARIANT-START CarrierAggregationVariant ::= SEQUENCE { fr1fdd-FR1TDD-CA-SpCellOnFR1FDD ENUMERATED {supported} OPTIONAL, fr1fdd-FR1TDD-CA-SpCellOnFR1TDD ENUMERATED {supported} OPTIONAL, fr1fdd-FR2TDD-CA-SpCellOnFR1FDD ENUMERATED {supported} OPTIONAL, fr1fdd-FR2TDD-CA-SpCellOnFR2TDD ENUMERATED {supported} OPTIONAL, fr1tdd-FR2TDD-CA-SpCellOnFR1TDD ENUMERATED {supported} OPTIONAL, fr1tdd-FR2TDD-CA-SpCellOnFR2TDD ENUMERATED {supported} OPTIONAL, fr1fdd-FR1TDD-FR2TDD-CA-SpCellOnFR1FDD ENUMERATED {supported} OPTIONAL, fr1fdd-FR1TDD-FR2TDD-CA-SpCellOnFR1TDD ENUMERATED {supported} OPTIONAL, fr1fdd-FR1TDD-FR2TDD-CA-SpCellOnFR2TDD ENUMERATED {supported} OPTIONAL } -- TAG-CARRIERAGGREGATIONVARIANT-STOP -- TAG-CODEBOOKPARAMETERS-START CodebookParameters ::= SEQUENCE { type1 SEQUENCE { singlePanel SEQUENCE { supportedCSI-RS-ResourceList SEQUENCE (SIZE (1.. maxNrofCSI-RS-Resources)) OF SupportedCSI-RS-Resource, modes ENUMERATED {mode1, mode1andMode2}, maxNumberCSI-RS-PerResourceSet INTEGER (1..8) }, multiPanel SEQUENCE { supportedCSI-RS-ResourceList SEQUENCE (SIZE (1.. maxNrofCSI-RS-Resources)) OF SupportedCSI-RS-Resource, modes ENUMERATED {mode1, mode2, both}, nrofPanels ENUMERATED {n2, n4}, maxNumberCSI-RS-PerResourceSet INTEGER (1..8) } OPTIONAL }, type2 SEQUENCE { supportedCSI-RS-ResourceList SEQUENCE (SIZE (1.. maxNrofCSI-RS-Resources)) OF SupportedCSI-RS-Resource, parameterLx INTEGER (2..4), amplitudeScalingType ENUMERATED {wideband, widebandAndSubband}, amplitudeSubsetRestriction ENUMERATED {supported} OPTIONAL } OPTIONAL, type2-PortSelection SEQUENCE { supportedCSI-RS-ResourceList SEQUENCE (SIZE (1.. maxNrofCSI-RS-Resources)) OF SupportedCSI-RS-Resource, parameterLx INTEGER (2..4), amplitudeScalingType ENUMERATED {wideband, widebandAndSubband} } OPTIONAL } CodebookParameters-v1610 ::= SEQUENCE { supportedCSI-RS-ResourceListAlt-r16 SEQUENCE { type1-SinglePanel-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-Resources)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1-MultiPanel-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-Resources)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type2-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-Resources)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type2-PortSelection-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-Resources)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL } OPTIONAL } CodebookParametersAddition-r16 ::= SEQUENCE { etype2-r16 SEQUENCE { -- R1 16-3a Regular eType 2 R=1 etype2R1-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) }, -- R1 16-3a-1 Regular eType 2 R=2 etype2R2-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, -- R1 16-3a-2: Support of parameter combinations 7-8 paramComb7-8-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-3a-3: Support of rank 3,4 rank3-4-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-3a-4: CBSR with soft amplitude restriction amplitudeSubsetRestriction-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, etype2-PS-r16 SEQUENCE { -- R1 16-3b Regular eType 2 R=1 PortSelection etype2R1-PortSelection-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) }, -- R1 16-3b-1 Regular eType 2 R=2 PortSelection etype2R2-PortSelection-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, -- R1 16-3b-2: Support of rank 3,4 rank3-4-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL } CodebookComboParametersAddition-r16 ::= SEQUENCE { -- R1 16-8 Mixed codebook types type1SP-Type2-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1SP-Type2PS-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1SP-eType2R1-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1SP-eType2R2-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1SP-eType2R1PS-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1SP-eType2R2PS-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1SP-Type2-Type2PS-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1MP-Type2-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1MP-Type2PS-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1MP-eType2R1-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1MP-eType2R2-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1MP-eType2R1PS-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1MP-eType2R2PS-null-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL, type1MP-Type2-Type2PS-r16 SEQUENCE { supportedCSI-RS-ResourceListAdd-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) } OPTIONAL } CodebookParametersfetype2-r17 ::= SEQUENCE { -- R1 23-9-1 Basic Features of Further Enhanced Port-Selection Type II Codebook (FeType-II) fetype2basic-r17 SEQUENCE (SIZE (1.. maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16), -- R1 23-9-2 Support of M=2 and R=1 for FeType-II fetype2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r17)) OF INTEGER (0.. maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, -- R1 23-9-4 Support of R = 2 for FeType-II fetype2R2-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r17)) OF INTEGER (0.. maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, -- R1 23-9-3 Support of rank 3, 4 for FeType-II fetype2Rank3Rank4-r17 ENUMERATED {supported} OPTIONAL } CodebookComboParameterMixedType-r17 ::= SEQUENCE { -- R1 23-9-5 Active CSI-RS resources and ports for mixed codebook types in any slot type1SP-feType2PS-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-feType2PS-M2R1-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-feType2PS-M2R2-null-r1 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-Type2-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-Type2-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-eType2R1-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-eType2R1-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-feType2PS-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-feType2PS-M2R1-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-feType2PS-M2R2-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-Type2-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-Type2-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-eType2R1-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-eType2R1-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL } CodebookComboParameterMultiTRP-r17::= SEQUENCE { -- R1 23-7-1b Active CSI-RS resources and ports in the presence of multi-TRP CSI -- {Codebook 2, Codebook 3} =(NULL, NULL} nCJT-null-null SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-null-null SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, -- {Codebook 2, Codebook 3} = {( {"Rel 16 combinations in FG 16-8"} nCJT-Type2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-Type2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R1-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R1PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-Type2-Type2PS-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-Type2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-Type2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R1-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R1PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-Type2-Type2PS-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, -- {Codebook 2, Codebook 3} = {"New Rel17 combinations in FG 23-9-5"} nCJT-feType2PS-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-feType2PS-M2R1-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-feType2PS-M2R2-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-Type2-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-Type2-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R1-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R1-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-feType2PS-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-feType2PS-M2R1-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-feType2PS-M2R2-null-r1 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-Type2-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-Type2-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R1-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R1-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL } CodebookParametersAdditionPerBC-r16::= SEQUENCE { -- R1 16-3a Regular eType 2 R=1 etype2R1-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, -- R1 16-3a-1 Regular eType 2 R=2 etype2R2-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, -- R1 16-3b Regular eType 2 R=1 PortSelection etype2R1-PortSelection-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, -- R1 16-3b-1 Regular eType 2 R=2 PortSelection etype2R2-PortSelection-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL } CodebookComboParametersAdditionPerBC-r16::= SEQUENCE { -- R1 16-8 Mixed codebook types type1SP-Type2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-Type2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-eType2R1-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-eType2R2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-eType2R1PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-eType2R2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-Type2-Type2PS-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-Type2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-Type2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-eType2R1-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-eType2R2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-eType2R1PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-eType2R2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-Type2-Type2PS-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL } CodebookParametersfetype2PerBC-r17 ::= SEQUENCE { -- R1 23-9-1 Basic Features of Further Enhanced Port-Selection Type II Codebook (FeType-II) fetype2basic-r17 SEQUENCE (SIZE (1.. maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16), -- R1 23-9-2 Support of M=2 and R=1 for FeType-II fetype2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r17)) OF INTEGER (0.. maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, -- R1 23-9-4 Support of R = 2 for FeType-II fetype2R2-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r17)) OF INTEGER (0.. maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL } CodebookComboParameterMixedTypePerBC-r17 ::= SEQUENCE { -- R1 23-9-5 Active CSI-RS resources and ports for mixed codebook types in any slot type1SP-feType2PS-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-feType2PS-M2R1-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-feType2PS-M2R2-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-Type2-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-Type2-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-eType2R1-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1SP-eType2R1-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-feType2PS-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-feType2PS-M2R1-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-feType2PS-M2R2-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-Type2-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-Type2-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-eType2R1-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, type1MP-eType2R1-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL } CodebookComboParameterMultiTRP-PerBC-r17::= SEQUENCE { -- R1 23-7-1b Active CSI-RS resources and ports in the presence of multi-TRP CSI -- {Codebook 2, Codebook 3} =(NULL, NULL} nCJT-null-null SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-null-null SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, -- {Codebook 2, Codebook 3} = {( {"Rel 16 combinations in FG 16-8"} nCJT-Type2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-Type2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R1-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R1PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-Type2-Type2PS-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-Type2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-Type2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R1-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R2-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R1PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R2PS-null-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-Type2-Type2PS-r16 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, -- {Codebook 2, Codebook 3} = {"New Rel17 combinations in FG 23-9-5"} nCJT-feType2PS-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-feType2PS-M2R1-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-feType2PS-M2R2-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-Type2-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-Type2-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R1-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT-eType2R1-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-feType2PS-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-feType2PS-M2R1-null-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-feType2PS-M2R2-null-r1 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-Type2-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-Type2-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R1-feType2-PS-M1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL, nCJT1SP-eType2R1-feType2-PS-M2R1-r17 SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesExt-r16)) OF INTEGER (0..maxNrofCSI-RS-ResourcesAlt-1-r16) OPTIONAL } CodebookVariantsList-r16 ::= SEQUENCE (SIZE (1..maxNrofCSI-RS-ResourcesAlt-r16)) OF SupportedCSI-RS-Resource SupportedCSI-RS-Resource ::= SEQUENCE { maxNumberTxPortsPerResource ENUMERATED {p2, p4, p8, p12, p16, p24, p32}, maxNumberResourcesPerBand INTEGER (1..64), totalNumberTxPortsPerBand INTEGER (2..256) } -- TAG-CODEBOOKPARAMETERS-STOP -- TAG-FEATURESETCOMBINATION-START FeatureSetCombination ::= SEQUENCE (SIZE (1..maxSimultaneousBands)) OF FeatureSetsPerBand FeatureSetsPerBand ::= SEQUENCE (SIZE (1..maxFeatureSetsPerBand)) OF FeatureSet FeatureSet ::= CHOICE { eutra SEQUENCE { downlinkSetEUTRA FeatureSetEUTRA-DownlinkId, uplinkSetEUTRA FeatureSetEUTRA-UplinkId }, nr SEQUENCE { downlinkSetNR FeatureSetDownlinkId, uplinkSetNR FeatureSetUplinkId } } -- TAG-FEATURESETCOMBINATION-STOP -- TAG-FEATURESETCOMBINATIONID-START FeatureSetCombinationId ::= INTEGER (0.. maxFeatureSetCombinations) -- TAG-FEATURESETCOMBINATIONID-STOP -- TAG-FEATURESETDOWNLINK-START FeatureSetDownlink ::= SEQUENCE { featureSetListPerDownlinkCC SEQUENCE (SIZE (1..maxNrofServingCells)) OF FeatureSetDownlinkPerCC-Id, intraBandFreqSeparationDL FreqSeparationClass OPTIONAL, scalingFactor ENUMERATED {f0p4, f0p75, f0p8} OPTIONAL, dummy8 ENUMERATED {supported} OPTIONAL, scellWithoutSSB ENUMERATED {supported} OPTIONAL, csi-RS-MeasSCellWithoutSSB ENUMERATED {supported} OPTIONAL, dummy1 ENUMERATED {supported} OPTIONAL, type1-3-CSS ENUMERATED {supported} OPTIONAL, pdcch-MonitoringAnyOccasions ENUMERATED {withoutDCI-Gap, withDCI-Gap} OPTIONAL, dummy2 ENUMERATED {supported} OPTIONAL, ue-SpecificUL-DL-Assignment ENUMERATED {supported} OPTIONAL, searchSpaceSharingCA-DL ENUMERATED {supported} OPTIONAL, timeDurationForQCL SEQUENCE { scs-60kHz ENUMERATED {s7, s14, s28} OPTIONAL, scs-120kHz ENUMERATED {s14, s28} OPTIONAL } OPTIONAL, pdsch-ProcessingType1-DifferentTB-PerSlot SEQUENCE { scs-15kHz ENUMERATED {upto2, upto4, upto7} OPTIONAL, scs-30kHz ENUMERATED {upto2, upto4, upto7} OPTIONAL, scs-60kHz ENUMERATED {upto2, upto4, upto7} OPTIONAL, scs-120kHz ENUMERATED {upto2, upto4, upto7} OPTIONAL } OPTIONAL, dummy3 DummyA OPTIONAL, dummy4 SEQUENCE (SIZE (1.. maxNrofCodebooks)) OF DummyB OPTIONAL, dummy5 SEQUENCE (SIZE (1.. maxNrofCodebooks)) OF DummyC OPTIONAL, dummy6 SEQUENCE (SIZE (1.. maxNrofCodebooks)) OF DummyD OPTIONAL, dummy7 SEQUENCE (SIZE (1.. maxNrofCodebooks)) OF DummyE OPTIONAL } FeatureSetDownlink-v1540 ::= SEQUENCE { oneFL-DMRS-TwoAdditionalDMRS-DL ENUMERATED {supported} OPTIONAL, additionalDMRS-DL-Alt ENUMERATED {supported} OPTIONAL, twoFL-DMRS-TwoAdditionalDMRS-DL ENUMERATED {supported} OPTIONAL, oneFL-DMRS-ThreeAdditionalDMRS-DL ENUMERATED {supported} OPTIONAL, pdcch-MonitoringAnyOccasionsWithSpanGap SEQUENCE { scs-15kHz ENUMERATED {set1, set2, set3} OPTIONAL, scs-30kHz ENUMERATED {set1, set2, set3} OPTIONAL, scs-60kHz ENUMERATED {set1, set2, set3} OPTIONAL, scs-120kHz ENUMERATED {set1, set2, set3} OPTIONAL } OPTIONAL, pdsch-SeparationWithGap ENUMERATED {supported} OPTIONAL, pdsch-ProcessingType2 SEQUENCE { scs-15kHz ProcessingParameters OPTIONAL, scs-30kHz ProcessingParameters OPTIONAL, scs-60kHz ProcessingParameters OPTIONAL } OPTIONAL, pdsch-ProcessingType2-Limited SEQUENCE { differentTB-PerSlot-SCS-30kHz ENUMERATED {upto1, upto2, upto4, upto7} } OPTIONAL, dl-MCS-TableAlt-DynamicIndication ENUMERATED {supported} OPTIONAL } FeatureSetDownlink-v15a0 ::= SEQUENCE { supportedSRS-Resources SRS-Resources OPTIONAL } FeatureSetDownlink-v1610 ::= SEQUENCE { -- R1 22-4e/4f/4g/4h: CBG based reception for DL with unicast PDSCH(s) per slot per CC with UE processing time Capability 1 cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16 SEQUENCE { scs-15kHz-r16 ENUMERATED {one, upto2, upto4, upto7} OPTIONAL, scs-30kHz-r16 ENUMERATED {one, upto2, upto4, upto7} OPTIONAL, scs-60kHz-r16 ENUMERATED {one, upto2, upto4, upto7} OPTIONAL, scs-120kHz-r16 ENUMERATED {one, upto2, upto4, upto7} OPTIONAL } OPTIONAL, -- R1 22-3e/3f/3g/3h: CBG based reception for DL with unicast PDSCH(s) per slot per CC with UE processing time Capability 2 cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16 SEQUENCE { scs-15kHz-r16 ENUMERATED {one, upto2, upto4, upto7} OPTIONAL, scs-30kHz-r16 ENUMERATED {one, upto2, upto4, upto7} OPTIONAL, scs-60kHz-r16 ENUMERATED {one, upto2, upto4, upto7} OPTIONAL, scs-120kHz-r16 ENUMERATED {one, upto2, upto4, upto7} OPTIONAL } OPTIONAL, intraFreqDAPS-r16 SEQUENCE { intraFreqDiffSCS-DAPS-r16 ENUMERATED {supported} OPTIONAL, intraFreqAsyncDAPS-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, intraBandFreqSeparationDL-v1620 FreqSeparationClassDL-v1620 OPTIONAL, intraBandFreqSeparationDL-Only-r16 FreqSeparationClassDL-Only-r16 OPTIONAL, -- R1 11-2: Rel-16 PDCCH monitoring capability pdcch-Monitoring-r16 SEQUENCE { pdsch-ProcessingType1-r16 SEQUENCE { scs-15kHz-r16 PDCCH-MonitoringOccasions-r16 OPTIONAL, scs-30kHz-r16 PDCCH-MonitoringOccasions-r16 OPTIONAL } OPTIONAL, pdsch-ProcessingType2-r16 SEQUENCE { scs-15kHz-r16 PDCCH-MonitoringOccasions-r16 OPTIONAL, scs-30kHz-r16 PDCCH-MonitoringOccasions-r16 OPTIONAL } OPTIONAL } OPTIONAL, -- R1 11-2b: Mix of Rel. 16 PDCCH monitoring capability and Rel. 15 PDCCH monitoring capability on different carriers pdcch-MonitoringMixed-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-5c: Processing up to X unicast DCI scheduling for DL per scheduled CC crossCarrierSchedulingProcessing-DiffSCS-r16 SEQUENCE { scs-15kHz-120kHz-r16 ENUMERATED {n1,n2,n4} OPTIONAL, scs-15kHz-60kHz-r16 ENUMERATED {n1,n2,n4} OPTIONAL, scs-30kHz-120kHz-r16 ENUMERATED {n1,n2,n4} OPTIONAL, scs-15kHz-30kHz-r16 ENUMERATED {n2} OPTIONAL, scs-30kHz-60kHz-r16 ENUMERATED {n2} OPTIONAL, scs-60kHz-120kHz-r16 ENUMERATED {n2} OPTIONAL } OPTIONAL, -- R1 16-2b-1: Support of single-DCI based SDM scheme singleDCI-SDM-scheme-r16 ENUMERATED {supported} OPTIONAL } FeatureSetDownlink-v1700 ::= SEQUENCE { -- R1 36-2: Scaling factor to be applied to 1024QAM for FR1 scalingFactor-1024QAM-FR1-r17 ENUMERATED {f0p4, f0p75, f0p8} OPTIONAL, -- R1 24 feature for existing UE cap to include new SCS timeDurationForQCL-v1710 SEQUENCE { scs-480kHz ENUMERATED {s56, s112} OPTIONAL, scs-960kHz ENUMERATED {s112, s224} OPTIONAL } OPTIONAL, -- R1 23-6-1 SFN scheme A (scheme 1) for PDSCH and PDCCH sfn-SchemeA-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-6-1-1 SFN scheme A (scheme 1) for PDCCH only sfn-SchemeA-PDCCH-only-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-6-1a Dynamic switching - scheme A sfn-SchemeA-DynamicSwitching-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-6-1b SFN scheme A (scheme 1) for PDSCH only sfn-SchemeA-PDSCH-only-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-6-2 SFN scheme B (TRP based pre-compensation) for PDSCH and PDCCH sfn-SchemeB-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-6-2a Dynamic switching - scheme B sfn-SchemeB-DynamicSwitching-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-6-2b SFN scheme B (TRP based pre-compensation) for PDSCH only sfn-SchemeB-PDSCH-only-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-2-1d PDCCH repetition for Case 2 PDCCH monitoring with a span gap mTRP-PDCCH-Case2-1SpanGap-r17 SEQUENCE { scs-15kHz-r17 PDCCH-RepetitionParameters-r17 OPTIONAL, scs-30kHz-r17 PDCCH-RepetitionParameters-r17 OPTIONAL, scs-60kHz-r17 PDCCH-RepetitionParameters-r17 OPTIONAL, scs-120kHz-r17 PDCCH-RepetitionParameters-r17 OPTIONAL } OPTIONAL, -- R1 23-2-1e PDCCH repetition for Rel-16 PDCCH monitoring mTRP-PDCCH-legacyMonitoring-r17 SEQUENCE { scs-15kHz-r17 PDCCH-RepetitionParameters-r17 OPTIONAL, scs-30kHz-r17 PDCCH-RepetitionParameters-r17 OPTIONAL } OPTIONAL, -- R1 23-2-4 Simultaneous configuration of PDCCH repetition and multi-DCI based multi-TRP mTRP-PDCCH-multiDCI-multiTRP-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-2: Dynamic scheduling for multicast for PCell dynamicMulticastPCell-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-2-1 PDCCH repetition mTRP-PDCCH-Repetition-r17 SEQUENCE { numBD-twoPDCCH-r17 INTEGER (2..3), maxNumOverlaps-r17 ENUMERATED {n1,n2,n3,n5,n10,n20,n40} } OPTIONAL } FeatureSetDownlink-v1720 ::= SEQUENCE { -- R1 25-19: RTT-based Propagation delay compensation based on CSI-RS for tracking and SRS rtt-BasedPDC-CSI-RS-ForTracking-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-19a: RTT-based Propagation delay compensation based on DL PRS for RTT-based PDC and SRS rtt-BasedPDC-PRS-r17 SEQUENCE { maxNumberPRS-Resource-r17 ENUMERATED {n1, n2, n4, n8, n16, n32, n64}, maxNumberPRS-ResourceProcessedPerSlot-r17 SEQUENCE { scs-15kHz-r17 ENUMERATED {n1, n2, n4, n6, n8, n12, n16, n24, n32, n48, n64} OPTIONAL, scs-30kHz-r17 ENUMERATED {n1, n2, n4, n6, n8, n12, n16, n24, n32, n48, n64} OPTIONAL, scs-60kHz-r17 ENUMERATED {n1, n2, n4, n6, n8, n12, n16, n24, n32, n48, n64} OPTIONAL, scs-120kHz-r17 ENUMERATED {n1, n2, n4, n6, n8, n12, n16, n24, n32, n48, n64} OPTIONAL } } OPTIONAL, -- R1 33-5-1: SPS group-common PDSCH for multicast on PCell sps-Multicast-r17 ENUMERATED {supported} OPTIONAL } FeatureSetDownlink-v1730 ::= SEQUENCE { -- R1 25-19b: Support of PRS as spatial relation RS for SRS prs-AsSpatialRelationRS-For-SRS-r17 ENUMERATED {supported} OPTIONAL } PDCCH-MonitoringOccasions-r16 ::= SEQUENCE { period7span3-r16 ENUMERATED {supported} OPTIONAL, period4span3-r16 ENUMERATED {supported} OPTIONAL, period2span2-r16 ENUMERATED {supported} OPTIONAL } PDCCH-RepetitionParameters-r17 ::= SEQUENCE { supportedMode-r17 ENUMERATED {intra-span, inter-span, both}, limitX-PerCC-r17 ENUMERATED {n4, n8, n16, n32, n44, n64, nolimit} OPTIONAL, limitX-AcrossCC-r17 ENUMERATED {n4, n8, n16, n32, n44, n64, n128, n256, n512, nolimit} OPTIONAL } DummyA ::= SEQUENCE { maxNumberNZP-CSI-RS-PerCC INTEGER (1..32), maxNumberPortsAcrossNZP-CSI-RS-PerCC ENUMERATED {p2, p4, p8, p12, p16, p24, p32, p40, p48, p56, p64, p72, p80, p88, p96, p104, p112, p120, p128, p136, p144, p152, p160, p168, p176, p184, p192, p200, p208, p216, p224, p232, p240, p248, p256}, maxNumberCS-IM-PerCC ENUMERATED {n1, n2, n4, n8, n16, n32}, maxNumberSimultaneousCSI-RS-ActBWP-AllCC ENUMERATED {n5, n6, n7, n8, n9, n10, n12, n14, n16, n18, n20, n22, n24, n26, n28, n30, n32, n34, n36, n38, n40, n42, n44, n46, n48, n50, n52, n54, n56, n58, n60, n62, n64}, totalNumberPortsSimultaneousCSI-RS-ActBWP-AllCC ENUMERATED {p8, p12, p16, p24, p32, p40, p48, p56, p64, p72, p80, p88, p96, p104, p112, p120, p128, p136, p144, p152, p160, p168, p176, p184, p192, p200, p208, p216, p224, p232, p240, p248, p256} } DummyB ::= SEQUENCE { maxNumberTxPortsPerResource ENUMERATED {p2, p4, p8, p12, p16, p24, p32}, maxNumberResources INTEGER (1..64), totalNumberTxPorts INTEGER (2..256), supportedCodebookMode ENUMERATED {mode1, mode1AndMode2}, maxNumberCSI-RS-PerResourceSet INTEGER (1..8) } DummyC ::= SEQUENCE { maxNumberTxPortsPerResource ENUMERATED {p8, p16, p32}, maxNumberResources INTEGER (1..64), totalNumberTxPorts INTEGER (2..256), supportedCodebookMode ENUMERATED {mode1, mode2, both}, supportedNumberPanels ENUMERATED {n2, n4}, maxNumberCSI-RS-PerResourceSet INTEGER (1..8) } DummyD ::= SEQUENCE { maxNumberTxPortsPerResource ENUMERATED {p4, p8, p12, p16, p24, p32}, maxNumberResources INTEGER (1..64), totalNumberTxPorts INTEGER (2..256), parameterLx INTEGER (2..4), amplitudeScalingType ENUMERATED {wideband, widebandAndSubband}, amplitudeSubsetRestriction ENUMERATED {supported} OPTIONAL, maxNumberCSI-RS-PerResourceSet INTEGER (1..8) } DummyE ::= SEQUENCE { maxNumberTxPortsPerResource ENUMERATED {p4, p8, p12, p16, p24, p32}, maxNumberResources INTEGER (1..64), totalNumberTxPorts INTEGER (2..256), parameterLx INTEGER (2..4), amplitudeScalingType ENUMERATED {wideband, widebandAndSubband}, maxNumberCSI-RS-PerResourceSet INTEGER (1..8) } -- TAG-FEATURESETDOWNLINK-STOP -- TAG-FEATURESETDOWNLINKID-START FeatureSetDownlinkId ::= INTEGER (0..maxDownlinkFeatureSets) -- TAG-FEATURESETDOWNLINKID-STOP -- TAG-FEATURESETDOWNLINKPERCC-START FeatureSetDownlinkPerCC ::= SEQUENCE { supportedSubcarrierSpacingDL SubcarrierSpacing, supportedBandwidthDL SupportedBandwidth, channelBW-90mhz ENUMERATED {supported} OPTIONAL, maxNumberMIMO-LayersPDSCH MIMO-LayersDL OPTIONAL, supportedModulationOrderDL ModulationOrder OPTIONAL } FeatureSetDownlinkPerCC-v1620 ::= SEQUENCE { -- R1 16-2a: Mulit-DCI based multi-TRP multiDCI-MultiTRP-r16 MultiDCI-MultiTRP-r16 OPTIONAL, -- R1 16-2b-3: Support of single-DCI based FDMSchemeB supportFDM-SchemeB-r16 ENUMERATED {supported} OPTIONAL } FeatureSetDownlinkPerCC-v1700 ::= SEQUENCE { supportedMinBandwidthDL-r17 SupportedBandwidth-v1700 OPTIONAL, broadcastSCell-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-2g: MIMO layers for multicast PDSCH maxNumberMIMO-LayersMulticastPDSCH-r17 ENUMERATED {n2, n4, n8} OPTIONAL, -- R1 33-2h: Dynamic scheduling for multicast for SCell dynamicMulticastSCell-r17 ENUMERATED {supported} OPTIONAL, supportedBandwidthDL-v1710 SupportedBandwidth-v1700 OPTIONAL, -- R4 24-1/24-2/24-3/24-4/24-5 supportedCRS-InterfMitigation-r17 CRS-InterfMitigation-r17 OPTIONAL } FeatureSetDownlinkPerCC-v1720 ::= SEQUENCE { -- R1 33-2j: Supported maximum modulation order used for maximum data rate calculation for multicast PDSCH maxModulationOrderForMulticastDataRateCalculation-r17 ENUMERATED {qam64, qam256, qam1024} OPTIONAL, -- R1 33-1-2: FDM-ed unicast PDSCH and group-common PDSCH for broadcast fdm-BroadcastUnicast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-3-2: FDM-ed unicast PDSCH and one group-common PDSCH for multicast fdm-MulticastUnicast-r17 ENUMERATED {supported} OPTIONAL } FeatureSetDownlinkPerCC-v1730 ::= SEQUENCE { -- R1 33-3-3: Intra-slot TDM-ed unicast PDSCH and group-common PDSCH intraSlotTDM-UnicastGroupCommonPDSCH-r17 ENUMERATED {yes, no} OPTIONAL, -- R1 33-5-3: One SPS group-common PDSCH configuration for multicast for SCell sps-MulticastSCell-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-5-4: Up to 8 SPS group-common PDSCH configurations per CFR for multicast for SCell sps-MulticastSCellMultiConfig-r17 INTEGER (1..8) OPTIONAL, -- R1 33-1-1: Dynamic slot-level repetition for broadcast MTCH dci-BroadcastWith16Repetitions-r17 ENUMERATED {supported} OPTIONAL } MultiDCI-MultiTRP-r16 ::= SEQUENCE { maxNumberCORESET-r16 ENUMERATED {n2, n3, n4, n5}, maxNumberCORESETPerPoolIndex-r16 INTEGER (1..3), maxNumberUnicastPDSCH-PerPool-r16 ENUMERATED {n1, n2, n3, n4, n7} } CRS-InterfMitigation-r17 ::= SEQUENCE { -- R4 24-1 CRS-IM (Interference Mitigation) in DSS scenario crs-IM-DSS-15kHzSCS-r17 ENUMERATED {supported} OPTIONAL, -- R4 24-2 CRS-IM in non-DSS and 15 kHz NR SCS scenario, without the assistance of network signaling on LTE channel bandwidth crs-IM-nonDSS-15kHzSCS-r17 ENUMERATED {supported} OPTIONAL, -- R4 24-3 CRS-IM in non-DSS and 15 kHz NR SCS scenario, with the assistance of network signaling on LTE channel bandwidth crs-IM-nonDSS-NWA-15kHzSCS-r17 ENUMERATED {supported} OPTIONAL, -- R4 24-4 CRS-IM in non-DSS and 30 kHz NR SCS scenario, without the assistance of network signaling on LTE channel bandwidth crs-IM-nonDSS-30kHzSCS-r17 ENUMERATED {supported} OPTIONAL, -- R4 24-5 CRS-IM in non-DSS and 30 kHz NR SCS scenario, with the assistance of network signaling on LTE channel bandwidth crs-IM-nonDSS-NWA-30kHzSCS-r17 ENUMERATED {supported} OPTIONAL } -- TAG-FEATURESETDOWNLINKPERCC-STOP -- TAG-FEATURESETDOWNLINKPERCC-ID-START FeatureSetDownlinkPerCC-Id ::= INTEGER (1..maxPerCC-FeatureSets) -- TAG-FEATURESETDOWNLINKPERCC-ID-STOP -- TAG-FEATURESETEUTRADOWNLINKID-START FeatureSetEUTRA-DownlinkId ::= INTEGER (0..maxEUTRA-DL-FeatureSets) -- TAG-FEATURESETEUTRADOWNLINKID-STOP -- TAG-FEATURESETEUTRAUPLINKID-START FeatureSetEUTRA-UplinkId ::= INTEGER (0..maxEUTRA-UL-FeatureSets) -- TAG-FEATURESETEUTRAUPLINKID-STOP -- TAG-FEATURESETS-START FeatureSets ::= SEQUENCE { featureSetsDownlink SEQUENCE (SIZE (1..maxDownlinkFeatureSets)) OF FeatureSetDownlink OPTIONAL, featureSetsDownlinkPerCC SEQUENCE (SIZE (1..maxPerCC-FeatureSets)) OF FeatureSetDownlinkPerCC OPTIONAL, featureSetsUplink SEQUENCE (SIZE (1..maxUplinkFeatureSets)) OF FeatureSetUplink OPTIONAL, featureSetsUplinkPerCC SEQUENCE (SIZE (1..maxPerCC-FeatureSets)) OF FeatureSetUplinkPerCC OPTIONAL, ..., [[ featureSetsDownlink-v1540 SEQUENCE (SIZE (1..maxDownlinkFeatureSets)) OF FeatureSetDownlink-v1540 OPTIONAL, featureSetsUplink-v1540 SEQUENCE (SIZE (1..maxUplinkFeatureSets)) OF FeatureSetUplink-v1540 OPTIONAL, featureSetsUplinkPerCC-v1540 SEQUENCE (SIZE (1..maxPerCC-FeatureSets)) OF FeatureSetUplinkPerCC-v1540 OPTIONAL ]], [[ featureSetsDownlink-v15a0 SEQUENCE (SIZE (1..maxDownlinkFeatureSets)) OF FeatureSetDownlink-v15a0 OPTIONAL ]], [[ featureSetsDownlink-v1610 SEQUENCE (SIZE (1..maxDownlinkFeatureSets)) OF FeatureSetDownlink-v1610 OPTIONAL, featureSetsUplink-v1610 SEQUENCE (SIZE (1..maxUplinkFeatureSets)) OF FeatureSetUplink-v1610 OPTIONAL, featureSetDownlinkPerCC-v1620 SEQUENCE (SIZE (1..maxPerCC-FeatureSets)) OF FeatureSetDownlinkPerCC-v1620 OPTIONAL ]], [[ featureSetsUplink-v1630 SEQUENCE (SIZE (1..maxUplinkFeatureSets)) OF FeatureSetUplink-v1630 OPTIONAL ]], [[ featureSetsUplink-v1640 SEQUENCE (SIZE (1..maxUplinkFeatureSets)) OF FeatureSetUplink-v1640 OPTIONAL ]], [[ featureSetsDownlink-v1700 SEQUENCE (SIZE (1..maxDownlinkFeatureSets)) OF FeatureSetDownlink-v1700 OPTIONAL, featureSetsDownlinkPerCC-v1700 SEQUENCE (SIZE (1..maxPerCC-FeatureSets)) OF FeatureSetDownlinkPerCC-v1700 OPTIONAL, featureSetsUplink-v1710 SEQUENCE (SIZE (1..maxUplinkFeatureSets)) OF FeatureSetUplink-v1710 OPTIONAL, featureSetsUplinkPerCC-v1700 SEQUENCE (SIZE (1..maxPerCC-FeatureSets)) OF FeatureSetUplinkPerCC-v1700 OPTIONAL ]], [[ featureSetsDownlink-v1720 SEQUENCE (SIZE (1..maxDownlinkFeatureSets)) OF FeatureSetDownlink-v1720 OPTIONAL, featureSetsDownlinkPerCC-v1720 SEQUENCE (SIZE (1..maxPerCC-FeatureSets)) OF FeatureSetDownlinkPerCC-v1720 OPTIONAL, featureSetsUplink-v1720 SEQUENCE (SIZE (1..maxUplinkFeatureSets)) OF FeatureSetUplink-v1720 OPTIONAL ]], [[ featureSetsDownlink-v1730 SEQUENCE (SIZE (1..maxDownlinkFeatureSets)) OF FeatureSetDownlink-v1730 OPTIONAL, featureSetsDownlinkPerCC-v1730 SEQUENCE (SIZE (1..maxPerCC-FeatureSets)) OF FeatureSetDownlinkPerCC-v1730 OPTIONAL ]] } FeatureSets-v16d0 ::= SEQUENCE { featureSetsUplink-v16d0 SEQUENCE (SIZE (1..maxUplinkFeatureSets)) OF FeatureSetUplink-v16d0 OPTIONAL } -- TAG-FEATURESETS-STOP -- TAG-FEATURESETUPLINK-START FeatureSetUplink ::= SEQUENCE { featureSetListPerUplinkCC SEQUENCE (SIZE (1.. maxNrofServingCells)) OF FeatureSetUplinkPerCC-Id, scalingFactor ENUMERATED {f0p4, f0p75, f0p8} OPTIONAL, dummy3 ENUMERATED {supported} OPTIONAL, intraBandFreqSeparationUL FreqSeparationClass OPTIONAL, searchSpaceSharingCA-UL ENUMERATED {supported} OPTIONAL, dummy1 DummyI OPTIONAL, supportedSRS-Resources SRS-Resources OPTIONAL, twoPUCCH-Group ENUMERATED {supported} OPTIONAL, dynamicSwitchSUL ENUMERATED {supported} OPTIONAL, simultaneousTxSUL-NonSUL ENUMERATED {supported} OPTIONAL, pusch-ProcessingType1-DifferentTB-PerSlot SEQUENCE { scs-15kHz ENUMERATED {upto2, upto4, upto7} OPTIONAL, scs-30kHz ENUMERATED {upto2, upto4, upto7} OPTIONAL, scs-60kHz ENUMERATED {upto2, upto4, upto7} OPTIONAL, scs-120kHz ENUMERATED {upto2, upto4, upto7} OPTIONAL } OPTIONAL, dummy2 DummyF OPTIONAL } FeatureSetUplink-v1540 ::= SEQUENCE { zeroSlotOffsetAperiodicSRS ENUMERATED {supported} OPTIONAL, pa-PhaseDiscontinuityImpacts ENUMERATED {supported} OPTIONAL, pusch-SeparationWithGap ENUMERATED {supported} OPTIONAL, pusch-ProcessingType2 SEQUENCE { scs-15kHz ProcessingParameters OPTIONAL, scs-30kHz ProcessingParameters OPTIONAL, scs-60kHz ProcessingParameters OPTIONAL } OPTIONAL, ul-MCS-TableAlt-DynamicIndication ENUMERATED {supported} OPTIONAL } FeatureSetUplink-v1610 ::= SEQUENCE { -- R1 11-5: PUsCH repetition Type B pusch-RepetitionTypeB-r16 SEQUENCE { maxNumberPUSCH-Tx-r16 ENUMERATED {n2, n3, n4, n7, n8, n12}, hoppingScheme-r16 ENUMERATED {interSlotHopping, interRepetitionHopping, both} } OPTIONAL, -- R1 11-7: UL cancelation scheme for self-carrier ul-CancellationSelfCarrier-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-7a: UL cancelation scheme for cross-carrier ul-CancellationCrossCarrier-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-5c: The maximum number of SRS resources in one SRS resource set with usage set to 'codebook' for Mode 2 ul-FullPwrMode2-MaxSRS-ResInSet-r16 ENUMERATED {n1, n2, n4} OPTIONAL, -- R1 22-4a/4b/4c/4d: CBG based transmission for UL with unicast PUSCH(s) per slot per CC with UE processing time Capability 1 cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16 SEQUENCE { scs-15kHz-r16 ENUMERATED {one-pusch, upto2, upto4, upto7} OPTIONAL, scs-30kHz-r16 ENUMERATED {one-pusch, upto2, upto4, upto7} OPTIONAL, scs-60kHz-r16 ENUMERATED {one-pusch, upto2, upto4, upto7} OPTIONAL, scs-120kHz-r16 ENUMERATED {one-pusch, upto2, upto4, upto7} OPTIONAL } OPTIONAL, -- R1 22-3a/3b/3c/3d: CBG based transmission for UL with unicast PUSCH(s) per slot per CC with UE processing time Capability 2 cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16 SEQUENCE { scs-15kHz-r16 ENUMERATED {one-pusch, upto2, upto4, upto7} OPTIONAL, scs-30kHz-r16 ENUMERATED {one-pusch, upto2, upto4, upto7} OPTIONAL, scs-60kHz-r16 ENUMERATED {one-pusch, upto2, upto4, upto7} OPTIONAL, scs-120kHz-r16 ENUMERATED {one-pusch, upto2, upto4, upto7} OPTIONAL } OPTIONAL, supportedSRS-PosResources-r16 SRS-AllPosResources-r16 OPTIONAL, intraFreqDAPS-UL-r16 SEQUENCE { dummy ENUMERATED {supported} OPTIONAL, intraFreqTwoTAGs-DAPS-r16 ENUMERATED {supported} OPTIONAL, dummy1 ENUMERATED {supported} OPTIONAL, dummy2 ENUMERATED {supported} OPTIONAL, dummy3 ENUMERATED {short, long} OPTIONAL } OPTIONAL, intraBandFreqSeparationUL-v1620 FreqSeparationClassUL-v1620 OPTIONAL, -- R1 11-3: More than one PUCCH for HARQ-ACK transmission within a slot multiPUCCH-r16 SEQUENCE { sub-SlotConfig-NCP-r16 ENUMERATED {set1, set2} OPTIONAL, sub-SlotConfig-ECP-r16 ENUMERATED {set1, set2} OPTIONAL } OPTIONAL, -- R1 11-3c: 2 PUCCH of format 0 or 2 for a single 7*2-symbol subslot based HARQ-ACK codebook twoPUCCH-Type1-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-3d: 2 PUCCH of format 0 or 2 for a single 2*7-symbol subslot based HARQ-ACK codebook twoPUCCH-Type2-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-3e: 1 PUCCH format 0 or 2 and 1 PUCCH format 1, 3 or 4 in the same subslot for a single 2*7-symbol HARQ-ACK codebooks twoPUCCH-Type3-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-3f: 2 PUCCH transmissions in the same subslot for a single 2*7-symbol HARQ-ACK codebooks which are not covered by 11-3d and -- 11-3e twoPUCCH-Type4-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-3g: SR/HARQ-ACK multiplexing once per subslot using a PUCCH (or HARQ-ACK piggybacked on a PUSCH) when SR/HARQ-ACK -- are supposed to be sent with different starting symbols in a subslot mux-SR-HARQ-ACK-r16 ENUMERATED {supported} OPTIONAL, dummy1 ENUMERATED {supported} OPTIONAL, dummy2 ENUMERATED {supported} OPTIONAL, -- R1 11-4c: 2 PUCCH of format 0 or 2 for two HARQ-ACK codebooks with one 7*2-symbol sub-slot based HARQ-ACK codebook twoPUCCH-Type5-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-4d: 2 PUCCH of format 0 or 2 in consecutive symbols for two HARQ-ACK codebooks with one 2*7-symbol sub-slot based HARQ-ACK -- codebook twoPUCCH-Type6-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-4e: 2 PUCCH of format 0 or 2 for two subslot based HARQ-ACK codebooks twoPUCCH-Type7-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-4f: 1 PUCCH format 0 or 2 and 1 PUCCH format 1, 3 or 4 in the same subslot for HARQ-ACK codebooks with one 2*7-symbol -- subslot based HARQ-ACK codebook twoPUCCH-Type8-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-4g: 1 PUCCH format 0 or 2 and 1 PUCCH format 1, 3 or 4 in the same subslot for two subslot based HARQ-ACK codebooks twoPUCCH-Type9-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-4h: 2 PUCCH transmissions in the same subslot for two HARQ-ACK codebooks with one 2*7-symbol subslot which are not covered -- by 11-4c and 11-4e twoPUCCH-Type10-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-4i: 2 PUCCH transmissions in the same subslot for two subslot based HARQ-ACK codebooks which are not covered by 11-4d and -- 11-4f twoPUCCH-Type11-r16 ENUMERATED {supported} OPTIONAL, -- R1 12-1: UL intra-UE multiplexing/prioritization of overlapping channel/signals with two priority levels in physical layer ul-IntraUE-Mux-r16 SEQUENCE { pusch-PreparationLowPriority-r16 ENUMERATED {sym0, sym1, sym2}, pusch-PreparationHighPriority-r16 ENUMERATED {sym0, sym1, sym2} } OPTIONAL, -- R1 16-5a: Supported UL full power transmission mode of fullpower ul-FullPwrMode-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-5d: Processing up to X unicast DCI scheduling for UL per scheduled CC crossCarrierSchedulingProcessing-DiffSCS-r16 SEQUENCE { scs-15kHz-120kHz-r16 ENUMERATED {n1,n2,n4} OPTIONAL, scs-15kHz-60kHz-r16 ENUMERATED {n1,n2,n4} OPTIONAL, scs-30kHz-120kHz-r16 ENUMERATED {n1,n2,n4} OPTIONAL, scs-15kHz-30kHz-r16 ENUMERATED {n2} OPTIONAL, scs-30kHz-60kHz-r16 ENUMERATED {n2} OPTIONAL, scs-60kHz-120kHz-r16 ENUMERATED {n2} OPTIONAL } OPTIONAL, -- R1 16-5b: Supported UL full power transmission mode of fullpowerMode1 ul-FullPwrMode1-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-5c-2: Ports configuration for Mode 2 ul-FullPwrMode2-SRSConfig-diffNumSRSPorts-r16 ENUMERATED {p1-2, p1-4, p1-2-4} OPTIONAL, -- R1 16-5c-3: TPMI group for Mode 2 ul-FullPwrMode2-TPMIGroup-r16 SEQUENCE { twoPorts-r16 BIT STRING(SIZE(2)) OPTIONAL, fourPortsNonCoherent-r16 ENUMERATED{g0, g1, g2, g3} OPTIONAL, fourPortsPartialCoherent-r16 ENUMERATED{g0, g1, g2, g3, g4, g5, g6} OPTIONAL } OPTIONAL } FeatureSetUplink-v1630 ::= SEQUENCE { -- R1 22-8: For SRS for CB PUSCH and antenna switching on FR1 with symbol level offset for aperiodic SRS transmission offsetSRS-CB-PUSCH-Ant-Switch-fr1-r16 ENUMERATED {supported} OPTIONAL, -- R1 22-8a: PDCCH monitoring on any span of up to 3 consecutive OFDM symbols of a slot and constrained timeline for SRS for CB -- PUSCH and antenna switching on FR1 offsetSRS-CB-PUSCH-PDCCH-MonitorSingleOcc-fr1-r16 ENUMERATED {supported} OPTIONAL, -- R1 22-8b: For type 1 CSS with dedicated RRC configuration, type 3 CSS, and UE-SS, monitoring occasion can be any OFDM symbol(s) -- of a slot for Case 2 and constrained timeline for SRS for CB PUSCH and antenna switching on FR1 offsetSRS-CB-PUSCH-PDCCH-MonitorAnyOccWithoutGap-fr1-r16 ENUMERATED {supported} OPTIONAL, -- R1 22-8c: For type 1 CSS with dedicated RRC configuration, type 3 CSS, and UE-SS, monitoring occasion can be any OFDM symbol(s) -- of a slot for Case 2 with a DCI gap and constrained timeline for SRS for CB PUSCH and antenna switching on FR1 offsetSRS-CB-PUSCH-PDCCH-MonitorAnyOccWithGap-fr1-r16 ENUMERATED {supported} OPTIONAL, dummy ENUMERATED {supported} OPTIONAL, -- R1 22-9: Cancellation of PUCCH, PUSCH or PRACH with a DCI scheduling a PDSCH or CSI-RS or a DCI format 2_0 for SFI partialCancellationPUCCH-PUSCH-PRACH-TX-r16 ENUMERATED {supported} OPTIONAL } FeatureSetUplink-v1640 ::= SEQUENCE { -- R1 11-4: Two HARQ-ACK codebooks with up to one sub-slot based HARQ-ACK codebook (i.e. slot-based + slot-based, or slot-based + -- sub-slot based) simultaneously constructed for supporting HARQ-ACK codebooks with different priorities at a UE twoHARQ-ACK-Codebook-type1-r16 SubSlot-Config-r16 OPTIONAL, -- R1 11-4a: Two sub-slot based HARQ-ACK codebooks simultaneously constructed for supporting HARQ-ACK codebooks with different -- priorities at a UE twoHARQ-ACK-Codebook-type2-r16 SubSlot-Config-r16 OPTIONAL, -- R1 22-8d: All PDCCH monitoring occasion can be any OFDM symbol(s) of a slot for Case 2 with a span gap and constrained timeline -- for SRS for CB PUSCH and antenna switching on FR1 offsetSRS-CB-PUSCH-PDCCH-MonitorAnyOccWithSpanGap-fr1-r16 SEQUENCE { scs-15kHz-r16 ENUMERATED {set1, set2, set3} OPTIONAL, scs-30kHz-r16 ENUMERATED {set1, set2, set3} OPTIONAL, scs-60kHz-r16 ENUMERATED {set1, set2, set3} OPTIONAL } OPTIONAL } FeatureSetUplink-v16d0 ::= SEQUENCE { pusch-RepetitionTypeB-v16d0 SEQUENCE { maxNumberPUSCH-Tx-Cap1-r16 ENUMERATED {n2, n3, n4, n7, n8, n12}, maxNumberPUSCH-Tx-Cap2-r16 ENUMERATED {n2, n3, n4, n7, n8, n12} } OPTIONAL } FeatureSetUplink-v1710 ::= SEQUENCE { -- R1 23-3-1 Multi-TRP PUSCH repetition (type A) -codebook based mTRP-PUSCH-TypeA-CB-r17 ENUMERATED {n1,n2,n4} OPTIONAL, -- R1 23-3-1-2 Multi-TRP PUSCH repetition (type A) - non-codebook based mTRP-PUSCH-RepetitionTypeA-r17 ENUMERATED {n1,n2,n3,n4} OPTIONAL, -- R1 23-3-3 Multi-TRP PUCCH repetition-intra-slot mTRP-PUCCH-IntraSlot-r17 ENUMERATED {pf0-2, pf1-3-4, pf0-4} OPTIONAL, -- R1 23-8-4 Maximum 2 SP and 1 periodic SRS sets for antenna switching srs-AntennaSwitching2SP-1Periodic-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-8-9 Extension of aperiodic SRS configuration for 1T4R, 1T2R and 2T4R srs-ExtensionAperiodicSRS-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-8-10 1 aperiodic SRS resource set for 1T4R srs-OneAP-SRS-r17 ENUMERATED {supported} OPTIONAL, -- R4 16-8 UE power class per band per band combination ue-PowerClassPerBandPerBC-r17 ENUMERATED {pc1dot5, pc2, pc3} OPTIONAL, -- R4 17-8 UL transmission in FR2 bands within an UL gap when the UL gap is activated tx-Support-UL-GapFR2-r17 ENUMERATED {supported} OPTIONAL } FeatureSetUplink-v1720 ::= SEQUENCE { -- R1 25-3: Repetitions for PUCCH format 0, 1, 2, 3 and 4 over multiple PUCCH subslots with configured K = 2, 4, 8 pucch-Repetition-F0-1-2-3-4-RRC-Config-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-3a: Repetitions for PUCCH format 0, 1, 2, 3 and 4 over multiple PUCCH subslots using dynamic repetition indication pucch-Repetition-F0-1-2-3-4-DynamicIndication-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-3b: Inter-subslot frequency hopping for PUCCH repetitions interSubslotFreqHopping-PUCCH-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-8: Semi-static HARQ-ACK codebook for sub-slot PUCCH semiStaticHARQ-ACK-CodebookSub-SlotPUCCH-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-14: PHY prioritization of overlapping low-priority DG-PUSCH and high-priority CG-PUSCH phy-PrioritizationLowPriorityDG-HighPriorityCG-r17 INTEGER(1..16) OPTIONAL, -- R1 25-15: PHY prioritization of overlapping high-priority DG-PUSCH and low-priority CG-PUSCH phy-PrioritizationHighPriorityDG-LowPriorityCG-r17 SEQUENCE { pusch-PreparationLowPriority-r17 ENUMERATED{sym0, sym1, sym2}, additionalCancellationTime-r17 SEQUENCE { scs-15kHz-r17 ENUMERATED{sym0, sym1, sym2} OPTIONAL, scs-30kHz-r17 ENUMERATED{sym0, sym1, sym2, sym3, sym4} OPTIONAL, scs-60kHz-r17 ENUMERATED{sym0, sym1, sym2, sym3, sym4, sym5, sym6, sym7, sym8} OPTIONAL, scs-120kHz-r17 ENUMERATED{sym0, sym1, sym2, sym3, sym4, sym5, sym6, sym7, sym8, sym9, sym10, sym11, sym12, sym13, sym14, sym15, sym16} OPTIONAL }, maxNumberCarriers-r17 INTEGER(1..16) } OPTIONAL, -- R4 17-5 Support of UL DC location(s) report extendedDC-LocationReport-r17 ENUMERATED {supported} OPTIONAL } SubSlot-Config-r16 ::= SEQUENCE { sub-SlotConfig-NCP-r16 ENUMERATED {n4,n5,n6,n7} OPTIONAL, sub-SlotConfig-ECP-r16 ENUMERATED {n4,n5,n6} OPTIONAL } SRS-AllPosResources-r16 ::= SEQUENCE { srs-PosResources-r16 SRS-PosResources-r16, srs-PosResourceAP-r16 SRS-PosResourceAP-r16 OPTIONAL, srs-PosResourceSP-r16 SRS-PosResourceSP-r16 OPTIONAL } SRS-PosResources-r16 ::= SEQUENCE { maxNumberSRS-PosResourceSetPerBWP-r16 ENUMERATED {n1, n2, n4, n8, n12, n16}, maxNumberSRS-PosResourcesPerBWP-r16 ENUMERATED {n1, n2, n4, n8, n16, n32, n64}, maxNumberSRS-ResourcesPerBWP-PerSlot-r16 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10, n12, n14}, maxNumberPeriodicSRS-PosResourcesPerBWP-r16 ENUMERATED {n1, n2, n4, n8, n16, n32, n64}, maxNumberPeriodicSRS-PosResourcesPerBWP-PerSlot-r16 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10, n12, n14} } SRS-PosResourceAP-r16 ::= SEQUENCE { maxNumberAP-SRS-PosResourcesPerBWP-r16 ENUMERATED {n1, n2, n4, n8, n16, n32, n64}, maxNumberAP-SRS-PosResourcesPerBWP-PerSlot-r16 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10, n12, n14} } SRS-PosResourceSP-r16 ::= SEQUENCE { maxNumberSP-SRS-PosResourcesPerBWP-r16 ENUMERATED {n1, n2, n4, n8, n16, n32, n64}, maxNumberSP-SRS-PosResourcesPerBWP-PerSlot-r16 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10, n12, n14} } SRS-Resources ::= SEQUENCE { maxNumberAperiodicSRS-PerBWP ENUMERATED {n1, n2, n4, n8, n16}, maxNumberAperiodicSRS-PerBWP-PerSlot INTEGER (1..6), maxNumberPeriodicSRS-PerBWP ENUMERATED {n1, n2, n4, n8, n16}, maxNumberPeriodicSRS-PerBWP-PerSlot INTEGER (1..6), maxNumberSemiPersistentSRS-PerBWP ENUMERATED {n1, n2, n4, n8, n16}, maxNumberSemiPersistentSRS-PerBWP-PerSlot INTEGER (1..6), maxNumberSRS-Ports-PerResource ENUMERATED {n1, n2, n4} } DummyF ::= SEQUENCE { maxNumberPeriodicCSI-ReportPerBWP INTEGER (1..4), maxNumberAperiodicCSI-ReportPerBWP INTEGER (1..4), maxNumberSemiPersistentCSI-ReportPerBWP INTEGER (0..4), simultaneousCSI-ReportsAllCC INTEGER (5..32) } -- TAG-FEATURESETUPLINK-STOP -- TAG-FEATURESETUPLINKID-START FeatureSetUplinkId ::= INTEGER (0..maxUplinkFeatureSets) -- TAG-FEATURESETUPLINKID-STOP -- TAG-FEATURESETUPLINKPERCC-START FeatureSetUplinkPerCC ::= SEQUENCE { supportedSubcarrierSpacingUL SubcarrierSpacing, supportedBandwidthUL SupportedBandwidth, channelBW-90mhz ENUMERATED {supported} OPTIONAL, mimo-CB-PUSCH SEQUENCE { maxNumberMIMO-LayersCB-PUSCH MIMO-LayersUL OPTIONAL, maxNumberSRS-ResourcePerSet INTEGER (1..2) } OPTIONAL, maxNumberMIMO-LayersNonCB-PUSCH MIMO-LayersUL OPTIONAL, supportedModulationOrderUL ModulationOrder OPTIONAL } FeatureSetUplinkPerCC-v1540 ::= SEQUENCE { mimo-NonCB-PUSCH SEQUENCE { maxNumberSRS-ResourcePerSet INTEGER (1..4), maxNumberSimultaneousSRS-ResourceTx INTEGER (1..4) } OPTIONAL } FeatureSetUplinkPerCC-v1700 ::= SEQUENCE { supportedMinBandwidthUL-r17 SupportedBandwidth-v1700 OPTIONAL, -- R1 23-3-1-3 FeMIMO: Multi-TRP PUSCH repetition (type B) - non-codebook based mTRP-PUSCH-RepetitionTypeB-r17 ENUMERATED {n1,n2,n3,n4} OPTIONAL, -- R1 23-3-1-1 -codebook based Multi-TRP PUSCH repetition (type B) mTRP-PUSCH-TypeB-CB-r17 ENUMERATED {n1,n2,n4} OPTIONAL, supportedBandwidthUL-v1710 SupportedBandwidth-v1700 OPTIONAL } -- TAG-FEATURESETUPLINKPERCC-STOP -- TAG-FEATURESETUPLINKPERCC-ID-START FeatureSetUplinkPerCC-Id ::= INTEGER (1..maxPerCC-FeatureSets) -- TAG-FEATURESETUPLINKPERCC-ID-STOP -- TAG-FREQBANDINDICATOREUTRA-START FreqBandIndicatorEUTRA ::= INTEGER (1..maxBandsEUTRA) -- TAG-FREQBANDINDICATOREUTRA-STOP -- TAG-FREQBANDLIST-START FreqBandList ::= SEQUENCE (SIZE (1..maxBandsMRDC)) OF FreqBandInformation FreqBandInformation ::= CHOICE { bandInformationEUTRA FreqBandInformationEUTRA, bandInformationNR FreqBandInformationNR } FreqBandInformationEUTRA ::= SEQUENCE { bandEUTRA FreqBandIndicatorEUTRA, ca-BandwidthClassDL-EUTRA CA-BandwidthClassEUTRA OPTIONAL, -- Need N ca-BandwidthClassUL-EUTRA CA-BandwidthClassEUTRA OPTIONAL -- Need N } FreqBandInformationNR ::= SEQUENCE { bandNR FreqBandIndicatorNR, maxBandwidthRequestedDL AggregatedBandwidth OPTIONAL, -- Need N maxBandwidthRequestedUL AggregatedBandwidth OPTIONAL, -- Need N maxCarriersRequestedDL INTEGER (1..maxNrofServingCells) OPTIONAL, -- Need N maxCarriersRequestedUL INTEGER (1..maxNrofServingCells) OPTIONAL -- Need N } AggregatedBandwidth ::= ENUMERATED {mhz50, mhz100, mhz150, mhz200, mhz250, mhz300, mhz350, mhz400, mhz450, mhz500, mhz550, mhz600, mhz650, mhz700, mhz750, mhz800} -- TAG-FREQBANDLIST-STOP -- TAG-FREQSEPARATIONCLASS-START FreqSeparationClass ::= ENUMERATED { mhz800, mhz1200, mhz1400, ..., mhz400-v1650, mhz600-v1650} FreqSeparationClassDL-v1620 ::= ENUMERATED {mhz1000, mhz1600, mhz1800, mhz2000, mhz2200, mhz2400} FreqSeparationClassUL-v1620 ::= ENUMERATED {mhz1000} -- TAG-FREQSEPARATIONCLASS-STOP -- TAG-FREQSEPARATIONCLASSDL-Only-START FreqSeparationClassDL-Only-r16 ::= ENUMERATED {mhz200, mhz400, mhz600, mhz800, mhz1000, mhz1200} -- TAG-FREQSEPARATIONCLASSDL-Only-STOP -- TAG-FR2-2-ACCESSPARAMSPERBAND-START FR2-2-AccessParamsPerBand-r17 ::= SEQUENCE { -- R1 24-1: Basic FR2-2 DL support dl-FR2-2-SCS-120kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-1a: Basic FR2-2 UL support ul-FR2-2-SCS-120kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-2: 120KHz SSB support for initial access in FR2-2 initialAccessSSB-120kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-1b: Wideband PRACH for 120 kHz in FR2-2 widebandPRACH-SCS-120kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-1c: Multi-RB support PUCCH format 0/1/4 for 120 kHz in FR2-2 multiRB-PUCCH-SCS-120kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-1d: Multiple PDSCH scheduling by single DCI for 120kHz in FR2-2 multiPDSCH-SingleDCI-FR2-2-SCS-120kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-1e: Multiple PUSCH scheduling by single DCI for 120kHz in FR2-2 multiPUSCH-SingleDCI-FR2-2-SCS-120kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-4: 480KHz SCS support for DL dl-FR2-2-SCS-480kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-4a: 480KHz SCS support for UL ul-FR2-2-SCS-480kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-3: 480KHz SSB support for initial access in FR2-2 initialAccessSSB-480kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-4b: Wideband PRACH for 480 kHz in FR2-2 widebandPRACH-SCS-480kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-4c: Multi-RB support PUCCH format 0/1/4 for 480 kHz in FR2-2 multiRB-PUCCH-SCS-480kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-4f: Enhanced PDCCH monitoring for 480KHz in FR2-2 enhancedPDCCH-monitoringSCS-480kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-5: 960KHz SCS support for DL dl-FR2-2-SCS-960kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-5a: 960KHz SCS support for UL ul-FR2-2-SCS-960kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-5c: Multi-RB support PUCCH format 0/1/4 for 960 kHz in FR2-2 multiRB-PUCCH-SCS-960kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-5f: Enhanced PDCCH monitoring for 960KHz in FR2-2 enhancedPDCCH-monitoringSCS-960kHz-r17 SEQUENCE { pdcch-monitoring4-1-r17 ENUMERATED {supported} OPTIONAL, pdcch-monitoring4-2-r17 ENUMERATED {supported} OPTIONAL, pdcch-monitoring8-4-r17 ENUMERATED {supported} OPTIONAL } OPTIONAL, -- R1 24-6: Type 1 channel access procedure in uplink for FR2-2 with shared spectrum channel access type1-ChannelAccess-FR2-2-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-7: Type 2 channel access procedure in uplink for FR2-2 with shared spectrum channel access type2-ChannelAccess-FR2-2-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-10: Reduced beam switching time delay reduced-BeamSwitchTiming-FR2-2-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-8: 32 DL HARQ processes for FR 2-2 support32-DL-HARQ-ProcessPerSCS-r17 SEQUENCE { scs-120kHz-r17 ENUMERATED {supported} OPTIONAL, scs-480kHz-r17 ENUMERATED {supported} OPTIONAL, scs-960kHz-r17 ENUMERATED {supported} OPTIONAL } OPTIONAL, -- R1 24-9: 32 UL HARQ processes for FR 2-2 support32-UL-HARQ-ProcessPerSCS-r17 SEQUENCE { scs-120kHz-r17 ENUMERATED {supported} OPTIONAL, scs-480kHz-r17 ENUMERATED {supported} OPTIONAL, scs-960kHz-r17 ENUMERATED {supported} OPTIONAL } OPTIONAL, ..., [[ -- R4 15-1: 64QAM for PUSCH for FR2-2 modulation64-QAM-PUSCH-FR2-2-r17 ENUMERATED {supported} OPTIONAL ]] } -- TAG-FR2-2-ACCESSPARAMSPERBAND-STOP -- TAG-HIGHSPEEDPARAMETERS-START HighSpeedParameters-r16 ::= SEQUENCE { measurementEnhancement-r16 ENUMERATED {supported} OPTIONAL, demodulationEnhancement-r16 ENUMERATED {supported} OPTIONAL } HighSpeedParameters-v1650 ::= CHOICE { intraNR-MeasurementEnhancement-r16 ENUMERATED {supported}, interRAT-MeasurementEnhancement-r16 ENUMERATED {supported} } HighSpeedParameters-v1700 ::= SEQUENCE { -- R4 18-1: Enhanced RRM requirements specified for CA for FR1 HST measurementEnhancementCA-r17 ENUMERATED {supported} OPTIONAL, -- R4 18-2: Enhanced RRM requirements specified for inter-frequency measurement in connected mode for FR1 HST measurementEnhancementInterFreq-r17 ENUMERATED {supported} OPTIONAL } -- TAG-HIGHSPEEDPARAMETERS-STOP -- TAG-IMS-PARAMETERS-START IMS-Parameters ::= SEQUENCE { ims-ParametersCommon IMS-ParametersCommon OPTIONAL, ims-ParametersFRX-Diff IMS-ParametersFRX-Diff OPTIONAL, ... } IMS-Parameters-v1700 ::= SEQUENCE { ims-ParametersFR2-2-r17 IMS-ParametersFR2-2-r17 OPTIONAL } IMS-ParametersCommon ::= SEQUENCE { voiceOverEUTRA-5GC ENUMERATED {supported} OPTIONAL, ..., [[ voiceOverSCG-BearerEUTRA-5GC ENUMERATED {supported} OPTIONAL ]], [[ voiceFallbackIndicationEPS-r16 ENUMERATED {supported} OPTIONAL ]] } IMS-ParametersFRX-Diff ::= SEQUENCE { voiceOverNR ENUMERATED {supported} OPTIONAL, ... } IMS-ParametersFR2-2-r17 ::= SEQUENCE { voiceOverNR-r17 ENUMERATED {supported} OPTIONAL, ... } -- TAG-IMS-PARAMETERS-STOP -- TAG-INTERRAT-PARAMETERS-START InterRAT-Parameters ::= SEQUENCE { eutra EUTRA-Parameters OPTIONAL, ..., [[ utra-FDD-r16 UTRA-FDD-Parameters-r16 OPTIONAL ]] } EUTRA-Parameters ::= SEQUENCE { supportedBandListEUTRA SEQUENCE (SIZE (1..maxBandsEUTRA)) OF FreqBandIndicatorEUTRA, eutra-ParametersCommon EUTRA-ParametersCommon OPTIONAL, eutra-ParametersXDD-Diff EUTRA-ParametersXDD-Diff OPTIONAL, ... } EUTRA-ParametersCommon ::= SEQUENCE { mfbi-EUTRA ENUMERATED {supported} OPTIONAL, modifiedMPR-BehaviorEUTRA BIT STRING (SIZE (32)) OPTIONAL, multiNS-Pmax-EUTRA ENUMERATED {supported} OPTIONAL, rs-SINR-MeasEUTRA ENUMERATED {supported} OPTIONAL, ..., [[ ne-DC ENUMERATED {supported} OPTIONAL ]], [[ nr-HO-ToEN-DC-r16 ENUMERATED {supported} OPTIONAL ]] } EUTRA-ParametersXDD-Diff ::= SEQUENCE { rsrqMeasWidebandEUTRA ENUMERATED {supported} OPTIONAL, ... } UTRA-FDD-Parameters-r16 ::= SEQUENCE { supportedBandListUTRA-FDD-r16 SEQUENCE (SIZE (1..maxBandsUTRA-FDD-r16)) OF SupportedBandUTRA-FDD-r16, ... } SupportedBandUTRA-FDD-r16 ::= ENUMERATED { bandI, bandII, bandIII, bandIV, bandV, bandVI, bandVII, bandVIII, bandIX, bandX, bandXI, bandXII, bandXIII, bandXIV, bandXV, bandXVI, bandXVII, bandXVIII, bandXIX, bandXX, bandXXI, bandXXII, bandXXIII, bandXXIV, bandXXV, bandXXVI, bandXXVII, bandXXVIII, bandXXIX, bandXXX, bandXXXI, bandXXXII} -- TAG-INTERRAT-PARAMETERS-STOP -- TAG-MAC-PARAMETERS-START MAC-Parameters ::= SEQUENCE { mac-ParametersCommon MAC-ParametersCommon OPTIONAL, mac-ParametersXDD-Diff MAC-ParametersXDD-Diff OPTIONAL } MAC-Parameters-v1610 ::= SEQUENCE { mac-ParametersFRX-Diff-r16 MAC-ParametersFRX-Diff-r16 OPTIONAL } MAC-Parameters-v1700 ::= SEQUENCE { mac-ParametersFR2-2-r17 MAC-ParametersFR2-2-r17 OPTIONAL } MAC-ParametersCommon ::= SEQUENCE { lcp-Restriction ENUMERATED {supported} OPTIONAL, dummy ENUMERATED {supported} OPTIONAL, lch-ToSCellRestriction ENUMERATED {supported} OPTIONAL, ..., [[ recommendedBitRate ENUMERATED {supported} OPTIONAL, recommendedBitRateQuery ENUMERATED {supported} OPTIONAL ]], [[ recommendedBitRateMultiplier-r16 ENUMERATED {supported} OPTIONAL, preEmptiveBSR-r16 ENUMERATED {supported} OPTIONAL, autonomousTransmission-r16 ENUMERATED {supported} OPTIONAL, lch-PriorityBasedPrioritization-r16 ENUMERATED {supported} OPTIONAL, lch-ToConfiguredGrantMapping-r16 ENUMERATED {supported} OPTIONAL, lch-ToGrantPriorityRestriction-r16 ENUMERATED {supported} OPTIONAL, singlePHR-P-r16 ENUMERATED {supported} OPTIONAL, ul-LBT-FailureDetectionRecovery-r16 ENUMERATED {supported} OPTIONAL, -- R4 8-1: MPE tdd-MPE-P-MPR-Reporting-r16 ENUMERATED {supported} OPTIONAL, lcid-ExtensionIAB-r16 ENUMERATED {supported} OPTIONAL ]], [[ spCell-BFR-CBRA-r16 ENUMERATED {supported} OPTIONAL ]], [[ srs-ResourceId-Ext-r16 ENUMERATED {supported} OPTIONAL ]], [[ enhancedUuDRX-forSidelink-r17 ENUMERATED {supported} OPTIONAL, --27-10: Support of UL MAC CE based MG activation request for PRS measurements mg-ActivationRequestPRS-Meas-r17 ENUMERATED {supported} OPTIONAL, --27-11: Support of DL MAC CE based MG activation request for PRS measurements mg-ActivationCommPRS-Meas-r17 ENUMERATED {supported} OPTIONAL, intraCG-Prioritization-r17 ENUMERATED {supported} OPTIONAL, jointPrioritizationCG-Retx-Timer-r17 ENUMERATED {supported} OPTIONAL, survivalTime-r17 ENUMERATED {supported} OPTIONAL, lcg-ExtensionIAB-r17 ENUMERATED {supported} OPTIONAL, harq-FeedbackDisabled-r17 ENUMERATED {supported} OPTIONAL, uplink-Harq-ModeB-r17 ENUMERATED {supported} OPTIONAL, sr-TriggeredBy-TA-Report-r17 ENUMERATED {supported} OPTIONAL, extendedDRX-CycleInactive-r17 ENUMERATED {supported} OPTIONAL, simultaneousSR-PUSCH-DiffPUCCH-groups-r17 ENUMERATED {supported} OPTIONAL, lastTransmissionUL-r17 ENUMERATED {supported} OPTIONAL ]] } MAC-ParametersFRX-Diff-r16 ::= SEQUENCE { directMCG-SCellActivation-r16 ENUMERATED {supported} OPTIONAL, directMCG-SCellActivationResume-r16 ENUMERATED {supported} OPTIONAL, directSCG-SCellActivation-r16 ENUMERATED {supported} OPTIONAL, directSCG-SCellActivationResume-r16 ENUMERATED {supported} OPTIONAL, -- R1 19-1: DRX Adaptation drx-Adaptation-r16 SEQUENCE { non-SharedSpectrumChAccess-r16 MinTimeGap-r16 OPTIONAL, sharedSpectrumChAccess-r16 MinTimeGap-r16 OPTIONAL } OPTIONAL, ... } MAC-ParametersFR2-2-r17 ::= SEQUENCE { directMCG-SCellActivation-r17 ENUMERATED {supported} OPTIONAL, directMCG-SCellActivationResume-r17 ENUMERATED {supported} OPTIONAL, directSCG-SCellActivation-r17 ENUMERATED {supported} OPTIONAL, directSCG-SCellActivationResume-r17 ENUMERATED {supported} OPTIONAL, drx-Adaptation-r17 SEQUENCE { non-SharedSpectrumChAccess-r17 MinTimeGapFR2-2-r17 OPTIONAL, sharedSpectrumChAccess-r17 MinTimeGapFR2-2-r17 OPTIONAL } OPTIONAL, ... } MAC-ParametersXDD-Diff ::= SEQUENCE { skipUplinkTxDynamic ENUMERATED {supported} OPTIONAL, logicalChannelSR-DelayTimer ENUMERATED {supported} OPTIONAL, longDRX-Cycle ENUMERATED {supported} OPTIONAL, shortDRX-Cycle ENUMERATED {supported} OPTIONAL, multipleSR-Configurations ENUMERATED {supported} OPTIONAL, multipleConfiguredGrants ENUMERATED {supported} OPTIONAL, ..., [[ secondaryDRX-Group-r16 ENUMERATED {supported} OPTIONAL ]], [[ enhancedSkipUplinkTxDynamic-r16 ENUMERATED {supported} OPTIONAL, enhancedSkipUplinkTxConfigured-r16 ENUMERATED {supported} OPTIONAL ]] } MinTimeGap-r16 ::= SEQUENCE { scs-15kHz-r16 ENUMERATED {sl1, sl3} OPTIONAL, scs-30kHz-r16 ENUMERATED {sl1, sl6} OPTIONAL, scs-60kHz-r16 ENUMERATED {sl1, sl12} OPTIONAL, scs-120kHz-r16 ENUMERATED {sl2, sl24} OPTIONAL } MinTimeGapFR2-2-r17 ::= SEQUENCE { scs-120kHz-r17 ENUMERATED {sl2, sl24} OPTIONAL, scs-480kHz-r17 ENUMERATED {sl8, sl96} OPTIONAL, scs-960kHz-r17 ENUMERATED {sl16, sl192} OPTIONAL } -- TAG-MAC-PARAMETERS-STOP -- TAG-MEASANDMOBPARAMETERS-START MeasAndMobParameters ::= SEQUENCE { measAndMobParametersCommon MeasAndMobParametersCommon OPTIONAL, measAndMobParametersXDD-Diff MeasAndMobParametersXDD-Diff OPTIONAL, measAndMobParametersFRX-Diff MeasAndMobParametersFRX-Diff OPTIONAL } MeasAndMobParameters-v1700 ::= SEQUENCE { measAndMobParametersFR2-2-r17 MeasAndMobParametersFR2-2-r17 OPTIONAL } MeasAndMobParametersCommon ::= SEQUENCE { supportedGapPattern BIT STRING (SIZE (22)) OPTIONAL, ssb-RLM ENUMERATED {supported} OPTIONAL, ssb-AndCSI-RS-RLM ENUMERATED {supported} OPTIONAL, ..., [[ eventB-MeasAndReport ENUMERATED {supported} OPTIONAL, handoverFDD-TDD ENUMERATED {supported} OPTIONAL, eutra-CGI-Reporting ENUMERATED {supported} OPTIONAL, nr-CGI-Reporting ENUMERATED {supported} OPTIONAL ]], [[ independentGapConfig ENUMERATED {supported} OPTIONAL, periodicEUTRA-MeasAndReport ENUMERATED {supported} OPTIONAL, handoverFR1-FR2 ENUMERATED {supported} OPTIONAL, maxNumberCSI-RS-RRM-RS-SINR ENUMERATED {n4, n8, n16, n32, n64, n96} OPTIONAL ]], [[ nr-CGI-Reporting-ENDC ENUMERATED {supported} OPTIONAL ]], [[ eutra-CGI-Reporting-NEDC ENUMERATED {supported} OPTIONAL, eutra-CGI-Reporting-NRDC ENUMERATED {supported} OPTIONAL, nr-CGI-Reporting-NEDC ENUMERATED {supported} OPTIONAL, nr-CGI-Reporting-NRDC ENUMERATED {supported} OPTIONAL ]], [[ reportAddNeighMeasForPeriodic-r16 ENUMERATED {supported} OPTIONAL, condHandoverParametersCommon-r16 SEQUENCE { condHandoverFDD-TDD-r16 ENUMERATED {supported} OPTIONAL, condHandoverFR1-FR2-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, nr-NeedForGap-Reporting-r16 ENUMERATED {supported} OPTIONAL, supportedGapPattern-NRonly-r16 BIT STRING (SIZE (10)) OPTIONAL, supportedGapPattern-NRonly-NEDC-r16 ENUMERATED {supported} OPTIONAL, maxNumberCLI-RSSI-r16 ENUMERATED {n8, n16, n32, n64} OPTIONAL, maxNumberCLI-SRS-RSRP-r16 ENUMERATED {n4, n8, n16, n32} OPTIONAL, maxNumberPerSlotCLI-SRS-RSRP-r16 ENUMERATED {n2, n4, n8} OPTIONAL, mfbi-IAB-r16 ENUMERATED {supported} OPTIONAL, dummy ENUMERATED {supported} OPTIONAL, nr-CGI-Reporting-NPN-r16 ENUMERATED {supported} OPTIONAL, idleInactiveEUTRA-MeasReport-r16 ENUMERATED {supported} OPTIONAL, idleInactive-ValidityArea-r16 ENUMERATED {supported} OPTIONAL, eutra-AutonomousGaps-r16 ENUMERATED {supported} OPTIONAL, eutra-AutonomousGaps-NEDC-r16 ENUMERATED {supported} OPTIONAL, eutra-AutonomousGaps-NRDC-r16 ENUMERATED {supported} OPTIONAL, pcellT312-r16 ENUMERATED {supported} OPTIONAL, supportedGapPattern-r16 BIT STRING (SIZE (2)) OPTIONAL ]], [[ -- R4 19-2 Concurrent measurement gaps concurrentMeasGap-r17 CHOICE { concurrentPerUE-OnlyMeasGap-r17 ENUMERATED {supported}, concurrentPerUE-PerFRCombMeasGap-r17 ENUMERATED {supported} } OPTIONAL, -- R4 19-1 Network controlled small gap (NCSG) nr-NeedForGapNCSG-Reporting-r17 ENUMERATED {supported} OPTIONAL, eutra-NeedForGapNCSG-Reporting-r17 ENUMERATED {supported} OPTIONAL, -- R4 19-1-1 per FR Network controlled small gap (NCSG) ncsg-MeasGapPerFR-r17 ENUMERATED {supported} OPTIONAL, -- R4 19-1-2 Network controlled small gap (NCSG) supported patterns ncsg-MeasGapPatterns-r17 BIT STRING (SIZE(24)) OPTIONAL, -- R4 19-1-3 Network controlled small gap (NCSG) supported NR-only patterns ncsg-MeasGapNR-Patterns-r17 BIT STRING (SIZE(24)) OPTIONAL, -- R4 19-3-2 pre-configured measurement gap preconfiguredUE-AutonomousMeasGap-r17 ENUMERATED {supported} OPTIONAL, -- R4 19-3-1 pre-configured measurement gap preconfiguredNW-ControlledMeasGap-r17 ENUMERATED {supported} OPTIONAL, handoverFR1-FR2-2-r17 ENUMERATED {supported} OPTIONAL, handoverFR2-1-FR2-2-r17 ENUMERATED {supported} OPTIONAL, -- RAN4 14-1: per-FR MG for PRS measurement independentGapConfigPRS-r17 ENUMERATED {supported} OPTIONAL, rrm-RelaxationRRC-ConnectedRedCap-r17 ENUMERATED {supported} OPTIONAL, -- R4 25-3: Parallel measurements with multiple measurement gaps parallelMeasurementGap-r17 ENUMERATED {n2} OPTIONAL, condHandoverWithSCG-NRDC-r17 ENUMERATED {supported} OPTIONAL, gNB-ID-LengthReporting-r17 ENUMERATED {supported} OPTIONAL, gNB-ID-LengthReporting-ENDC-r17 ENUMERATED {supported} OPTIONAL, gNB-ID-LengthReporting-NEDC-r17 ENUMERATED {supported} OPTIONAL, gNB-ID-LengthReporting-NRDC-r17 ENUMERATED {supported} OPTIONAL, gNB-ID-LengthReporting-NPN-r17 ENUMERATED {supported} OPTIONAL ]], [[ -- R4 25-1: Parallel measurements on multiple SMTC-s for a single frequency carrier parallelSMTC-r17 ENUMERATED {n4} OPTIONAL, -- R4 19-2-1 Concurrent measurement gaps for EUTRA concurrentMeasGapEUTRA-r17 ENUMERATED {supported} OPTIONAL, serviceLinkPropDelayDiffReporting-r17 ENUMERATED {supported} OPTIONAL, -- R4 19-1-4 Network controlled small gap (NCSG) performing measurement based on flag deriveSSB-IndexFromCellInter ncsg-SymbolLevelScheduleRestrictionInter-r17 ENUMERATED {supported} OPTIONAL ]], [[ eventD1-MeasReportTrigger-r17 ENUMERATED {supported} OPTIONAL, independentGapConfig-maxCC-r17 SEQUENCE { fr1-Only-r17 INTEGER (1..32) OPTIONAL, fr2-Only-r17 INTEGER (1..32) OPTIONAL, fr1-AndFR2-r17 INTEGER (1..32) OPTIONAL } OPTIONAL ]], [[ interSatMeas-r17 ENUMERATED {supported} OPTIONAL, deriveSSB-IndexFromCellInterNon-NCSG-r17 ENUMERATED {supported} OPTIONAL ]] } MeasAndMobParametersXDD-Diff ::= SEQUENCE { intraAndInterF-MeasAndReport ENUMERATED {supported} OPTIONAL, eventA-MeasAndReport ENUMERATED {supported} OPTIONAL, ..., [[ handoverInterF ENUMERATED {supported} OPTIONAL, handoverLTE-EPC ENUMERATED {supported} OPTIONAL, handoverLTE-5GC ENUMERATED {supported} OPTIONAL ]], [[ sftd-MeasNR-Neigh ENUMERATED {supported} OPTIONAL, sftd-MeasNR-Neigh-DRX ENUMERATED {supported} OPTIONAL ]], [[ dummy ENUMERATED {supported} OPTIONAL ]] } MeasAndMobParametersFRX-Diff ::= SEQUENCE { ss-SINR-Meas ENUMERATED {supported} OPTIONAL, csi-RSRP-AndRSRQ-MeasWithSSB ENUMERATED {supported} OPTIONAL, csi-RSRP-AndRSRQ-MeasWithoutSSB ENUMERATED {supported} OPTIONAL, csi-SINR-Meas ENUMERATED {supported} OPTIONAL, csi-RS-RLM ENUMERATED {supported} OPTIONAL, ..., [[ handoverInterF ENUMERATED {supported} OPTIONAL, handoverLTE-EPC ENUMERATED {supported} OPTIONAL, handoverLTE-5GC ENUMERATED {supported} OPTIONAL ]], [[ maxNumberResource-CSI-RS-RLM ENUMERATED {n2, n4, n6, n8} OPTIONAL ]], [[ simultaneousRxDataSSB-DiffNumerology ENUMERATED {supported} OPTIONAL ]], [[ nr-AutonomousGaps-r16 ENUMERATED {supported} OPTIONAL, nr-AutonomousGaps-ENDC-r16 ENUMERATED {supported} OPTIONAL, nr-AutonomousGaps-NEDC-r16 ENUMERATED {supported} OPTIONAL, nr-AutonomousGaps-NRDC-r16 ENUMERATED {supported} OPTIONAL, dummy ENUMERATED {supported} OPTIONAL, cli-RSSI-Meas-r16 ENUMERATED {supported} OPTIONAL, cli-SRS-RSRP-Meas-r16 ENUMERATED {supported} OPTIONAL, interFrequencyMeas-NoGap-r16 ENUMERATED {supported} OPTIONAL, simultaneousRxDataSSB-DiffNumerology-Inter-r16 ENUMERATED {supported} OPTIONAL, idleInactiveNR-MeasReport-r16 ENUMERATED {supported} OPTIONAL, -- R4 6-2: Support of beam level Early Measurement Reporting idleInactiveNR-MeasBeamReport-r16 ENUMERATED {supported} OPTIONAL ]], [[ increasedNumberofCSIRSPerMO-r16 ENUMERATED {supported} OPTIONAL ]] } MeasAndMobParametersFR2-2-r17 ::= SEQUENCE { handoverInterF-r17 ENUMERATED {supported} OPTIONAL, handoverLTE-EPC-r17 ENUMERATED {supported} OPTIONAL, handoverLTE-5GC-r17 ENUMERATED {supported} OPTIONAL, idleInactiveNR-MeasReport-r17 ENUMERATED {supported} OPTIONAL, ... } -- TAG-MEASANDMOBPARAMETERS-STOP -- TAG-MEASANDMOBPARAMETERSMRDC-START MeasAndMobParametersMRDC ::= SEQUENCE { measAndMobParametersMRDC-Common MeasAndMobParametersMRDC-Common OPTIONAL, measAndMobParametersMRDC-XDD-Diff MeasAndMobParametersMRDC-XDD-Diff OPTIONAL, measAndMobParametersMRDC-FRX-Diff MeasAndMobParametersMRDC-FRX-Diff OPTIONAL } MeasAndMobParametersMRDC-v1560 ::= SEQUENCE { measAndMobParametersMRDC-XDD-Diff-v1560 MeasAndMobParametersMRDC-XDD-Diff-v1560 OPTIONAL } MeasAndMobParametersMRDC-v1610 ::= SEQUENCE { measAndMobParametersMRDC-Common-v1610 MeasAndMobParametersMRDC-Common-v1610 OPTIONAL, interNR-MeasEUTRA-IAB-r16 ENUMERATED {supported} OPTIONAL } MeasAndMobParametersMRDC-v1700 ::= SEQUENCE { measAndMobParametersMRDC-Common-v1700 MeasAndMobParametersMRDC-Common-v1700 OPTIONAL } MeasAndMobParametersMRDC-v1730 ::= SEQUENCE { measAndMobParametersMRDC-Common-v1730 MeasAndMobParametersMRDC-Common-v1730 OPTIONAL } MeasAndMobParametersMRDC-Common ::= SEQUENCE { independentGapConfig ENUMERATED {supported} OPTIONAL } MeasAndMobParametersMRDC-Common-v1610 ::= SEQUENCE { condPSCellChangeParametersCommon-r16 SEQUENCE { condPSCellChangeFDD-TDD-r16 ENUMERATED {supported} OPTIONAL, condPSCellChangeFR1-FR2-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, pscellT312-r16 ENUMERATED {supported} OPTIONAL } MeasAndMobParametersMRDC-Common-v1700 ::= SEQUENCE { condPSCellChangeParameters-r17 SEQUENCE { inter-SN-condPSCellChangeFDD-TDD-NRDC-r17 ENUMERATED {supported} OPTIONAL, inter-SN-condPSCellChangeFR1-FR2-NRDC-r17 ENUMERATED {supported} OPTIONAL, inter-SN-condPSCellChangeFDD-TDD-ENDC-r17 ENUMERATED {supported} OPTIONAL, inter-SN-condPSCellChangeFR1-FR2-ENDC-r17 ENUMERATED {supported} OPTIONAL, mn-InitiatedCondPSCellChange-FR1FDD-ENDC-r17 ENUMERATED {supported} OPTIONAL, mn-InitiatedCondPSCellChange-FR1TDD-ENDC-r17 ENUMERATED {supported} OPTIONAL, mn-InitiatedCondPSCellChange-FR2TDD-ENDC-r17 ENUMERATED {supported} OPTIONAL, sn-InitiatedCondPSCellChange-FR1FDD-ENDC-r17 ENUMERATED {supported} OPTIONAL, sn-InitiatedCondPSCellChange-FR1TDD-ENDC-r17 ENUMERATED {supported} OPTIONAL, sn-InitiatedCondPSCellChange-FR2TDD-ENDC-r17 ENUMERATED {supported} OPTIONAL } OPTIONAL, condHandoverWithSCG-ENDC-r17 ENUMERATED {supported} OPTIONAL, condHandoverWithSCG-NEDC-r17 ENUMERATED {supported} OPTIONAL } MeasAndMobParametersMRDC-Common-v1730 ::= SEQUENCE { independentGapConfig-maxCC-r17 SEQUENCE { fr1-Only-r17 INTEGER (1..32) OPTIONAL, fr2-Only-r17 INTEGER (1..32) OPTIONAL, fr1-AndFR2-r17 INTEGER (1..32) OPTIONAL } } MeasAndMobParametersMRDC-XDD-Diff ::= SEQUENCE { sftd-MeasPSCell ENUMERATED {supported} OPTIONAL, sftd-MeasNR-Cell ENUMERATED {supported} OPTIONAL } MeasAndMobParametersMRDC-XDD-Diff-v1560 ::= SEQUENCE { sftd-MeasPSCell-NEDC ENUMERATED {supported} OPTIONAL } MeasAndMobParametersMRDC-FRX-Diff ::= SEQUENCE { simultaneousRxDataSSB-DiffNumerology ENUMERATED {supported} OPTIONAL } -- TAG-MEASANDMOBPARAMETERSMRDC-STOP -- TAG-MIMO-LAYERS-START MIMO-LayersDL ::= ENUMERATED {twoLayers, fourLayers, eightLayers} MIMO-LayersUL ::= ENUMERATED {oneLayer, twoLayers, fourLayers} -- TAG-MIMO-LAYERS-STOP -- TAG-MIMO-PARAMETERSPERBAND-START MIMO-ParametersPerBand ::= SEQUENCE { tci-StatePDSCH SEQUENCE { maxNumberConfiguredTCI-StatesPerCC ENUMERATED {n4, n8, n16, n32, n64, n128} OPTIONAL, maxNumberActiveTCI-PerBWP ENUMERATED {n1, n2, n4, n8} OPTIONAL } OPTIONAL, additionalActiveTCI-StatePDCCH ENUMERATED {supported} OPTIONAL, pusch-TransCoherence ENUMERATED {nonCoherent, partialCoherent, fullCoherent} OPTIONAL, beamCorrespondenceWithoutUL-BeamSweeping ENUMERATED {supported} OPTIONAL, periodicBeamReport ENUMERATED {supported} OPTIONAL, aperiodicBeamReport ENUMERATED {supported} OPTIONAL, sp-BeamReportPUCCH ENUMERATED {supported} OPTIONAL, sp-BeamReportPUSCH ENUMERATED {supported} OPTIONAL, dummy1 DummyG OPTIONAL, maxNumberRxBeam INTEGER (2..8) OPTIONAL, maxNumberRxTxBeamSwitchDL SEQUENCE { scs-15kHz ENUMERATED {n4, n7, n14} OPTIONAL, scs-30kHz ENUMERATED {n4, n7, n14} OPTIONAL, scs-60kHz ENUMERATED {n4, n7, n14} OPTIONAL, scs-120kHz ENUMERATED {n4, n7, n14} OPTIONAL, scs-240kHz ENUMERATED {n4, n7, n14} OPTIONAL } OPTIONAL, maxNumberNonGroupBeamReporting ENUMERATED {n1, n2, n4} OPTIONAL, groupBeamReporting ENUMERATED {supported} OPTIONAL, uplinkBeamManagement SEQUENCE { maxNumberSRS-ResourcePerSet-BM ENUMERATED {n2, n4, n8, n16}, maxNumberSRS-ResourceSet INTEGER (1..8) } OPTIONAL, maxNumberCSI-RS-BFD INTEGER (1..64) OPTIONAL, maxNumberSSB-BFD INTEGER (1..64) OPTIONAL, maxNumberCSI-RS-SSB-CBD INTEGER (1..256) OPTIONAL, dummy2 ENUMERATED {supported} OPTIONAL, twoPortsPTRS-UL ENUMERATED {supported} OPTIONAL, dummy5 SRS-Resources OPTIONAL, dummy3 INTEGER (1..4) OPTIONAL, beamReportTiming SEQUENCE { scs-15kHz ENUMERATED {sym2, sym4, sym8} OPTIONAL, scs-30kHz ENUMERATED {sym4, sym8, sym14, sym28} OPTIONAL, scs-60kHz ENUMERATED {sym8, sym14, sym28} OPTIONAL, scs-120kHz ENUMERATED {sym14, sym28, sym56} OPTIONAL } OPTIONAL, ptrs-DensityRecommendationSetDL SEQUENCE { scs-15kHz PTRS-DensityRecommendationDL OPTIONAL, scs-30kHz PTRS-DensityRecommendationDL OPTIONAL, scs-60kHz PTRS-DensityRecommendationDL OPTIONAL, scs-120kHz PTRS-DensityRecommendationDL OPTIONAL } OPTIONAL, ptrs-DensityRecommendationSetUL SEQUENCE { scs-15kHz PTRS-DensityRecommendationUL OPTIONAL, scs-30kHz PTRS-DensityRecommendationUL OPTIONAL, scs-60kHz PTRS-DensityRecommendationUL OPTIONAL, scs-120kHz PTRS-DensityRecommendationUL OPTIONAL } OPTIONAL, dummy4 DummyH OPTIONAL, aperiodicTRS ENUMERATED {supported} OPTIONAL, ..., [[ dummy6 ENUMERATED {true} OPTIONAL, beamManagementSSB-CSI-RS BeamManagementSSB-CSI-RS OPTIONAL, beamSwitchTiming SEQUENCE { scs-60kHz ENUMERATED {sym14, sym28, sym48, sym224, sym336} OPTIONAL, scs-120kHz ENUMERATED {sym14, sym28, sym48, sym224, sym336} OPTIONAL } OPTIONAL, codebookParameters CodebookParameters OPTIONAL, csi-RS-IM-ReceptionForFeedback CSI-RS-IM-ReceptionForFeedback OPTIONAL, csi-RS-ProcFrameworkForSRS CSI-RS-ProcFrameworkForSRS OPTIONAL, csi-ReportFramework CSI-ReportFramework OPTIONAL, csi-RS-ForTracking CSI-RS-ForTracking OPTIONAL, srs-AssocCSI-RS SEQUENCE (SIZE (1.. maxNrofCSI-RS-Resources)) OF SupportedCSI-RS-Resource OPTIONAL, spatialRelations SpatialRelations OPTIONAL ]], [[ -- R1 16-2b-0: Support of default QCL assumption with two TCI states defaultQCL-TwoTCI-r16 ENUMERATED {supported} OPTIONAL, codebookParametersPerBand-r16 CodebookParameters-v1610 OPTIONAL, -- R1 16-1b-3: Support of PUCCH resource groups per BWP for simultaneous spatial relation update simul-SpatialRelationUpdatePUCCHResGroup-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-1f: Maximum number of SCells configured for SCell beam failure recovery simultaneously maxNumberSCellBFR-r16 ENUMERATED {n1,n2,n4,n8} OPTIONAL, -- R1 16-2c: Supports simultaneous reception with different Type-D for FR2 only simultaneousReceptionDiffTypeD-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-1a-1: SSB/CSI-RS for L1-SINR measurement ssb-csirs-SINR-measurement-r16 SEQUENCE { maxNumberSSB-CSIRS-OneTx-CMR-r16 ENUMERATED {n8, n16, n32, n64}, maxNumberCSI-IM-NZP-IMR-res-r16 ENUMERATED {n8, n16, n32, n64}, maxNumberCSIRS-2Tx-res-r16 ENUMERATED {n0, n4, n8, n16, n32, n64}, maxNumberSSB-CSIRS-res-r16 ENUMERATED {n8, n16, n32, n64, n128}, maxNumberCSI-IM-NZP-IMR-res-mem-r16 ENUMERATED {n8, n16, n32, n64, n128}, supportedCSI-RS-Density-CMR-r16 ENUMERATED {one, three, oneAndThree}, maxNumberAperiodicCSI-RS-Res-r16 ENUMERATED {n2, n4, n8, n16, n32, n64}, supportedSINR-meas-r16 ENUMERATED {ssbWithCSI-IM, ssbWithNZP-IMR, csirsWithNZP-IMR, csi-RSWithoutIMR} OPTIONAL } OPTIONAL, -- R1 16-1a-2: Non-group based L1-SINR reporting nonGroupSINR-reporting-r16 ENUMERATED {n1, n2, n4} OPTIONAL, -- R1 16-1a-3: Non-group based L1-SINR reporting groupSINR-reporting-r16 ENUMERATED {supported} OPTIONAL, multiDCI-multiTRP-Parameters-r16 SEQUENCE { -- R1 16-2a-0: Overlapping PDSCHs in time and fully overlapping in frequency and time overlapPDSCHsFullyFreqTime-r16 INTEGER (1..2) OPTIONAL, -- R1 16-2a-1: Overlapping PDSCHs in time and partially overlapping in frequency and time overlapPDSCHsInTimePartiallyFreq-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-2a-2: Out of order operation for DL outOfOrderOperationDL-r16 SEQUENCE { supportPDCCH-ToPDSCH-r16 ENUMERATED {supported} OPTIONAL, supportPDSCH-ToHARQ-ACK-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, -- R1 16-2a-3: Out of order operation for UL outOfOrderOperationUL-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-2a-5: Separate CRS rate matching separateCRS-RateMatching-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-2a-6: Default QCL enhancement for multi-DCI based multi-TRP defaultQCL-PerCORESETPoolIndex-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-2a-7: Maximum number of activated TCI states maxNumberActivatedTCI-States-r16 SEQUENCE { maxNumberPerCORESET-Pool-r16 ENUMERATED {n1, n2, n4, n8}, maxTotalNumberAcrossCORESET-Pool-r16 ENUMERATED {n2, n4, n8, n16} } OPTIONAL } OPTIONAL, singleDCI-SDM-scheme-Parameters-r16 SEQUENCE { -- R1 16-2b-1b: Single-DCI based SDM scheme - Support of new DMRS port entry supportNewDMRS-Port-r16 ENUMERATED {supported1, supported2, supported3} OPTIONAL, -- R1 16-2b-1a: Support of s-port DL PTRS supportTwoPortDL-PTRS-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, -- R1 16-2b-2: Support of single-DCI based FDMSchemeA supportFDM-SchemeA-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-2b-3a: Single-DCI based FDMSchemeB CW soft combining supportCodeWordSoftCombining-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-2b-4: Single-DCI based TDMSchemeA supportTDM-SchemeA-r16 ENUMERATED {kb3, kb5, kb10, kb20, noRestriction} OPTIONAL, -- R1 16-2b-5: Single-DCI based inter-slot TDM supportInter-slotTDM-r16 SEQUENCE { supportRepNumPDSCH-TDRA-r16 ENUMERATED {n2, n3, n4, n5, n6, n7, n8, n16}, maxTBS-Size-r16 ENUMERATED {kb3, kb5, kb10, kb20, noRestriction}, maxNumberTCI-states-r16 INTEGER (1..2) } OPTIONAL, -- R1 16-4: Low PAPR DMRS for PDSCH lowPAPR-DMRS-PDSCH-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-6a: Low PAPR DMRS for PUSCH without transform precoding lowPAPR-DMRS-PUSCHwithoutPrecoding-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-6b: Low PAPR DMRS for PUCCH lowPAPR-DMRS-PUCCH-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-6c: Low PAPR DMRS for PUSCH with transform precoding & pi/2 BPSK lowPAPR-DMRS-PUSCHwithPrecoding-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-7: Extension of the maximum number of configured aperiodic CSI report settings csi-ReportFrameworkExt-r16 CSI-ReportFrameworkExt-r16 OPTIONAL, -- R1 16-3a, 16-3a-1, 16-3b, 16-3b-1, 16-8: Individual new codebook types codebookParametersAddition-r16 CodebookParametersAddition-r16 OPTIONAL, -- R1 16-8: Mixed codebook types codebookComboParametersAddition-r16 CodebookComboParametersAddition-r16 OPTIONAL, -- R4 8-2: SSB based beam correspondence beamCorrespondenceSSB-based-r16 ENUMERATED {supported} OPTIONAL, -- R4 8-3: CSI-RS based beam correspondence beamCorrespondenceCSI-RS-based-r16 ENUMERATED {supported} OPTIONAL, beamSwitchTiming-r16 SEQUENCE { scs-60kHz-r16 ENUMERATED {sym224, sym336} OPTIONAL, scs-120kHz-r16 ENUMERATED {sym224, sym336} OPTIONAL } OPTIONAL ]], [[ -- R1 16-1a-4: Semi-persistent L1-SINR report on PUCCH semi-PersistentL1-SINR-Report-PUCCH-r16 SEQUENCE { supportReportFormat1-2OFDM-syms-r16 ENUMERATED {supported} OPTIONAL, supportReportFormat4-14OFDM-syms-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, -- R1 16-1a-5: Semi-persistent L1-SINR report on PUSCH semi-PersistentL1-SINR-Report-PUSCH-r16 ENUMERATED {supported} OPTIONAL ]], [[ -- R1 16-1h: Support of 64 configured PUCCH spatial relations spatialRelations-v1640 SEQUENCE { maxNumberConfiguredSpatialRelations-v1640 ENUMERATED {n96, n128, n160, n192, n224, n256, n288, n320} } OPTIONAL, -- R1 16-1i: Support of 64 configured candidate beam RSs for BFR support64CandidateBeamRS-BFR-r16 ENUMERATED {supported} OPTIONAL ]], [[ -- R1 16-2a-9: Interpretation of maxNumberMIMO-LayersPDSCH for multi-DCI based mTRP maxMIMO-LayersForMulti-DCI-mTRP-r16 ENUMERATED {supported} OPTIONAL ]], [[ supportedSINR-meas-v1670 BIT STRING (SIZE (4)) OPTIONAL ]], [[ -- R1 23-8-5 Increased repetition for SRS srs-increasedRepetition-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-8-6 Partial frequency sounding of SRS srs-partialFrequencySounding-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-8-7 Start RB location hopping for partial frequency SRS srs-startRB-locationHoppingPartial-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-8-8 Comb-8 SRS srs-combEight-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-9-1 Basic Features of Further Enhanced Port-Selection Type II Codebook (FeType-II) per band information codebookParametersfetype2-r17 CodebookParametersfetype2-r17 OPTIONAL, -- R1 23-3-1-2a Two associated CSI-RS resources mTRP-PUSCH-twoCSI-RS-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-3-2 Multi-TRP PUCCH repetition scheme 1 (inter-slot) mTRP-PUCCH-InterSlot-r17 ENUMERATED {pf0-2, pf1-3-4, pf0-4} OPTIONAL, -- R1 23-3-2b Cyclic mapping for multi-TRP PUCCH repetition mTRP-PUCCH-CyclicMapping-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-3-2c Second TPC field for multi-TRP PUCCH repetition mTRP-PUCCH-SecondTPC-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-5-2 MTRP BFR based on two BFD-RS set mTRP-BFR-twoBFD-RS-Set-r17 SEQUENCE { maxBFD-RS-resourcesPerSetPerBWP-r17 ENUMERATED {n1, n2}, maxBFR-r17 INTEGER (1..9), maxBFD-RS-resourcesAcrossSetsPerBWP-r17 ENUMERATED {n2, n3, n4} } OPTIONAL, -- R1 23-5-2a PUCCH-SR resources for MTRP BFRQ - Max number of PUCCH-SR resources for MTRP BFRQ per cell group mTRP-BFR-PUCCH-SR-perCG-r17 ENUMERATED{n1, n2} OPTIONAL, -- R1 23-5-2b Association between a BFD-RS resource set on SpCell and a PUCCH SR resource mTRP-BFR-association-PUCCH-SR-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-6-3 Simultaneous activation of two TCI states for PDCCH across multiple CCs (HST/URLLC) sfn-SimulTwoTCI-AcrossMultiCC-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-6-4 Default DL beam setup for SFN sfn-DefaultDL-BeamSetup-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-6-4a Default UL beam setup for SFN PDCCH(FR2 only) sfn-DefaultUL-BeamSetup-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-8-1 SRS triggering offset enhancement srs-TriggeringOffset-r17 ENUMERATED {n1, n2, n4} OPTIONAL, -- R1 23-8-2 Triggering SRS only in DCI 0_1/0_2 srs-TriggeringDCI-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-9-5 Active CSI-RS resources and ports for mixed codebook types in any slot per band information codebookComboParameterMixedType-r17 CodebookComboParameterMixedType-r17 OPTIONAL, -- R1 23-1-1 Unified TCI [with joint DL/UL TCI update] for intra-cell beam management unifiedJointTCI-r17 SEQUENCE{ maxConfiguredJointTCI-r17 ENUMERATED {n8, n12, n16, n24, n32, n48, n64, n128}, maxActivatedTCIAcrossCC-r17 ENUMERATED {n1, n2, n4, n8, n16} } OPTIONAL, -- R1 23-1-1b Unified TCI with joint DL/UL TCI update for intra- and inter-cell beam management with more than one MAC-CE unifiedJointTCI-multiMAC-CE-r17 SEQUENCE{ minBeamApplicationTime-r17 ENUMERATED {n1, n2, n4, n7, n14, n28, n42, n56, n70, n84, n98, n112, n224, n336} OPTIONAL, maxNumMAC-CE-PerCC ENUMERATED {n2, n3, n4, n5, n6, n7, n8} } OPTIONAL, -- R1 23-1-1d Per BWP TCI state pool configuration for CA mode unifiedJointTCI-perBWP-CA-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-1-1e TCI state pool configuration with TCI pool sharing for CA mode unifiedJointTCI-ListSharingCA-r17 ENUMERATED {n1,n2,n4,n8} OPTIONAL, -- R1 23-1-1f Common multi-CC TCI state ID update and activation unifiedJointTCI-commonMultiCC-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-1-1g Beam misalignment between the DL source RS in the TCI state unifiedJointTCI-BeamAlignDLRS-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-1-1h Association between TCI state and UL PC settings for PUCCH, PUSCH, and SRS unifiedJointTCI-PC-association-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-1-1i Indication/configuration of R17 TCI states for aperiodic CSI-RS, PDCCH, PDSCH unifiedJointTCI-Legacy-r17 ENUMERATED {supported} OPTIONAL, -- 23-1-1m Indication/configuration of R17 TCI states for SRS unifiedJointTCI-Legacy-SRS-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-1-1j Indication/configuration of R17 TCI states for CORESET #0 unifiedJointTCI-Legacy-CORESET0-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-1-1c SCell BFR with unified TCI framework (NOTE; pre-requisite is empty) unifiedJointTCI-SCellBFR-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-1-1a Unified TCI with joint DL/UL TCI update for inter-cell beam management unifiedJointTCI-InterCell-r17 SEQUENCE{ additionalMAC-CE-PerCC-r17 ENUMERATED {n0, n1, n2, n4}, additionalMAC-CE-AcrossCC-r17 ENUMERATED {n0, n1, n2, n4} } OPTIONAL, -- R1 23-10-1 Unified TCI with separate DL/UL TCI update for intra-cell beam management unifiedSeparateTCI-r17 SEQUENCE{ maxConfiguredDL-TCI-r17 ENUMERATED {n4, n8, n12, n16, n24, n32, n48, n64, n128}, maxConfiguredUL-TCI-r17 ENUMERATED {n4, n8, n12, n16, n24, n32, n48, n64}, maxActivatedDL-TCIAcrossCC-r17 ENUMERATED {n1, n2, n4, n8, n16}, maxActivatedUL-TCIAcrossCC-r17 ENUMERATED {n1, n2, n4, n8, n16} } OPTIONAL, -- R1 23-10-1b Unified TCI with separate DL/UL TCI update for intra-cell beam management with more than one MAC-CE unifiedSeparateTCI-multiMAC-CE-r17 SEQUENCE{ minBeamApplicationTime-r17 ENUMERATED {n1, n2, n4, n7, n14, n28, n42, n56, n70, n84, n98, n112, n224, n336}, maxActivatedDL-TCIPerCC-r17 INTEGER (2..8), maxActivatedUL-TCIPerCC-r17 INTEGER (2..8) } OPTIONAL, -- R1 23-10-1d Per BWP DL/UL-TCI state pool configuration for CA mode unifiedSeparateTCI-perBWP-CA-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-10-1e TCI state pool configuration with DL/UL-TCI pool sharing for CA mode unifiedSeparateTCI-ListSharingCA-r17 SEQUENCE { maxNumListDL-TCI-r17 ENUMERATED {n1,n2,n4,n8} OPTIONAL, maxNumListUL-TCI-r17 ENUMERATED {n1,n2,n4,n8} OPTIONAL } OPTIONAL, -- R1 23-10-1f Common multi-CC DL/UL-TCI state ID update and activation with separate DL/UL TCI update unifiedSeparateTCI-commonMultiCC-r17 ENUMERATED {supported} OPTIONAL, -- 23-10-1m Unified TCI with separate DL/UL TCI update for inter-cell beam management with more than one MAC-CE unifiedSeparateTCI-InterCell-r17 SEQUENCE { k-DL-PerCC-r17 ENUMERATED {n0, n1, n2, n4}, k-UL-PerCC-r17 ENUMERATED {n0, n1, n2, n4}, k-DL-AcrossCC-r17 ENUMERATED {n0, n1, n2, n4}, k-UL-AcrossCC-r17 ENUMERATED {n0, n1, n2, n4} } OPTIONAL, -- R1 23-1-2 Inter-cell beam measurement and reporting (for inter-cell BM and mTRP) unifiedJointTCI-mTRP-InterCell-BM-r17 SEQUENCE { maxNumAdditionalPCI-L1-RSRP-r17 INTEGER (1..7), maxNumSSB-ResourceL1-RSRP-AcrossCC-r17 ENUMERATED {n1,n2,n4,n8} } OPTIONAL, -- R1 23-1-3 MPE mitigation mpe-Mitigation-r17 SEQUENCE { maxNumP-MPR-RI-pairs-r17 INTEGER (1..4), maxNumConfRS-r17 ENUMERATED {n1, n2, n4, n8, n12, n16, n28, n32, n48, n64} } OPTIONAL, -- R1 23-1-4 UE capability value reporting srs-PortReport-r17 SEQUENCE { capVal1-r17 ENUMERATED {n1, n2, n4} OPTIONAL, capVal2-r17 ENUMERATED {n1, n2, n4} OPTIONAL, capVal3-r17 ENUMERATED {n1, n2, n4} OPTIONAL, capVal4-r17 ENUMERATED {n1, n2, n4} OPTIONAL } OPTIONAL, -- R1 23-2-1a Monitoring of individual candidates mTRP-PDCCH-individual-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-2-1b PDCCH repetition with PDCCH monitoring on any span of up to 3 consecutive OFDM symbols of a slot mTRP-PDCCH-anySpan-3Symbols-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-2-2 Two QCL TypeD for CORESET monitoring in PDCCH repetition mTRP-PDCCH-TwoQCL-TypeD-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-3-1-2b CSI-RS processing framework for SRS with two associated CSI-RS resources mTRP-PUSCH-CSI-RS-r17 SEQUENCE { maxNumPeriodicSRS-r17 INTEGER (1..8), maxNumAperiodicSRS-r17 INTEGER (1..8), maxNumSP-SRS-r17 INTEGER (0..8), numSRS-ResourcePerCC-r17 INTEGER (1..16), numSRS-ResourceNonCodebook-r17 INTEGER (1..2) } OPTIONAL, -- R1 23-3-1a Cyclic mapping for Multi-TRP PUSCH repetition mTRP-PUSCH-cyclicMapping-r17 ENUMERATED {typeA,typeB,both} OPTIONAL, -- R1 23-3-1b Second TPC field for Multi-TRP PUSCH repetition mTRP-PUSCH-secondTPC-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-3-1c Two PHR reporting mTRP-PUSCH-twoPHR-Reporting-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-3-1e A-CSI report mTRP-PUSCH-A-CSI-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-3-1f SP-CSI report mTRP-PUSCH-SP-CSI-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-3-1g CG PUSCH transmission mTRP-PUSCH-CG-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-3-2d Updating two Spatial relation or two sets of power control parameters for PUCCH group mTRP-PUCCH-MAC-CE-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-3-2e Maximum number of power control parameter sets configured for multi-TRP PUCCH repetition in FR1 mTRP-PUCCH-maxNum-PC-FR1-r17 INTEGER (3..8) OPTIONAL, -- R1 23-4 IntCell-mTRP mTRP-inter-Cell-r17 SEQUENCE { maxNumAdditionalPCI-Case1-r17 INTEGER (1..7), maxNumAdditionalPCI-Case2-r17 INTEGER (0..7) } OPTIONAL, -- R1 23-5-1 Group based L1-RSRP reporting enhancements mTRP-GroupBasedL1-RSRP-r17 SEQUENCE { maxNumBeamGroups-r17 INTEGER (1..4), maxNumRS-WithinSlot-r17 ENUMERATED {n2,n3,n4,n8,n16,n32,n64}, maxNumRS-AcrossSlot-r17 ENUMERATED {n8, n16, n32, n64, n128} } OPTIONAL, -- R1 23-5-2c MAC-CE based update of explicit BFD-RS mTRP-PUCCH-IntraSlot-r17 => per band mTRP-BFD-RS-MAC-CE-r17 ENUMERATED {n4, n8, n12, n16, n32, n48, n64 } OPTIONAL, -- R1 23-7-1 Basic Features of CSI Enhancement for Multi-TRP mTRP-CSI-EnhancementPerBand-r17 SEQUENCE { maxNumNZP-CSI-RS-r17 INTEGER (2..8), cSI-Report-mode-r17 ENUMERATED {mode1, mode2, both}, supportedComboAcrossCCs-r17 SEQUENCE (SIZE (1..16)) OF CSI-MultiTRP-SupportedCombinations-r17, codebookModeNCJT-r17 ENUMERATED{mode1,mode1And2} } OPTIONAL, -- R1 23-7-1b Active CSI-RS resources and ports in the presence of multi-TRP CSI codebookComboParameterMultiTRP-r17 CodebookComboParameterMultiTRP-r17 OPTIONAL, -- R1 23-7-1a Additional CSI report mode 1 mTRP-CSI-additionalCSI-r17 ENUMERATED{x1,x2} OPTIONAL, -- R1 23-7-4 Support of Nmax=2 for Multi-TRP CSI mTRP-CSI-N-Max2-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-7-5 CMR sharing mTRP-CSI-CMR-r17 ENUMERATED {supported} OPTIONAL, -- R1 23-8-11 Partial frequency sounding of SRS for non-frequency hopping case srs-partialFreqSounding-r17 ENUMERATED {supported} OPTIONAL, -- R1-24 feature: Extend beamSwitchTiming for FR2-2 beamSwitchTiming-v1710 SEQUENCE { scs-480kHz ENUMERATED {sym56, sym112, sym192, sym896, sym1344} OPTIONAL, scs-960kHz ENUMERATED {sym112, sym224, sym384, sym1792, sym2688} OPTIONAL } OPTIONAL, -- R1-24 feature: Extend beamSwitchTiming-r16 for FR2-2 beamSwitchTiming-r17 SEQUENCE { scs-480kHz-r17 ENUMERATED {sym896, sym1344} OPTIONAL, scs-960kHz-r17 ENUMERATED {sym1792, sym2688} OPTIONAL } OPTIONAL, -- R1-24 feature: Extend beamReportTiming for FR2-2 beamReportTiming-v1710 SEQUENCE { scs-480kHz-r17 ENUMERATED {sym56, sym112, sym224} OPTIONAL, scs-960kHz-r17 ENUMERATED {sym112, sym224, sym448} OPTIONAL } OPTIONAL, -- R1-24 feature: Extend maximum number of RX/TX beam switch DL for FR2-2 maxNumberRxTxBeamSwitchDL-v1710 SEQUENCE { scs-480kHz-r17 ENUMERATED {n2, n4, n7} OPTIONAL, scs-960kHz-r17 ENUMERATED {n1, n2, n4, n7} OPTIONAL } OPTIONAL ]], [[ -- R1-23-1-4a: Semi-persistent/aperiodic capability value report srs-PortReportSP-AP-r17 ENUMERATED {supported} OPTIONAL, maxNumberRxBeam-v1720 INTEGER (9..12) OPTIONAL, -- R1-23-6-5 Support implicit configuration of RS(s) with two TCI states for beam failure detection sfn-ImplicitRS-twoTCI-r17 ENUMERATED {supported} OPTIONAL, -- R1-23-6-6 QCL-TypeD collision handling with CORESET with 2 TCI states sfn-QCL-TypeD-Collision-twoTCI-r17 ENUMERATED {supported} OPTIONAL, -- R1-23-7-1c Basic Features of CSI Enhancement for Multi-TRP - number of CPUs mTRP-CSI-numCPU-r17 ENUMERATED {n2, n3, n4} OPTIONAL ]], [[ supportRepNumPDSCH-TDRA-DCI-1-2-r17 ENUMERATED {n2, n3, n4, n5, n6, n7, n8, n16} OPTIONAL ]] } DummyG ::= SEQUENCE { maxNumberSSB-CSI-RS-ResourceOneTx ENUMERATED {n8, n16, n32, n64}, maxNumberSSB-CSI-RS-ResourceTwoTx ENUMERATED {n0, n4, n8, n16, n32, n64}, supportedCSI-RS-Density ENUMERATED {one, three, oneAndThree} } BeamManagementSSB-CSI-RS ::= SEQUENCE { maxNumberSSB-CSI-RS-ResourceOneTx ENUMERATED {n0, n8, n16, n32, n64}, maxNumberCSI-RS-Resource ENUMERATED {n0, n4, n8, n16, n32, n64}, maxNumberCSI-RS-ResourceTwoTx ENUMERATED {n0, n4, n8, n16, n32, n64}, supportedCSI-RS-Density ENUMERATED {one, three, oneAndThree} OPTIONAL, maxNumberAperiodicCSI-RS-Resource ENUMERATED {n0, n1, n4, n8, n16, n32, n64} } DummyH ::= SEQUENCE { burstLength INTEGER (1..2), maxSimultaneousResourceSetsPerCC INTEGER (1..8), maxConfiguredResourceSetsPerCC INTEGER (1..64), maxConfiguredResourceSetsAllCC INTEGER (1..128) } CSI-RS-ForTracking ::= SEQUENCE { maxBurstLength INTEGER (1..2), maxSimultaneousResourceSetsPerCC INTEGER (1..8), maxConfiguredResourceSetsPerCC INTEGER (1..64), maxConfiguredResourceSetsAllCC INTEGER (1..256) } CSI-RS-IM-ReceptionForFeedback ::= SEQUENCE { maxConfigNumberNZP-CSI-RS-PerCC INTEGER (1..64), maxConfigNumberPortsAcrossNZP-CSI-RS-PerCC INTEGER (2..256), maxConfigNumberCSI-IM-PerCC ENUMERATED {n1, n2, n4, n8, n16, n32}, maxNumberSimultaneousNZP-CSI-RS-PerCC INTEGER (1..64), totalNumberPortsSimultaneousNZP-CSI-RS-PerCC INTEGER (2..256) } CSI-RS-ProcFrameworkForSRS ::= SEQUENCE { maxNumberPeriodicSRS-AssocCSI-RS-PerBWP INTEGER (1..4), maxNumberAperiodicSRS-AssocCSI-RS-PerBWP INTEGER (1..4), maxNumberSP-SRS-AssocCSI-RS-PerBWP INTEGER (0..4), simultaneousSRS-AssocCSI-RS-PerCC INTEGER (1..8) } CSI-ReportFramework ::= SEQUENCE { maxNumberPeriodicCSI-PerBWP-ForCSI-Report INTEGER (1..4), maxNumberAperiodicCSI-PerBWP-ForCSI-Report INTEGER (1..4), maxNumberSemiPersistentCSI-PerBWP-ForCSI-Report INTEGER (0..4), maxNumberPeriodicCSI-PerBWP-ForBeamReport INTEGER (1..4), maxNumberAperiodicCSI-PerBWP-ForBeamReport INTEGER (1..4), maxNumberAperiodicCSI-triggeringStatePerCC ENUMERATED {n3, n7, n15, n31, n63, n128}, maxNumberSemiPersistentCSI-PerBWP-ForBeamReport INTEGER (0..4), simultaneousCSI-ReportsPerCC INTEGER (1..8) } CSI-ReportFrameworkExt-r16 ::= SEQUENCE { maxNumberAperiodicCSI-PerBWP-ForCSI-ReportExt-r16 INTEGER (5..8) } PTRS-DensityRecommendationDL ::= SEQUENCE { frequencyDensity1 INTEGER (1..276), frequencyDensity2 INTEGER (1..276), timeDensity1 INTEGER (0..29), timeDensity2 INTEGER (0..29), timeDensity3 INTEGER (0..29) } PTRS-DensityRecommendationUL ::= SEQUENCE { frequencyDensity1 INTEGER (1..276), frequencyDensity2 INTEGER (1..276), timeDensity1 INTEGER (0..29), timeDensity2 INTEGER (0..29), timeDensity3 INTEGER (0..29), sampleDensity1 INTEGER (1..276), sampleDensity2 INTEGER (1..276), sampleDensity3 INTEGER (1..276), sampleDensity4 INTEGER (1..276), sampleDensity5 INTEGER (1..276) } SpatialRelations ::= SEQUENCE { maxNumberConfiguredSpatialRelations ENUMERATED {n4, n8, n16, n32, n64, n96}, maxNumberActiveSpatialRelations ENUMERATED {n1, n2, n4, n8, n14}, additionalActiveSpatialRelationPUCCH ENUMERATED {supported} OPTIONAL, maxNumberDL-RS-QCL-TypeD ENUMERATED {n1, n2, n4, n8, n14} } DummyI ::= SEQUENCE { supportedSRS-TxPortSwitch ENUMERATED {t1r2, t1r4, t2r4, t1r4-t2r4, tr-equal}, txSwitchImpactToRx ENUMERATED {true} OPTIONAL } CSI-MultiTRP-SupportedCombinations-r17 ::= SEQUENCE { maxNumTx-Ports-r17 ENUMERATED {n2, n4, n8, n12, n16, n24, n32}, maxTotalNumCMR-r17 INTEGER (2..64), maxTotalNumTx-PortsNZP-CSI-RS-r17 INTEGER (2..256) } -- TAG-MIMO-PARAMETERSPERBAND-STOP -- TAG-MODULATIONORDER-START ModulationOrder ::= ENUMERATED {bpsk-halfpi, bpsk, qpsk, qam16, qam64, qam256} -- TAG-MODULATIONORDER-STOP -- TAG-MRDC-PARAMETERS-START MRDC-Parameters ::= SEQUENCE { singleUL-Transmission ENUMERATED {supported} OPTIONAL, dynamicPowerSharingENDC ENUMERATED {supported} OPTIONAL, tdm-Pattern ENUMERATED {supported} OPTIONAL, ul-SharingEUTRA-NR ENUMERATED {tdm, fdm, both} OPTIONAL, ul-SwitchingTimeEUTRA-NR ENUMERATED {type1, type2} OPTIONAL, simultaneousRxTxInterBandENDC ENUMERATED {supported} OPTIONAL, asyncIntraBandENDC ENUMERATED {supported} OPTIONAL, ..., [[ dualPA-Architecture ENUMERATED {supported} OPTIONAL, intraBandENDC-Support ENUMERATED {non-contiguous, both} OPTIONAL, ul-TimingAlignmentEUTRA-NR ENUMERATED {required} OPTIONAL ]] } MRDC-Parameters-v1580 ::= SEQUENCE { dynamicPowerSharingNEDC ENUMERATED {supported} OPTIONAL } MRDC-Parameters-v1590 ::= SEQUENCE { interBandContiguousMRDC ENUMERATED {supported} OPTIONAL } MRDC-Parameters-v15g0 ::= SEQUENCE { simultaneousRxTxInterBandENDCPerBandPair SimultaneousRxTxPerBandPair OPTIONAL } MRDC-Parameters-v1620 ::= SEQUENCE { maxUplinkDutyCycle-interBandENDC-TDD-PC2-r16 SEQUENCE{ eutra-TDD-Config0-r16 ENUMERATED {n20, n40, n50, n60, n70, n80, n90, n100} OPTIONAL, eutra-TDD-Config1-r16 ENUMERATED {n20, n40, n50, n60, n70, n80, n90, n100} OPTIONAL, eutra-TDD-Config2-r16 ENUMERATED {n20, n40, n50, n60, n70, n80, n90, n100} OPTIONAL, eutra-TDD-Config3-r16 ENUMERATED {n20, n40, n50, n60, n70, n80, n90, n100} OPTIONAL, eutra-TDD-Config4-r16 ENUMERATED {n20, n40, n50, n60, n70, n80, n90, n100} OPTIONAL, eutra-TDD-Config5-r16 ENUMERATED {n20, n40, n50, n60, n70, n80, n90, n100} OPTIONAL, eutra-TDD-Config6-r16 ENUMERATED {n20, n40, n50, n60, n70, n80, n90, n100} OPTIONAL } OPTIONAL, -- R1 18-2 Single UL TX operation for TDD PCell in EN-DC tdm-restrictionTDD-endc-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-2a Single UL TX operation for FDD PCell in EN-DC tdm-restrictionFDD-endc-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-2b Support of HARQ-offset for SUO case1 in EN-DC with LTE TDD PCell for type 1 UE singleUL-HARQ-offsetTDD-PCell-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-3 Dual Tx transmission for EN-DC with FDD PCell(TDM pattern for dual Tx UE) tdm-restrictionDualTX-FDD-endc-r16 ENUMERATED {supported} OPTIONAL } MRDC-Parameters-v1630 ::= SEQUENCE { -- R4 2-20 Maximum uplink duty cycle for FDD+TDD EN-DC power class 2 maxUplinkDutyCycle-interBandENDC-FDD-TDD-PC2-r16 SEQUENCE { maxUplinkDutyCycle-FDD-TDD-EN-DC1-r16 ENUMERATED {n30, n40, n50, n60, n70, n80, n90, n100} OPTIONAL, maxUplinkDutyCycle-FDD-TDD-EN-DC2-r16 ENUMERATED {n30, n40, n50, n60, n70, n80, n90, n100} OPTIONAL } OPTIONAL, -- R4 2-19 FDD-FDD or TDD-TDD inter-band MR-DC with overlapping or partially overlapping DL spectrum interBandMRDC-WithOverlapDL-Bands-r16 ENUMERATED {supported} OPTIONAL } MRDC-Parameters-v1700 ::= SEQUENCE { condPSCellAdditionENDC-r17 ENUMERATED {supported} OPTIONAL, scg-ActivationDeactivationENDC-r17 ENUMERATED {supported} OPTIONAL, scg-ActivationDeactivationResumeENDC-r17 ENUMERATED {supported} OPTIONAL } -- TAG-MRDC-PARAMETERS-STOP -- TAG-NRDC-PARAMETERS-START NRDC-Parameters ::= SEQUENCE { measAndMobParametersNRDC MeasAndMobParametersMRDC OPTIONAL, generalParametersNRDC GeneralParametersMRDC-XDD-Diff OPTIONAL, fdd-Add-UE-NRDC-Capabilities UE-MRDC-CapabilityAddXDD-Mode OPTIONAL, tdd-Add-UE-NRDC-Capabilities UE-MRDC-CapabilityAddXDD-Mode OPTIONAL, fr1-Add-UE-NRDC-Capabilities UE-MRDC-CapabilityAddFRX-Mode OPTIONAL, fr2-Add-UE-NRDC-Capabilities UE-MRDC-CapabilityAddFRX-Mode OPTIONAL, dummy2 OCTET STRING OPTIONAL, dummy SEQUENCE {} OPTIONAL } NRDC-Parameters-v1570 ::= SEQUENCE { sfn-SyncNRDC ENUMERATED {supported} OPTIONAL } NRDC-Parameters-v15c0 ::= SEQUENCE { pdcp-DuplicationSplitSRB ENUMERATED {supported} OPTIONAL, pdcp-DuplicationSplitDRB ENUMERATED {supported} OPTIONAL } NRDC-Parameters-v1610 ::= SEQUENCE { measAndMobParametersNRDC-v1610 MeasAndMobParametersMRDC-v1610 OPTIONAL } NRDC-Parameters-v1700 ::= SEQUENCE { f1c-OverNR-RRC-r17 ENUMERATED {supported} OPTIONAL, measAndMobParametersNRDC-v1700 MeasAndMobParametersMRDC-v1700 } -- TAG-NRDC-PARAMETERS-STOP -- TAG-NTN-PARAMETERS-START NTN-Parameters-r17 ::= SEQUENCE { inactiveStateNTN-r17 ENUMERATED {supported} OPTIONAL, ra-SDT-NTN-r17 ENUMERATED {supported} OPTIONAL, srb-SDT-NTN-r17 ENUMERATED {supported} OPTIONAL, measAndMobParametersNTN-r17 MeasAndMobParameters OPTIONAL, mac-ParametersNTN-r17 MAC-Parameters OPTIONAL, phy-ParametersNTN-r17 Phy-Parameters OPTIONAL, fdd-Add-UE-NR-CapabilitiesNTN-r17 UE-NR-CapabilityAddXDD-Mode OPTIONAL, fr1-Add-UE-NR-CapabilitiesNTN-r17 UE-NR-CapabilityAddFRX-Mode OPTIONAL, ue-BasedPerfMeas-ParametersNTN-r17 UE-BasedPerfMeas-Parameters-r16 OPTIONAL, son-ParametersNTN-r17 SON-Parameters-r16 OPTIONAL } -- TAG-NTN-PARAMETERS-STOP -- TAG-OLPC-SRS-POS-START OLPC-SRS-Pos-r16 ::= SEQUENCE { olpc-SRS-PosBasedOnPRS-Serving-r16 ENUMERATED {supported} OPTIONAL, olpc-SRS-PosBasedOnSSB-Neigh-r16 ENUMERATED {supported} OPTIONAL, olpc-SRS-PosBasedOnPRS-Neigh-r16 ENUMERATED {supported} OPTIONAL, maxNumberPathLossEstimatePerServing-r16 ENUMERATED {n1, n4, n8, n16} OPTIONAL } --TAG-OLPC-SRS-POS-STOP -- TAG-PDCP-PARAMETERS-START PDCP-Parameters ::= SEQUENCE { supportedROHC-Profiles SEQUENCE { profile0x0000 BOOLEAN, profile0x0001 BOOLEAN, profile0x0002 BOOLEAN, profile0x0003 BOOLEAN, profile0x0004 BOOLEAN, profile0x0006 BOOLEAN, profile0x0101 BOOLEAN, profile0x0102 BOOLEAN, profile0x0103 BOOLEAN, profile0x0104 BOOLEAN }, maxNumberROHC-ContextSessions ENUMERATED {cs2, cs4, cs8, cs12, cs16, cs24, cs32, cs48, cs64, cs128, cs256, cs512, cs1024, cs16384, spare2, spare1}, uplinkOnlyROHC-Profiles ENUMERATED {supported} OPTIONAL, continueROHC-Context ENUMERATED {supported} OPTIONAL, outOfOrderDelivery ENUMERATED {supported} OPTIONAL, shortSN ENUMERATED {supported} OPTIONAL, pdcp-DuplicationSRB ENUMERATED {supported} OPTIONAL, pdcp-DuplicationMCG-OrSCG-DRB ENUMERATED {supported} OPTIONAL, ..., [[ drb-IAB-r16 ENUMERATED {supported} OPTIONAL, non-DRB-IAB-r16 ENUMERATED {supported} OPTIONAL, extendedDiscardTimer-r16 ENUMERATED {supported} OPTIONAL, continueEHC-Context-r16 ENUMERATED {supported} OPTIONAL, ehc-r16 ENUMERATED {supported} OPTIONAL, maxNumberEHC-Contexts-r16 ENUMERATED {cs2, cs4, cs8, cs16, cs32, cs64, cs128, cs256, cs512, cs1024, cs2048, cs4096, cs8192, cs16384, cs32768, cs65536} OPTIONAL, jointEHC-ROHC-Config-r16 ENUMERATED {supported} OPTIONAL, pdcp-DuplicationMoreThanTwoRLC-r16 ENUMERATED {supported} OPTIONAL ]], [[ longSN-RedCap-r17 ENUMERATED {supported} OPTIONAL, udc-r17 SEQUENCE { standardDictionary-r17 ENUMERATED {supported} OPTIONAL, operatorDictionary-r17 SEQUENCE { versionOfDictionary-r17 INTEGER (0..15), associatedPLMN-ID-r17 PLMN-Identity } OPTIONAL, continueUDC-r17 ENUMERATED {supported} OPTIONAL, supportOfBufferSize-r17 ENUMERATED {kbyte4, kbyte8} OPTIONAL } OPTIONAL ]] } -- TAG-PDCP-PARAMETERS-STOP -- TAG-PDCP-PARAMETERSMRDC-START PDCP-ParametersMRDC ::= SEQUENCE { pdcp-DuplicationSplitSRB ENUMERATED {supported} OPTIONAL, pdcp-DuplicationSplitDRB ENUMERATED {supported} OPTIONAL } PDCP-ParametersMRDC-v1610 ::= SEQUENCE { scg-DRB-NR-IAB-r16 ENUMERATED {supported} OPTIONAL } -- TAG-PDCP-PARAMETERSMRDC-STOP -- TAG-PHY-PARAMETERS-START Phy-Parameters ::= SEQUENCE { phy-ParametersCommon Phy-ParametersCommon OPTIONAL, phy-ParametersXDD-Diff Phy-ParametersXDD-Diff OPTIONAL, phy-ParametersFRX-Diff Phy-ParametersFRX-Diff OPTIONAL, phy-ParametersFR1 Phy-ParametersFR1 OPTIONAL, phy-ParametersFR2 Phy-ParametersFR2 OPTIONAL } Phy-Parameters-v16a0 ::= SEQUENCE { phy-ParametersCommon-v16a0 Phy-ParametersCommon-v16a0 OPTIONAL } Phy-ParametersCommon ::= SEQUENCE { csi-RS-CFRA-ForHO ENUMERATED {supported} OPTIONAL, dynamicPRB-BundlingDL ENUMERATED {supported} OPTIONAL, sp-CSI-ReportPUCCH ENUMERATED {supported} OPTIONAL, sp-CSI-ReportPUSCH ENUMERATED {supported} OPTIONAL, nzp-CSI-RS-IntefMgmt ENUMERATED {supported} OPTIONAL, type2-SP-CSI-Feedback-LongPUCCH ENUMERATED {supported} OPTIONAL, precoderGranularityCORESET ENUMERATED {supported} OPTIONAL, dynamicHARQ-ACK-Codebook ENUMERATED {supported} OPTIONAL, semiStaticHARQ-ACK-Codebook ENUMERATED {supported} OPTIONAL, spatialBundlingHARQ-ACK ENUMERATED {supported} OPTIONAL, dynamicBetaOffsetInd-HARQ-ACK-CSI ENUMERATED {supported} OPTIONAL, pucch-Repetition-F1-3-4 ENUMERATED {supported} OPTIONAL, ra-Type0-PUSCH ENUMERATED {supported} OPTIONAL, dynamicSwitchRA-Type0-1-PDSCH ENUMERATED {supported} OPTIONAL, dynamicSwitchRA-Type0-1-PUSCH ENUMERATED {supported} OPTIONAL, pdsch-MappingTypeA ENUMERATED {supported} OPTIONAL, pdsch-MappingTypeB ENUMERATED {supported} OPTIONAL, interleavingVRB-ToPRB-PDSCH ENUMERATED {supported} OPTIONAL, interSlotFreqHopping-PUSCH ENUMERATED {supported} OPTIONAL, type1-PUSCH-RepetitionMultiSlots ENUMERATED {supported} OPTIONAL, type2-PUSCH-RepetitionMultiSlots ENUMERATED {supported} OPTIONAL, pusch-RepetitionMultiSlots ENUMERATED {supported} OPTIONAL, pdsch-RepetitionMultiSlots ENUMERATED {supported} OPTIONAL, downlinkSPS ENUMERATED {supported} OPTIONAL, configuredUL-GrantType1 ENUMERATED {supported} OPTIONAL, configuredUL-GrantType2 ENUMERATED {supported} OPTIONAL, pre-EmptIndication-DL ENUMERATED {supported} OPTIONAL, cbg-TransIndication-DL ENUMERATED {supported} OPTIONAL, cbg-TransIndication-UL ENUMERATED {supported} OPTIONAL, cbg-FlushIndication-DL ENUMERATED {supported} OPTIONAL, dynamicHARQ-ACK-CodeB-CBG-Retx-DL ENUMERATED {supported} OPTIONAL, rateMatchingResrcSetSemi-Static ENUMERATED {supported} OPTIONAL, rateMatchingResrcSetDynamic ENUMERATED {supported} OPTIONAL, bwp-SwitchingDelay ENUMERATED {type1, type2} OPTIONAL, ..., [[ dummy ENUMERATED {supported} OPTIONAL ]], [[ maxNumberSearchSpaces ENUMERATED {n10} OPTIONAL, rateMatchingCtrlResrcSetDynamic ENUMERATED {supported} OPTIONAL, maxLayersMIMO-Indication ENUMERATED {supported} OPTIONAL ]], [[ spCellPlacement CarrierAggregationVariant OPTIONAL ]], [[ -- R1 9-1: Basic channel structure and procedure of 2-step RACH twoStepRACH-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-1: Monitoring DCI format 1_2 and DCI format 0_2 dci-Format1-2And0-2-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-1a: Monitoring both DCI format 0_1/1_1 and DCI format 0_2/1_2 in the same search space monitoringDCI-SameSearchSpace-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-10: Type 2 configured grant release by DCI format 0_1 type2-CG-ReleaseDCI-0-1-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-11: Type 2 configured grant release by DCI format 0_2 type2-CG-ReleaseDCI-0-2-r16 ENUMERATED {supported} OPTIONAL, -- R1 12-3: SPS release by DCI format 1_1 sps-ReleaseDCI-1-1-r16 ENUMERATED {supported} OPTIONAL, -- R1 12-3a: SPS release by DCI format 1_2 sps-ReleaseDCI-1-2-r16 ENUMERATED {supported} OPTIONAL, -- R1 14-8: CSI trigger states containing non-active BWP csi-TriggerStateNon-ActiveBWP-r16 ENUMERATED {supported} OPTIONAL, -- R1 20-2: Support up to 4 SMTCs configured for an IAB node MT per frequency location, including IAB-specific SMTC window periodicities separateSMTC-InterIAB-Support-r16 ENUMERATED {supported} OPTIONAL, -- R1 20-3: Support RACH configuration separately from the RACH configuration for UE access, including new IAB-specific offset and scaling factors separateRACH-IAB-Support-r16 ENUMERATED {supported} OPTIONAL, -- R1 20-5a: Support semi-static configuration/indication of UL-Flexible-DL slot formats for IAB-MT resources ul-flexibleDL-SlotFormatSemiStatic-IAB-r16 ENUMERATED {supported} OPTIONAL, -- R1 20-5b: Support dynamic indication of UL-Flexible-DL slot formats for IAB-MT resources ul-flexibleDL-SlotFormatDynamics-IAB-r16 ENUMERATED {supported} OPTIONAL, dft-S-OFDM-WaveformUL-IAB-r16 ENUMERATED {supported} OPTIONAL, -- R1 20-6: Support DCI Format 2_5 based indication of soft resource availability to an IAB node dci-25-AI-RNTI-Support-IAB-r16 ENUMERATED {supported} OPTIONAL, -- R1 20-7: Support T_delta reception. t-DeltaReceptionSupport-IAB-r16 ENUMERATED {supported} OPTIONAL, -- R1 20-8: Support of Desired guard symbol reporting and provided guard symbok reception. guardSymbolReportReception-IAB-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-8 HARQ-ACK codebook type and spatial bundling per PUCCH group harqACK-CB-SpatialBundlingPUCCH-Group-r16 ENUMERATED {supported} OPTIONAL, -- R1 19-2: Cross Slot Scheduling crossSlotScheduling-r16 SEQUENCE { non-SharedSpectrumChAccess-r16 ENUMERATED {supported} OPTIONAL, sharedSpectrumChAccess-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, maxNumberSRS-PosPathLossEstimateAllServingCells-r16 ENUMERATED {n1, n4, n8, n16} OPTIONAL, extendedCG-Periodicities-r16 ENUMERATED {supported} OPTIONAL, extendedSPS-Periodicities-r16 ENUMERATED {supported} OPTIONAL, codebookVariantsList-r16 CodebookVariantsList-r16 OPTIONAL, -- R1 11-6: PUSCH repetition Type A pusch-RepetitionTypeA-r16 SEQUENCE { sharedSpectrumChAccess-r16 ENUMERATED {supported} OPTIONAL, non-SharedSpectrumChAccess-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, -- R1 11-4b: DL priority indication in DCI with mixed DCI formats dci-DL-PriorityIndicator-r16 ENUMERATED {supported} OPTIONAL, -- R1 12-1a: UL priority indication in DCI with mixed DCI formats dci-UL-PriorityIndicator-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-1e: Maximum number of configured pathloss reference RSs for PUSCH/PUCCH/SRS by RRC for MAC-CE based pathloss reference RS update maxNumberPathlossRS-Update-r16 ENUMERATED {n4, n8, n16, n32, n64} OPTIONAL, -- R1 18-9: Usage of the PDSCH starting time for HARQ-ACK type 2 codebook type2-HARQ-ACK-Codebook-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-1g-1: Resources for beam management, pathloss measurement, BFD, RLM and new beam identification across frequency ranges maxTotalResourcesForAcrossFreqRanges-r16 SEQUENCE { maxNumberResWithinSlotAcrossCC-AcrossFR-r16 ENUMERATED {n2, n4, n8, n12, n16, n32, n64, n128} OPTIONAL, maxNumberResAcrossCC-AcrossFR-r16 ENUMERATED {n2, n4, n8, n12, n16, n32, n40, n48, n64, n72, n80, n96, n128, n256} OPTIONAL } OPTIONAL, -- R1 16-2a-4: HARQ-ACK for multi-DCI based multi-TRP - separate harqACK-separateMultiDCI-MultiTRP-r16 SEQUENCE { maxNumberLongPUCCHs-r16 ENUMERATED {longAndLong, longAndShort, shortAndShort} OPTIONAL } OPTIONAL, -- R1 16-2a-4: HARQ-ACK for multi-DCI based multi-TRP - joint harqACK-jointMultiDCI-MultiTRP-r16 ENUMERATED {supported} OPTIONAL, -- R4 9-1: BWP switching on multiple CCs RRM requirements bwp-SwitchingMultiCCs-r16 CHOICE { type1-r16 ENUMERATED {us100, us200}, type2-r16 ENUMERATED {us200, us400, us800, us1000} } OPTIONAL ]], [[ targetSMTC-SCG-r16 ENUMERATED {supported} OPTIONAL, supportRepetitionZeroOffsetRV-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-12: in-order CBG-based re-transmission cbg-TransInOrderPUSCH-UL-r16 ENUMERATED {supported} OPTIONAL ]], [[ -- R4 6-3: Dormant BWP switching on multiple CCs RRM requirements bwp-SwitchingMultiDormancyCCs-r16 CHOICE { type1-r16 ENUMERATED {us100, us200}, type2-r16 ENUMERATED {us200, us400, us800, us1000} } OPTIONAL, -- R1 16-2a-8: Indicates that retransmission scheduled by a different CORESETPoolIndex for multi-DCI multi-TRP is not supported. supportRetx-Diff-CoresetPool-Multi-DCI-TRP-r16 ENUMERATED {notSupported} OPTIONAL, -- R1 22-10: Support of pdcch-MonitoringAnyOccasionsWithSpanGap in case of cross-carrier scheduling with different SCSs pdcch-MonitoringAnyOccasionsWithSpanGapCrossCarrierSch-r16 ENUMERATED {mode2, mode3} OPTIONAL ]], [[ -- R1 16-1j-1: Support of 2 port CSI-RS for new beam identification newBeamIdentifications2PortCSI-RS-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-1j-2: Support of 2 port CSI-RS for pathloss estimation pathlossEstimation2PortCSI-RS-r16 ENUMERATED {supported} OPTIONAL ]], [[ mux-HARQ-ACK-withoutPUCCH-onPUSCH-r16 ENUMERATED {supported} OPTIONAL ]], [[ -- R1 31-1: Support of Desired Guard Symbol reporting and provided guard symbol reception. guardSymbolReportReception-IAB-r17 ENUMERATED {supported} OPTIONAL, -- R1 31-2: support of restricted IAB-DU beam reception restricted-IAB-DU-BeamReception-r17 ENUMERATED {supported} OPTIONAL, -- R1 31-3: support of recommended IAB-MT beam transmission for DL and UL beam recommended-IAB-MT-BeamTransmission-r17 ENUMERATED {supported} OPTIONAL, -- R1 31-4: support of case 6 timing alignment indication reception case6-TimingAlignmentReception-IAB-r17 ENUMERATED {supported} OPTIONAL, -- R1 31-5: support of case 7 timing offset indication reception and case 7 timing at parent-node indication reception case7-TimingAlignmentReception-IAB-r17 ENUMERATED {supported} OPTIONAL, -- R1 31-6: support of desired DL Tx power adjustment reporting and DL Tx power adjustment reception dl-tx-PowerAdjustment-IAB-r17 ENUMERATED {supported} OPTIONAL, -- R1 31-7: support of desired IAB-MT PSD range reporting desired-ul-tx-PowerAdjustment-r17 ENUMERATED {supported} OPTIONAL, -- R1 31-8: support of monitoring DCI Format 2_5 scrambled by AI-RNTI for indication of FDM soft resource availability to an IAB node fdm-SoftResourceAvailability-DynamicIndication-r17 ENUMERATED{supported} OPTIONAL, -- R1 31-10: Support of updated T_delta range reception updated-T-DeltaRangeReception-r17 ENUMERATED{supported} OPTIONAL, -- R1 30-5: Support slot based dynamic PUCCH repetition indication for PUCCH formats 0/1/2/3/4 slotBasedDynamicPUCCH-Rep-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-1: Support of HARQ-ACK deferral in case of TDD collision sps-HARQ-ACK-Deferral-r17 SEQUENCE { non-SharedSpectrumChAccess-r17 ENUMERATED {supported} OPTIONAL, sharedSpectrumChAccess-r17 ENUMERATED {supported} OPTIONAL } OPTIONAL, -- R1 23-1-1k Maximum number of configured CC lists (per UE) unifiedJointTCI-commonUpdate-r17 INTEGER (1..4) OPTIONAL, -- R1 23-2-1c PDCCH repetition with a single span of three contiguous OFDM symbols that is within the first four OFDM symbols in a slot mTRP-PDCCH-singleSpan-r17 ENUMERATED {supported} OPTIONAL, -- R1 27-23: Support of more than one activated PRS processing windows across all active DL BWPs supportedActivatedPRS-ProcessingWindow-r17 ENUMERATED {n2, n3, n4} OPTIONAL, cg-TimeDomainAllocationExtension-r17 ENUMERATED {supported} OPTIONAL ]], [[ -- R1 25-20: Propagation delay compensation based on legacy TA procedure for TN and licensed ta-BasedPDC-TN-NonSharedSpectrumChAccess-r17 ENUMERATED {supported} OPTIONAL, -- R1 31-11: Directional Collision Handling in DC operation directionalCollisionDC-IAB-r17 ENUMERATED {supported} OPTIONAL ]], [[ dummy1 ENUMERATED {supported} OPTIONAL, dummy2 ENUMERATED {supported} OPTIONAL, dummy3 ENUMERATED {supported} OPTIONAL, dummy4 ENUMERATED {supported} OPTIONAL, srs-AdditionalRepetition-r17 ENUMERATED {supported} OPTIONAL, pusch-Repetition-CG-SDT-r17 ENUMERATED {supported} OPTIONAL ]] } Phy-ParametersCommon-v16a0 ::= SEQUENCE { srs-PeriodicityAndOffsetExt-r16 ENUMERATED {supported} OPTIONAL } Phy-ParametersXDD-Diff ::= SEQUENCE { dynamicSFI ENUMERATED {supported} OPTIONAL, twoPUCCH-F0-2-ConsecSymbols ENUMERATED {supported} OPTIONAL, twoDifferentTPC-Loop-PUSCH ENUMERATED {supported} OPTIONAL, twoDifferentTPC-Loop-PUCCH ENUMERATED {supported} OPTIONAL, ..., [[ dl-SchedulingOffset-PDSCH-TypeA ENUMERATED {supported} OPTIONAL, dl-SchedulingOffset-PDSCH-TypeB ENUMERATED {supported} OPTIONAL, ul-SchedulingOffset ENUMERATED {supported} OPTIONAL ]] } Phy-ParametersFRX-Diff ::= SEQUENCE { dynamicSFI ENUMERATED {supported} OPTIONAL, dummy1 BIT STRING (SIZE (2)) OPTIONAL, twoFL-DMRS BIT STRING (SIZE (2)) OPTIONAL, dummy2 BIT STRING (SIZE (2)) OPTIONAL, dummy3 BIT STRING (SIZE (2)) OPTIONAL, supportedDMRS-TypeDL ENUMERATED {type1, type1And2} OPTIONAL, supportedDMRS-TypeUL ENUMERATED {type1, type1And2} OPTIONAL, semiOpenLoopCSI ENUMERATED {supported} OPTIONAL, csi-ReportWithoutPMI ENUMERATED {supported} OPTIONAL, csi-ReportWithoutCQI ENUMERATED {supported} OPTIONAL, onePortsPTRS BIT STRING (SIZE (2)) OPTIONAL, twoPUCCH-F0-2-ConsecSymbols ENUMERATED {supported} OPTIONAL, pucch-F2-WithFH ENUMERATED {supported} OPTIONAL, pucch-F3-WithFH ENUMERATED {supported} OPTIONAL, pucch-F4-WithFH ENUMERATED {supported} OPTIONAL, pucch-F0-2WithoutFH ENUMERATED {notSupported} OPTIONAL, pucch-F1-3-4WithoutFH ENUMERATED {notSupported} OPTIONAL, mux-SR-HARQ-ACK-CSI-PUCCH-MultiPerSlot ENUMERATED {supported} OPTIONAL, uci-CodeBlockSegmentation ENUMERATED {supported} OPTIONAL, onePUCCH-LongAndShortFormat ENUMERATED {supported} OPTIONAL, twoPUCCH-AnyOthersInSlot ENUMERATED {supported} OPTIONAL, intraSlotFreqHopping-PUSCH ENUMERATED {supported} OPTIONAL, pusch-LBRM ENUMERATED {supported} OPTIONAL, pdcch-BlindDetectionCA INTEGER (4..16) OPTIONAL, tpc-PUSCH-RNTI ENUMERATED {supported} OPTIONAL, tpc-PUCCH-RNTI ENUMERATED {supported} OPTIONAL, tpc-SRS-RNTI ENUMERATED {supported} OPTIONAL, absoluteTPC-Command ENUMERATED {supported} OPTIONAL, twoDifferentTPC-Loop-PUSCH ENUMERATED {supported} OPTIONAL, twoDifferentTPC-Loop-PUCCH ENUMERATED {supported} OPTIONAL, pusch-HalfPi-BPSK ENUMERATED {supported} OPTIONAL, pucch-F3-4-HalfPi-BPSK ENUMERATED {supported} OPTIONAL, almostContiguousCP-OFDM-UL ENUMERATED {supported} OPTIONAL, sp-CSI-RS ENUMERATED {supported} OPTIONAL, sp-CSI-IM ENUMERATED {supported} OPTIONAL, tdd-MultiDL-UL-SwitchPerSlot ENUMERATED {supported} OPTIONAL, multipleCORESET ENUMERATED {supported} OPTIONAL, ..., [[ csi-RS-IM-ReceptionForFeedback CSI-RS-IM-ReceptionForFeedback OPTIONAL, csi-RS-ProcFrameworkForSRS CSI-RS-ProcFrameworkForSRS OPTIONAL, csi-ReportFramework CSI-ReportFramework OPTIONAL, mux-SR-HARQ-ACK-CSI-PUCCH-OncePerSlot SEQUENCE { sameSymbol ENUMERATED {supported} OPTIONAL, diffSymbol ENUMERATED {supported} OPTIONAL } OPTIONAL, mux-SR-HARQ-ACK-PUCCH ENUMERATED {supported} OPTIONAL, mux-MultipleGroupCtrlCH-Overlap ENUMERATED {supported} OPTIONAL, dl-SchedulingOffset-PDSCH-TypeA ENUMERATED {supported} OPTIONAL, dl-SchedulingOffset-PDSCH-TypeB ENUMERATED {supported} OPTIONAL, ul-SchedulingOffset ENUMERATED {supported} OPTIONAL, dl-64QAM-MCS-TableAlt ENUMERATED {supported} OPTIONAL, ul-64QAM-MCS-TableAlt ENUMERATED {supported} OPTIONAL, cqi-TableAlt ENUMERATED {supported} OPTIONAL, oneFL-DMRS-TwoAdditionalDMRS-UL ENUMERATED {supported} OPTIONAL, twoFL-DMRS-TwoAdditionalDMRS-UL ENUMERATED {supported} OPTIONAL, oneFL-DMRS-ThreeAdditionalDMRS-UL ENUMERATED {supported} OPTIONAL ]], [[ pdcch-BlindDetectionNRDC SEQUENCE { pdcch-BlindDetectionMCG-UE INTEGER (1..15), pdcch-BlindDetectionSCG-UE INTEGER (1..15) } OPTIONAL, mux-HARQ-ACK-PUSCH-DiffSymbol ENUMERATED {supported} OPTIONAL ]], [[ -- R1 11-1b: Type 1 HARQ-ACK codebook support for relative TDRA for DL type1-HARQ-ACK-Codebook-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-8: Enhanced UL power control scheme enhancedPowerControl-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-1b-1: TCI state activation across multiple CCs simultaneousTCI-ActMultipleCC-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-1b-2: Spatial relation update across multiple CCs simultaneousSpatialRelationMultipleCC-r16 ENUMERATED {supported} OPTIONAL, cli-RSSI-FDM-DL-r16 ENUMERATED {supported} OPTIONAL, cli-SRS-RSRP-FDM-DL-r16 ENUMERATED {supported} OPTIONAL, -- R1 19-3: Maximum MIMO Layer Adaptation maxLayersMIMO-Adaptation-r16 ENUMERATED {supported} OPTIONAL, -- R1 12-5: Configuration of aggregation factor per SPS configuration aggregationFactorSPS-DL-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-1g: Resources for beam management, pathloss measurement, BFD, RLM and new beam identification maxTotalResourcesForOneFreqRange-r16 SEQUENCE { maxNumberResWithinSlotAcrossCC-OneFR-r16 ENUMERATED {n2, n4, n8, n12, n16, n32, n64, n128} OPTIONAL, maxNumberResAcrossCC-OneFR-r16 ENUMERATED {n2, n4, n8, n12, n16, n32, n40, n48, n64, n72, n80, n96, n128, n256} OPTIONAL } OPTIONAL, -- R1 16-7: Extension of the maximum number of configured aperiodic CSI report settings csi-ReportFrameworkExt-r16 CSI-ReportFrameworkExt-r16 OPTIONAL ]], [[ twoTCI-Act-servingCellInCC-List-r16 ENUMERATED {supported} OPTIONAL ]], [[ -- R1 22-11: Support of 'cri-RI-CQI' report without non-PMI-PortIndication cri-RI-CQI-WithoutNon-PMI-PortInd-r16 ENUMERATED {supported} OPTIONAL ]], [[ -- R1 25-11: 4-bits subband CQI for TN and licensed cqi-4-BitsSubbandTN-NonSharedSpectrumChAccess-r17 ENUMERATED {supported} OPTIONAL ]] } Phy-ParametersFR1 ::= SEQUENCE { pdcch-MonitoringSingleOccasion ENUMERATED {supported} OPTIONAL, scs-60kHz ENUMERATED {supported} OPTIONAL, pdsch-256QAM-FR1 ENUMERATED {supported} OPTIONAL, pdsch-RE-MappingFR1-PerSymbol ENUMERATED {n10, n20} OPTIONAL, ..., [[ pdsch-RE-MappingFR1-PerSlot ENUMERATED {n16, n32, n48, n64, n80, n96, n112, n128, n144, n160, n176, n192, n208, n224, n240, n256} OPTIONAL ]], [[ -- R1 22-12: PDCCH monitoring with a single span of three contiguous OFDM symbols that is within the first four OFDM symbols in a -- slot pdcch-MonitoringSingleSpanFirst4Sym-r16 ENUMERATED {supported} OPTIONAL ]] } Phy-ParametersFR2 ::= SEQUENCE { dummy ENUMERATED {supported} OPTIONAL, pdsch-RE-MappingFR2-PerSymbol ENUMERATED {n6, n20} OPTIONAL, ..., [[ pCell-FR2 ENUMERATED {supported} OPTIONAL, pdsch-RE-MappingFR2-PerSlot ENUMERATED {n16, n32, n48, n64, n80, n96, n112, n128, n144, n160, n176, n192, n208, n224, n240, n256} OPTIONAL ]], [[ -- R1 16-1c: Support of default spatial relation and pathloss reference RS for dedicated-PUCCH/SRS and PUSCH defaultSpatialRelationPathlossRS-r16 ENUMERATED {supported} OPTIONAL, -- R1 16-1d: Support of spatial relation update for AP-SRS via MAC CE spatialRelationUpdateAP-SRS-r16 ENUMERATED {supported} OPTIONAL, maxNumberSRS-PosSpatialRelationsAllServingCells-r16 ENUMERATED {n0, n1, n2, n4, n8, n16} OPTIONAL ]] } -- TAG-PHY-PARAMETERS-STOP -- TAG-PHY-PARAMETERSMRDC-START Phy-ParametersMRDC ::= SEQUENCE { naics-Capability-List SEQUENCE (SIZE (1..maxNrofNAICS-Entries)) OF NAICS-Capability-Entry OPTIONAL, ..., [[ spCellPlacement CarrierAggregationVariant OPTIONAL ]], [[ -- R1 18-3b: Semi-statically configured LTE UL transmissions in all UL subframes not limited to tdm-pattern in case of TDD PCell tdd-PCellUL-TX-AllUL-Subframe-r16 ENUMERATED {supported} OPTIONAL, -- R1 18-3a: Semi-statically configured LTE UL transmissions in all UL subframes not limited to tdm-pattern in case of FDD PCell fdd-PCellUL-TX-AllUL-Subframe-r16 ENUMERATED {supported} OPTIONAL ]] } NAICS-Capability-Entry ::= SEQUENCE { numberOfNAICS-CapableCC INTEGER(1..5), numberOfAggregatedPRB ENUMERATED {n50, n75, n100, n125, n150, n175, n200, n225, n250, n275, n300, n350, n400, n450, n500, spare}, ... } -- TAG-PHY-PARAMETERSMRDC-STOP -- TAG-PHY-PARAMETERSSHAREDSPECTRUMCHACCESS-START Phy-ParametersSharedSpectrumChAccess-r16 ::= SEQUENCE { -- 10-32 (1-2): SS block based SINR measurement (SS-SINR) for unlicensed spectrum ss-SINR-Meas-r16 ENUMERATED {supported} OPTIONAL, -- 10-33 (2-32a): Semi-persistent CSI report on PUCCH for unlicensed spectrum sp-CSI-ReportPUCCH-r16 ENUMERATED {supported} OPTIONAL, -- 10-33a (2-32b): Semi-persistent CSI report on PUSCH for unlicensed spectrum sp-CSI-ReportPUSCH-r16 ENUMERATED {supported} OPTIONAL, -- 10-34 (3-6): Dynamic SFI monitoring for unlicensed spectrum dynamicSFI-r16 ENUMERATED {supported} OPTIONAL, -- 10-35c (4-19c): SR/HARQ-ACK/CSI multiplexing once per slot using a PUCCH (or HARQ-ACK/CSI piggybacked on a PUSCH) when SR/HARQ- -- ACK/CSI are supposed to be sent with different starting symbols in a slot for unlicensed spectrum -- 10-35 (4-19): SR/HARQ-ACK/CSI multiplexing once per slot using a PUCCH (or HARQ-ACK/CSI piggybacked on a PUSCH) when SR/HARQ- -- ACK/CSI are supposed to be sent with the same starting symbol on the PUCCH resources in a slot for unlicensed spectrum mux-SR-HARQ-ACK-CSI-PUCCH-OncePerSlot-r16 SEQUENCE { sameSymbol-r16 ENUMERATED {supported} OPTIONAL, diffSymbol-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, -- 10-35a (4-19a): Overlapping PUCCH resources have different starting symbols in a slot for unlicensed spectrum mux-SR-HARQ-ACK-PUCCH-r16 ENUMERATED {supported} OPTIONAL, -- 10-35b (4-19b): SR/HARQ-ACK/CSI multiplexing more than once per slot using a PUCCH (or HARQ-ACK/CSI piggybacked on a PUSCH) when -- SR/HARQ ACK/CSI are supposed to be sent with the same or different starting symbol in a slot for unlicensed spectrum mux-SR-HARQ-ACK-CSI-PUCCH-MultiPerSlot-r16 ENUMERATED {supported} OPTIONAL, -- 10-36 (4-28): HARQ-ACK multiplexing on PUSCH with different PUCCH/PUSCH starting OFDM symbols for unlicensed spectrum mux-HARQ-ACK-PUSCH-DiffSymbol-r16 ENUMERATED {supported} OPTIONAL, -- 10-37 (4-23): Repetitions for PUCCH format 1, 3, and 4 over multiple slots with K = 2, 4, 8 for unlicensed spectrum pucch-Repetition-F1-3-4-r16 ENUMERATED {supported} OPTIONAL, -- 10-38 (5-14): Type 1 configured PUSCH repetitions over multiple slots for unlicensed spectrum type1-PUSCH-RepetitionMultiSlots-r16 ENUMERATED {supported} OPTIONAL, -- 10-39 (5-16): Type 2 configured PUSCH repetitions over multiple slots for unlicensed spectrum type2-PUSCH-RepetitionMultiSlots-r16 ENUMERATED {supported} OPTIONAL, -- 10-40 (5-17): PUSCH repetitions over multiple slots for unlicensed spectrum pusch-RepetitionMultiSlots-r16 ENUMERATED {supported} OPTIONAL, -- 10-40a (5-17a): PDSCH repetitions over multiple slots for unlicensed spectrum pdsch-RepetitionMultiSlots-r16 ENUMERATED {supported} OPTIONAL, -- 10-41 (5-18): DL SPS downlinkSPS-r16 ENUMERATED {supported} OPTIONAL, -- 10-42 (5-19): Type 1 Configured UL grant configuredUL-GrantType1-r16 ENUMERATED {supported} OPTIONAL, -- 10-43 (5-20): Type 2 Configured UL grant configuredUL-GrantType2-r16 ENUMERATED {supported} OPTIONAL, -- 10-44 (5-21): Pre-emption indication for DL pre-EmptIndication-DL-r16 ENUMERATED {supported} OPTIONAL, ... } -- TAG-PHY-PARAMETERSSHAREDSPECTRUMCHACCESS-STOP -- TAG-POSSRS-RRC-INACTIVE-OUTSIDEINITIALUL-BWP-START PosSRS-RRC-Inactive-OutsideInitialUL-BWP-r17::= SEQUENCE { -- R1 27-15b: Positioning SRS transmission in RRC_INACTIVE state configured outside initial UL BWP maxSRSposBandwidthForEachSCS-withinCC-FR1-r17 ENUMERATED {mhz5, mhz10, mhz15, mhz20, mhz25, mhz30, mhz35, mhz40, mhz45, mhz50, mhz60, mhz70, mhz80, mhz90, mhz100} OPTIONAL, maxSRSposBandwidthForEachSCS-withinCC-FR2-r17 ENUMERATED {mhz50, mhz100, mhz200, mhz400} OPTIONAL, maxNumOfSRSposResourceSets-r17 ENUMERATED {n1, n2, n4, n8, n12, n16} OPTIONAL, maxNumOfPeriodicSRSposResources-r17 ENUMERATED {n1, n2, n4, n8, n16, n32, n64} OPTIONAL, maxNumOfPeriodicSRSposResourcesPerSlot-r17 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10, n12, n14} OPTIONAL, differentNumerologyBetweenSRSposAndInitialBWP-r17 ENUMERATED {supported} OPTIONAL, srsPosWithoutRestrictionOnBWP-r17 ENUMERATED {supported} OPTIONAL, maxNumOfPeriodicAndSemipersistentSRSposResources-r17 ENUMERATED {n1, n2, n4, n8, n16, n32, n64} OPTIONAL, maxNumOfPeriodicAndSemipersistentSRSposResourcesPerSlot-r17 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10, n12, n14} OPTIONAL, differentCenterFreqBetweenSRSposAndInitialBWP-r17 ENUMERATED {supported} OPTIONAL, switchingTimeSRS-TX-OtherTX-r17 ENUMERATED {us100, us140, us200, us300, us500} OPTIONAL, -- R1 27-15c: Support of positioning SRS transmission in RRC_INACTIVE state outside initial BWP with semi-persistent SRS maxNumOfSemiPersistentSRSposResources-r17 ENUMERATED {n1, n2, n4, n8, n16, n32, n64} OPTIONAL, maxNumOfSemiPersistentSRSposResourcesPerSlot-r17 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10, n12, n14} OPTIONAL, ... } -- TAG-POSSRS-RRC-INACTIVE-OUTSIDEINITIALUL-BWP-STOP -- TAG-POWSAV-PARAMETERS-START PowSav-Parameters-r16 ::= SEQUENCE { powSav-ParametersCommon-r16 PowSav-ParametersCommon-r16 OPTIONAL, powSav-ParametersFRX-Diff-r16 PowSav-ParametersFRX-Diff-r16 OPTIONAL, ... } PowSav-Parameters-v1700 ::= SEQUENCE { powSav-ParametersFR2-2-r17 PowSav-ParametersFR2-2-r17 OPTIONAL, ... } PowSav-ParametersCommon-r16 ::= SEQUENCE { drx-Preference-r16 ENUMERATED {supported} OPTIONAL, maxCC-Preference-r16 ENUMERATED {supported} OPTIONAL, releasePreference-r16 ENUMERATED {supported} OPTIONAL, -- R1 19-4a: UE assistance information minSchedulingOffsetPreference-r16 ENUMERATED {supported} OPTIONAL, ... } PowSav-ParametersFRX-Diff-r16 ::= SEQUENCE { maxBW-Preference-r16 ENUMERATED {supported} OPTIONAL, maxMIMO-LayerPreference-r16 ENUMERATED {supported} OPTIONAL, ... } PowSav-ParametersFR2-2-r17 ::= SEQUENCE { maxBW-Preference-r17 ENUMERATED {supported} OPTIONAL, maxMIMO-LayerPreference-r17 ENUMERATED {supported} OPTIONAL, ... } -- TAG-POWSAV-PARAMETERS-STOP -- TAG-PROCESSINGPARAMETERS-START ProcessingParameters ::= SEQUENCE { fallback ENUMERATED {sc, cap1-only}, differentTB-PerSlot SEQUENCE { upto1 NumberOfCarriers OPTIONAL, upto2 NumberOfCarriers OPTIONAL, upto4 NumberOfCarriers OPTIONAL, upto7 NumberOfCarriers OPTIONAL } OPTIONAL } NumberOfCarriers ::= INTEGER (1..16) -- TAG-PROCESSINGPARAMETERS-STOP -- TAG-PRS-PROCESSINGCAPABILITYOUTSIDEMGINPPWPERType-START PRS-ProcessingCapabilityOutsideMGinPPWperType-r17 ::= SEQUENCE { prsProcessingType-r17 ENUMERATED {type1A, type1B, type2}, ppw-dl-PRS-BufferType-r17 ENUMERATED {type1, type2, ...}, ppw-durationOfPRS-Processing-r17 CHOICE { ppw-durationOfPRS-Processing1-r17 SEQUENCE { ppw-durationOfPRS-ProcessingSymbolsN-r17 ENUMERATED {msDot125, msDot25, msDot5, ms1, ms2, ms4, ms6, ms8, ms12, ms16, ms20, ms25, ms30, ms32, ms35, ms40, ms45, ms50}, ppw-durationOfPRS-ProcessingSymbolsT-r17 ENUMERATED {ms1, ms2, ms4, ms8, ms16, ms20, ms30, ms40, ms80, ms160, ms320, ms640, ms1280} }, ppw-durationOfPRS-Processing2-r17 SEQUENCE { ppw-durationOfPRS-ProcessingSymbolsN2-r17 ENUMERATED {msDot125, msDot25, msDot5, ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms12}, ppw-durationOfPRS-ProcessingSymbolsT2-r17 ENUMERATED {ms4, ms5, ms6, ms8} } } OPTIONAL, ppw-maxNumOfDL-PRS-ResProcessedPerSlot-r17 SEQUENCE { scs15-r17 ENUMERATED {n1, n2, n4, n6, n8, n12, n16, n24, n32, n48, n64} OPTIONAL, scs30-r17 ENUMERATED {n1, n2, n4, n6, n8, n12, n16, n24, n32, n48, n64} OPTIONAL, scs60-r17 ENUMERATED {n1, n2, n4, n6, n8, n12, n16, n24, n32, n48, n64} OPTIONAL, scs120-r17 ENUMERATED {n1, n2, n4, n6, n8, n12, n16, n24, n32, n48, n64} OPTIONAL, ... }, ppw-maxNumOfDL-Bandwidth-r17 CHOICE { fr1-r17 ENUMERATED {mhz5, mhz10, mhz20, mhz40, mhz50, mhz80, mhz100}, fr2-r17 ENUMERATED {mhz50, mhz100, mhz200, mhz400} } OPTIONAL } -- TAG-PRS-PROCESSINGCAPABILITYOUTSIDEMGINPPWPERType-STOP -- TAG-RAT-TYPE-START RAT-Type ::= ENUMERATED {nr, eutra-nr, eutra, utra-fdd-v1610, ...} -- TAG-RAT-TYPE-STOP -- TAG-REDCAPPARAMETERS-START RedCapParameters-r17::= SEQUENCE { -- R1 28-1: RedCap UE supportOfRedCap-r17 ENUMERATED {supported} OPTIONAL, supportOf16DRB-RedCap-r17 ENUMERATED {supported} OPTIONAL } RedCapParameters-v1740::= SEQUENCE { ncd-SSB-ForRedCapInitialBWP-SDT-r17 ENUMERATED {supported} OPTIONAL } -- TAG-REDCAPPARAMETERS-STOP -- TAG-RF-PARAMETERS-START RF-Parameters ::= SEQUENCE { supportedBandListNR SEQUENCE (SIZE (1..maxBands)) OF BandNR, supportedBandCombinationList BandCombinationList OPTIONAL, appliedFreqBandListFilter FreqBandList OPTIONAL, ..., [[ supportedBandCombinationList-v1540 BandCombinationList-v1540 OPTIONAL, srs-SwitchingTimeRequested ENUMERATED {true} OPTIONAL ]], [[ supportedBandCombinationList-v1550 BandCombinationList-v1550 OPTIONAL ]], [[ supportedBandCombinationList-v1560 BandCombinationList-v1560 OPTIONAL ]], [[ supportedBandCombinationList-v1610 BandCombinationList-v1610 OPTIONAL, supportedBandCombinationListSidelinkEUTRA-NR-r16 BandCombinationListSidelinkEUTRA-NR-r16 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-r16 BandCombinationList-UplinkTxSwitch-r16 OPTIONAL ]], [[ supportedBandCombinationList-v1630 BandCombinationList-v1630 OPTIONAL, supportedBandCombinationListSidelinkEUTRA-NR-v1630 BandCombinationListSidelinkEUTRA-NR-v1630 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1630 BandCombinationList-UplinkTxSwitch-v1630 OPTIONAL ]], [[ supportedBandCombinationList-v1640 BandCombinationList-v1640 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1640 BandCombinationList-UplinkTxSwitch-v1640 OPTIONAL ]], [[ supportedBandCombinationList-v1650 BandCombinationList-v1650 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1650 BandCombinationList-UplinkTxSwitch-v1650 OPTIONAL ]], [[ extendedBand-n77-r16 ENUMERATED {supported} OPTIONAL ]], [[ supportedBandCombinationList-UplinkTxSwitch-v1670 BandCombinationList-UplinkTxSwitch-v1670 OPTIONAL ]], [[ supportedBandCombinationList-v1680 BandCombinationList-v1680 OPTIONAL ]], [[ supportedBandCombinationList-v1690 BandCombinationList-v1690 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1690 BandCombinationList-UplinkTxSwitch-v1690 OPTIONAL ]], [[ supportedBandCombinationList-v1700 BandCombinationList-v1700 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1700 BandCombinationList-UplinkTxSwitch-v1700 OPTIONAL, supportedBandCombinationListSL-RelayDiscovery-r17 OCTET STRING OPTIONAL, -- Contains PC5 BandCombinationListSidelinkNR-r16 supportedBandCombinationListSL-NonRelayDiscovery-r17 OCTET STRING OPTIONAL, -- Contains PC5 BandCombinationListSidelinkNR-r16 supportedBandCombinationListSidelinkEUTRA-NR-v1710 BandCombinationListSidelinkEUTRA-NR-v1710 OPTIONAL, sidelinkRequested-r17 ENUMERATED {true} OPTIONAL, extendedBand-n77-2-r17 ENUMERATED {supported} OPTIONAL ]], [[ supportedBandCombinationList-v1720 BandCombinationList-v1720 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1720 BandCombinationList-UplinkTxSwitch-v1720 OPTIONAL ]], [[ supportedBandCombinationList-v1730 BandCombinationList-v1730 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1730 BandCombinationList-UplinkTxSwitch-v1730 OPTIONAL, supportedBandCombinationListSL-RelayDiscovery-v1730 BandCombinationListSL-Discovery-r17 OPTIONAL, supportedBandCombinationListSL-NonRelayDiscovery-v1730 BandCombinationListSL-Discovery-r17 OPTIONAL ]], [[ supportedBandCombinationList-v1740 BandCombinationList-v1740 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1740 BandCombinationList-UplinkTxSwitch-v1740 OPTIONAL ]] } RF-Parameters-v15g0 ::= SEQUENCE { supportedBandCombinationList-v15g0 BandCombinationList-v15g0 OPTIONAL } RF-Parameters-v16a0 ::= SEQUENCE { supportedBandCombinationList-v16a0 BandCombinationList-v16a0 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v16a0 BandCombinationList-UplinkTxSwitch-v16a0 OPTIONAL } RF-Parameters-v16c0 ::= SEQUENCE { supportedBandListNR-v16c0 SEQUENCE (SIZE (1..maxBands)) OF BandNR-v16c0 } BandNR ::= SEQUENCE { bandNR FreqBandIndicatorNR, modifiedMPR-Behaviour BIT STRING (SIZE (8)) OPTIONAL, mimo-ParametersPerBand MIMO-ParametersPerBand OPTIONAL, extendedCP ENUMERATED {supported} OPTIONAL, multipleTCI ENUMERATED {supported} OPTIONAL, bwp-WithoutRestriction ENUMERATED {supported} OPTIONAL, bwp-SameNumerology ENUMERATED {upto2, upto4} OPTIONAL, bwp-DiffNumerology ENUMERATED {upto4} OPTIONAL, crossCarrierScheduling-SameSCS ENUMERATED {supported} OPTIONAL, pdsch-256QAM-FR2 ENUMERATED {supported} OPTIONAL, pusch-256QAM ENUMERATED {supported} OPTIONAL, ue-PowerClass ENUMERATED {pc1, pc2, pc3, pc4} OPTIONAL, rateMatchingLTE-CRS ENUMERATED {supported} OPTIONAL, channelBWs-DL CHOICE { fr1 SEQUENCE { scs-15kHz BIT STRING (SIZE (10)) OPTIONAL, scs-30kHz BIT STRING (SIZE (10)) OPTIONAL, scs-60kHz BIT STRING (SIZE (10)) OPTIONAL }, fr2 SEQUENCE { scs-60kHz BIT STRING (SIZE (3)) OPTIONAL, scs-120kHz BIT STRING (SIZE (3)) OPTIONAL } } OPTIONAL, channelBWs-UL CHOICE { fr1 SEQUENCE { scs-15kHz BIT STRING (SIZE (10)) OPTIONAL, scs-30kHz BIT STRING (SIZE (10)) OPTIONAL, scs-60kHz BIT STRING (SIZE (10)) OPTIONAL }, fr2 SEQUENCE { scs-60kHz BIT STRING (SIZE (3)) OPTIONAL, scs-120kHz BIT STRING (SIZE (3)) OPTIONAL } } OPTIONAL, ..., [[ maxUplinkDutyCycle-PC2-FR1 ENUMERATED {n60, n70, n80, n90, n100} OPTIONAL ]], [[ pucch-SpatialRelInfoMAC-CE ENUMERATED {supported} OPTIONAL, powerBoosting-pi2BPSK ENUMERATED {supported} OPTIONAL ]], [[ maxUplinkDutyCycle-FR2 ENUMERATED {n15, n20, n25, n30, n40, n50, n60, n70, n80, n90, n100} OPTIONAL ]], [[ channelBWs-DL-v1590 CHOICE { fr1 SEQUENCE { scs-15kHz BIT STRING (SIZE (16)) OPTIONAL, scs-30kHz BIT STRING (SIZE (16)) OPTIONAL, scs-60kHz BIT STRING (SIZE (16)) OPTIONAL }, fr2 SEQUENCE { scs-60kHz BIT STRING (SIZE (8)) OPTIONAL, scs-120kHz BIT STRING (SIZE (8)) OPTIONAL } } OPTIONAL, channelBWs-UL-v1590 CHOICE { fr1 SEQUENCE { scs-15kHz BIT STRING (SIZE (16)) OPTIONAL, scs-30kHz BIT STRING (SIZE (16)) OPTIONAL, scs-60kHz BIT STRING (SIZE (16)) OPTIONAL }, fr2 SEQUENCE { scs-60kHz BIT STRING (SIZE (8)) OPTIONAL, scs-120kHz BIT STRING (SIZE (8)) OPTIONAL } } OPTIONAL ]], [[ asymmetricBandwidthCombinationSet BIT STRING (SIZE (1..32)) OPTIONAL ]], [[ -- R1 10: NR-unlicensed sharedSpectrumChAccessParamsPerBand-r16 SharedSpectrumChAccessParamsPerBand-r16 OPTIONAL, -- R1 11-7b: Independent cancellation of the overlapping PUSCHs in an intra-band UL CA cancelOverlappingPUSCH-r16 ENUMERATED {supported} OPTIONAL, -- R1 14-1: Multiple LTE-CRS rate matching patterns multipleRateMatchingEUTRA-CRS-r16 SEQUENCE { maxNumberPatterns-r16 INTEGER (2..6), maxNumberNon-OverlapPatterns-r16 INTEGER (1..3) } OPTIONAL, -- R1 14-1a: Two LTE-CRS overlapping rate matching patterns within a part of NR carrier using 15 kHz overlapping with a LTE carrier overlapRateMatchingEUTRA-CRS-r16 ENUMERATED {supported} OPTIONAL, -- R1 14-2: PDSCH Type B mapping of length 9 and 10 OFDM symbols pdsch-MappingTypeB-Alt-r16 ENUMERATED {supported} OPTIONAL, -- R1 14-3: One slot periodic TRS configuration for FR1 oneSlotPeriodicTRS-r16 ENUMERATED {supported} OPTIONAL, olpc-SRS-Pos-r16 OLPC-SRS-Pos-r16 OPTIONAL, spatialRelationsSRS-Pos-r16 SpatialRelationsSRS-Pos-r16 OPTIONAL, simulSRS-MIMO-TransWithinBand-r16 ENUMERATED {n2} OPTIONAL, channelBW-DL-IAB-r16 CHOICE { fr1-100mhz SEQUENCE { scs-15kHz ENUMERATED {supported} OPTIONAL, scs-30kHz ENUMERATED {supported} OPTIONAL, scs-60kHz ENUMERATED {supported} OPTIONAL }, fr2-200mhz SEQUENCE { scs-60kHz ENUMERATED {supported} OPTIONAL, scs-120kHz ENUMERATED {supported} OPTIONAL } } OPTIONAL, channelBW-UL-IAB-r16 CHOICE { fr1-100mhz SEQUENCE { scs-15kHz ENUMERATED {supported} OPTIONAL, scs-30kHz ENUMERATED {supported} OPTIONAL, scs-60kHz ENUMERATED {supported} OPTIONAL }, fr2-200mhz SEQUENCE { scs-60kHz ENUMERATED {supported} OPTIONAL, scs-120kHz ENUMERATED {supported} OPTIONAL } } OPTIONAL, rasterShift7dot5-IAB-r16 ENUMERATED {supported} OPTIONAL, ue-PowerClass-v1610 ENUMERATED {pc1dot5} OPTIONAL, condHandover-r16 ENUMERATED {supported} OPTIONAL, condHandoverFailure-r16 ENUMERATED {supported} OPTIONAL, condHandoverTwoTriggerEvents-r16 ENUMERATED {supported} OPTIONAL, condPSCellChange-r16 ENUMERATED {supported} OPTIONAL, condPSCellChangeTwoTriggerEvents-r16 ENUMERATED {supported} OPTIONAL, mpr-PowerBoost-FR2-r16 ENUMERATED {supported} OPTIONAL, -- R1 11-9: Multiple active configured grant configurations for a BWP of a serving cell activeConfiguredGrant-r16 SEQUENCE { maxNumberConfigsPerBWP-r16 ENUMERATED {n1, n2, n4, n8, n12}, maxNumberConfigsAllCC-r16 INTEGER (2..32) } OPTIONAL, -- R1 11-9a: Joint release in a DCI for two or more configured grant Type 2 configurations for a given BWP of a serving cell jointReleaseConfiguredGrantType2-r16 ENUMERATED {supported} OPTIONAL, -- R1 12-2: Multiple SPS configurations sps-r16 SEQUENCE { maxNumberConfigsPerBWP-r16 INTEGER (1..8), maxNumberConfigsAllCC-r16 INTEGER (2..32) } OPTIONAL, -- R1 12-2a: Joint release in a DCI for two or more SPS configurations for a given BWP of a serving cell jointReleaseSPS-r16 ENUMERATED {supported} OPTIONAL, -- R1 13-19: Simultaneous positioning SRS and MIMO SRS transmission within a band across multiple CCs simulSRS-TransWithinBand-r16 ENUMERATED {n2} OPTIONAL, trs-AdditionalBandwidth-r16 ENUMERATED {trs-AddBW-Set1, trs-AddBW-Set2} OPTIONAL, handoverIntraF-IAB-r16 ENUMERATED {supported} OPTIONAL ]], [[ -- R1 22-5a: Simultaneous transmission of SRS for antenna switching and SRS for CB/NCB /BM for intra-band UL CA -- R1 22-5c: Simultaneous transmission of SRS for antenna switching and SRS for antenna switching for intra-band UL CA simulTX-SRS-AntSwitchingIntraBandUL-CA-r16 SimulSRS-ForAntennaSwitching-r16 OPTIONAL, -- R1 10: NR-unlicensed sharedSpectrumChAccessParamsPerBand-v1630 SharedSpectrumChAccessParamsPerBand-v1630 OPTIONAL ]], [[ handoverUTRA-FDD-r16 ENUMERATED {supported} OPTIONAL, -- R4 7-4: Report the shorter transient capability supported by the UE: 2, 4 or 7us enhancedUL-TransientPeriod-r16 ENUMERATED {us2, us4, us7} OPTIONAL, sharedSpectrumChAccessParamsPerBand-v1640 SharedSpectrumChAccessParamsPerBand-v1640 OPTIONAL ]], [[ type1-PUSCH-RepetitionMultiSlots-v1650 ENUMERATED {supported} OPTIONAL, type2-PUSCH-RepetitionMultiSlots-v1650 ENUMERATED {supported} OPTIONAL, pusch-RepetitionMultiSlots-v1650 ENUMERATED {supported} OPTIONAL, configuredUL-GrantType1-v1650 ENUMERATED {supported} OPTIONAL, configuredUL-GrantType2-v1650 ENUMERATED {supported} OPTIONAL, sharedSpectrumChAccessParamsPerBand-v1650 SharedSpectrumChAccessParamsPerBand-v1650 OPTIONAL ]], [[ enhancedSkipUplinkTxConfigured-v1660 ENUMERATED {supported} OPTIONAL, enhancedSkipUplinkTxDynamic-v1660 ENUMERATED {supported} OPTIONAL ]], [[ maxUplinkDutyCycle-PC1dot5-MPE-FR1-r16 ENUMERATED {n10, n15, n20, n25, n30, n40, n50, n60, n70, n80, n90, n100} OPTIONAL, txDiversity-r16 ENUMERATED {supported} OPTIONAL ]], [[ -- R1 36-1: Support of 1024QAM for PDSCH for FR1 pdsch-1024QAM-FR1-r17 ENUMERATED {supported} OPTIONAL, -- R4 22-1 support of FR2 HST operation ue-PowerClass-v1700 ENUMERATED {pc5, pc6, pc7} OPTIONAL, -- R1 24: NR extension to 71GHz (FR2-2) fr2-2-AccessParamsPerBand-r17 FR2-2-AccessParamsPerBand-r17 OPTIONAL, rlm-Relaxation-r17 ENUMERATED {supported} OPTIONAL, bfd-Relaxation-r17 ENUMERATED {supported} OPTIONAL, cg-SDT-r17 ENUMERATED {supported} OPTIONAL, locationBasedCondHandover-r17 ENUMERATED {supported} OPTIONAL, timeBasedCondHandover-r17 ENUMERATED {supported} OPTIONAL, eventA4BasedCondHandover-r17 ENUMERATED {supported} OPTIONAL, mn-InitiatedCondPSCellChangeNRDC-r17 ENUMERATED {supported} OPTIONAL, sn-InitiatedCondPSCellChangeNRDC-r17 ENUMERATED {supported} OPTIONAL, -- R1 29-3a: PDCCH skipping pdcch-SkippingWithoutSSSG-r17 ENUMERATED {supported} OPTIONAL, -- R1 29-3b: 2 search space sets group switching sssg-Switching-1BitInd-r17 ENUMERATED {supported} OPTIONAL, -- R1 29-3c: 3 search space sets group switching sssg-Switching-2BitInd-r17 ENUMERATED {supported} OPTIONAL, -- R1 29-3d: 2 search space sets group switching with PDCCH skipping pdcch-SkippingWithSSSG-r17 ENUMERATED {supported} OPTIONAL, -- R1 29-3e: Support Search space set group switching capability 2 for FR1 searchSpaceSetGrp-switchCap2-r17 ENUMERATED {supported} OPTIONAL, -- R1 26-1: Uplink Time and Frequency pre-compensation and timing relationship enhancements uplinkPreCompensation-r17 ENUMERATED {supported} OPTIONAL, -- R1 26-4: UE reporting of information related to TA pre-compensation uplink-TA-Reporting-r17 ENUMERATED {supported} OPTIONAL, -- R1 26-5: Increasing the number of HARQ processes max-HARQ-ProcessNumber-r17 ENUMERATED {u16d32, u32d16, u32d32} OPTIONAL, -- R1 26-6: Type-2 HARQ codebook enhancement type2-HARQ-Codebook-r17 ENUMERATED {supported} OPTIONAL, -- R1 26-6a: Type-1 HARQ codebook enhancement type1-HARQ-Codebook-r17 ENUMERATED {supported} OPTIONAL, -- R1 26-6b: Type-3 HARQ codebook enhancement type3-HARQ-Codebook-r17 ENUMERATED {supported} OPTIONAL, -- R1 26-9: UE-specific K_offset ue-specific-K-Offset-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-1f: Multiple PDSCH scheduling by single DCI for 120kHz in FR2-1 multiPDSCH-SingleDCI-FR2-1-SCS-120kHz-r17 ENUMERATED {supported} OPTIONAL, -- R1 24-1g: Multiple PUSCH scheduling by single DCI for 120kHz in FR2-1 multiPUSCH-SingleDCI-FR2-1-SCS-120kHz-r17 ENUMERATED {supported} OPTIONAL, -- R4 14-4: Parallel PRS measurements in RRC_INACTIVE state, FR1/FR2 diff parallelPRS-MeasRRC-Inactive-r17 ENUMERATED {supported} OPTIONAL, -- R1 27-1-2: Support of UE-TxTEGs for UL TDOA nr-UE-TxTEG-ID-MaxSupport-r17 ENUMERATED {n1, n2, n3, n4, n6, n8} OPTIONAL, -- R1 27-17: PRS processing in RRC_INACTIVE prs-ProcessingRRC-Inactive-r17 ENUMERATED {supported} OPTIONAL, -- R1 27-3-2: DL PRS measurement outside MG and in a PRS processing window prs-ProcessingWindowType1A-r17 ENUMERATED {option1, option2, option3} OPTIONAL, prs-ProcessingWindowType1B-r17 ENUMERATED {option1, option2, option3} OPTIONAL, prs-ProcessingWindowType2-r17 ENUMERATED {option1, option2, option3} OPTIONAL, -- R1 27-15: Positioning SRS transmission in RRC_INACTIVE state for initial UL BWP srs-AllPosResourcesRRC-Inactive-r17 SRS-AllPosResourcesRRC-Inactive-r17 OPTIONAL, -- R1 27-16: OLPC for positioning SRS in RRC_INACTIVE state - gNB olpc-SRS-PosRRC-Inactive-r17 OLPC-SRS-Pos-r16 OPTIONAL, -- R1 27-19: Spatial relation for positioning SRS in RRC_INACTIVE state - gNB spatialRelationsSRS-PosRRC-Inactive-r17 SpatialRelationsSRS-Pos-r16 OPTIONAL, -- R1 30-1: Increased maximum number of PUSCH Type A repetitions maxNumberPUSCH-TypeA-Repetition-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-2: PUSCH Type A repetitions based on available slots puschTypeA-RepetitionsAvailSlot-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-3: TB processing over multi-slot PUSCH tb-ProcessingMultiSlotPUSCH-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-3a: Repetition of TB processing over multi-slot PUSCH tb-ProcessingRepMultiSlotPUSCH-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4: The maximum duration for DM-RS bundling maxDurationDMRS-Bundling-r17 SEQUENCE { fdd-r17 ENUMERATED {n4, n8, n16, n32} OPTIONAL, tdd-r17 ENUMERATED {n2, n4, n8, n16} OPTIONAL } OPTIONAL, -- R1 30-6: Repetition of PUSCH transmission scheduled by RAR UL grant and DCI format 0_0 with CRC scrambled by TC-RNTI pusch-RepetitionMsg3-r17 ENUMERATED {supported} OPTIONAL, sharedSpectrumChAccessParamsPerBand-v1710 SharedSpectrumChAccessParamsPerBand-v1710 OPTIONAL, -- R4 25-2: Parallel measurements on cells belonging to a different NGSO satellite than a serving satellite without scheduling restrictions -- on normal operations with the serving cell parallelMeasurementWithoutRestriction-r17 ENUMERATED {supported} OPTIONAL, -- R4 25-5: Parallel measurements on multiple NGSO satellites within a SMTC maxNumber-NGSO-SatellitesWithinOneSMTC-r17 ENUMERATED {n1, n2, n3, n4} OPTIONAL, -- R1 26-10: K1 range extension k1-RangeExtension-r17 ENUMERATED {supported} OPTIONAL, -- R1 35-1: Aperiodic CSI-RS for tracking for fast SCell activation aperiodicCSI-RS-FastScellActivation-r17 SEQUENCE { maxNumberAperiodicCSI-RS-PerCC-r17 ENUMERATED {n8, n16, n32, n48, n64, n128, n255}, maxNumberAperiodicCSI-RS-AcrossCCs-r17 ENUMERATED {n8, n16, n32, n64, n128, n256, n512, n1024} } OPTIONAL, -- R1 35-2: Aperiodic CSI-RS bandwidth for tracking for fast SCell activation for 10MHz UE channel bandwidth aperiodicCSI-RS-AdditionalBandwidth-r17 ENUMERATED {addBW-Set1, addBW-Set2} OPTIONAL, -- R1 28-1a: RRC-configured DL BWP without CD-SSB or NCD-SSB bwp-WithoutCD-SSB-OrNCD-SSB-RedCap-r17 ENUMERATED {supported} OPTIONAL, -- R1 28-3: Half-duplex FDD operation type A for RedCap UE halfDuplexFDD-TypeA-RedCap-r17 ENUMERATED {supported} OPTIONAL, -- R1 27-15b: Positioning SRS transmission in RRC_INACTIVE state configured outside initial UL BWP posSRS-RRC-Inactive-OutsideInitialUL-BWP-r17 PosSRS-RRC-Inactive-OutsideInitialUL-BWP-r17 OPTIONAL, -- R4 15-3 UE support of CBW for 480kHz SCS channelBWs-DL-SCS-480kHz-FR2-2-r17 BIT STRING (SIZE (8)) OPTIONAL, channelBWs-UL-SCS-480kHz-FR2-2-r17 BIT STRING (SIZE (8)) OPTIONAL, -- R4 15-4 UE support of CBW for 960kHz SCS channelBWs-DL-SCS-960kHz-FR2-2-r17 BIT STRING (SIZE (8)) OPTIONAL, channelBWs-UL-SCS-960kHz-FR2-2-r17 BIT STRING (SIZE (8)) OPTIONAL, -- R4 17-1 UL gap for Tx power management ul-GapFR2-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-4: One-shot HARQ ACK feedback triggered by DCI format 1_2 oneShotHARQ-feedbackTriggeredByDCI-1-2-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-5: PHY priority handling for one-shot HARQ ACK feedback oneShotHARQ-feedbackPhy-Priority-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-6: Enhanced type 3 HARQ-ACK codebook feedback enhancedType3-HARQ-CodebookFeedback-r17 SEQUENCE { enhancedType3-HARQ-Codebooks-r17 ENUMERATED {n1, n2, n4, n8}, maxNumberPUCCH-Transmissions-r17 ENUMERATED {n1, n2, n3, n4, n5, n6, n7} } OPTIONAL, -- R1 25-7: Triggered HARQ-ACK codebook re-transmission triggeredHARQ-CodebookRetx-r17 SEQUENCE { minHARQ-Retx-Offset-r17 ENUMERATED {n-7, n-5, n-3, n-1, n1}, maxHARQ-Retx-Offset-r17 ENUMERATED {n4, n6, n8, n10, n12, n14, n16, n18, n20, n22, n24} } OPTIONAL ]], [[ -- R4 22-2 support of one shot large UL timing adjustment ue-OneShotUL-TimingAdj-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-2: Repetitions for PUCCH format 0, and 2 over multiple slots with K = 2, 4, 8 pucch-Repetition-F0-2-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-11a: 4-bits subband CQI for NTN and unlicensed cqi-4-BitsSubbandNTN-SharedSpectrumChAccess-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-16: HARQ-ACK with different priorities multiplexing on a PUCCH/PUSCH mux-HARQ-ACK-DiffPriorities-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-20a: Propagation delay compensation based on legacy TA procedure for NTN and unlicensed ta-BasedPDC-NTN-SharedSpectrumChAccess-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-2b: DCI-based enabling/disabling ACK/NACK-based feedback for dynamic scheduling for multicast ack-NACK-FeedbackForMulticastWithDCI-Enabler-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-2e: Multiple G-RNTIs for group-common PDSCHs maxNumberG-RNTI-r17 INTEGER (2..8) OPTIONAL, -- R1 33-2f: Dynamic multicast with DCI format 4_2 dynamicMulticastDCI-Format4-2-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-2i: Supported maximal modulation order for multicast PDSCH maxModulationOrderForMulticast-r17 CHOICE { fr1-r17 ENUMERATED {qam256, qam1024}, fr2-r17 ENUMERATED {qam64, qam256} } OPTIONAL, -- R1 33-3-1: Dynamic Slot-level repetition for group-common PDSCH for TN and licensed dynamicSlotRepetitionMulticastTN-NonSharedSpectrumChAccess-r17 ENUMERATED {n8, n16} OPTIONAL, -- R1 33-3-1a: Dynamic Slot-level repetition for group-common PDSCH for NTN and unlicensed dynamicSlotRepetitionMulticastNTN-SharedSpectrumChAccess-r17 ENUMERATED {n8, n16} OPTIONAL, -- R1 33-4-1: DCI-based enabling/disabling NACK-only based feedback for dynamic scheduling for multicast nack-OnlyFeedbackForMulticastWithDCI-Enabler-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-5-1b: DCI-based enabling/disabling ACK/NACK-based feedback for dynamic scheduling for multicast ack-NACK-FeedbackForSPS-MulticastWithDCI-Enabler-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-5-1h: Multiple G-CS-RNTIs for SPS group-common PDSCHs maxNumberG-CS-RNTI-r17 INTEGER (2..8) OPTIONAL, -- R1 33-10: Support group-common PDSCH RE-level rate matching for multicast re-LevelRateMatchingForMulticast-r17 ENUMERATED {supported} OPTIONAL, -- R1 36-1a: Support of 1024QAM for PDSCH with maximum 2 MIMO layers for FR1 pdsch-1024QAM-2MIMO-FR1-r17 ENUMERATED {supported} OPTIONAL, -- R4 14-3 PRS measurement without MG prs-MeasurementWithoutMG-r17 ENUMERATED {cpLength, quarterSymbol, halfSymbol, halfSlot} OPTIONAL, -- R4 25-7: The number of target LEO satellites the UE can monitor per carrier maxNumber-LEO-SatellitesPerCarrier-r17 INTEGER (3..4) OPTIONAL, -- R1 27-3-3 DL PRS Processing Capability outside MG - buffering capability prs-ProcessingCapabilityOutsideMGinPPW-r17 SEQUENCE (SIZE(1..3)) OF PRS-ProcessingCapabilityOutsideMGinPPWperType-r17 OPTIONAL, -- R1 27-15a: Positioning SRS transmission in RRC_INACTIVE state for initial UL BWP with semi-persistent SRS srs-SemiPersistent-PosResourcesRRC-Inactive-r17 SEQUENCE { maxNumOfSemiPersistentSRSposResources-r17 ENUMERATED {n1, n2, n4, n8, n16, n32, n64}, maxNumOfSemiPersistentSRSposResourcesPerSlot-r17 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10, n12, n14} } OPTIONAL, -- R2: UE support of CBW for 120kHz SCS channelBWs-DL-SCS-120kHz-FR2-2-r17 BIT STRING (SIZE (8)) OPTIONAL, channelBWs-UL-SCS-120kHz-FR2-2-r17 BIT STRING (SIZE (8)) OPTIONAL ]], [[ -- R1 30-4a: DM-RS bundling for PUSCH repetition type A dmrs-BundlingPUSCH-RepTypeA-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4b: DM-RS bundling for PUSCH repetition type B dmrs-BundlingPUSCH-RepTypeB-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4c: DM-RS bundling for TB processing over multi-slot PUSCH dmrs-BundlingPUSCH-multiSlot-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4d: DMRS bundling for PUCCH repetitions dmrs-BundlingPUCCH-Rep-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4e: Enhanced inter-slot frequency hopping with inter-slot bundling for PUSCH interSlotFreqHopInterSlotBundlingPUSCH-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4f: Enhanced inter-slot frequency hopping for PUCCH repetitions with DMRS bundling interSlotFreqHopPUCCH-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4g: Restart DM-RS bundling dmrs-BundlingRestart-r17 ENUMERATED {supported} OPTIONAL, -- R1 30-4h: DM-RS bundling for non-back-to-back transmission dmrs-BundlingNonBackToBackTX-r17 ENUMERATED {supported} OPTIONAL ]], [[ -- R1 33-5-1e: Dynamic Slot-level repetition for SPS group-common PDSCH for multicast maxDynamicSlotRepetitionForSPS-Multicast-r17 ENUMERATED {n8, n16} OPTIONAL, -- R1 33-5-1g: DCI-based enabling/disabling NACK-only based feedback for SPS group-common PDSCH for multicast nack-OnlyFeedbackForSPS-MulticastWithDCI-Enabler-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-5-1i: Multicast SPS scheduling with DCI format 4_2 sps-MulticastDCI-Format4-2-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-5-2: Multiple SPS group-common PDSCH configuration on PCell sps-MulticastMultiConfig-r17 INTEGER (1..8) OPTIONAL, -- R1 33-6-1: DL priority indication for multicast in DCI priorityIndicatorInDCI-Multicast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-6-1a: DL priority configuration for SPS multicast priorityIndicatorInDCI-SPS-Multicast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-6-2: Two HARQ-ACK codebooks simultaneously constructed for supporting HARQ-ACK codebooks with different priorities -- for unicast and multicast at a UE twoHARQ-ACK-CodebookForUnicastAndMulticast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-6-3: More than one PUCCH for HARQ-ACK transmission for multicast or for unicast and multicast within a slot multiPUCCH-HARQ-ACK-ForMulticastUnicast-r17 ENUMERATED {supported} OPTIONAL, -- R1 33-9: Supporting unicast PDCCH to release SPS group-common PDSCH releaseSPS-MulticastWithCS-RNTI-r17 ENUMERATED {supported} OPTIONAL ]] } BandNR-v16c0 ::= SEQUENCE { pusch-RepetitionTypeA-v16c0 ENUMERATED {supported} OPTIONAL, ... } -- TAG-RF-PARAMETERS-STOP -- TAG-RF-PARAMETERSMRDC-START RF-ParametersMRDC ::= SEQUENCE { supportedBandCombinationList BandCombinationList OPTIONAL, appliedFreqBandListFilter FreqBandList OPTIONAL, ..., [[ srs-SwitchingTimeRequested ENUMERATED {true} OPTIONAL, supportedBandCombinationList-v1540 BandCombinationList-v1540 OPTIONAL ]], [[ supportedBandCombinationList-v1550 BandCombinationList-v1550 OPTIONAL ]], [[ supportedBandCombinationList-v1560 BandCombinationList-v1560 OPTIONAL, supportedBandCombinationListNEDC-Only BandCombinationList OPTIONAL ]], [[ supportedBandCombinationList-v1570 BandCombinationList-v1570 OPTIONAL ]], [[ supportedBandCombinationList-v1580 BandCombinationList-v1580 OPTIONAL ]], [[ supportedBandCombinationList-v1590 BandCombinationList-v1590 OPTIONAL ]], [[ supportedBandCombinationListNEDC-Only-v15a0 SEQUENCE { supportedBandCombinationList-v1540 BandCombinationList-v1540 OPTIONAL, supportedBandCombinationList-v1560 BandCombinationList-v1560 OPTIONAL, supportedBandCombinationList-v1570 BandCombinationList-v1570 OPTIONAL, supportedBandCombinationList-v1580 BandCombinationList-v1580 OPTIONAL, supportedBandCombinationList-v1590 BandCombinationList-v1590 OPTIONAL } OPTIONAL ]], [[ supportedBandCombinationList-v1610 BandCombinationList-v1610 OPTIONAL, supportedBandCombinationListNEDC-Only-v1610 BandCombinationList-v1610 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-r16 BandCombinationList-UplinkTxSwitch-r16 OPTIONAL ]], [[ supportedBandCombinationList-v1630 BandCombinationList-v1630 OPTIONAL, supportedBandCombinationListNEDC-Only-v1630 BandCombinationList-v1630 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1630 BandCombinationList-UplinkTxSwitch-v1630 OPTIONAL ]], [[ supportedBandCombinationList-v1640 BandCombinationList-v1640 OPTIONAL, supportedBandCombinationListNEDC-Only-v1640 BandCombinationList-v1640 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1640 BandCombinationList-UplinkTxSwitch-v1640 OPTIONAL ]], [[ supportedBandCombinationList-UplinkTxSwitch-v1670 BandCombinationList-UplinkTxSwitch-v1670 OPTIONAL ]], [[ supportedBandCombinationList-v1700 BandCombinationList-v1700 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1700 BandCombinationList-UplinkTxSwitch-v1700 OPTIONAL ]], [[ supportedBandCombinationList-v1720 BandCombinationList-v1720 OPTIONAL, supportedBandCombinationListNEDC-Only-v1720 SEQUENCE { supportedBandCombinationList-v1700 BandCombinationList-v1700 OPTIONAL, supportedBandCombinationList-v1720 BandCombinationList-v1720 OPTIONAL } OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1720 BandCombinationList-UplinkTxSwitch-v1720 OPTIONAL ]], [[ supportedBandCombinationList-v1730 BandCombinationList-v1730 OPTIONAL, supportedBandCombinationListNEDC-Only-v1730 BandCombinationList-v1730 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1730 BandCombinationList-UplinkTxSwitch-v1730 OPTIONAL ]], [[ supportedBandCombinationList-v1740 BandCombinationList-v1740 OPTIONAL, supportedBandCombinationListNEDC-Only-v1740 BandCombinationList-v1740 OPTIONAL, supportedBandCombinationList-UplinkTxSwitch-v1740 BandCombinationList-UplinkTxSwitch-v1740 OPTIONAL ]] } RF-ParametersMRDC-v15g0 ::= SEQUENCE { supportedBandCombinationList-v15g0 BandCombinationList-v15g0 OPTIONAL, supportedBandCombinationListNEDC-Only-v15g0 BandCombinationList-v15g0 OPTIONAL } -- TAG-RF-PARAMETERSMRDC-STOP -- TAG-RLC-PARAMETERS-START RLC-Parameters ::= SEQUENCE { am-WithShortSN ENUMERATED {supported} OPTIONAL, um-WithShortSN ENUMERATED {supported} OPTIONAL, um-WithLongSN ENUMERATED {supported} OPTIONAL, ..., [[ extendedT-PollRetransmit-r16 ENUMERATED {supported} OPTIONAL, extendedT-StatusProhibit-r16 ENUMERATED {supported} OPTIONAL ]], [[ am-WithLongSN-RedCap-r17 ENUMERATED {supported} OPTIONAL ]] } -- TAG-RLC-PARAMETERS-STOP -- TAG-SDAP-PARAMETERS-START SDAP-Parameters ::= SEQUENCE { as-ReflectiveQoS ENUMERATED {true} OPTIONAL, ..., [[ sdap-QOS-IAB-r16 ENUMERATED {supported} OPTIONAL, sdapHeaderIAB-r16 ENUMERATED {supported} OPTIONAL ]] } -- TAG-SDAP-PARAMETERS-STOP -- TAG-SIDELINKPARAMETERS-START SidelinkParameters-r16 ::= SEQUENCE { sidelinkParametersNR-r16 SidelinkParametersNR-r16 OPTIONAL, sidelinkParametersEUTRA-r16 SidelinkParametersEUTRA-r16 OPTIONAL } SidelinkParametersNR-r16 ::= SEQUENCE { rlc-ParametersSidelink-r16 RLC-ParametersSidelink-r16 OPTIONAL, mac-ParametersSidelink-r16 MAC-ParametersSidelink-r16 OPTIONAL, fdd-Add-UE-Sidelink-Capabilities-r16 UE-SidelinkCapabilityAddXDD-Mode-r16 OPTIONAL, tdd-Add-UE-Sidelink-Capabilities-r16 UE-SidelinkCapabilityAddXDD-Mode-r16 OPTIONAL, supportedBandListSidelink-r16 SEQUENCE (SIZE (1..maxBands)) OF BandSidelink-r16 OPTIONAL, ..., [[ relayParameters-r17 RelayParameters-r17 OPTIONAL ]], [[ -- R1 32-x: Use of new P0 parameters for open loop power control p0-OLPC-Sidelink-r17 ENUMERATED {supported} OPTIONAL ]] } SidelinkParametersEUTRA-r16 ::= SEQUENCE { sl-ParametersEUTRA1-r16 OCTET STRING OPTIONAL, sl-ParametersEUTRA2-r16 OCTET STRING OPTIONAL, sl-ParametersEUTRA3-r16 OCTET STRING OPTIONAL, supportedBandListSidelinkEUTRA-r16 SEQUENCE (SIZE (1..maxBandsEUTRA)) OF BandSidelinkEUTRA-r16 OPTIONAL, ... } RLC-ParametersSidelink-r16 ::= SEQUENCE { am-WithLongSN-Sidelink-r16 ENUMERATED {supported} OPTIONAL, um-WithLongSN-Sidelink-r16 ENUMERATED {supported} OPTIONAL, ... } MAC-ParametersSidelink-r16 ::= SEQUENCE { mac-ParametersSidelinkCommon-r16 MAC-ParametersSidelinkCommon-r16 OPTIONAL, mac-ParametersSidelinkXDD-Diff-r16 MAC-ParametersSidelinkXDD-Diff-r16 OPTIONAL, ... } UE-SidelinkCapabilityAddXDD-Mode-r16 ::= SEQUENCE { mac-ParametersSidelinkXDD-Diff-r16 MAC-ParametersSidelinkXDD-Diff-r16 OPTIONAL } MAC-ParametersSidelinkCommon-r16 ::= SEQUENCE { lcp-RestrictionSidelink-r16 ENUMERATED {supported} OPTIONAL, multipleConfiguredGrantsSidelink-r16 ENUMERATED {supported} OPTIONAL, ..., [[ drx-OnSidelink-r17 ENUMERATED {supported} OPTIONAL ]] } MAC-ParametersSidelinkXDD-Diff-r16 ::= SEQUENCE { multipleSR-ConfigurationsSidelink-r16 ENUMERATED {supported} OPTIONAL, logicalChannelSR-DelayTimerSidelink-r16 ENUMERATED {supported} OPTIONAL, ... } BandSidelinkEUTRA-r16 ::= SEQUENCE { freqBandSidelinkEUTRA-r16 FreqBandIndicatorEUTRA, -- R1 15-7: Transmitting LTE sidelink mode 3 scheduled by NR Uu gnb-ScheduledMode3SidelinkEUTRA-r16 SEQUENCE { gnb-ScheduledMode3DelaySidelinkEUTRA-r16 ENUMERATED {ms0, ms0dot25, ms0dot5, ms0dot625, ms0dot75, ms1, ms1dot25, ms1dot5, ms1dot75, ms2, ms2dot5, ms3, ms4, ms5, ms6, ms8, ms10, ms20} } OPTIONAL, -- R1 15-9: Transmitting LTE sidelink mode 4 configured by NR Uu gnb-ScheduledMode4SidelinkEUTRA-r16 ENUMERATED {supported} OPTIONAL } BandSidelink-r16 ::= SEQUENCE { freqBandSidelink-r16 FreqBandIndicatorNR, --15-1 sl-Reception-r16 SEQUENCE { harq-RxProcessSidelink-r16 ENUMERATED {n16, n24, n32, n48, n64}, pscch-RxSidelink-r16 ENUMERATED {value1, value2}, scs-CP-PatternRxSidelink-r16 CHOICE { fr1-r16 SEQUENCE { scs-15kHz-r16 BIT STRING (SIZE (16)) OPTIONAL, scs-30kHz-r16 BIT STRING (SIZE (16)) OPTIONAL, scs-60kHz-r16 BIT STRING (SIZE (16)) OPTIONAL }, fr2-r16 SEQUENCE { scs-60kHz-r16 BIT STRING (SIZE (16)) OPTIONAL, scs-120kHz-r16 BIT STRING (SIZE (16)) OPTIONAL } } OPTIONAL, extendedCP-RxSidelink-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, --15-2 sl-TransmissionMode1-r16 SEQUENCE { harq-TxProcessModeOneSidelink-r16 ENUMERATED {n8, n16}, scs-CP-PatternTxSidelinkModeOne-r16 CHOICE { fr1-r16 SEQUENCE { scs-15kHz-r16 BIT STRING (SIZE (16)) OPTIONAL, scs-30kHz-r16 BIT STRING (SIZE (16)) OPTIONAL, scs-60kHz-r16 BIT STRING (SIZE (16)) OPTIONAL }, fr2-r16 SEQUENCE { scs-60kHz-r16 BIT STRING (SIZE (16)) OPTIONAL, scs-120kHz-r16 BIT STRING (SIZE (16)) OPTIONAL } }, extendedCP-TxSidelink-r16 ENUMERATED {supported} OPTIONAL, harq-ReportOnPUCCH-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, --15-4 sync-Sidelink-r16 SEQUENCE { gNB-Sync-r16 ENUMERATED {supported} OPTIONAL, gNB-GNSS-UE-SyncWithPriorityOnGNB-ENB-r16 ENUMERATED {supported} OPTIONAL, gNB-GNSS-UE-SyncWithPriorityOnGNSS-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, --15-10 sl-Tx-256QAM-r16 ENUMERATED {supported} OPTIONAL, --15-11 psfch-FormatZeroSidelink-r16 SEQUENCE { psfch-RxNumber ENUMERATED {n5, n15, n25, n32, n35, n45, n50, n64}, psfch-TxNumber ENUMERATED {n4, n8, n16} } OPTIONAL, --15-12 lowSE-64QAM-MCS-TableSidelink-r16 ENUMERATED {supported} OPTIONAL, --15-15 enb-sync-Sidelink-r16 ENUMERATED {supported} OPTIONAL, ..., [[ --15-3 sl-TransmissionMode2-r16 SEQUENCE { harq-TxProcessModeTwoSidelink-r16 ENUMERATED {n8, n16}, scs-CP-PatternTxSidelinkModeTwo-r16 ENUMERATED {supported} OPTIONAL, dl-openLoopPC-Sidelink-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, --15-5 congestionControlSidelink-r16 SEQUENCE { cbr-ReportSidelink-r16 ENUMERATED {supported} OPTIONAL, cbr-CR-TimeLimitSidelink-r16 ENUMERATED {time1, time2} } OPTIONAL, --15-22 fewerSymbolSlotSidelink-r16 ENUMERATED {supported} OPTIONAL, --15-23 sl-openLoopPC-RSRP-ReportSidelink-r16 ENUMERATED {supported} OPTIONAL, --13-1 sl-Rx-256QAM-r16 ENUMERATED {supported} OPTIONAL ]], [[ ue-PowerClassSidelink-r16 ENUMERATED {pc2, pc3, spare6, spare5, spare4, spare3, spare2, spare1} OPTIONAL ]], [[ --32-4a sl-TransmissionMode2-RandomResourceSelection-r17 SEQUENCE { harq-TxProcessModeTwoSidelink-r17 ENUMERATED {n8, n16}, scs-CP-PatternTxSidelinkModeTwo-r17 CHOICE { fr1-r17 SEQUENCE { scs-15kHz-r17 BIT STRING (SIZE (16)) OPTIONAL, scs-30kHz-r17 BIT STRING (SIZE (16)) OPTIONAL, scs-60kHz-r17 BIT STRING (SIZE (16)) OPTIONAL }, fr2-r17 SEQUENCE { scs-60kHz-r17 BIT STRING (SIZE (16)) OPTIONAL, scs-120kHz-r17 BIT STRING (SIZE (16)) OPTIONAL } } OPTIONAL, extendedCP-Mode2Random-r17 ENUMERATED {supported} OPTIONAL, dl-openLoopPC-Sidelink-r17 ENUMERATED {supported} OPTIONAL } OPTIONAL, --32-4b sync-Sidelink-v1710 SEQUENCE { sync-GNSS-r17 ENUMERATED {supported} OPTIONAL, gNB-Sync-r17 ENUMERATED {supported} OPTIONAL, gNB-GNSS-UE-SyncWithPriorityOnGNB-ENB-r17 ENUMERATED {supported} OPTIONAL, gNB-GNSS-UE-SyncWithPriorityOnGNSS-r17 ENUMERATED {supported} OPTIONAL } OPTIONAL, --32-4c enb-sync-Sidelink-v1710 ENUMERATED {supported} OPTIONAL, --32-5a-2 rx-IUC-Scheme1-PreferredMode2Sidelink-r17 ENUMERATED {supported} OPTIONAL, --32-5a-3 rx-IUC-Scheme1-NonPreferredMode2Sidelink-r17 ENUMERATED {supported} OPTIONAL, --32-5b-2 rx-IUC-Scheme2-Mode2Sidelink-r17 ENUMERATED {n5, n15, n25, n32, n35, n45, n50, n64} OPTIONAL, --32-6-1 rx-IUC-Scheme1-SCI-r17 ENUMERATED {supported} OPTIONAL, --32-6-2 rx-IUC-Scheme1-SCI-ExplicitReq-r17 ENUMERATED {supported} OPTIONAL ]] } RelayParameters-r17 ::= SEQUENCE { relayUE-Operation-L2-r17 ENUMERATED {supported} OPTIONAL, remoteUE-Operation-L2-r17 ENUMERATED {supported} OPTIONAL, remoteUE-PathSwitchToIdleInactiveRelay-r17 ENUMERATED {supported} OPTIONAL, ... } -- TAG-SIDELINKPARAMETERS-STOP -- TAG-SIMULTANEOUSRXTXPERBANDPAIR-START SimultaneousRxTxPerBandPair ::= BIT STRING (SIZE (3..496)) -- TAG-SIMULTANEOUSRXTXPERBANDPAIR-STOP -- TAG-SON-PARAMETERS-START SON-Parameters-r16 ::= SEQUENCE { rach-Report-r16 ENUMERATED {supported} OPTIONAL, ..., [[ rlfReportCHO-r17 ENUMERATED {supported} OPTIONAL, rlfReportDAPS-r17 ENUMERATED {supported} OPTIONAL, success-HO-Report-r17 ENUMERATED {supported} OPTIONAL, twoStepRACH-Report-r17 ENUMERATED {supported} OPTIONAL, pscell-MHI-Report-r17 ENUMERATED {supported} OPTIONAL, onDemandSI-Report-r17 ENUMERATED {supported} OPTIONAL ]] } -- TAG-SON-PARAMETERS-STOP -- TAG-SPATIALRELATIONSSRS-POS-START SpatialRelationsSRS-Pos-r16 ::= SEQUENCE { spatialRelation-SRS-PosBasedOnSSB-Serving-r16 ENUMERATED {supported} OPTIONAL, spatialRelation-SRS-PosBasedOnCSI-RS-Serving-r16 ENUMERATED {supported} OPTIONAL, spatialRelation-SRS-PosBasedOnPRS-Serving-r16 ENUMERATED {supported} OPTIONAL, spatialRelation-SRS-PosBasedOnSRS-r16 ENUMERATED {supported} OPTIONAL, spatialRelation-SRS-PosBasedOnSSB-Neigh-r16 ENUMERATED {supported} OPTIONAL, spatialRelation-SRS-PosBasedOnPRS-Neigh-r16 ENUMERATED {supported} OPTIONAL } --TAG-SPATIALRELATIONSSRS-POS-STOP -- TAG-SRS-ALLPOSRESOURCESRRC-INACTIVE-START SRS-AllPosResourcesRRC-Inactive-r17 ::= SEQUENCE { srs-PosResourcesRRC-Inactive-r17 SEQUENCE { -- R1 27-15: Positioning SRS transmission in RRC_INACTIVE state for initial UL BWP maxNumberSRS-PosResourceSetPerBWP-r17 ENUMERATED {n1, n2, n4, n8, n12, n16}, maxNumberSRS-PosResourcesPerBWP-r17 ENUMERATED {n1, n2, n4, n8, n16, n32, n64}, maxNumberSRS-ResourcesPerBWP-PerSlot-r17 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10, n12, n14}, maxNumberPeriodicSRS-PosResourcesPerBWP-r17 ENUMERATED {n1, n2, n4, n8, n16, n32, n64}, maxNumberPeriodicSRS-PosResourcesPerBWP-PerSlot-r17 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10, n12, n14}, dummy1 ENUMERATED {n1, n2, n4, n8, n16, n32, n64 }, dummy2 ENUMERATED {n1, n2, n3, n4, n5, n6, n8, n10, n12, n14} } } -- TAG-SRS-ALLPOSRESOURCESRRC-INACTIVE-STOP -- TAG-SRS-SWITCHINGTIMENR-START SRS-SwitchingTimeNR ::= SEQUENCE { switchingTimeDL ENUMERATED {n0us, n30us, n100us, n140us, n200us, n300us, n500us, n900us} OPTIONAL, switchingTimeUL ENUMERATED {n0us, n30us, n100us, n140us, n200us, n300us, n500us, n900us} OPTIONAL } -- TAG-SRS-SWITCHINGTIMENR-STOP -- TAG-SRS-SWITCHINGTIMEEUTRA-START SRS-SwitchingTimeEUTRA ::= SEQUENCE { switchingTimeDL ENUMERATED {n0, n0dot5, n1, n1dot5, n2, n2dot5, n3, n3dot5, n4, n4dot5, n5, n5dot5, n6, n6dot5, n7} OPTIONAL, switchingTimeUL ENUMERATED {n0, n0dot5, n1, n1dot5, n2, n2dot5, n3, n3dot5, n4, n4dot5, n5, n5dot5, n6, n6dot5, n7} OPTIONAL } -- TAG-SRS-SWITCHINGTIMEEUTRA-STOP -- TAG-SUPPORTEDBANDWIDTH-START SupportedBandwidth ::= CHOICE { fr1 ENUMERATED {mhz5, mhz10, mhz15, mhz20, mhz25, mhz30, mhz40, mhz50, mhz60, mhz80, mhz100}, fr2 ENUMERATED {mhz50, mhz100, mhz200, mhz400} } SupportedBandwidth-v1700 ::= CHOICE { fr1-r17 ENUMERATED {mhz5, mhz10, mhz15, mhz20, mhz25, mhz30, mhz35, mhz40, mhz45, mhz50, mhz60, mhz70, mhz80, mhz90, mhz100}, fr2-r17 ENUMERATED {mhz50, mhz100, mhz200, mhz400, mhz800, mhz1600, mhz2000} } -- TAG-SUPPORTEDBANDWIDTH-STOP -- TAG-UE-BASEDPERFMEAS-PARAMETERS-START UE-BasedPerfMeas-Parameters-r16 ::= SEQUENCE { barometerMeasReport-r16 ENUMERATED {supported} OPTIONAL, immMeasBT-r16 ENUMERATED {supported} OPTIONAL, immMeasWLAN-r16 ENUMERATED {supported} OPTIONAL, loggedMeasBT-r16 ENUMERATED {supported} OPTIONAL, loggedMeasurements-r16 ENUMERATED {supported} OPTIONAL, loggedMeasWLAN-r16 ENUMERATED {supported} OPTIONAL, orientationMeasReport-r16 ENUMERATED {supported} OPTIONAL, speedMeasReport-r16 ENUMERATED {supported} OPTIONAL, gnss-Location-r16 ENUMERATED {supported} OPTIONAL, ulPDCP-Delay-r16 ENUMERATED {supported} OPTIONAL, ..., [[ sigBasedLogMDT-OverrideProtect-r17 ENUMERATED {supported} OPTIONAL, multipleCEF-Report-r17 ENUMERATED {supported} OPTIONAL, excessPacketDelay-r17 ENUMERATED {supported} OPTIONAL, earlyMeasLog-r17 ENUMERATED {supported} OPTIONAL ]] } -- TAG-UE-BASEDPERFMEAS-PARAMETERS-STOP -- TAG-UE-CAPABILITYRAT-CONTAINERLIST-START UE-CapabilityRAT-ContainerList ::= SEQUENCE (SIZE (0..maxRAT-CapabilityContainers)) OF UE-CapabilityRAT-Container UE-CapabilityRAT-Container ::= SEQUENCE { rat-Type RAT-Type, ue-CapabilityRAT-Container OCTET STRING } -- TAG-UE-CAPABILITYRAT-CONTAINERLIST-STOP -- TAG-UE-CAPABILITYRAT-REQUESTLIST-START UE-CapabilityRAT-RequestList ::= SEQUENCE (SIZE (1..maxRAT-CapabilityContainers)) OF UE-CapabilityRAT-Request UE-CapabilityRAT-Request ::= SEQUENCE { rat-Type RAT-Type, capabilityRequestFilter OCTET STRING OPTIONAL, -- Need N ... } -- TAG-UE-CAPABILITYRAT-REQUESTLIST-STOP -- TAG-UE-CAPABILITYREQUESTFILTERCOMMON-START UE-CapabilityRequestFilterCommon ::= SEQUENCE { mrdc-Request SEQUENCE { omitEN-DC ENUMERATED {true} OPTIONAL, -- Need N includeNR-DC ENUMERATED {true} OPTIONAL, -- Need N includeNE-DC ENUMERATED {true} OPTIONAL -- Need N } OPTIONAL, -- Need N ..., [[ codebookTypeRequest-r16 SEQUENCE { type1-SinglePanel-r16 ENUMERATED {true} OPTIONAL, -- Need N type1-MultiPanel-r16 ENUMERATED {true} OPTIONAL, -- Need N type2-r16 ENUMERATED {true} OPTIONAL, -- Need N type2-PortSelection-r16 ENUMERATED {true} OPTIONAL -- Need N } OPTIONAL, -- Need N uplinkTxSwitchRequest-r16 ENUMERATED {true} OPTIONAL -- Need N ]], [[ requestedCellGrouping-r16 SEQUENCE (SIZE (1..maxCellGroupings-r16)) OF CellGrouping-r16 OPTIONAL -- Cond NRDC ]], [[ fallbackGroupFiveRequest-r17 ENUMERATED {true} OPTIONAL -- Need N ]] } CellGrouping-r16 ::= SEQUENCE { mcg-r16 SEQUENCE (SIZE (1..maxBands)) OF FreqBandIndicatorNR, scg-r16 SEQUENCE (SIZE (1..maxBands)) OF FreqBandIndicatorNR, mode-r16 ENUMERATED {sync, async} } -- TAG-UE-CAPABILITYREQUESTFILTERCOMMON-STOP -- TAG-UE-CAPABILITYREQUESTFILTERNR-START UE-CapabilityRequestFilterNR ::= SEQUENCE { frequencyBandListFilter FreqBandList OPTIONAL, -- Need N nonCriticalExtension UE-CapabilityRequestFilterNR-v1540 OPTIONAL } UE-CapabilityRequestFilterNR-v1540 ::= SEQUENCE { srs-SwitchingTimeRequest ENUMERATED {true} OPTIONAL, -- Need N nonCriticalExtension UE-CapabilityRequestFilterNR-v1710 OPTIONAL } UE-CapabilityRequestFilterNR-v1710 ::= SEQUENCE { sidelinkRequest-r17 ENUMERATED {true} OPTIONAL, -- Need N nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-UE-CAPABILITYREQUESTFILTERNR-STOP -- TAG-UE-MRDC-CAPABILITY-START UE-MRDC-Capability ::= SEQUENCE { measAndMobParametersMRDC MeasAndMobParametersMRDC OPTIONAL, phy-ParametersMRDC-v1530 Phy-ParametersMRDC OPTIONAL, rf-ParametersMRDC RF-ParametersMRDC, generalParametersMRDC GeneralParametersMRDC-XDD-Diff OPTIONAL, fdd-Add-UE-MRDC-Capabilities UE-MRDC-CapabilityAddXDD-Mode OPTIONAL, tdd-Add-UE-MRDC-Capabilities UE-MRDC-CapabilityAddXDD-Mode OPTIONAL, fr1-Add-UE-MRDC-Capabilities UE-MRDC-CapabilityAddFRX-Mode OPTIONAL, fr2-Add-UE-MRDC-Capabilities UE-MRDC-CapabilityAddFRX-Mode OPTIONAL, featureSetCombinations SEQUENCE (SIZE (1..maxFeatureSetCombinations)) OF FeatureSetCombination OPTIONAL, pdcp-ParametersMRDC-v1530 PDCP-ParametersMRDC OPTIONAL, lateNonCriticalExtension OCTET STRING (CONTAINING UE-MRDC-Capability-v15g0) OPTIONAL, nonCriticalExtension UE-MRDC-Capability-v1560 OPTIONAL } -- Regular non-critical extensions: UE-MRDC-Capability-v1560 ::= SEQUENCE { receivedFilters OCTET STRING (CONTAINING UECapabilityEnquiry-v1560-IEs) OPTIONAL, measAndMobParametersMRDC-v1560 MeasAndMobParametersMRDC-v1560 OPTIONAL, fdd-Add-UE-MRDC-Capabilities-v1560 UE-MRDC-CapabilityAddXDD-Mode-v1560 OPTIONAL, tdd-Add-UE-MRDC-Capabilities-v1560 UE-MRDC-CapabilityAddXDD-Mode-v1560 OPTIONAL, nonCriticalExtension UE-MRDC-Capability-v1610 OPTIONAL } UE-MRDC-Capability-v1610 ::= SEQUENCE { measAndMobParametersMRDC-v1610 MeasAndMobParametersMRDC-v1610 OPTIONAL, generalParametersMRDC-v1610 GeneralParametersMRDC-v1610 OPTIONAL, pdcp-ParametersMRDC-v1610 PDCP-ParametersMRDC-v1610 OPTIONAL, nonCriticalExtension UE-MRDC-Capability-v1700 OPTIONAL } UE-MRDC-Capability-v1700 ::= SEQUENCE { measAndMobParametersMRDC-v1700 MeasAndMobParametersMRDC-v1700, nonCriticalExtension UE-MRDC-Capability-v1730 OPTIONAL } UE-MRDC-Capability-v1730 ::= SEQUENCE { measAndMobParametersMRDC-v1730 MeasAndMobParametersMRDC-v1730 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- Late non-critical extensions: UE-MRDC-Capability-v15g0 ::= SEQUENCE { rf-ParametersMRDC-v15g0 RF-ParametersMRDC-v15g0 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } UE-MRDC-CapabilityAddXDD-Mode ::= SEQUENCE { measAndMobParametersMRDC-XDD-Diff MeasAndMobParametersMRDC-XDD-Diff OPTIONAL, generalParametersMRDC-XDD-Diff GeneralParametersMRDC-XDD-Diff OPTIONAL } UE-MRDC-CapabilityAddXDD-Mode-v1560 ::= SEQUENCE { measAndMobParametersMRDC-XDD-Diff-v1560 MeasAndMobParametersMRDC-XDD-Diff-v1560 OPTIONAL } UE-MRDC-CapabilityAddFRX-Mode ::= SEQUENCE { measAndMobParametersMRDC-FRX-Diff MeasAndMobParametersMRDC-FRX-Diff } GeneralParametersMRDC-XDD-Diff ::= SEQUENCE { splitSRB-WithOneUL-Path ENUMERATED {supported} OPTIONAL, splitDRB-withUL-Both-MCG-SCG ENUMERATED {supported} OPTIONAL, srb3 ENUMERATED {supported} OPTIONAL, dummy ENUMERATED {supported} OPTIONAL, ... } GeneralParametersMRDC-v1610 ::= SEQUENCE { f1c-OverEUTRA-r16 ENUMERATED {supported} OPTIONAL } -- TAG-UE-MRDC-CAPABILITY-STOP -- TAG-UE-NR-CAPABILITY-START UE-NR-Capability ::= SEQUENCE { accessStratumRelease AccessStratumRelease, pdcp-Parameters PDCP-Parameters, rlc-Parameters RLC-Parameters OPTIONAL, mac-Parameters MAC-Parameters OPTIONAL, phy-Parameters Phy-Parameters, rf-Parameters RF-Parameters, measAndMobParameters MeasAndMobParameters OPTIONAL, fdd-Add-UE-NR-Capabilities UE-NR-CapabilityAddXDD-Mode OPTIONAL, tdd-Add-UE-NR-Capabilities UE-NR-CapabilityAddXDD-Mode OPTIONAL, fr1-Add-UE-NR-Capabilities UE-NR-CapabilityAddFRX-Mode OPTIONAL, fr2-Add-UE-NR-Capabilities UE-NR-CapabilityAddFRX-Mode OPTIONAL, featureSets FeatureSets OPTIONAL, featureSetCombinations SEQUENCE (SIZE (1..maxFeatureSetCombinations)) OF FeatureSetCombination OPTIONAL, lateNonCriticalExtension OCTET STRING (CONTAINING UE-NR-Capability-v15c0) OPTIONAL, nonCriticalExtension UE-NR-Capability-v1530 OPTIONAL } -- Regular non-critical Rel-15 extensions: UE-NR-Capability-v1530 ::= SEQUENCE { fdd-Add-UE-NR-Capabilities-v1530 UE-NR-CapabilityAddXDD-Mode-v1530 OPTIONAL, tdd-Add-UE-NR-Capabilities-v1530 UE-NR-CapabilityAddXDD-Mode-v1530 OPTIONAL, dummy ENUMERATED {supported} OPTIONAL, interRAT-Parameters InterRAT-Parameters OPTIONAL, inactiveState ENUMERATED {supported} OPTIONAL, delayBudgetReporting ENUMERATED {supported} OPTIONAL, nonCriticalExtension UE-NR-Capability-v1540 OPTIONAL } UE-NR-Capability-v1540 ::= SEQUENCE { sdap-Parameters SDAP-Parameters OPTIONAL, overheatingInd ENUMERATED {supported} OPTIONAL, ims-Parameters IMS-Parameters OPTIONAL, fr1-Add-UE-NR-Capabilities-v1540 UE-NR-CapabilityAddFRX-Mode-v1540 OPTIONAL, fr2-Add-UE-NR-Capabilities-v1540 UE-NR-CapabilityAddFRX-Mode-v1540 OPTIONAL, fr1-fr2-Add-UE-NR-Capabilities UE-NR-CapabilityAddFRX-Mode OPTIONAL, nonCriticalExtension UE-NR-Capability-v1550 OPTIONAL } UE-NR-Capability-v1550 ::= SEQUENCE { reducedCP-Latency ENUMERATED {supported} OPTIONAL, nonCriticalExtension UE-NR-Capability-v1560 OPTIONAL } UE-NR-Capability-v1560 ::= SEQUENCE { nrdc-Parameters NRDC-Parameters OPTIONAL, receivedFilters OCTET STRING (CONTAINING UECapabilityEnquiry-v1560-IEs) OPTIONAL, nonCriticalExtension UE-NR-Capability-v1570 OPTIONAL } UE-NR-Capability-v1570 ::= SEQUENCE { nrdc-Parameters-v1570 NRDC-Parameters-v1570 OPTIONAL, nonCriticalExtension UE-NR-Capability-v1610 OPTIONAL } -- Late non-critical Rel-15 extensions: UE-NR-Capability-v15c0 ::= SEQUENCE { nrdc-Parameters-v15c0 NRDC-Parameters-v15c0 OPTIONAL, partialFR2-FallbackRX-Req ENUMERATED {true} OPTIONAL, nonCriticalExtension UE-NR-Capability-v15g0 OPTIONAL } UE-NR-Capability-v15g0 ::= SEQUENCE { rf-Parameters-v15g0 RF-Parameters-v15g0 OPTIONAL, nonCriticalExtension UE-NR-Capability-v15j0 OPTIONAL } UE-NR-Capability-v15j0 ::= SEQUENCE { -- Following field is only for REL-15 late non-critical extensions lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension UE-NR-Capability-v16a0 OPTIONAL } -- Regular non-critical Rel-16 extensions: UE-NR-Capability-v1610 ::= SEQUENCE { inDeviceCoexInd-r16 ENUMERATED {supported} OPTIONAL, dl-DedicatedMessageSegmentation-r16 ENUMERATED {supported} OPTIONAL, nrdc-Parameters-v1610 NRDC-Parameters-v1610 OPTIONAL, powSav-Parameters-r16 PowSav-Parameters-r16 OPTIONAL, fr1-Add-UE-NR-Capabilities-v1610 UE-NR-CapabilityAddFRX-Mode-v1610 OPTIONAL, fr2-Add-UE-NR-Capabilities-v1610 UE-NR-CapabilityAddFRX-Mode-v1610 OPTIONAL, bh-RLF-Indication-r16 ENUMERATED {supported} OPTIONAL, directSN-AdditionFirstRRC-IAB-r16 ENUMERATED {supported} OPTIONAL, bap-Parameters-r16 BAP-Parameters-r16 OPTIONAL, referenceTimeProvision-r16 ENUMERATED {supported} OPTIONAL, sidelinkParameters-r16 SidelinkParameters-r16 OPTIONAL, highSpeedParameters-r16 HighSpeedParameters-r16 OPTIONAL, mac-Parameters-v1610 MAC-Parameters-v1610 OPTIONAL, mcgRLF-RecoveryViaSCG-r16 ENUMERATED {supported} OPTIONAL, resumeWithStoredMCG-SCells-r16 ENUMERATED {supported} OPTIONAL, resumeWithStoredSCG-r16 ENUMERATED {supported} OPTIONAL, resumeWithSCG-Config-r16 ENUMERATED {supported} OPTIONAL, ue-BasedPerfMeas-Parameters-r16 UE-BasedPerfMeas-Parameters-r16 OPTIONAL, son-Parameters-r16 SON-Parameters-r16 OPTIONAL, onDemandSIB-Connected-r16 ENUMERATED {supported} OPTIONAL, nonCriticalExtension UE-NR-Capability-v1640 OPTIONAL } UE-NR-Capability-v1640 ::= SEQUENCE { redirectAtResumeByNAS-r16 ENUMERATED {supported} OPTIONAL, phy-ParametersSharedSpectrumChAccess-r16 Phy-ParametersSharedSpectrumChAccess-r16 OPTIONAL, nonCriticalExtension UE-NR-Capability-v1650 OPTIONAL } UE-NR-Capability-v1650 ::= SEQUENCE { mpsPriorityIndication-r16 ENUMERATED {supported} OPTIONAL, highSpeedParameters-v1650 HighSpeedParameters-v1650 OPTIONAL, nonCriticalExtension UE-NR-Capability-v1690 OPTIONAL } UE-NR-Capability-v1690 ::= SEQUENCE { ul-RRC-Segmentation-r16 ENUMERATED {supported} OPTIONAL, nonCriticalExtension UE-NR-Capability-v1700 OPTIONAL } -- Late non-critical extensions from Rel-16 onwards: UE-NR-Capability-v16a0 ::= SEQUENCE { phy-Parameters-v16a0 Phy-Parameters-v16a0 OPTIONAL, rf-Parameters-v16a0 RF-Parameters-v16a0 OPTIONAL, nonCriticalExtension UE-NR-Capability-v16c0 OPTIONAL } UE-NR-Capability-v16c0 ::= SEQUENCE { rf-Parameters-v16c0 RF-Parameters-v16c0 OPTIONAL, nonCriticalExtension UE-NR-Capability-v16d0 OPTIONAL } UE-NR-Capability-v16d0 ::= SEQUENCE { featureSets-v16d0 FeatureSets-v16d0 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- Regular non-critical Rel-17 extensions: UE-NR-Capability-v1700 ::= SEQUENCE { inactiveStatePO-Determination-r17 ENUMERATED {supported} OPTIONAL, highSpeedParameters-v1700 HighSpeedParameters-v1700 OPTIONAL, powSav-Parameters-v1700 PowSav-Parameters-v1700 OPTIONAL, mac-Parameters-v1700 MAC-Parameters-v1700 OPTIONAL, ims-Parameters-v1700 IMS-Parameters-v1700 OPTIONAL, measAndMobParameters-v1700 MeasAndMobParameters-v1700, appLayerMeasParameters-r17 AppLayerMeasParameters-r17 OPTIONAL, redCapParameters-r17 RedCapParameters-r17 OPTIONAL, ra-SDT-r17 ENUMERATED {supported} OPTIONAL, srb-SDT-r17 ENUMERATED {supported} OPTIONAL, gNB-SideRTT-BasedPDC-r17 ENUMERATED {supported} OPTIONAL, bh-RLF-DetectionRecovery-Indication-r17 ENUMERATED {supported} OPTIONAL, nrdc-Parameters-v1700 NRDC-Parameters-v1700 OPTIONAL, bap-Parameters-v1700 BAP-Parameters-v1700 OPTIONAL, musim-GapPreference-r17 ENUMERATED {supported} OPTIONAL, musimLeaveConnected-r17 ENUMERATED {supported} OPTIONAL, mbs-Parameters-r17 MBS-Parameters-r17, nonTerrestrialNetwork-r17 ENUMERATED {supported} OPTIONAL, ntn-ScenarioSupport-r17 ENUMERATED {gso, ngso} OPTIONAL, sliceInfoforCellReselection-r17 ENUMERATED {supported} OPTIONAL, ue-RadioPagingInfo-r17 UE-RadioPagingInfo-r17 OPTIONAL, -- R4 17-2 UL gap pattern for Tx power management ul-GapFR2-Pattern-r17 BIT STRING (SIZE (4)) OPTIONAL, ntn-Parameters-r17 NTN-Parameters-r17 OPTIONAL, nonCriticalExtension UE-NR-Capability-v1740 OPTIONAL } UE-NR-Capability-v1740 ::= SEQUENCE { redCapParameters-v1740 RedCapParameters-v1740, nonCriticalExtension UE-NR-Capability-v1750 OPTIONAL } UE-NR-Capability-v1750 ::= SEQUENCE { crossCarrierSchedulingConfigurationRelease-r17 ENUMERATED {supported} OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } UE-NR-CapabilityAddXDD-Mode ::= SEQUENCE { phy-ParametersXDD-Diff Phy-ParametersXDD-Diff OPTIONAL, mac-ParametersXDD-Diff MAC-ParametersXDD-Diff OPTIONAL, measAndMobParametersXDD-Diff MeasAndMobParametersXDD-Diff OPTIONAL } UE-NR-CapabilityAddXDD-Mode-v1530 ::= SEQUENCE { eutra-ParametersXDD-Diff EUTRA-ParametersXDD-Diff } UE-NR-CapabilityAddFRX-Mode ::= SEQUENCE { phy-ParametersFRX-Diff Phy-ParametersFRX-Diff OPTIONAL, measAndMobParametersFRX-Diff MeasAndMobParametersFRX-Diff OPTIONAL } UE-NR-CapabilityAddFRX-Mode-v1540 ::= SEQUENCE { ims-ParametersFRX-Diff IMS-ParametersFRX-Diff OPTIONAL } UE-NR-CapabilityAddFRX-Mode-v1610 ::= SEQUENCE { powSav-ParametersFRX-Diff-r16 PowSav-ParametersFRX-Diff-r16 OPTIONAL, mac-ParametersFRX-Diff-r16 MAC-ParametersFRX-Diff-r16 OPTIONAL } BAP-Parameters-r16 ::= SEQUENCE { flowControlBH-RLC-ChannelBased-r16 ENUMERATED {supported} OPTIONAL, flowControlRouting-ID-Based-r16 ENUMERATED {supported} OPTIONAL } BAP-Parameters-v1700 ::= SEQUENCE { bapHeaderRewriting-Rerouting-r17 ENUMERATED {supported} OPTIONAL, bapHeaderRewriting-Routing-r17 ENUMERATED {supported} OPTIONAL } MBS-Parameters-r17 ::= SEQUENCE { maxMRB-Add-r17 INTEGER (1..16) OPTIONAL } -- TAG-UE-NR-CAPABILITY-STOP -- TAG-UE-RADIOPAGINGINFO-START UE-RadioPagingInfo-r17 ::= SEQUENCE { -- R1 29-1: Paging enhancement pei-SubgroupingSupportBandList-r17 SEQUENCE (SIZE (1..maxBands)) OF FreqBandIndicatorNR OPTIONAL, ... } -- TAG-UE-RADIOPAGINGINFO-STOP -- TAG-SHAREDSPECTRUMCHACCESSPARAMSPERBAND-START SharedSpectrumChAccessParamsPerBand-r16 ::= SEQUENCE { -- R1 10-1: UL channel access for dynamic channel access mode ul-DynamicChAccess-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-1a: UL channel access for semi-static channel access mode ul-Semi-StaticChAccess-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-2: SSB-based RRM for dynamic channel access mode ssb-RRM-DynamicChAccess-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-2a: SSB-based RRM for semi-static channel access mode ssb-RRM-Semi-StaticChAccess-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-2b: MIB reading on unlicensed cell mib-Acquisition-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-2c: SSB-based RLM for dynamic channel access mode ssb-RLM-DynamicChAccess-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-2d: SSB-based RLM for semi-static channel access mode ssb-RLM-Semi-StaticChAccess-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-2e: SIB1 reception on unlicensed cell sib1-Acquisition-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-2f: Support monitoring of extended RAR window extRA-ResponseWindow-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-2g: SSB-based BFD/CBD for dynamic channel access mode ssb-BFD-CBD-dynamicChannelAccess-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-2h: SSB-based BFD/CBD for semi-static channel access mode ssb-BFD-CBD-semi-staticChannelAccess-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-2i: CSI-RS-based BFD/CBD for NR-U csi-RS-BFD-CBD-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-7: UL channel access for 10 MHz SCell ul-ChannelBW-SCell-10mhz-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-10: RSSI and channel occupancy measurement and reporting rssi-ChannelOccupancyReporting-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-11:SRS starting position at any OFDM symbol in a slot srs-StartAnyOFDM-Symbol-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-20: Support search space set configuration with freqMonitorLocation-r16 searchSpaceFreqMonitorLocation-r16 INTEGER (1..5) OPTIONAL, -- R1 10-20a: Support coreset configuration with rb-Offset coreset-RB-Offset-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-23:CGI reading on unlicensed cell for ANR functionality cgi-Acquisition-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-25: Enable configured UL transmissions when DCI 2_0 is configured but not detected configuredUL-Tx-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-27: Wideband PRACH prach-Wideband-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-29: Support available RB set indicator field in DCI 2_0 dci-AvailableRB-Set-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-30: Support channel occupancy duration indicator field in DCI 2_0 dci-ChOccupancyDuration-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-8: Type B PDSCH length {3, 5, 6, 8, 9, 10, 11, 12, 13} without DMRS shift due to CRS collision typeB-PDSCH-length-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-9: Search space set group switching with explicit DCI 2_0 bit field trigger or with implicit PDCCH decoding with DCI 2_0 monitoring searchSpaceSwitchWithDCI-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-9b: Search space set group switching with implicit PDCCH decoding without DCI 2_0 monitoring searchSpaceSwitchWithoutDCI-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-9d: Support Search space set group switching capability 2 searchSpaceSwitchCapability2-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-14: Non-numerical PDSCH to HARQ-ACK timing non-numericalPDSCH-HARQ-timing-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-15: Enhanced dynamic HARQ codebook enhancedDynamicHARQ-codebook-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-16: One-shot HARQ ACK feedback oneShotHARQ-feedback-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-17: Multi-PUSCH UL grant multiPUSCH-UL-grant-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-26: CSI-RS based RLM for NR-U csi-RS-RLM-r16 ENUMERATED {supported} OPTIONAL, dummy ENUMERATED {supported} OPTIONAL, -- R1 10-31: Support of P/SP-CSI-RS reception with CSI-RS-ValidationWith-DCI-r16 configured periodicAndSemi-PersistentCSI-RS-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-3: PRB interlace mapping for PUSCH pusch-PRB-interlace-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-3a: PRB interlace mapping for PUCCH pucch-F0-F1-PRB-Interlace-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-12: OCC for PRB interlace mapping for PF2 and PF3 occ-PRB-PF2-PF3-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-13a: Extended CP range of more than one symbol for CG-PUSCH extCP-rangeCG-PUSCH-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-18: Configured grant with retransmission in CG resources configuredGrantWithReTx-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-21a: Support using ED threshold given by gNB for UL to DL COT sharing ed-Threshold-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-21b: Support UL to DL COT sharing ul-DL-COT-Sharing-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-24: CG-UCI multiplexing with HARQ ACK mux-CG-UCI-HARQ-ACK-r16 ENUMERATED {supported} OPTIONAL, -- R1 10-28: Configured grant with Rel-16 enhanced resource configuration cg-resourceConfig-r16 ENUMERATED {supported} OPTIONAL } SharedSpectrumChAccessParamsPerBand-v1630 ::= SEQUENCE { -- R4 4-1: DL reception in intra-carrier guardband dl-ReceptionIntraCellGuardband-r16 ENUMERATED {supported} OPTIONAL, -- R4 4-2: DL reception when gNB does not transmit on all RB sets of a carrier as a result of LBT dl-ReceptionLBT-subsetRB-r16 ENUMERATED {supported} OPTIONAL } SharedSpectrumChAccessParamsPerBand-v1640 ::= SEQUENCE { -- 10-26b(1-4): CSI-RS based RRM measurement with associated SS-block csi-RSRP-AndRSRQ-MeasWithSSB-r16 ENUMERATED {supported} OPTIONAL, -- 10-26c(1-5): CSI-RS based RRM measurement without associated SS-block csi-RSRP-AndRSRQ-MeasWithoutSSB-r16 ENUMERATED {supported} OPTIONAL, -- 10-26d(1-6): CSI-RS based RS-SINR measurement csi-SINR-Meas-r16 ENUMERATED {supported} OPTIONAL, -- 10-26e(1-8): RLM based on a mix of SS block and CSI-RS signals within active BWP ssb-AndCSI-RS-RLM-r16 ENUMERATED {supported} OPTIONAL, -- 10-26f(1-9): CSI-RS based contention free RA for HO csi-RS-CFRA-ForHO-r16 ENUMERATED {supported} OPTIONAL } SharedSpectrumChAccessParamsPerBand-v1650 ::= SEQUENCE { -- Extension of R1 10-9 capability to configure up to 16 instead of 4 cells or cell groups, respectively extendedSearchSpaceSwitchWithDCI-r16 ENUMERATED {supported} OPTIONAL } SharedSpectrumChAccessParamsPerBand-v1710 ::= SEQUENCE { -- R1 25-12: UE initiated semi-static channel occupancy with dependent configurations ul-Semi-StaticChAccessDependentConfig-r17 ENUMERATED {supported} OPTIONAL, -- R1 25-13: UE initiated semi-static channel occupancy with independent configurations ul-Semi-StaticChAccessIndependentConfig-r17 ENUMERATED {supported} OPTIONAL } -- TAG-SHAREDSPECTRUMCHACCESSPARAMSPERBAND-STOP -- TAG-ABSOLUTETIMEINFO-START AbsoluteTimeInfo-r16 ::= BIT STRING (SIZE (48)) -- TAG-ABSOLUTETIMEINFO-STOP -- TAG-APPLAYERMEASCONFIG-START AppLayerMeasConfig-r17 ::= SEQUENCE { measConfigAppLayerToAddModList-r17 SEQUENCE (SIZE (1..maxNrofAppLayerMeas-r17)) OF MeasConfigAppLayer-r17 OPTIONAL, -- Need N measConfigAppLayerToReleaseList-r17 SEQUENCE (SIZE (1..maxNrofAppLayerMeas-r17)) OF MeasConfigAppLayerId-r17 OPTIONAL, -- Need N rrc-SegAllowed-r17 ENUMERATED {enabled} OPTIONAL, -- Need R ... } MeasConfigAppLayer-r17 ::= SEQUENCE { measConfigAppLayerId-r17 MeasConfigAppLayerId-r17, measConfigAppLayerContainer-r17 OCTET STRING (SIZE (1..8000)) OPTIONAL, -- Need N serviceType-r17 ENUMERATED {streaming, mtsi, vr, spare5, spare4, spare3, spare2, spare1} OPTIONAL, -- Need M pauseReporting-r17 BOOLEAN OPTIONAL, -- Need M transmissionOfSessionStartStop-r17 BOOLEAN OPTIONAL, -- Need M ran-VisibleParameters-r17 CHOICE {release NULL, setup RAN-VisibleParameters-r17} OPTIONAL, -- Cond ServiceType ... } RAN-VisibleParameters-r17 ::= SEQUENCE { ran-VisiblePeriodicity-r17 ENUMERATED {ms120, ms240, ms480, ms640, ms1024} OPTIONAL, -- Need S numberOfBufferLevelEntries-r17 INTEGER (1..8) OPTIONAL, -- Need R reportPlayoutDelayForMediaStartup-r17 BOOLEAN OPTIONAL, -- Need M ... } -- TAG-APPLAYERMEASCONFIG-STOP -- TAG-AREACONFIGURATION-START AreaConfiguration-r16 ::= SEQUENCE { areaConfig-r16 AreaConfig-r16, interFreqTargetList-r16 SEQUENCE(SIZE (1..maxFreq)) OF InterFreqTargetInfo-r16 OPTIONAL -- Need R } AreaConfiguration-v1700 ::= SEQUENCE { areaConfig-r17 AreaConfig-r16 OPTIONAL, -- Need R interFreqTargetList-r17 SEQUENCE(SIZE (1..maxFreq)) OF InterFreqTargetInfo-r16 OPTIONAL -- Need R } AreaConfig-r16 ::= CHOICE { cellGlobalIdList-r16 CellGlobalIdList-r16, trackingAreaCodeList-r16 TrackingAreaCodeList-r16, trackingAreaIdentityList-r16 TrackingAreaIdentityList-r16 } InterFreqTargetInfo-r16 ::= SEQUENCE { dl-CarrierFreq-r16 ARFCN-ValueNR, cellList-r16 SEQUENCE (SIZE (1..32)) OF PhysCellId OPTIONAL -- Need R } CellGlobalIdList-r16 ::= SEQUENCE (SIZE (1..32)) OF CGI-Info-Logging-r16 TrackingAreaCodeList-r16 ::= SEQUENCE (SIZE (1..8)) OF TrackingAreaCode TrackingAreaIdentityList-r16 ::= SEQUENCE (SIZE (1..8)) OF TrackingAreaIdentity-r16 TrackingAreaIdentity-r16 ::= SEQUENCE { plmn-Identity-r16 PLMN-Identity, trackingAreaCode-r16 TrackingAreaCode } -- TAG-AREACONFIGURATION-STOP -- TAG-BTNAMELIST-START BT-NameList-r16 ::= SEQUENCE (SIZE (1..maxBT-Name-r16)) OF BT-Name-r16 BT-Name-r16 ::= OCTET STRING (SIZE (1..248)) -- TAG-BTNAMELIST-STOP -- TAG-DEDICATEDINFOF1C-START DedicatedInfoF1c-r17 ::= OCTET STRING -- TAG-DEDICATEDINFOF1C-STOP -- TAG-EUTRA-ALLOWEDMEASBANDWIDTH-START EUTRA-AllowedMeasBandwidth ::= ENUMERATED {mbw6, mbw15, mbw25, mbw50, mbw75, mbw100} -- TAG-EUTRA-ALLOWEDMEASBANDWIDTH-STOP -- TAG-EUTRA-MBSFN-SUBFRAMECONFIGLIST-START EUTRA-MBSFN-SubframeConfigList ::= SEQUENCE (SIZE (1..maxMBSFN-Allocations)) OF EUTRA-MBSFN-SubframeConfig EUTRA-MBSFN-SubframeConfig ::= SEQUENCE { radioframeAllocationPeriod ENUMERATED {n1, n2, n4, n8, n16, n32}, radioframeAllocationOffset INTEGER (0..7), subframeAllocation1 CHOICE { oneFrame BIT STRING (SIZE(6)), fourFrames BIT STRING (SIZE(24)) }, subframeAllocation2 CHOICE { oneFrame BIT STRING (SIZE(2)), fourFrames BIT STRING (SIZE(8)) } OPTIONAL, -- Need R ... } -- TAG-EUTRA-MBSFN-SUBFRAMECONFIGLIST-STOP -- TAG-EUTRA-MULTIBANDINFOLIST-START EUTRA-MultiBandInfoList ::= SEQUENCE (SIZE (1..maxMultiBands)) OF EUTRA-MultiBandInfo EUTRA-MultiBandInfo ::= SEQUENCE { eutra-FreqBandIndicator FreqBandIndicatorEUTRA, eutra-NS-PmaxList EUTRA-NS-PmaxList OPTIONAL -- Need R } -- TAG-EUTRA-MULTIBANDINFOLIST-STOP -- TAG-EUTRA-NS-PMAXLIST-START EUTRA-NS-PmaxList ::= SEQUENCE (SIZE (1..maxEUTRA-NS-Pmax)) OF EUTRA-NS-PmaxValue EUTRA-NS-PmaxValue ::= SEQUENCE { additionalPmax INTEGER (-30..33) OPTIONAL, -- Need R additionalSpectrumEmission INTEGER (1..288) OPTIONAL -- Need R } -- TAG-EUTRA-NS-PMAXLIST-STOP -- TAG-EUTRA-PHYSCELLID-START EUTRA-PhysCellId ::= INTEGER (0..503) -- TAG-EUTRA-PHYSCELLID-STOP -- TAG-EUTRA-PHYSCELLIDRANGE-START EUTRA-PhysCellIdRange ::= SEQUENCE { start EUTRA-PhysCellId, range ENUMERATED {n4, n8, n12, n16, n24, n32, n48, n64, n84, n96, n128, n168, n252, n504, spare2, spare1} OPTIONAL -- Need N } -- TAG-EUTRA-PHYSCELLIDRANGE-STOP -- TAG-EUTRA-PRESENCEANTENNAPORT1-START EUTRA-PresenceAntennaPort1 ::= BOOLEAN -- TAG-EUTRA-PRESENCEANTENNAPORT1-STOP -- TAG-EUTRA-Q-OFFSETRANGE-START EUTRA-Q-OffsetRange ::= ENUMERATED { dB-24, dB-22, dB-20, dB-18, dB-16, dB-14, dB-12, dB-10, dB-8, dB-6, dB-5, dB-4, dB-3, dB-2, dB-1, dB0, dB1, dB2, dB3, dB4, dB5, dB6, dB8, dB10, dB12, dB14, dB16, dB18, dB20, dB22, dB24} -- TAG-EUTRA-Q-OFFSETRANGE-STOP -- TAG-IABIPADDRESS-START IAB-IP-Address-r16 ::= CHOICE { iPv4-Address-r16 BIT STRING (SIZE(32)), iPv6-Address-r16 BIT STRING (SIZE(128)), iPv6-Prefix-r16 BIT STRING (SIZE(64)), ... } -- TAG-IABIPADDRESS-STOP -- TAG-IABIPADDRESSINDEX-START IAB-IP-AddressIndex-r16 ::= INTEGER (1..maxIAB-IP-Address-r16) -- TAG-IABIPADDRESSINDEX-STOP -- TAG-IAB-IP-USAGE-START IAB-IP-Usage-r16 ::= ENUMERATED {f1-C, f1-U, non-F1, spare} -- TAG-IAB-IP-USAGE-STOP -- TAG-LOGGINGDURATION-START LoggingDuration-r16 ::= ENUMERATED { min10, min20, min40, min60, min90, min120, spare2, spare1} -- TAG-LOGGINGDURATION-STOP -- TAG-LOGGINGINTERVAL-START LoggingInterval-r16 ::= ENUMERATED { ms320, ms640, ms1280, ms2560, ms5120, ms10240, ms20480, ms30720, ms40960, ms61440 , infinity} -- TAG-LOGGINGINTERVAL-STOP -- TAG-LOGMEASRESULTLISTBT-START LogMeasResultListBT-r16 ::= SEQUENCE (SIZE (1..maxBT-IdReport-r16)) OF LogMeasResultBT-r16 LogMeasResultBT-r16 ::= SEQUENCE { bt-Addr-r16 BIT STRING (SIZE (48)), rssi-BT-r16 INTEGER (-128..127) OPTIONAL, ... } -- TAG-LOGMEASRESULTLISTBT-STOP -- TAG-LOGMEASRESULTLISTWLAN-START LogMeasResultListWLAN-r16 ::= SEQUENCE (SIZE (1..maxWLAN-Id-Report-r16)) OF LogMeasResultWLAN-r16 LogMeasResultWLAN-r16 ::= SEQUENCE { wlan-Identifiers-r16 WLAN-Identifiers-r16, rssiWLAN-r16 WLAN-RSSI-Range-r16 OPTIONAL, rtt-WLAN-r16 WLAN-RTT-r16 OPTIONAL, ... } WLAN-Identifiers-r16 ::= SEQUENCE { ssid-r16 OCTET STRING (SIZE (1..32)) OPTIONAL, bssid-r16 OCTET STRING (SIZE (6)) OPTIONAL, hessid-r16 OCTET STRING (SIZE (6)) OPTIONAL, ... } WLAN-RSSI-Range-r16 ::= INTEGER(0..141) WLAN-RTT-r16 ::= SEQUENCE { rttValue-r16 INTEGER (0..16777215), rttUnits-r16 ENUMERATED { microseconds, hundredsofnanoseconds, tensofnanoseconds, nanoseconds, tenthsofnanoseconds, ...}, rttAccuracy-r16 INTEGER (0..255) OPTIONAL, ... } -- TAG-LOGMEASRESULTLISTWLAN-STOP -- TAG-MEASCONFIGAPPLAYERID-START MeasConfigAppLayerId-r17 ::= INTEGER (0..maxNrofAppLayerMeas-1-r17) -- TAG-MEASCONFIGAPPLAYERID-STOP -- TAG-OTHERCONFIG-START OtherConfig ::= SEQUENCE { delayBudgetReportingConfig CHOICE{ release NULL, setup SEQUENCE{ delayBudgetReportingProhibitTimer ENUMERATED {s0, s0dot4, s0dot8, s1dot6, s3, s6, s12, s30} } } OPTIONAL -- Need M } OtherConfig-v1540 ::= SEQUENCE { overheatingAssistanceConfig CHOICE {release NULL, setup OverheatingAssistanceConfig} OPTIONAL, -- Need M ... } OtherConfig-v1610 ::= SEQUENCE { idc-AssistanceConfig-r16 CHOICE {release NULL, setup IDC-AssistanceConfig-r16} OPTIONAL, -- Need M drx-PreferenceConfig-r16 CHOICE {release NULL, setup DRX-PreferenceConfig-r16} OPTIONAL, -- Need M maxBW-PreferenceConfig-r16 CHOICE {release NULL, setup MaxBW-PreferenceConfig-r16} OPTIONAL, -- Need M maxCC-PreferenceConfig-r16 CHOICE {release NULL, setup MaxCC-PreferenceConfig-r16} OPTIONAL, -- Need M maxMIMO-LayerPreferenceConfig-r16 CHOICE {release NULL, setup MaxMIMO-LayerPreferenceConfig-r16} OPTIONAL, -- Need M minSchedulingOffsetPreferenceConfig-r16 CHOICE {release NULL, setup MinSchedulingOffsetPreferenceConfig-r16} OPTIONAL, -- Need M releasePreferenceConfig-r16 CHOICE {release NULL, setup ReleasePreferenceConfig-r16} OPTIONAL, -- Need M referenceTimePreferenceReporting-r16 ENUMERATED {true} OPTIONAL, -- Need R btNameList-r16 CHOICE {release NULL, setup BT-NameList-r16} OPTIONAL, -- Need M wlanNameList-r16 CHOICE {release NULL, setup WLAN-NameList-r16} OPTIONAL, -- Need M sensorNameList-r16 CHOICE {release NULL, setup Sensor-NameList-r16} OPTIONAL, -- Need M obtainCommonLocation-r16 ENUMERATED {true} OPTIONAL, -- Need R sl-AssistanceConfigNR-r16 ENUMERATED{true} OPTIONAL -- Need R } OtherConfig-v1700 ::= SEQUENCE { ul-GapFR2-PreferenceConfig-r17 ENUMERATED {true} OPTIONAL, -- Need R musim-GapAssistanceConfig-r17 CHOICE {release NULL, setup MUSIM-GapAssistanceConfig-r17} OPTIONAL, -- Need M musim-LeaveAssistanceConfig-r17 CHOICE {release NULL, setup MUSIM-LeaveAssistanceConfig-r17} OPTIONAL, -- Need M successHO-Config-r17 CHOICE {release NULL, setup SuccessHO-Config-r17} OPTIONAL, -- Need M maxBW-PreferenceConfigFR2-2-r17 ENUMERATED {true} OPTIONAL, -- Cond maxBW maxMIMO-LayerPreferenceConfigFR2-2-r17 ENUMERATED {true} OPTIONAL, -- Cond maxMIMO minSchedulingOffsetPreferenceConfigExt-r17 ENUMERATED {true} OPTIONAL, -- Cond minOffset rlm-RelaxationReportingConfig-r17 CHOICE {release NULL, setup RLM-RelaxationReportingConfig-r17} OPTIONAL, -- Need M bfd-RelaxationReportingConfig-r17 CHOICE {release NULL, setup BFD-RelaxationReportingConfig-r17} OPTIONAL, -- Need M scg-DeactivationPreferenceConfig-r17 CHOICE {release NULL, setup SCG-DeactivationPreferenceConfig-r17} OPTIONAL, -- Cond SCG rrm-MeasRelaxationReportingConfig-r17 CHOICE {release NULL, setup RRM-MeasRelaxationReportingConfig-r17} OPTIONAL, -- Need M propDelayDiffReportConfig-r17 CHOICE {release NULL, setup PropDelayDiffReportConfig-r17} OPTIONAL -- Need M } CandidateServingFreqListNR-r16 ::= SEQUENCE (SIZE (1..maxFreqIDC-r16)) OF ARFCN-ValueNR MUSIM-GapAssistanceConfig-r17 ::= SEQUENCE { musim-GapProhibitTimer-r17 ENUMERATED {s0, s0dot1, s0dot2, s0dot3, s0dot4, s0dot5, s1, s2, s3, s4, s5, s6, s7, s8, s9, s10} } MUSIM-LeaveAssistanceConfig-r17 ::= SEQUENCE { musim-LeaveWithoutResponseTimer-r17 ENUMERATED {ms10, ms20, ms40, ms60, ms80, ms100, spare2, spare1} } SuccessHO-Config-r17 ::= SEQUENCE { thresholdPercentageT304-r17 ENUMERATED {p40, p60, p80, spare5, spare4, spare3, spare2, spare1} OPTIONAL, --Need R thresholdPercentageT310-r17 ENUMERATED {p40, p60, p80, spare5, spare4, spare3, spare2, spare1} OPTIONAL, --Need R thresholdPercentageT312-r17 ENUMERATED {p20, p40, p60, p80, spare4, spare3, spare2, spare1} OPTIONAL, --Need R sourceDAPS-FailureReporting-r17 ENUMERATED {true} OPTIONAL, --Need R ... } OverheatingAssistanceConfig ::= SEQUENCE { overheatingIndicationProhibitTimer ENUMERATED {s0, s0dot5, s1, s2, s5, s10, s20, s30, s60, s90, s120, s300, s600, spare3, spare2, spare1} } IDC-AssistanceConfig-r16 ::= SEQUENCE { candidateServingFreqListNR-r16 CandidateServingFreqListNR-r16 OPTIONAL, -- Need R ... } DRX-PreferenceConfig-r16 ::= SEQUENCE { drx-PreferenceProhibitTimer-r16 ENUMERATED { s0, s0dot5, s1, s2, s3, s4, s5, s6, s7, s8, s9, s10, s20, s30, spare2, spare1} } MaxBW-PreferenceConfig-r16 ::= SEQUENCE { maxBW-PreferenceProhibitTimer-r16 ENUMERATED { s0, s0dot5, s1, s2, s3, s4, s5, s6, s7, s8, s9, s10, s20, s30, spare2, spare1} } MaxCC-PreferenceConfig-r16 ::= SEQUENCE { maxCC-PreferenceProhibitTimer-r16 ENUMERATED { s0, s0dot5, s1, s2, s3, s4, s5, s6, s7, s8, s9, s10, s20, s30, spare2, spare1} } MaxMIMO-LayerPreferenceConfig-r16 ::= SEQUENCE { maxMIMO-LayerPreferenceProhibitTimer-r16 ENUMERATED { s0, s0dot5, s1, s2, s3, s4, s5, s6, s7, s8, s9, s10, s20, s30, spare2, spare1} } MinSchedulingOffsetPreferenceConfig-r16 ::= SEQUENCE { minSchedulingOffsetPreferenceProhibitTimer-r16 ENUMERATED { s0, s0dot5, s1, s2, s3, s4, s5, s6, s7, s8, s9, s10, s20, s30, spare2, spare1} } ReleasePreferenceConfig-r16 ::= SEQUENCE { releasePreferenceProhibitTimer-r16 ENUMERATED { s0, s0dot5, s1, s2, s3, s4, s5, s6, s7, s8, s9, s10, s20, s30, infinity, spare1}, connectedReporting ENUMERATED {true} OPTIONAL -- Need R } RLM-RelaxationReportingConfig-r17 ::= SEQUENCE { rlm-RelaxtionReportingProhibitTimer ENUMERATED {s0, s0dot5, s1, s2, s5, s10, s20, s30, s60, s90, s120, s300, s600, infinity, spare2, spare1} } BFD-RelaxationReportingConfig-r17 ::= SEQUENCE { bfd-RelaxtionReportingProhibitTimer ENUMERATED {s0, s0dot5, s1, s2, s5, s10, s20, s30, s60, s90, s120, s300, s600, infinity, spare2, spare1} } SCG-DeactivationPreferenceConfig-r17 ::= SEQUENCE { scg-DeactivationPreferenceProhibitTimer-r17 ENUMERATED { s0, s1, s2, s4, s8, s10, s15, s30, s60, s120, s180, s240, s300, s600, s900, s1800} } RRM-MeasRelaxationReportingConfig-r17 ::= SEQUENCE { s-SearchDeltaP-Stationary-r17 ENUMERATED {dB2, dB3, dB6, dB9, dB12, dB15, spare2, spare1}, t-SearchDeltaP-Stationary-r17 ENUMERATED {s5, s10, s20, s30, s60, s120, s180, s240, s300, spare7, spare6, spare5, spare4, spare3, spare2, spare1} } PropDelayDiffReportConfig-r17 ::= SEQUENCE { threshPropDelayDiff-r17 ENUMERATED {ms0dot5, ms1, ms2, ms3, ms4, ms5, ms6 ,ms7, ms8, ms9, ms10, spare5, spare4, spare3, spare2, spare1} OPTIONAL, -- Need M neighCellInfoList-r17 SEQUENCE (SIZE (1..maxCellNTN-r17)) OF NeighbourCellInfo-r17 OPTIONAL -- Need M } NeighbourCellInfo-r17 ::= SEQUENCE { epochTime-r17 EpochTime-r17, ephemerisInfo-r17 EphemerisInfo-r17 } -- TAG-OTHERCONFIG-STOP -- TAG-PHYSCELLIDUTRA-FDD-START PhysCellIdUTRA-FDD-r16 ::= INTEGER (0..511) -- TAG-PHYSCELLIDUTRA-FDD-STOP -- TAG-RRC-TRANSACTIONIDENTIFIER-START RRC-TransactionIdentifier ::= INTEGER (0..3) -- TAG-RRC-TRANSACTIONIDENTIFIER-STOP -- TAG-SENSORNAMELIST-START Sensor-NameList-r16 ::= SEQUENCE { measUncomBarPre-r16 ENUMERATED {true} OPTIONAL, -- Need R measUeSpeed ENUMERATED {true} OPTIONAL, -- Need R measUeOrientation ENUMERATED {true} OPTIONAL -- Need R } -- TAG-SENSORNAMELIST-STOP -- TAG-TRACEREFERENCE-START TraceReference-r16 ::= SEQUENCE { plmn-Identity-r16 PLMN-Identity, traceId-r16 OCTET STRING (SIZE (3)) } -- TAG-TRACEREFERENCE-STOP -- TAG-UE-MeasurementsAvailable-START UE-MeasurementsAvailable-r16 ::= SEQUENCE { logMeasAvailable-r16 ENUMERATED {true} OPTIONAL, logMeasAvailableBT-r16 ENUMERATED {true} OPTIONAL, logMeasAvailableWLAN-r16 ENUMERATED {true} OPTIONAL, connEstFailInfoAvailable-r16 ENUMERATED {true} OPTIONAL, rlf-InfoAvailable-r16 ENUMERATED {true} OPTIONAL, ..., [[ successHO-InfoAvailable-r17 ENUMERATED {true} OPTIONAL, sigLogMeasConfigAvailable-r17 BOOLEAN OPTIONAL ]] } -- TAG-UE-MeasurementsAvailable-STOP -- TAG-UTRA-FDD-Q-OFFSETRANGE-START UTRA-FDD-Q-OffsetRange-r16 ::= ENUMERATED { dB-24, dB-22, dB-20, dB-18, dB-16, dB-14, dB-12, dB-10, dB-8, dB-6, dB-5, dB-4, dB-3, dB-2, dB-1, dB0, dB1, dB2, dB3, dB4, dB5, dB6, dB8, dB10, dB12, dB14, dB16, dB18, dB20, dB22, dB24} -- TAG-UTRA-FDD-Q-OFFSETRANGE-STOP -- TAG-VISITEDCELLINFOLIST-START VisitedCellInfoList-r16 ::= SEQUENCE (SIZE (1..maxCellHistory-r16)) OF VisitedCellInfo-r16 VisitedCellInfo-r16 ::= SEQUENCE { visitedCellId-r16 CHOICE { nr-CellId-r16 CHOICE { cgi-Info CGI-Info-Logging-r16, pci-arfcn-r16 PCI-ARFCN-NR-r16 }, eutra-CellId-r16 CHOICE { cellGlobalId-r16 CGI-InfoEUTRA, pci-arfcn-r16 PCI-ARFCN-EUTRA-r16 } } OPTIONAL, timeSpent-r16 INTEGER (0..4095), ..., [[ visitedPSCellInfoListReport-r17 VisitedPSCellInfoList-r17 OPTIONAL ]] } VisitedPSCellInfoList-r17 ::= SEQUENCE (SIZE (1..maxPSCellHistory-r17)) OF VisitedPSCellInfo-r17 VisitedPSCellInfo-r17 ::= SEQUENCE { visitedCellId-r17 CHOICE { nr-CellId-r17 CHOICE { cgi-Info-r17 CGI-Info-Logging-r16, pci-arfcn-r17 PCI-ARFCN-NR-r16 }, eutra-CellId-r17 CHOICE { cellGlobalId-r17 CGI-InfoEUTRALogging, pci-arfcn-r17 PCI-ARFCN-EUTRA-r16 } } OPTIONAL, timeSpent-r17 INTEGER (0..4095), ... } -- TAG-VISITEDCELLINFOLIST-STOP -- TAG-WLANNAMELIST-START WLAN-NameList-r16 ::= SEQUENCE (SIZE (1..maxWLAN-Name-r16)) OF WLAN-Name-r16 WLAN-Name-r16 ::= OCTET STRING (SIZE (1..32)) -- TAG-SL-BWP-CONFIG-START SL-BWP-Config-r16 ::= SEQUENCE { sl-BWP-Id BWP-Id, sl-BWP-Generic-r16 SL-BWP-Generic-r16 OPTIONAL, -- Need M sl-BWP-PoolConfig-r16 SL-BWP-PoolConfig-r16 OPTIONAL, -- Need M ..., [[ sl-BWP-PoolConfigPS-r17 CHOICE {release NULL, setup SL-BWP-PoolConfig-r16} OPTIONAL, -- Need M sl-BWP-DiscPoolConfig-r17 CHOICE {release NULL, setup SL-BWP-DiscPoolConfig-r17} OPTIONAL -- Need M ]] } SL-BWP-Generic-r16 ::= SEQUENCE { sl-BWP-r16 BWP OPTIONAL, -- Need M sl-LengthSymbols-r16 ENUMERATED {sym7, sym8, sym9, sym10, sym11, sym12, sym13, sym14} OPTIONAL, -- Need M sl-StartSymbol-r16 ENUMERATED {sym0, sym1, sym2, sym3, sym4, sym5, sym6, sym7} OPTIONAL, -- Need M sl-PSBCH-Config-r16 CHOICE {release NULL, setup SL-PSBCH-Config-r16} OPTIONAL, -- Need M sl-TxDirectCurrentLocation-r16 INTEGER (0..3301) OPTIONAL, -- Need M ... } -- TAG-SL-BWP-CONFIG-STOP -- TAG-SL-BWP-CONFIGCOMMON-START SL-BWP-ConfigCommon-r16 ::= SEQUENCE { sl-BWP-Generic-r16 SL-BWP-Generic-r16 OPTIONAL, -- Need R sl-BWP-PoolConfigCommon-r16 SL-BWP-PoolConfigCommon-r16 OPTIONAL, -- Need R ..., [[ sl-BWP-PoolConfigCommonPS-r17 SL-BWP-PoolConfigCommon-r16 OPTIONAL, -- Need R sl-BWP-DiscPoolConfigCommon-r17 SL-BWP-DiscPoolConfigCommon-r17 OPTIONAL -- Need R ]] } -- TAG-SL-BWP-CONFIGCOMMON-STOP -- TAG-SL-BWP-DISCPOOLCONFIG-START SL-BWP-DiscPoolConfig-r17 ::= SEQUENCE { sl-DiscRxPool-r17 SEQUENCE (SIZE (1..maxNrofRXPool-r16)) OF SL-ResourcePool-r16 OPTIONAL, -- Cond HO sl-DiscTxPoolSelected-r17 SL-TxPoolDedicated-r16 OPTIONAL, -- Need M sl-DiscTxPoolScheduling-r17 SL-TxPoolDedicated-r16 OPTIONAL -- Need N } -- TAG-SL-BWP-DISCPOOLCONFIG-STOP -- TAG-SL-BWP-DISCPOOLCONFIGCOMMON-START SL-BWP-DiscPoolConfigCommon-r17 ::= SEQUENCE { sl-DiscRxPool-r17 SEQUENCE (SIZE (1..maxNrofRXPool-r16)) OF SL-ResourcePool-r16 OPTIONAL, -- Need R sl-DiscTxPoolSelected-r17 SEQUENCE (SIZE (1..maxNrofTXPool-r16)) OF SL-ResourcePoolConfig-r16 OPTIONAL, -- Need R ... } -- TAG-SL-BWP-DISCPOOLCONFIGCOMMON-STOP -- TAG-SL-BWP-POOLCONFIG-START SL-BWP-PoolConfig-r16 ::= SEQUENCE { sl-RxPool-r16 SEQUENCE (SIZE (1..maxNrofRXPool-r16)) OF SL-ResourcePool-r16 OPTIONAL, -- Cond HO sl-TxPoolSelectedNormal-r16 SL-TxPoolDedicated-r16 OPTIONAL, -- Need M sl-TxPoolScheduling-r16 SL-TxPoolDedicated-r16 OPTIONAL, -- Need N sl-TxPoolExceptional-r16 SL-ResourcePoolConfig-r16 OPTIONAL -- Need M } SL-TxPoolDedicated-r16 ::= SEQUENCE { sl-PoolToReleaseList-r16 SEQUENCE (SIZE (1..maxNrofTXPool-r16)) OF SL-ResourcePoolID-r16 OPTIONAL, -- Need N sl-PoolToAddModList-r16 SEQUENCE (SIZE (1..maxNrofTXPool-r16)) OF SL-ResourcePoolConfig-r16 OPTIONAL -- Need N } SL-ResourcePoolConfig-r16 ::= SEQUENCE { sl-ResourcePoolID-r16 SL-ResourcePoolID-r16, sl-ResourcePool-r16 SL-ResourcePool-r16 OPTIONAL -- Need M } SL-ResourcePoolID-r16 ::= INTEGER (1..maxNrofPoolID-r16) -- TAG-SL-BWP-POOLCONFIG-STOP -- TAG-SL-BWP-POOLCONFIGCOMMON-START SL-BWP-PoolConfigCommon-r16 ::= SEQUENCE { sl-RxPool-r16 SEQUENCE (SIZE (1..maxNrofRXPool-r16)) OF SL-ResourcePool-r16 OPTIONAL, -- Need R sl-TxPoolSelectedNormal-r16 SEQUENCE (SIZE (1..maxNrofTXPool-r16)) OF SL-ResourcePoolConfig-r16 OPTIONAL, -- Need R sl-TxPoolExceptional-r16 SL-ResourcePoolConfig-r16 OPTIONAL -- Need R } -- TAG-SL-BWP-POOLCONFIGCOMMON-STOP -- TAG-SL-CBR-PRIORITYTXCONFIGLIST-START SL-CBR-PriorityTxConfigList-r16 ::= SEQUENCE (SIZE (1..8)) OF SL-PriorityTxConfigIndex-r16 SL-CBR-PriorityTxConfigList-v1650 ::= SEQUENCE (SIZE (1..8)) OF SL-PriorityTxConfigIndex-v1650 SL-PriorityTxConfigIndex-r16 ::= SEQUENCE { sl-PriorityThreshold-r16 INTEGER (1..8) OPTIONAL, -- Need M sl-DefaultTxConfigIndex-r16 INTEGER (0..maxCBR-Level-1-r16) OPTIONAL, -- Need M sl-CBR-ConfigIndex-r16 INTEGER (0..maxCBR-Config-1-r16) OPTIONAL, -- Need M sl-Tx-ConfigIndexList-r16 SEQUENCE (SIZE (1.. maxCBR-Level-r16)) OF SL-TxConfigIndex-r16 OPTIONAL -- Need M } SL-PriorityTxConfigIndex-v1650 ::= SEQUENCE { sl-MCS-RangeList-r16 SEQUENCE (SIZE (1..maxCBR-Level-r16)) OF SL-MinMaxMCS-List-r16 OPTIONAL -- Need M } SL-TxConfigIndex-r16 ::= INTEGER (0..maxTxConfig-1-r16) -- TAG-SL-CBR-PRIORITYTXCONFIGLIST-STOP -- TAG-SL-CBR-COMMONTXCONFIGLIST-START SL-CBR-CommonTxConfigList-r16 ::= SEQUENCE { sl-CBR-RangeConfigList-r16 SEQUENCE (SIZE (1..maxCBR-Config-r16)) OF SL-CBR-LevelsConfig-r16 OPTIONAL, -- Need M sl-CBR-PSSCH-TxConfigList-r16 SEQUENCE (SIZE (1.. maxTxConfig-r16)) OF SL-CBR-PSSCH-TxConfig-r16 OPTIONAL -- Need M } SL-CBR-LevelsConfig-r16 ::= SEQUENCE (SIZE (1..maxCBR-Level-r16)) OF SL-CBR-r16 SL-CBR-PSSCH-TxConfig-r16 ::= SEQUENCE { sl-CR-Limit-r16 INTEGER(0..10000) OPTIONAL, -- Need M sl-TxParameters-r16 SL-PSSCH-TxParameters-r16 OPTIONAL -- Need M } SL-CBR-r16 ::= INTEGER (0..100) -- TAG-SL-CBR-COMMONTXCONFIGLIST-STOP -- TAG-SL-CONFIGDEDICATEDNR-START SL-ConfigDedicatedNR-r16 ::= SEQUENCE { sl-PHY-MAC-RLC-Config-r16 SL-PHY-MAC-RLC-Config-r16 OPTIONAL, -- Need M sl-RadioBearerToReleaseList-r16 SEQUENCE (SIZE (1..maxNrofSLRB-r16)) OF SLRB-Uu-ConfigIndex-r16 OPTIONAL, -- Need N sl-RadioBearerToAddModList-r16 SEQUENCE (SIZE (1..maxNrofSLRB-r16)) OF SL-RadioBearerConfig-r16 OPTIONAL, -- Need N sl-MeasConfigInfoToReleaseList-r16 SEQUENCE (SIZE (1..maxNrofSL-Dest-r16)) OF SL-DestinationIndex-r16 OPTIONAL, -- Need N sl-MeasConfigInfoToAddModList-r16 SEQUENCE (SIZE (1..maxNrofSL-Dest-r16)) OF SL-MeasConfigInfo-r16 OPTIONAL, -- Need N t400-r16 ENUMERATED {ms100, ms200, ms300, ms400, ms600, ms1000, ms1500, ms2000} OPTIONAL, -- Need M ..., [[ sl-PHY-MAC-RLC-Config-v1700 CHOICE {release NULL, setup SL-PHY-MAC-RLC-Config-v1700 } OPTIONAL, -- Need M sl-DiscConfig-r17 CHOICE {release NULL, setup SL-DiscConfig-r17} OPTIONAL -- Need M ]] } SL-DestinationIndex-r16 ::= INTEGER (0..maxNrofSL-Dest-1-r16) SL-PHY-MAC-RLC-Config-r16::= SEQUENCE { sl-ScheduledConfig-r16 CHOICE {release NULL, setup SL-ScheduledConfig-r16 } OPTIONAL, -- Need M sl-UE-SelectedConfig-r16 CHOICE {release NULL, setup SL-UE-SelectedConfig-r16 } OPTIONAL, -- Need M sl-FreqInfoToReleaseList-r16 SEQUENCE (SIZE (1..maxNrofFreqSL-r16)) OF SL-Freq-Id-r16 OPTIONAL, -- Need N sl-FreqInfoToAddModList-r16 SEQUENCE (SIZE (1..maxNrofFreqSL-r16)) OF SL-FreqConfig-r16 OPTIONAL, -- Need N sl-RLC-BearerToReleaseList-r16 SEQUENCE (SIZE (1..maxSL-LCID-r16)) OF SL-RLC-BearerConfigIndex-r16 OPTIONAL, -- Need N sl-RLC-BearerToAddModList-r16 SEQUENCE (SIZE (1..maxSL-LCID-r16)) OF SL-RLC-BearerConfig-r16 OPTIONAL, -- Need N sl-MaxNumConsecutiveDTX-r16 ENUMERATED {n1, n2, n3, n4, n6, n8, n16, n32} OPTIONAL, -- Need M sl-CSI-Acquisition-r16 ENUMERATED {enabled} OPTIONAL, -- Need R sl-CSI-SchedulingRequestId-r16 CHOICE {release NULL, setup SchedulingRequestId} OPTIONAL, -- Need M sl-SSB-PriorityNR-r16 INTEGER (1..8) OPTIONAL, -- Need R networkControlledSyncTx-r16 ENUMERATED {on, off} OPTIONAL -- Need M } -- WS modification: define a dedicated type SL-RLC-ChannelToAddModList-r17 ::= SEQUENCE (SIZE (1..maxSL-LCID-r16)) OF SL-RLC-ChannelConfig-r17 SL-PHY-MAC-RLC-Config-v1700 ::= SEQUENCE { sl-DRX-Config-r17 SL-DRX-Config-r17 OPTIONAL, -- Need M sl-RLC-ChannelToReleaseList-r17 SEQUENCE (SIZE (1..maxSL-LCID-r16)) OF SL-RLC-ChannelID-r17 OPTIONAL, -- Cond L2U2N -- WS modification: define a dedicated type -- sl-RLC-ChannelToAddModList-r17 SEQUENCE (SIZE (1..maxSL-LCID-r16)) OF SL-RLC-ChannelConfig-r17 OPTIONAL, -- -- Cond L2U2N sl-RLC-ChannelToAddModList-r17 SL-RLC-ChannelToAddModList-r17 OPTIONAL, -- Cond L2U2N ... } SL-DiscConfig-r17::= SEQUENCE { sl-RelayUE-Config-r17 CHOICE {release NULL, setup SL-RelayUE-Config-r17} OPTIONAL, -- Cond L2RelayUE sl-RemoteUE-Config-r17 CHOICE {release NULL, setup SL-RemoteUE-Config-r17} OPTIONAL -- Cond L2RemoteUE } -- TAG-SL-CONFIGDEDICATEDNR-STOP -- TAG-SL-CONFIGUREDGRANTCONFIG-START SL-ConfiguredGrantConfig-r16 ::= SEQUENCE { sl-ConfigIndexCG-r16 SL-ConfigIndexCG-r16, sl-PeriodCG-r16 SL-PeriodCG-r16 OPTIONAL, -- Need M sl-NrOfHARQ-Processes-r16 INTEGER (1..16) OPTIONAL, -- Need M sl-HARQ-ProcID-offset-r16 INTEGER (0..15) OPTIONAL, -- Need M sl-CG-MaxTransNumList-r16 SL-CG-MaxTransNumList-r16 OPTIONAL, -- Need M rrc-ConfiguredSidelinkGrant-r16 SEQUENCE { sl-TimeResourceCG-Type1-r16 INTEGER (0..496) OPTIONAL, -- Need M sl-StartSubchannelCG-Type1-r16 INTEGER (0..26) OPTIONAL, -- Need M sl-FreqResourceCG-Type1-r16 INTEGER (0..6929) OPTIONAL, -- Need M sl-TimeOffsetCG-Type1-r16 INTEGER (0..7999) OPTIONAL, -- Need R sl-N1PUCCH-AN-r16 PUCCH-ResourceId OPTIONAL, -- Need M sl-PSFCH-ToPUCCH-CG-Type1-r16 INTEGER (0..15) OPTIONAL, -- Need M sl-ResourcePoolID-r16 SL-ResourcePoolID-r16 OPTIONAL, -- Need M sl-TimeReferenceSFN-Type1-r16 ENUMERATED {sfn512} OPTIONAL -- Need S } OPTIONAL, -- Need M ..., [[ sl-N1PUCCH-AN-Type2-r16 PUCCH-ResourceId OPTIONAL -- Need M ]] } SL-ConfigIndexCG-r16 ::= INTEGER (0..maxNrofCG-SL-1-r16) SL-CG-MaxTransNumList-r16 ::= SEQUENCE (SIZE (1..8)) OF SL-CG-MaxTransNum-r16 SL-CG-MaxTransNum-r16 ::= SEQUENCE { sl-Priority-r16 INTEGER (1..8), sl-MaxTransNum-r16 INTEGER (1..32) } SL-PeriodCG-r16 ::= CHOICE{ sl-PeriodCG1-r16 ENUMERATED {ms100, ms200, ms300, ms400, ms500, ms600, ms700, ms800, ms900, ms1000, spare6, spare5, spare4, spare3, spare2, spare1}, sl-PeriodCG2-r16 INTEGER (1..99) } -- TAG-SL-CONFIGUREDGRANTCONFIG-STOP -- TAG-SL-DESTINATIONIDENTITY-START SL-DestinationIdentity-r16 ::= BIT STRING (SIZE (24)) -- TAG-SL-DESTINATIONIDENTITY-STOP -- TAG-SL-DRX-CONFIG-START SL-DRX-Config-r17 ::= SEQUENCE { sl-DRX-ConfigGC-BC-r17 SL-DRX-ConfigGC-BC-r17 OPTIONAL, -- Cond HO sl-DRX-ConfigUC-ToReleaseList-r17 SEQUENCE (SIZE (1..maxNrofSL-Dest-r16)) OF SL-DestinationIndex-r16 OPTIONAL, -- Need N sl-DRX-ConfigUC-ToAddModList-r17 SEQUENCE (SIZE (1..maxNrofSL-Dest-r16)) OF SL-DRX-ConfigUC-Info-r17 OPTIONAL, -- Need N ... } SL-DRX-ConfigUC-Info-r17 ::= SEQUENCE { sl-DestinationIndex-r17 SL-DestinationIndex-r16 OPTIONAL, -- Need N sl-DRX-ConfigUC-r17 SL-DRX-ConfigUC-r17 OPTIONAL, -- Need N ... } -- TAG-SL-DRX-CONFIG-STOP -- TAG-SL-DRX-CONFIGGC-BC-START SL-DRX-ConfigGC-BC-r17 ::= SEQUENCE { sl-DRX-GC-BC-PerQoS-List-r17 SEQUENCE (SIZE (1..maxSL-GC-BC-DRX-QoS-r17)) OF SL-DRX-GC-BC-QoS-r17 OPTIONAL, -- Need M sl-DRX-GC-generic-r17 SL-DRX-GC-Generic-r17 OPTIONAL, -- Need M sl-DefaultDRX-GC-BC-r17 SL-DRX-GC-BC-QoS-r17 OPTIONAL, -- Need M ... } SL-DRX-GC-BC-QoS-r17 ::= SEQUENCE { sl-DRX-GC-BC-MappedQoS-FlowList-r17 SEQUENCE (SIZE (1..maxNrofSL-QFIs-r16)) OF SL-QoS-Profile-r16 OPTIONAL, -- Need M sl-DRX-GC-BC-OnDurationTimer-r17 CHOICE { subMilliSeconds INTEGER (1..31), milliSeconds ENUMERATED { ms1, ms2, ms3, ms4, ms5,ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms400, ms500, ms600, ms800, ms1000, ms1200, ms1600, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} }, sl-DRX-GC-InactivityTimer-r17 ENUMERATED { ms0, ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms500, ms750, ms1280, ms1920, ms2560, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1}, sl-DRX-GC-BC-Cycle-r17 ENUMERATED { ms10, ms20, ms32, ms40, ms60, ms64, ms70, ms80, ms128, ms160, ms256, ms320, ms512, ms640, ms1024, ms1280, ms2048, ms2560, ms5120, ms10240, spare12, spare11, spare10, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1}, ... } SL-DRX-GC-Generic-r17 ::= SEQUENCE { sl-DRX-GC-HARQ-RTT-Timer1-r17 ENUMERATED {sl0, sl1, sl2, sl4, spare4, spare3, spare2, spare1} OPTIONAL, -- Need M sl-DRX-GC-HARQ-RTT-Timer2-r17 ENUMERATED {sl0, sl1, sl2, sl4, spare4, spare3, spare2, spare1} OPTIONAL, -- Need M sl-DRX-GC-RetransmissionTimer-r17 ENUMERATED { sl0, sl1, sl2, sl4, sl6, sl8, sl16, sl24, sl33, sl40, sl64, sl80, sl96, sl112, sl128, sl160, sl320, spare15, spare14, spare13, spare12, spare11, spare10, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} } -- TAG-SL-DRX-CONFIGGC-BC-STOP -- TAG-DRX-CONFIGUC-START SL-DRX-ConfigUC-r17 ::= SEQUENCE { sl-drx-onDurationTimer-r17 CHOICE { subMilliSeconds INTEGER (1..31), milliSeconds ENUMERATED { ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms400, ms500, ms600, ms800, ms1000, ms1200, ms1600, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} }, sl-drx-InactivityTimer-r17 ENUMERATED { ms0, ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms500, ms750, ms1280, ms1920, ms2560, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1}, sl-drx-HARQ-RTT-Timer1-r17 ENUMERATED {sl0, sl1, sl2, sl4, spare4, spare3, spare2, spare1} OPTIONAL, -- Need M sl-drx-HARQ-RTT-Timer2-r17 ENUMERATED {sl0, sl1, sl2, sl4, spare4, spare3, spare2, spare1} OPTIONAL, -- Need M sl-drx-RetransmissionTimer-r17 ENUMERATED { sl0, sl1, sl2, sl4, sl6, sl8, sl16, sl24, sl33, sl40, sl64, sl80, sl96, sl112, sl128, sl160, sl320, spare15, spare14, spare13, spare12, spare11, spare10, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1}, sl-drx-CycleStartOffset-r17 CHOICE { ms10 INTEGER(0..9), ms20 INTEGER(0..19), ms32 INTEGER(0..31), ms40 INTEGER(0..39), ms60 INTEGER(0..59), ms64 INTEGER(0..63), ms70 INTEGER(0..69), ms80 INTEGER(0..79), ms128 INTEGER(0..127), ms160 INTEGER(0..159), ms256 INTEGER(0..255), ms320 INTEGER(0..319), ms512 INTEGER(0..511), ms640 INTEGER(0..639), ms1024 INTEGER(0..1023), ms1280 INTEGER(0..1279), ms2048 INTEGER(0..2047), ms2560 INTEGER(0..2559), ms5120 INTEGER(0..5119), ms10240 INTEGER(0..10239) }, sl-drx-SlotOffset INTEGER (0..31) } -- TAG-SL-DRX-CONFIGUC-STOP -- TAG-DRX-CONFIGUCSEMISTATIC-START SL-DRX-ConfigUC-SemiStatic-r17 ::= SEQUENCE { sl-drx-onDurationTimer-r17 CHOICE { subMilliSeconds INTEGER (1..31), milliSeconds ENUMERATED { ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms400, ms500, ms600, ms800, ms1000, ms1200, ms1600, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} }, sl-drx-CycleStartOffset-r17 CHOICE { ms10 INTEGER(0..9), ms20 INTEGER(0..19), ms32 INTEGER(0..31), ms40 INTEGER(0..39), ms60 INTEGER(0..59), ms64 INTEGER(0..63), ms70 INTEGER(0..69), ms80 INTEGER(0..79), ms128 INTEGER(0..127), ms160 INTEGER(0..159), ms256 INTEGER(0..255), ms320 INTEGER(0..319), ms512 INTEGER(0..511), ms640 INTEGER(0..639), ms1024 INTEGER(0..1023), ms1280 INTEGER(0..1279), ms2048 INTEGER(0..2047), ms2560 INTEGER(0..2559), ms5120 INTEGER(0..5119), ms10240 INTEGER(0..10239) }, sl-drx-SlotOffset-r17 INTEGER (0..31) } -- TAG-SL-DRX-CONFIGUCSEMISTATIC-STOP -- TAG-SL-FREQCONFIG-START SL-FreqConfig-r16 ::= SEQUENCE { sl-Freq-Id-r16 SL-Freq-Id-r16, sl-SCS-SpecificCarrierList-r16 SEQUENCE (SIZE (1..maxSCSs)) OF SCS-SpecificCarrier, sl-AbsoluteFrequencyPointA-r16 ARFCN-ValueNR OPTIONAL, -- Need M sl-AbsoluteFrequencySSB-r16 ARFCN-ValueNR OPTIONAL, -- Need R frequencyShift7p5khzSL-r16 ENUMERATED {true} OPTIONAL, -- Cond V2X-SL-Shared valueN-r16 INTEGER (-1..1), sl-BWP-ToReleaseList-r16 SEQUENCE (SIZE (1..maxNrofSL-BWPs-r16)) OF BWP-Id OPTIONAL, -- Need N sl-BWP-ToAddModList-r16 SEQUENCE (SIZE (1..maxNrofSL-BWPs-r16)) OF SL-BWP-Config-r16 OPTIONAL, -- Need N sl-SyncConfigList-r16 SL-SyncConfigList-r16 OPTIONAL, -- Need M sl-SyncPriority-r16 ENUMERATED {gnss, gnbEnb} OPTIONAL -- Need M } SL-Freq-Id-r16 ::= INTEGER (1.. maxNrofFreqSL-r16) -- TAG-SL-FREQCONFIG-STOP -- TAG-SL-FREQCONFIGCOMMON-START SL-FreqConfigCommon-r16 ::= SEQUENCE { sl-SCS-SpecificCarrierList-r16 SEQUENCE (SIZE (1..maxSCSs)) OF SCS-SpecificCarrier, sl-AbsoluteFrequencyPointA-r16 ARFCN-ValueNR, sl-AbsoluteFrequencySSB-r16 ARFCN-ValueNR OPTIONAL, -- Need R frequencyShift7p5khzSL-r16 ENUMERATED {true} OPTIONAL, -- Cond V2X-SL-Shared valueN-r16 INTEGER (-1..1), sl-BWP-List-r16 SEQUENCE (SIZE (1..maxNrofSL-BWPs-r16)) OF SL-BWP-ConfigCommon-r16 OPTIONAL, -- Need R sl-SyncPriority-r16 ENUMERATED {gnss, gnbEnb} OPTIONAL, -- Need R sl-NbAsSync-r16 BOOLEAN OPTIONAL, -- Need R sl-SyncConfigList-r16 SL-SyncConfigList-r16 OPTIONAL, -- Need R ... } -- TAG-SL-FREQCONFIGCOMMON-STOP -- TAG-SL-INTERUE-COORDINATIONCONFIG-START SL-InterUE-CoordinationConfig-r17 ::= SEQUENCE { sl-InterUE-CoordinationScheme1-r17 SL-InterUE-CoordinationScheme1-r17 OPTIONAL, -- Need M sl-InterUE-CoordinationScheme2-r17 SL-InterUE-CoordinationScheme2-r17 OPTIONAL, -- Need M ... } SL-InterUE-CoordinationScheme1-r17 ::= SEQUENCE { sl-IUC-Explicit-r17 ENUMERATED {enabled, disabled} OPTIONAL, -- Need M sl-IUC-Condition-r17 ENUMERATED {enabled, disabled} OPTIONAL, -- Need M sl-Condition1-A-2-r17 ENUMERATED {disabled} OPTIONAL, -- Need M sl-ThresholdRSRP-Condition1-B-1-Option1List-r17 SEQUENCE (SIZE (1..8)) OF SL-ThresholdRSRP-Condition1-B-1-r17 OPTIONAL, -- Need M sl-ThresholdRSRP-Condition1-B-1-Option2List-r17 SEQUENCE (SIZE (1..8)) OF SL-ThresholdRSRP-Condition1-B-1-r17 OPTIONAL, -- Need M sl-ContainerCoordInfo-r17 ENUMERATED {enabled, disabled} OPTIONAL, -- Need M sl-ContainerRequest-r17 ENUMERATED {enabled, disabled} OPTIONAL, -- Need M sl-TriggerConditionCoordInfo-r17 INTEGER (0..1) OPTIONAL, -- Need M sl-TriggerConditionRequest-r17 INTEGER (0..1) OPTIONAL, -- Need M sl-PriorityCoordInfoExplicit-r17 INTEGER (1..8) OPTIONAL, -- Need M sl-PriorityCoordInfoCondition-r17 INTEGER (1..8) OPTIONAL, -- Need M sl-PriorityRequest-r17 INTEGER (1..8) OPTIONAL, -- Need M sl-PriorityPreferredResourceSet-r17 INTEGER (1..8) OPTIONAL, -- Need M sl-MaxSlotOffsetTRIV-r17 INTEGER (1..8000) OPTIONAL, -- Need M sl-NumSubCH-PreferredResourceSet-r17 INTEGER (1..27) OPTIONAL, -- Need M sl-ReservedPeriodPreferredResourceSet-r17 INTEGER (1..16) OPTIONAL, -- Need M sl-DetermineResourceType-r17 ENUMERATED {uea, ueb} OPTIONAL, -- Need M ... } SL-InterUE-CoordinationScheme2-r17 ::= SEQUENCE { sl-IUC-Scheme2-r17 ENUMERATED {enabled} OPTIONAL, -- Need R sl-RB-SetPSFCH-r17 BIT STRING (SIZE (10..275)) OPTIONAL, -- Need M sl-TypeUE-A-r17 ENUMERATED {enabled} OPTIONAL, -- Need R sl-PSFCH-Occasion-r17 INTEGER (0..1) OPTIONAL, -- Need M sl-SlotLevelResourceExclusion-r17 ENUMERATED {enabled} OPTIONAL, -- Need R sl-OptionForCondition2-A-1-r17 INTEGER (0..1) OPTIONAL, -- Need M sl-IndicationUE-B-r17 ENUMERATED {enabled, disabled} OPTIONAL, -- Need M ..., [[ sl-DeltaRSRP-Thresh-v1720 INTEGER (-30..30) OPTIONAL -- Need M ]] } SL-ThresholdRSRP-Condition1-B-1-r17 ::= SEQUENCE { sl-Priority-r17 INTEGER (1..8), sl-ThresholdRSRP-Condition1-B-1-r17 INTEGER (0..66) } -- TAG-SL-INTERUE-COORDINATIONCONFIG-STOP -- TAG-SL-LOGICALCHANNELCONFIG-START SL-LogicalChannelConfig-r16 ::= SEQUENCE { sl-Priority-r16 INTEGER (1..8), sl-PrioritisedBitRate-r16 ENUMERATED {kBps0, kBps8, kBps16, kBps32, kBps64, kBps128, kBps256, kBps512, kBps1024, kBps2048, kBps4096, kBps8192, kBps16384, kBps32768, kBps65536, infinity}, sl-BucketSizeDuration-r16 ENUMERATED {ms5, ms10, ms20, ms50, ms100, ms150, ms300, ms500, ms1000, spare7, spare6, spare5, spare4, spare3,spare2, spare1}, sl-ConfiguredGrantType1Allowed-r16 ENUMERATED {true} OPTIONAL, -- Need R sl-HARQ-FeedbackEnabled-r16 ENUMERATED {enabled, disabled } OPTIONAL, -- Need R sl-AllowedCG-List-r16 SEQUENCE (SIZE (0.. maxNrofCG-SL-1-r16)) OF SL-ConfigIndexCG-r16 OPTIONAL, -- Need R sl-AllowedSCS-List-r16 SEQUENCE (SIZE (1..maxSCSs)) OF SubcarrierSpacing OPTIONAL, -- Need R sl-MaxPUSCH-Duration-r16 ENUMERATED {ms0p02, ms0p04, ms0p0625, ms0p125, ms0p25, ms0p5, spare2, spare1} OPTIONAL, -- Need R sl-LogicalChannelGroup-r16 INTEGER (0..maxLCG-ID) OPTIONAL, -- Need R sl-SchedulingRequestId-r16 SchedulingRequestId OPTIONAL, -- Need R sl-LogicalChannelSR-DelayTimerApplied-r16 BOOLEAN OPTIONAL, -- Need R ... } -- TAG-SL-LOGICALCHANNELCONFIG-STOP -- TAG-SL-L2RELAYUE-CONFIG-START SL-L2RelayUE-Config-r17 ::= SEQUENCE { sl-RemoteUE-ToAddModList-r17 SEQUENCE (SIZE (1..maxNrofRemoteUE-r17)) OF SL-RemoteUE-ToAddMod-r17 OPTIONAL, -- Need N sl-RemoteUE-ToReleaseList-r17 SEQUENCE (SIZE (1..maxNrofRemoteUE-r17)) OF SL-DestinationIdentity-r16 OPTIONAL, -- Need N ... } SL-RemoteUE-ToAddMod-r17 ::= SEQUENCE { sl-L2IdentityRemote-r17 SL-DestinationIdentity-r16, sl-SRAP-ConfigRelay-r17 SL-SRAP-Config-r17 OPTIONAL, -- Need M ... } -- TAG-SL-L2RELAYUE-CONFIG-STOP -- TAG-SL-L2REMOTEUE-CONFIG-START SL-L2RemoteUE-Config-r17 ::= SEQUENCE { sl-SRAP-ConfigRemote-r17 SL-SRAP-Config-r17 OPTIONAL, --Need M sl-UEIdentityRemote-r17 RNTI-Value OPTIONAL, -- Cond FirstRRCReconfig ... } -- TAG-SL-L2REMOTEUE-CONFIG-STOP -- TAG-SL-MEASCONFIGCOMMON-START SL-MeasConfigCommon-r16 ::= SEQUENCE { sl-MeasObjectListCommon-r16 SL-MeasObjectList-r16 OPTIONAL, -- Need R sl-ReportConfigListCommon-r16 SL-ReportConfigList-r16 OPTIONAL, -- Need R sl-MeasIdListCommon-r16 SL-MeasIdList-r16 OPTIONAL, -- Need R sl-QuantityConfigCommon-r16 SL-QuantityConfig-r16 OPTIONAL, -- Need R ... } -- TAG-SL-MEASCONFIGCOMMON-STOP -- TAG-SL-MEASCONFIGINFO-START SL-MeasConfigInfo-r16 ::= SEQUENCE { sl-DestinationIndex-r16 SL-DestinationIndex-r16, sl-MeasConfig-r16 SL-MeasConfig-r16, ... } SL-MeasConfig-r16 ::= SEQUENCE { sl-MeasObjectToRemoveList-r16 SL-MeasObjectToRemoveList-r16 OPTIONAL, -- Need N sl-MeasObjectToAddModList-r16 SL-MeasObjectList-r16 OPTIONAL, -- Need N sl-ReportConfigToRemoveList-r16 SL-ReportConfigToRemoveList-r16 OPTIONAL, -- Need N sl-ReportConfigToAddModList-r16 SL-ReportConfigList-r16 OPTIONAL, -- Need N sl-MeasIdToRemoveList-r16 SL-MeasIdToRemoveList-r16 OPTIONAL, -- Need N sl-MeasIdToAddModList-r16 SL-MeasIdList-r16 OPTIONAL, -- Need N sl-QuantityConfig-r16 SL-QuantityConfig-r16 OPTIONAL, -- Need M ... } SL-MeasObjectToRemoveList-r16 ::= SEQUENCE (SIZE (1..maxNrofSL-ObjectId-r16)) OF SL-MeasObjectId-r16 SL-ReportConfigToRemoveList-r16 ::= SEQUENCE (SIZE (1..maxNrofSL-ReportConfigId-r16)) OF SL-ReportConfigId-r16 SL-MeasIdToRemoveList-r16 ::= SEQUENCE (SIZE (1..maxNrofSL-MeasId-r16)) OF SL-MeasId-r16 -- TAG-SL-MEASCONFIGINFO-STOP -- TAG-SL-MEASIDLIST-START SL-MeasIdList-r16 ::= SEQUENCE (SIZE (1..maxNrofSL-MeasId-r16)) OF SL-MeasIdInfo-r16 SL-MeasIdInfo-r16 ::= SEQUENCE { sl-MeasId-r16 SL-MeasId-r16, sl-MeasObjectId-r16 SL-MeasObjectId-r16, sl-ReportConfigId-r16 SL-ReportConfigId-r16, ... } SL-MeasId-r16 ::= INTEGER (1..maxNrofSL-MeasId-r16) -- TAG-SL-MEASIDLIST-STOP -- TAG-SL-MEASOBJECTLIST-START SL-MeasObjectList-r16 ::= SEQUENCE (SIZE (1..maxNrofSL-ObjectId-r16)) OF SL-MeasObjectInfo-r16 SL-MeasObjectInfo-r16 ::= SEQUENCE { sl-MeasObjectId-r16 SL-MeasObjectId-r16, sl-MeasObject-r16 SL-MeasObject-r16, ... } SL-MeasObjectId-r16 ::= INTEGER (1..maxNrofSL-ObjectId-r16) SL-MeasObject-r16 ::= SEQUENCE { frequencyInfoSL-r16 ARFCN-ValueNR, ... } -- TAG-SL-MEASOBJECTLIST-STOP -- TAG-SL-PAGINGIDENTITYREMOTEUE-START SL-PagingIdentityRemoteUE-r17 ::= SEQUENCE { ng-5G-S-TMSI-r17 NG-5G-S-TMSI, fullI-RNTI-r17 I-RNTI-Value OPTIONAL -- Need R } -- TAG-SL-PAGINGIDENTITYREMOTEUE-STOP -- TAG-SL-PBPS-CPS-CONFIG-START SL-PBPS-CPS-Config-r17 ::= SEQUENCE { sl-AllowedResourceSelectionConfig-r17 ENUMERATED {c1, c2, c3, c4, c5, c6, c7} OPTIONAL, -- Need M sl-MinNumCandidateSlotsPeriodic-r17 INTEGER (1..32) OPTIONAL, -- Need M sl-PBPS-OccasionReservePeriodList-r17 SEQUENCE (SIZE (1..16)) OF INTEGER (1..16) OPTIONAL, -- Need M sl-Additional-PBPS-Occasion-r17 ENUMERATED { monitored } OPTIONAL, -- Need M sl-CPS-WindowPeriodic-r17 INTEGER (5..30) OPTIONAL, -- Need M sl-MinNumCandidateSlotsAperiodic-r17 INTEGER (1..32) OPTIONAL, -- Need M sl-MinNumRssiMeasurementSlots-r17 INTEGER (1..800) OPTIONAL, -- Need M sl-DefaultCBR-RandomSelection-r17 INTEGER (0..100) OPTIONAL, -- Need M sl-DefaultCBR-PartialSensing-r17 INTEGER (0..100) OPTIONAL, -- Need M sl-CPS-WindowAperiodic-r17 INTEGER (0..30) OPTIONAL, -- Need M sl-PartialSensingInactiveTime-r17 ENUMERATED { enabled, disabled } OPTIONAL, -- Need M ... } -- TAG-SL-PBPS-CPS-CONFIG-STOP -- TAG-SL-PDCP-CONFIG-START SL-PDCP-Config-r16 ::= SEQUENCE { sl-DiscardTimer-r16 ENUMERATED {ms3, ms10, ms20, ms25, ms30, ms40, ms50, ms60, ms75, ms100, ms150, ms200, ms250, ms300, ms500, ms750, ms1500, infinity} OPTIONAL, -- Cond Setup sl-PDCP-SN-Size-r16 ENUMERATED {len12bits, len18bits} OPTIONAL, -- Cond Setup2 sl-OutOfOrderDelivery ENUMERATED { true } OPTIONAL, -- Need R ... } -- TAG-SL-PDCP-CONFIG-STOP -- TAG-SL-PSBCH-CONFIG-START SL-PSBCH-Config-r16 ::= SEQUENCE { dl-P0-PSBCH-r16 INTEGER (-16..15) OPTIONAL, -- Need M dl-Alpha-PSBCH-r16 ENUMERATED {alpha0, alpha04, alpha05, alpha06, alpha07, alpha08, alpha09, alpha1} OPTIONAL, -- Need M ..., [[ dl-P0-PSBCH-r17 INTEGER (-202..24) OPTIONAL -- Need M ]] } -- TAG-SL-PSBCH-CONFIG-STOP -- TAG-SL-PSSCH-TXCONFIGLIST-START SL-PSSCH-TxConfigList-r16 ::= SEQUENCE (SIZE (1..maxPSSCH-TxConfig-r16)) OF SL-PSSCH-TxConfig-r16 SL-PSSCH-TxConfig-r16 ::= SEQUENCE { sl-TypeTxSync-r16 SL-TypeTxSync-r16 OPTIONAL, -- Need R sl-ThresUE-Speed-r16 ENUMERATED {kmph60, kmph80, kmph100, kmph120, kmph140, kmph160, kmph180, kmph200}, sl-ParametersAboveThres-r16 SL-PSSCH-TxParameters-r16, sl-ParametersBelowThres-r16 SL-PSSCH-TxParameters-r16, ..., [[ sl-ParametersAboveThres-v1650 SL-MinMaxMCS-List-r16 OPTIONAL, -- Need R sl-ParametersBelowThres-v1650 SL-MinMaxMCS-List-r16 OPTIONAL -- Need R ]] } SL-PSSCH-TxParameters-r16 ::= SEQUENCE { sl-MinMCS-PSSCH-r16 INTEGER (0..27), sl-MaxMCS-PSSCH-r16 INTEGER (0..31), sl-MinSubChannelNumPSSCH-r16 INTEGER (1..27), sl-MaxSubchannelNumPSSCH-r16 INTEGER (1..27), sl-MaxTxTransNumPSSCH-r16 INTEGER (1..32), sl-MaxTxPower-r16 SL-TxPower-r16 OPTIONAL -- Cond CBR } -- TAG-SL-PSSCH-TXCONFIGLIST-STOP -- TAG-SL-QOS-FLOWIDENTITY-START SL-QoS-FlowIdentity-r16 ::= INTEGER (1..maxNrofSL-QFIs-r16) -- TAG-SL-QOS-FLOWIDENTITY-STOP -- TAG-SL-QOS-PROFILE-START SL-QoS-Profile-r16 ::= SEQUENCE { sl-PQI-r16 SL-PQI-r16 OPTIONAL, -- Need R sl-GFBR-r16 INTEGER (0..4000000000) OPTIONAL, -- Need R sl-MFBR-r16 INTEGER (0..4000000000) OPTIONAL, -- Need R sl-Range-r16 INTEGER (1..1000) OPTIONAL, -- Need R ... } SL-PQI-r16 ::= CHOICE { sl-StandardizedPQI-r16 INTEGER (0..255), sl-Non-StandardizedPQI-r16 SEQUENCE { sl-ResourceType-r16 ENUMERATED {gbr, non-GBR, delayCriticalGBR, spare1} OPTIONAL, -- Need R sl-PriorityLevel-r16 INTEGER (1..8) OPTIONAL, -- Need R sl-PacketDelayBudget-r16 INTEGER (0..1023) OPTIONAL, -- Need R sl-PacketErrorRate-r16 INTEGER (0..9) OPTIONAL, -- Need R sl-AveragingWindow-r16 INTEGER (0..4095) OPTIONAL, -- Need R sl-MaxDataBurstVolume-r16 INTEGER (0..4095) OPTIONAL, -- Need R ... } } -- TAG-SL-QOS-PROFILE-STOP -- TAG-SL-QUANTITYCONFIG-START SL-QuantityConfig-r16 ::= SEQUENCE { sl-FilterCoefficientDMRS-r16 FilterCoefficient DEFAULT fc4, ... } -- TAG-SL-QuantityConfig-STOP -- TAG-SL-RADIOBEARERCONFIG-START SL-RadioBearerConfig-r16 ::= SEQUENCE { slrb-Uu-ConfigIndex-r16 SLRB-Uu-ConfigIndex-r16, sl-SDAP-Config-r16 SL-SDAP-Config-r16 OPTIONAL, -- Cond SLRBSetup sl-PDCP-Config-r16 SL-PDCP-Config-r16 OPTIONAL, -- Cond SLRBSetup sl-TransRange-r16 ENUMERATED {m20, m50, m80, m100, m120, m150, m180, m200, m220, m250, m270, m300, m350, m370, m400, m420, m450, m480, m500, m550, m600, m700, m1000, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} OPTIONAL, -- Need R ... } -- TAG-SL-RADIOBEARERCONFIG-STOP -- TAG-SL-RELAYUE-CONFIG-START SL-RelayUE-Config-r17::= SEQUENCE { threshHighRelay-r17 RSRP-Range OPTIONAL, -- Need R threshLowRelay-r17 RSRP-Range OPTIONAL, -- Need R hystMaxRelay-r17 Hysteresis OPTIONAL, -- Cond ThreshHighRelay hystMinRelay-r17 Hysteresis OPTIONAL -- Cond ThreshLowRelay } -- TAG-SL-RELAYUE-CONFIG-STOP -- TAG-SL-REMOTEUE-CONFIG-START SL-RemoteUE-Config-r17::= SEQUENCE { threshHighRemote-r17 RSRP-Range OPTIONAL, -- Need R hystMaxRemote-r17 Hysteresis OPTIONAL, -- Cond ThreshHighRemote sl-ReselectionConfig-r17 SL-ReselectionConfig-r17 OPTIONAL -- Need R } SL-ReselectionConfig-r17::= SEQUENCE { sl-RSRP-Thresh-r17 SL-RSRP-Range-r16 OPTIONAL, -- Need R sl-FilterCoefficientRSRP-r17 FilterCoefficient OPTIONAL, -- Need R sl-HystMin-r17 Hysteresis OPTIONAL -- Cond SL-RSRP-Thresh } -- TAG-SL-REMOTEUE-CONFIG-STOP -- TAG-SL-REPORTCONFIGLIST-START SL-ReportConfigList-r16 ::= SEQUENCE (SIZE (1..maxNrofSL-ReportConfigId-r16)) OF SL-ReportConfigInfo-r16 SL-ReportConfigInfo-r16 ::= SEQUENCE { sl-ReportConfigId-r16 SL-ReportConfigId-r16, sl-ReportConfig-r16 SL-ReportConfig-r16, ... } SL-ReportConfigId-r16 ::= INTEGER (1..maxNrofSL-ReportConfigId-r16) SL-ReportConfig-r16 ::= SEQUENCE { sl-ReportType-r16 CHOICE { sl-Periodical-r16 SL-PeriodicalReportConfig-r16, sl-EventTriggered-r16 SL-EventTriggerConfig-r16, ... }, ... } SL-PeriodicalReportConfig-r16 ::= SEQUENCE { sl-ReportInterval-r16 ReportInterval, sl-ReportAmount-r16 ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity}, sl-ReportQuantity-r16 SL-MeasReportQuantity-r16, sl-RS-Type-r16 SL-RS-Type-r16, ... } SL-EventTriggerConfig-r16 ::= SEQUENCE { sl-EventId-r16 CHOICE { eventS1-r16 SEQUENCE { s1-Threshold-r16 SL-MeasTriggerQuantity-r16, sl-ReportOnLeave-r16 BOOLEAN, sl-Hysteresis-r16 Hysteresis, sl-TimeToTrigger-r16 TimeToTrigger, ... }, eventS2-r16 SEQUENCE { s2-Threshold-r16 SL-MeasTriggerQuantity-r16, sl-ReportOnLeave-r16 BOOLEAN, sl-Hysteresis-r16 Hysteresis, sl-TimeToTrigger-r16 TimeToTrigger, ... }, ... }, sl-ReportInterval-r16 ReportInterval, sl-ReportAmount-r16 ENUMERATED {r1, r2, r4, r8, r16, r32, r64, infinity}, sl-ReportQuantity-r16 SL-MeasReportQuantity-r16, sl-RS-Type-r16 SL-RS-Type-r16, ... } SL-MeasReportQuantity-r16 ::= CHOICE { sl-RSRP-r16 BOOLEAN, ... } SL-MeasTriggerQuantity-r16 ::= CHOICE { sl-RSRP-r16 RSRP-Range, ... } SL-RS-Type-r16 ::= ENUMERATED {dmrs, spare3, spare2, spare1} -- TAG-SL-REPORTCONFIGLIST-STOP -- TAG-SL-RESOURCEPOOL-START SL-ResourcePool-r16 ::= SEQUENCE { sl-PSCCH-Config-r16 CHOICE {release NULL, setup SL-PSCCH-Config-r16 } OPTIONAL, -- Need M sl-PSSCH-Config-r16 CHOICE {release NULL, setup SL-PSSCH-Config-r16 } OPTIONAL, -- Need M sl-PSFCH-Config-r16 CHOICE {release NULL, setup SL-PSFCH-Config-r16 } OPTIONAL, -- Need M sl-SyncAllowed-r16 SL-SyncAllowed-r16 OPTIONAL, -- Need M sl-SubchannelSize-r16 ENUMERATED {n10, n12, n15, n20, n25, n50, n75, n100} OPTIONAL, -- Need M dummy INTEGER (10..160) OPTIONAL, -- Need M sl-StartRB-Subchannel-r16 INTEGER (0..265) OPTIONAL, -- Need M sl-NumSubchannel-r16 INTEGER (1..27) OPTIONAL, -- Need M sl-Additional-MCS-Table-r16 ENUMERATED {qam256, qam64LowSE, qam256-qam64LowSE } OPTIONAL, -- Need M sl-ThreshS-RSSI-CBR-r16 INTEGER (0..45) OPTIONAL, -- Need M sl-TimeWindowSizeCBR-r16 ENUMERATED {ms100, slot100} OPTIONAL, -- Need M sl-TimeWindowSizeCR-r16 ENUMERATED {ms1000, slot1000} OPTIONAL, -- Need M sl-PTRS-Config-r16 SL-PTRS-Config-r16 OPTIONAL, -- Need M sl-UE-SelectedConfigRP-r16 SL-UE-SelectedConfigRP-r16 OPTIONAL, -- Need M sl-RxParametersNcell-r16 SEQUENCE { sl-TDD-Configuration-r16 TDD-UL-DL-ConfigCommon OPTIONAL, -- Need M sl-SyncConfigIndex-r16 INTEGER (0..15) } OPTIONAL, -- Need M sl-ZoneConfigMCR-List-r16 SEQUENCE (SIZE (16)) OF SL-ZoneConfigMCR-r16 OPTIONAL, -- Need M sl-FilterCoefficient-r16 FilterCoefficient OPTIONAL, -- Need M sl-RB-Number-r16 INTEGER (10..275) OPTIONAL, -- Need M sl-PreemptionEnable-r16 ENUMERATED {enabled, pl1, pl2, pl3, pl4, pl5, pl6, pl7, pl8} OPTIONAL, -- Need R sl-PriorityThreshold-UL-URLLC-r16 INTEGER (1..9) OPTIONAL, -- Need M sl-PriorityThreshold-r16 INTEGER (1..9) OPTIONAL, -- Need M sl-X-Overhead-r16 ENUMERATED {n0,n3, n6, n9} OPTIONAL, -- Need S sl-PowerControl-r16 SL-PowerControl-r16 OPTIONAL, -- Need M sl-TxPercentageList-r16 SL-TxPercentageList-r16 OPTIONAL, -- Need M sl-MinMaxMCS-List-r16 SL-MinMaxMCS-List-r16 OPTIONAL, -- Need M ..., [[ sl-TimeResource-r16 BIT STRING (SIZE (10..160)) OPTIONAL -- Need M ]], [[ sl-PBPS-CPS-Config-r17 CHOICE {release NULL, setup SL-PBPS-CPS-Config-r17 } OPTIONAL, -- Need M sl-InterUE-CoordinationConfig-r17 CHOICE {release NULL, setup SL-InterUE-CoordinationConfig-r17 } OPTIONAL -- Need M ]] } SL-ZoneConfigMCR-r16 ::= SEQUENCE { sl-ZoneConfigMCR-Index-r16 INTEGER (0..15), sl-TransRange-r16 ENUMERATED {m20, m50, m80, m100, m120, m150, m180, m200, m220, m250, m270, m300, m350, m370, m400, m420, m450, m480, m500, m550, m600, m700, m1000, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1} OPTIONAL, -- Need M sl-ZoneConfig-r16 SL-ZoneConfig-r16 OPTIONAL, -- Need M ... } SL-SyncAllowed-r16 ::= SEQUENCE { gnss-Sync-r16 ENUMERATED {true} OPTIONAL, -- Need R gnbEnb-Sync-r16 ENUMERATED {true} OPTIONAL, -- Need R ue-Sync-r16 ENUMERATED {true} OPTIONAL -- Need R } SL-PSCCH-Config-r16 ::= SEQUENCE { sl-TimeResourcePSCCH-r16 ENUMERATED {n2, n3} OPTIONAL, -- Need M sl-FreqResourcePSCCH-r16 ENUMERATED {n10,n12, n15, n20, n25} OPTIONAL, -- Need M sl-DMRS-ScrambleID-r16 INTEGER (0..65535) OPTIONAL, -- Need M sl-NumReservedBits-r16 INTEGER (2..4) OPTIONAL, -- Need M ... } SL-PSSCH-Config-r16 ::= SEQUENCE { sl-PSSCH-DMRS-TimePatternList-r16 SEQUENCE (SIZE (1..3)) OF INTEGER (2..4) OPTIONAL, -- Need M sl-BetaOffsets2ndSCI-r16 SEQUENCE (SIZE (4)) OF SL-BetaOffsets-r16 OPTIONAL, -- Need M sl-Scaling-r16 ENUMERATED {f0p5, f0p65, f0p8, f1} OPTIONAL, -- Need M ... } SL-PSFCH-Config-r16 ::= SEQUENCE { sl-PSFCH-Period-r16 ENUMERATED {sl0, sl1, sl2, sl4} OPTIONAL, -- Need M sl-PSFCH-RB-Set-r16 BIT STRING (SIZE (10..275)) OPTIONAL, -- Need M sl-NumMuxCS-Pair-r16 ENUMERATED {n1, n2, n3, n6} OPTIONAL, -- Need M sl-MinTimeGapPSFCH-r16 ENUMERATED {sl2, sl3} OPTIONAL, -- Need M sl-PSFCH-HopID-r16 INTEGER (0..1023) OPTIONAL, -- Need M sl-PSFCH-CandidateResourceType-r16 ENUMERATED {startSubCH, allocSubCH} OPTIONAL, -- Need M ... } SL-PTRS-Config-r16 ::= SEQUENCE { sl-PTRS-FreqDensity-r16 SEQUENCE (SIZE (2)) OF INTEGER (1..276) OPTIONAL, -- Need M sl-PTRS-TimeDensity-r16 SEQUENCE (SIZE (3)) OF INTEGER (0..29) OPTIONAL, -- Need M sl-PTRS-RE-Offset-r16 ENUMERATED {offset01, offset10, offset11} OPTIONAL, -- Need M ... } SL-UE-SelectedConfigRP-r16 ::= SEQUENCE { sl-CBR-PriorityTxConfigList-r16 SL-CBR-PriorityTxConfigList-r16 OPTIONAL, -- Need M sl-Thres-RSRP-List-r16 SL-Thres-RSRP-List-r16 OPTIONAL, -- Need M sl-MultiReserveResource-r16 ENUMERATED {enabled} OPTIONAL, -- Need M sl-MaxNumPerReserve-r16 ENUMERATED {n2, n3} OPTIONAL, -- Need M sl-SensingWindow-r16 ENUMERATED {ms100, ms1100} OPTIONAL, -- Need M sl-SelectionWindowList-r16 SL-SelectionWindowList-r16 OPTIONAL, -- Need M sl-ResourceReservePeriodList-r16 SEQUENCE (SIZE (1..16)) OF SL-ResourceReservePeriod-r16 OPTIONAL, -- Need M sl-RS-ForSensing-r16 ENUMERATED {pscch, pssch}, ..., [[ sl-CBR-PriorityTxConfigList-v1650 SL-CBR-PriorityTxConfigList-v1650 OPTIONAL -- Need M ]] } SL-ResourceReservePeriod-r16 ::= CHOICE { sl-ResourceReservePeriod1-r16 ENUMERATED {ms0, ms100, ms200, ms300, ms400, ms500, ms600, ms700, ms800, ms900, ms1000}, sl-ResourceReservePeriod2-r16 INTEGER (1..99) } SL-SelectionWindowList-r16 ::= SEQUENCE (SIZE (8)) OF SL-SelectionWindowConfig-r16 SL-SelectionWindowConfig-r16 ::= SEQUENCE { sl-Priority-r16 INTEGER (1..8), sl-SelectionWindow-r16 ENUMERATED {n1, n5, n10, n20} } SL-TxPercentageList-r16 ::= SEQUENCE (SIZE (8)) OF SL-TxPercentageConfig-r16 SL-TxPercentageConfig-r16 ::= SEQUENCE { sl-Priority-r16 INTEGER (1..8), sl-TxPercentage-r16 ENUMERATED {p20, p35, p50} } SL-MinMaxMCS-List-r16 ::= SEQUENCE (SIZE (1..3)) OF SL-MinMaxMCS-Config-r16 SL-MinMaxMCS-Config-r16 ::= SEQUENCE { sl-MCS-Table-r16 ENUMERATED {qam64, qam256, qam64LowSE}, sl-MinMCS-PSSCH-r16 INTEGER (0..27), sl-MaxMCS-PSSCH-r16 INTEGER (0..31) } SL-BetaOffsets-r16 ::= INTEGER (0..31) SL-PowerControl-r16 ::= SEQUENCE { sl-MaxTransPower-r16 INTEGER (-30..33), sl-Alpha-PSSCH-PSCCH-r16 ENUMERATED {alpha0, alpha04, alpha05, alpha06, alpha07, alpha08, alpha09, alpha1} OPTIONAL, -- Need M dl-Alpha-PSSCH-PSCCH-r16 ENUMERATED {alpha0, alpha04, alpha05, alpha06, alpha07, alpha08, alpha09, alpha1} OPTIONAL, -- Need S sl-P0-PSSCH-PSCCH-r16 INTEGER (-16..15) OPTIONAL, -- Need S dl-P0-PSSCH-PSCCH-r16 INTEGER (-16..15) OPTIONAL, -- Need M dl-Alpha-PSFCH-r16 ENUMERATED {alpha0, alpha04, alpha05, alpha06, alpha07, alpha08, alpha09, alpha1} OPTIONAL, -- Need S dl-P0-PSFCH-r16 INTEGER (-16..15) OPTIONAL, -- Need M ..., [[ dl-P0-PSSCH-PSCCH-r17 INTEGER (-202..24) OPTIONAL, -- Need M sl-P0-PSSCH-PSCCH-r17 INTEGER (-202..24) OPTIONAL, -- Need S dl-P0-PSFCH-r17 INTEGER (-202..24) OPTIONAL -- Need M ]] } -- TAG-SL-RESOURCEPOOL-STOP -- TAG-SL-RLC-BEARERCONFIG-START SL-RLC-BearerConfig-r16 ::= SEQUENCE { sl-RLC-BearerConfigIndex-r16 SL-RLC-BearerConfigIndex-r16, sl-ServedRadioBearer-r16 SLRB-Uu-ConfigIndex-r16 OPTIONAL, -- Cond LCH-SetupOnly sl-RLC-Config-r16 SL-RLC-Config-r16 OPTIONAL, -- Cond LCH-Setup sl-MAC-LogicalChannelConfig-r16 SL-LogicalChannelConfig-r16 OPTIONAL, -- Cond LCH-Setup ... } -- TAG-SL-RLC-BEARERCONFIG-STOP -- TAG-SL-RLC-BEARERCONFIGINDEX-START SL-RLC-BearerConfigIndex-r16 ::= INTEGER (1..maxSL-LCID-r16) -- TAG-RLC-BEARERCONFIGINDEX-STOP -- TAG-SL-RLC-RLC-CHANNEL-CONFIG-START SL-RLC-ChannelConfig-r17 ::= SEQUENCE { sl-RLC-ChannelID-r17 SL-RLC-ChannelID-r17, sl-RLC-Config-r17 SL-RLC-Config-r16 OPTIONAL, -- Need M sl-MAC-LogicalChannelConfig-r17 SL-LogicalChannelConfig-r16 OPTIONAL, -- Need M sl-PacketDelayBudget-r17 INTEGER (0..1023) OPTIONAL, -- Need M ...} -- TAG-SL-RLC-CHANNEL-CONFIG-STOP -- TAG-SL-RLC-CHANNELID-START SL-RLC-ChannelID-r17 ::= INTEGER (1..maxSL-LCID-r16) -- TAG-SL-RLC-CHANNELID-STOP -- TAG-SL-RLC-CONFIG-START SL-RLC-Config-r16 ::= CHOICE { sl-AM-RLC-r16 SEQUENCE { sl-SN-FieldLengthAM-r16 SN-FieldLengthAM OPTIONAL, -- Cond SLRBSetup sl-T-PollRetransmit-r16 T-PollRetransmit, sl-PollPDU-r16 PollPDU, sl-PollByte-r16 PollByte, sl-MaxRetxThreshold-r16 ENUMERATED { t1, t2, t3, t4, t6, t8, t16, t32 }, ... }, sl-UM-RLC-r16 SEQUENCE { sl-SN-FieldLengthUM-r16 SN-FieldLengthUM OPTIONAL, -- Cond SLRBSetup ... }, ... } -- TAG-SL-RLC-CONFIG-STOP -- TAG-SL-SCHEDULEDCONFIG-START SL-ScheduledConfig-r16 ::= SEQUENCE { sl-RNTI-r16 RNTI-Value, mac-MainConfigSL-r16 MAC-MainConfigSL-r16 OPTIONAL, -- Need M sl-CS-RNTI-r16 RNTI-Value OPTIONAL, -- Need M sl-PSFCH-ToPUCCH-r16 SEQUENCE (SIZE (1..8)) OF INTEGER (0..15) OPTIONAL, -- Need M sl-ConfiguredGrantConfigList-r16 SL-ConfiguredGrantConfigList-r16 OPTIONAL, -- Need M ..., [[ sl-DCI-ToSL-Trans-r16 SEQUENCE (SIZE (1..8)) OF INTEGER (1..32) OPTIONAL -- Need M ]] } MAC-MainConfigSL-r16 ::= SEQUENCE { sl-BSR-Config-r16 BSR-Config OPTIONAL, -- Need M ul-PrioritizationThres-r16 INTEGER (1..16) OPTIONAL, -- Need M sl-PrioritizationThres-r16 INTEGER (1..8) OPTIONAL, -- Need M ... } SL-ConfiguredGrantConfigList-r16 ::= SEQUENCE { sl-ConfiguredGrantConfigToReleaseList-r16 SEQUENCE (SIZE (1..maxNrofCG-SL-r16)) OF SL-ConfigIndexCG-r16 OPTIONAL, -- Need N sl-ConfiguredGrantConfigToAddModList-r16 SEQUENCE (SIZE (1..maxNrofCG-SL-r16)) OF SL-ConfiguredGrantConfig-r16 OPTIONAL -- Need N } -- TAG-SL-SCHEDULEDCONFIG-STOP -- TAG-SL-SDAP-CONFIG-START SL-SDAP-Config-r16 ::= SEQUENCE { sl-SDAP-Header-r16 ENUMERATED {present, absent}, sl-DefaultRB-r16 BOOLEAN, sl-MappedQoS-Flows-r16 CHOICE { sl-MappedQoS-FlowsList-r16 SEQUENCE (SIZE (1..maxNrofSL-QFIs-r16)) OF SL-QoS-Profile-r16, sl-MappedQoS-FlowsListDedicated-r16 SL-MappedQoS-FlowsListDedicated-r16 } OPTIONAL, -- Need M sl-CastType-r16 ENUMERATED {broadcast, groupcast, unicast, spare1} OPTIONAL, -- Need M ... } SL-MappedQoS-FlowsListDedicated-r16 ::= SEQUENCE { sl-MappedQoS-FlowsToAddList-r16 SEQUENCE (SIZE (1..maxNrofSL-QFIs-r16)) OF SL-QoS-FlowIdentity-r16 OPTIONAL, -- Need N sl-MappedQoS-FlowsToReleaseList-r16 SEQUENCE (SIZE (1..maxNrofSL-QFIs-r16)) OF SL-QoS-FlowIdentity-r16 OPTIONAL -- Need N } -- TAG-SL-SDAP-CONFIG-STOP -- TAG-SL-SERVINGCELLINFO-START SL-ServingCellInfo-r17 ::= SEQUENCE { sl-PhysCellId-r17 PhysCellId, sl-CarrierFreqNR-r17 ARFCN-ValueNR } -- TAG-SL-SERVINGCELLINFO-STOP -- TAG-SL-SOURCEIDENTITY-START SL-SourceIdentity-r17 ::= BIT STRING (SIZE (24)) -- TAG-SL-SOURCEIDENTITY-STOP -- TAG-SL-SRAP-CONFIG-START SL-SRAP-Config-r17 ::= SEQUENCE { sl-LocalIdentity-r17 INTEGER (0..255) OPTIONAL, -- Need M sl-MappingToAddModList-r17 SEQUENCE (SIZE (1..maxLC-ID)) OF SL-MappingToAddMod-r17 OPTIONAL, -- Need N sl-MappingToReleaseList-r17 SEQUENCE (SIZE (1..maxLC-ID)) OF SL-RemoteUE-RB-Identity-r17 OPTIONAL, -- Need N ... } SL-MappingToAddMod-r17 ::= SEQUENCE { sl-RemoteUE-RB-Identity-r17 SL-RemoteUE-RB-Identity-r17, sl-EgressRLC-ChannelUu-r17 Uu-RelayRLC-ChannelID-r17 OPTIONAL, -- Cond L2RelayUE sl-EgressRLC-ChannelPC5-r17 SL-RLC-ChannelID-r17 OPTIONAL, -- Need N ... } SL-RemoteUE-RB-Identity-r17 ::= CHOICE { srb-Identity-r17 INTEGER (0..3), drb-Identity-r17 DRB-Identity, ... } -- TAG-SL-SRAP-CONFIG-STOP -- TAG-SL-SYNCCONFIG-START SL-SyncConfigList-r16 ::= SEQUENCE (SIZE (1..maxSL-SyncConfig-r16)) OF SL-SyncConfig-r16 SL-SyncConfig-r16 ::= SEQUENCE { sl-SyncRefMinHyst-r16 ENUMERATED {dB0, dB3, dB6, dB9, dB12} OPTIONAL, -- Need R sl-SyncRefDiffHyst-r16 ENUMERATED {dB0, dB3, dB6, dB9, dB12, dBinf} OPTIONAL, -- Need R sl-filterCoefficient-r16 FilterCoefficient OPTIONAL, -- Need R sl-SSB-TimeAllocation1-r16 SL-SSB-TimeAllocation-r16 OPTIONAL, -- Need R sl-SSB-TimeAllocation2-r16 SL-SSB-TimeAllocation-r16 OPTIONAL, -- Need R sl-SSB-TimeAllocation3-r16 SL-SSB-TimeAllocation-r16 OPTIONAL, -- Need R sl-SSID-r16 INTEGER (0..671) OPTIONAL, -- Need R txParameters-r16 SEQUENCE { syncTxThreshIC-r16 SL-RSRP-Range-r16 OPTIONAL, -- Need R syncTxThreshOoC-r16 SL-RSRP-Range-r16 OPTIONAL, -- Need R syncInfoReserved-r16 BIT STRING (SIZE (2)) OPTIONAL -- Need R }, gnss-Sync-r16 ENUMERATED {true} OPTIONAL, -- Need R ... } SL-RSRP-Range-r16 ::= INTEGER (0..13) SL-SSB-TimeAllocation-r16 ::= SEQUENCE { sl-NumSSB-WithinPeriod-r16 ENUMERATED {n1, n2, n4, n8, n16, n32, n64} OPTIONAL, -- Need R sl-TimeOffsetSSB-r16 INTEGER (0..1279) OPTIONAL, -- Need R sl-TimeInterval-r16 INTEGER (0..639) OPTIONAL -- Need R } -- TAG-SL-SYNCCONFIG-STOP -- TAG-SL-THRES-RSRP-LIST-START SL-Thres-RSRP-List-r16 ::= SEQUENCE (SIZE (64)) OF SL-Thres-RSRP-r16 SL-Thres-RSRP-r16 ::= INTEGER (0..66) -- TAG-SL-THRES-RSRP-LIST-STOP -- TAG-SL-TXPOWER-START SL-TxPower-r16 ::= CHOICE{ minusinfinity-r16 NULL, txPower-r16 INTEGER (-30..33) } -- TAG-SL-TXPOWER-STOP -- TAG-SL-TYPETXSYNC-START SL-TypeTxSync-r16 ::= ENUMERATED {gnss, gnbEnb, ue} -- TAG-SL-TYPETXSYNC-STOP -- TAG-SL-UE-SELECTEDCONFIG-START SL-UE-SelectedConfig-r16 ::= SEQUENCE { sl-PSSCH-TxConfigList-r16 SL-PSSCH-TxConfigList-r16 OPTIONAL, -- Need R sl-ProbResourceKeep-r16 ENUMERATED {v0, v0dot2, v0dot4, v0dot6, v0dot8} OPTIONAL, -- Need R sl-ReselectAfter-r16 ENUMERATED {n1, n2, n3, n4, n5, n6, n7, n8, n9} OPTIONAL, -- Need R sl-CBR-CommonTxConfigList-r16 SL-CBR-CommonTxConfigList-r16 OPTIONAL, -- Need R ul-PrioritizationThres-r16 INTEGER (1..16) OPTIONAL, -- Need R sl-PrioritizationThres-r16 INTEGER (1..8) OPTIONAL, -- Need R ... } -- TAG-SL-UE-SELECTEDCONFIG-STOP -- TAG-SL-ZONECONFIG-START SL-ZoneConfig-r16 ::= SEQUENCE { sl-ZoneLength-r16 ENUMERATED { m5, m10, m20, m30, m40, m50, spare2, spare1}, ... } -- TAG-SL-ZONECONFIG-STOP -- TAG-SLRB-UU-CONFIGINDEX-START SLRB-Uu-ConfigIndex-r16 ::= INTEGER (1..maxNrofSLRB-r16) -- TAG-SLRB-UU-CONFIGINDEX-STOP -- TAG-CARRIERFREQLISTMBS-START CarrierFreqListMBS-r17 ::= SEQUENCE (SIZE (1..maxFreqMBS-r17)) OF ARFCN-ValueNR -- TAG-CARRIERFREQLISTMBS-STOP -- TAG-CFR-CONFIGMCCH-MTCH-START CFR-ConfigMCCH-MTCH-r17 ::= SEQUENCE { locationAndBandwidthBroadcast-r17 LocationAndBandwidthBroadcast-r17 OPTIONAL, -- Need S pdsch-ConfigMCCH-r17 PDSCH-ConfigBroadcast-r17 OPTIONAL, -- Need S commonControlResourceSetExt-r17 ControlResourceSet OPTIONAL -- Cond NotSIB1CommonControlResource } LocationAndBandwidthBroadcast-r17 ::= CHOICE { sameAsSib1ConfiguredLocationAndBW NULL, locationAndBandwidth INTEGER (0..37949) } -- TAG-CFR-CONFIGMCCH-MTCH-STOP -- TAG-DRX-CONFIGPTM-START DRX-ConfigPTM-r17 ::= SEQUENCE { drx-onDurationTimerPTM-r17 CHOICE { subMilliSeconds INTEGER (1..31), milliSeconds ENUMERATED { ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms400, ms500, ms600, ms800, ms1000, ms1200, ms1600, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 } }, drx-InactivityTimerPTM-r17 ENUMERATED { ms0, ms1, ms2, ms3, ms4, ms5, ms6, ms8, ms10, ms20, ms30, ms40, ms50, ms60, ms80, ms100, ms200, ms300, ms500, ms750, ms1280, ms1920, ms2560, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 }, drx-HARQ-RTT-TimerDL-PTM-r17 INTEGER (0..56) OPTIONAL, -- Cond HARQFeedback drx-RetransmissionTimerDL-PTM-r17 ENUMERATED { sl0, sl1, sl2, sl4, sl6, sl8, sl16, sl24, sl33, sl40, sl64, sl80, sl96, sl112, sl128, sl160, sl320, spare15, spare14, spare13, spare12, spare11, spare10, spare9, spare8, spare7, spare6, spare5, spare4, spare3, spare2, spare1 } OPTIONAL, -- Cond HARQFeedback drx-LongCycleStartOffsetPTM-r17 CHOICE { ms10 INTEGER(0..9), ms20 INTEGER(0..19), ms32 INTEGER(0..31), ms40 INTEGER(0..39), ms60 INTEGER(0..59), ms64 INTEGER(0..63), ms70 INTEGER(0..69), ms80 INTEGER(0..79), ms128 INTEGER(0..127), ms160 INTEGER(0..159), ms256 INTEGER(0..255), ms320 INTEGER(0..319), ms512 INTEGER(0..511), ms640 INTEGER(0..639), ms1024 INTEGER(0..1023), ms1280 INTEGER(0..1279), ms2048 INTEGER(0..2047), ms2560 INTEGER(0..2559), ms5120 INTEGER(0..5119), ms10240 INTEGER(0..10239) }, drx-SlotOffsetPTM-r17 INTEGER (0..31) } -- TAG-DRX-CONFIGPTM-STOP -- TAG-MBS-NEIGHBOURCELLLIST-START MBS-NeighbourCellList-r17 ::= SEQUENCE (SIZE (0..maxNeighCellMBS-r17)) OF MBS-NeighbourCell-r17 MBS-NeighbourCell-r17 ::= SEQUENCE { physCellId-r17 PhysCellId, carrierFreq-r17 ARFCN-ValueNR OPTIONAL -- Need S } -- TAG-MBS-NEIGHBOURCELLLIST-STOP -- TAG-MBS-SERVICELIST-START MBS-ServiceList-r17 ::= SEQUENCE (SIZE (1..maxNrofMBS-ServiceListPerUE-r17)) OF MBS-ServiceInfo-r17 MBS-ServiceInfo-r17 ::= SEQUENCE { tmgi-r17 TMGI-r17 } -- TAG-MBS-SERVICELIST-STOP -- TAG-MBS-SESSIONINFOLIST-START MBS-SessionInfoList-r17 ::= SEQUENCE (SIZE (1..maxNrofMBS-Session-r17)) OF MBS-SessionInfo-r17 MBS-SessionInfo-r17 ::= SEQUENCE { mbs-SessionId-r17 TMGI-r17, g-RNTI-r17 RNTI-Value, mrb-ListBroadcast-r17 MRB-ListBroadcast-r17, mtch-SchedulingInfo-r17 DRX-ConfigPTM-Index-r17 OPTIONAL, -- Need S mtch-NeighbourCell-r17 BIT STRING (SIZE(maxNeighCellMBS-r17)) OPTIONAL, -- Need S pdsch-ConfigIndex-r17 PDSCH-ConfigIndex-r17 OPTIONAL, -- Need S mtch-SSB-MappingWindowIndex-r17 MTCH-SSB-MappingWindowIndex-r17 OPTIONAL -- Cond MTCH-Mapping } DRX-ConfigPTM-Index-r17 ::= INTEGER (0..maxNrofDRX-ConfigPTM-1-r17) PDSCH-ConfigIndex-r17 ::= INTEGER (0..maxNrofPDSCH-ConfigPTM-1-r17) MTCH-SSB-MappingWindowIndex-r17 ::= INTEGER (0..maxNrofMTCH-SSB-MappingWindow-1-r17) MRB-ListBroadcast-r17 ::= SEQUENCE (SIZE (1..maxNrofMRB-Broadcast-r17)) OF MRB-InfoBroadcast-r17 MRB-InfoBroadcast-r17 ::= SEQUENCE { pdcp-Config-r17 MRB-PDCP-ConfigBroadcast-r17, rlc-Config-r17 MRB-RLC-ConfigBroadcast-r17, ... } MRB-PDCP-ConfigBroadcast-r17 ::= SEQUENCE { pdcp-SN-SizeDL-r17 ENUMERATED {len12bits} OPTIONAL, -- Need S headerCompression-r17 CHOICE { notUsed NULL, rohc SEQUENCE { maxCID-r17 INTEGER (1..16) DEFAULT 15, profiles-r17 SEQUENCE { profile0x0000-r17 BOOLEAN, profile0x0001-r17 BOOLEAN, profile0x0002-r17 BOOLEAN } } }, t-Reordering-r17 ENUMERATED {ms1, ms10, ms40, ms160, ms500, ms1000, ms1250, ms2750} OPTIONAL -- Need S } MRB-RLC-ConfigBroadcast-r17 ::= SEQUENCE { logicalChannelIdentity-r17 LogicalChannelIdentity, sn-FieldLength-r17 ENUMERATED {size6} OPTIONAL, -- Need S t-Reassembly-r17 T-Reassembly OPTIONAL -- Need S } -- TAG-MBS-SESSIONINFOLIST-STOP -- TAG-MTCH-SSB-MAPPINGWINDOWLIST-START MTCH-SSB-MappingWindowList-r17 ::= SEQUENCE (SIZE (1..maxNrofMTCH-SSB-MappingWindow-r17)) OF MTCH-SSB-MappingWindowCycleOffset-r17 MTCH-SSB-MappingWindowCycleOffset-r17 ::= CHOICE { ms10 INTEGER(0..9), ms20 INTEGER(0..19), ms32 INTEGER(0..31), ms64 INTEGER(0..63), ms128 INTEGER(0..127), ms256 INTEGER(0..255) } -- TAG-MTCH-SSB-MAPPINGWINDOWLIST-STOP -- TAG-PDSCH-CONFIGBROADCAST-START PDSCH-ConfigBroadcast-r17 ::= SEQUENCE { pdschConfigList-r17 SEQUENCE (SIZE (1..maxNrofPDSCH-ConfigPTM-r17) ) OF PDSCH-ConfigPTM-r17, pdsch-TimeDomainAllocationList-r17 PDSCH-TimeDomainResourceAllocationList-r16 OPTIONAL, -- Need R rateMatchPatternToAddModList-r17 SEQUENCE (SIZE (1..maxNrofRateMatchPatterns)) OF RateMatchPattern OPTIONAL, -- Need R lte-CRS-ToMatchAround-r17 RateMatchPatternLTE-CRS OPTIONAL, -- Need R mcs-Table-r17 ENUMERATED {qam256, qam64LowSE} OPTIONAL, -- Need S xOverhead-r17 ENUMERATED {xOh6, xOh12, xOh18} OPTIONAL -- Need S } PDSCH-ConfigPTM-r17 ::= SEQUENCE { dataScramblingIdentityPDSCH-r17 INTEGER (0..1023) OPTIONAL, -- Need S dmrs-ScramblingID0-r17 INTEGER (0..65535) OPTIONAL, -- Need S pdsch-AggregationFactor-r17 ENUMERATED {n2, n4, n8} OPTIONAL -- Need S } -- TAG-PDSCH-CONFIGBROADCAST-STOP -- TAG-TMGI-START TMGI-r17 ::= SEQUENCE { plmn-Id-r17 CHOICE { plmn-Index INTEGER (1..maxPLMN), explicitValue PLMN-Identity }, serviceId-r17 OCTET STRING (SIZE (3)) } -- TAG-TMGI-STOP -- TAG-MULTIPLICITY-AND-TYPE-CONSTRAINT-DEFINITIONS-START maxAdditionalRACH-r17 INTEGER ::= 256 -- Maximum number of additional RACH configurations. maxAI-DCI-PayloadSize-r16 INTEGER ::= 128 --Maximum size of the DCI payload scrambled with ai-RNTI maxAI-DCI-PayloadSize-1-r16 INTEGER ::= 127 --Maximum size of the DCI payload scrambled with ai-RNTI minus 1 maxBandComb INTEGER ::= 65536 -- Maximum number of DL band combinations maxBandsUTRA-FDD-r16 INTEGER ::= 64 -- Maximum number of bands listed in UTRA-FDD UE caps maxBH-RLC-ChannelID-r16 INTEGER ::= 65536 -- Maximum value of BH RLC Channel ID maxBT-IdReport-r16 INTEGER ::= 32 -- Maximum number of Bluetooth IDs to report maxBT-Name-r16 INTEGER ::= 4 -- Maximum number of Bluetooth name maxCAG-Cell-r16 INTEGER ::= 16 -- Maximum number of NR CAG cell ranges in SIB3, SIB4 maxTwoPUCCH-Grp-ConfigList-r16 INTEGER ::= 32 -- Maximum number of supported configuration(s) of {primary PUCCH group -- config, secondary PUCCH group config} maxTwoPUCCH-Grp-ConfigList-r17 INTEGER ::= 16 -- Maximum number of supported configuration(s) of {primary PUCCH group -- config, secondary PUCCH group config} for PUCCH cell switching maxCBR-Config-r16 INTEGER ::= 8 -- Maximum number of CBR range configurations for sidelink communication -- congestion control maxCBR-Config-1-r16 INTEGER ::= 7 -- Maximum number of CBR range configurations for sidelink communication -- congestion control minus 1 maxCBR-Level-r16 INTEGER ::= 16 -- Maximum number of CBR levels maxCBR-Level-1-r16 INTEGER ::= 15 -- Maximum number of CBR levels minus 1 maxCellExcluded INTEGER ::= 16 -- Maximum number of NR exclude-listed cell ranges in SIB3, SIB4 maxCellGroupings-r16 INTEGER ::= 32 -- Maximum number of cell groupings for NR-DC maxCellHistory-r16 INTEGER ::= 16 -- Maximum number of visited PCells reported maxPSCellHistory-r17 INTEGER ::= 16 -- Maximum number of visited PSCells across all reported PCells maxCellInter INTEGER ::= 16 -- Maximum number of inter-Freq cells listed in SIB4 maxCellIntra INTEGER ::= 16 -- Maximum number of intra-Freq cells listed in SIB3 maxCellMeasEUTRA INTEGER ::= 32 -- Maximum number of cells in E-UTRAN maxCellMeasIdle-r16 INTEGER ::= 8 -- Maximum number of cells per carrier for idle/inactive measurements maxCellMeasUTRA-FDD-r16 INTEGER ::= 32 -- Maximum number of cells in FDD UTRAN maxCellNTN-r17 INTEGER ::= 4 -- Maximum number of NTN neighbour cells for which assistance information is -- provided maxCarrierTypePairList-r16 INTEGER ::= 16 -- Maximum number of supported carrier type pair of (carrier type on which -- CSI measurement is performed, carrier type on which CSI reporting is -- performed) for CSI reporting cross PUCCH group maxCellAllowed INTEGER ::= 16 -- Maximum number of NR allow-listed cell ranges in SIB3, SIB4 maxEARFCN INTEGER ::= 262143 -- Maximum value of E-UTRA carrier frequency maxEUTRA-CellExcluded INTEGER ::= 16 -- Maximum number of E-UTRA exclude-listed physical cell identity ranges -- in SIB5 maxEUTRA-NS-Pmax INTEGER ::= 8 -- Maximum number of NS and P-Max values per band maxFeatureCombPreamblesPerRACHResource-r17 INTEGER ::= 256 -- Maximum number of feature combination preambles. maxLogMeasReport-r16 INTEGER ::= 520 -- Maximum number of entries for logged measurements maxMultiBands INTEGER ::= 8 -- Maximum number of additional frequency bands that a cell belongs to maxNARFCN INTEGER ::= 3279165 -- Maximum value of NR carrier frequency maxNR-NS-Pmax INTEGER ::= 8 -- Maximum number of NS and P-Max values per band maxFreqIdle-r16 INTEGER ::= 8 -- Maximum number of carrier frequencies for idle/inactive measurements maxNrofServingCells INTEGER ::= 32 -- Max number of serving cells (SpCells + SCells) maxNrofServingCells-1 INTEGER ::= 31 -- Max number of serving cells (SpCells + SCells) minus 1 maxNrofAggregatedCellsPerCellGroup INTEGER ::= 16 maxNrofAggregatedCellsPerCellGroupMinus4-r16 INTEGER ::= 12 maxNrofDUCells-r16 INTEGER ::= 512 -- Max number of cells configured on the collocated IAB-DU maxNrofAppLayerMeas-r17 INTEGER ::= 16 -- Max number of simultaneous application layer measurements maxNrofAppLayerMeas-1-r17 INTEGER ::= 15 -- Max number of simultaneous application layer measurements minus 1 maxNrofAvailabilityCombinationsPerSet-r16 INTEGER ::= 512 -- Max number of AvailabilityCombinationId used in the DCI format 2_5 maxNrofAvailabilityCombinationsPerSet-1-r16 INTEGER ::= 511 -- Max number of AvailabilityCombinationId used in the DCI format 2_5 minus 1 maxNrofIABResourceConfig-r17 INTEGER ::= 65536 -- Max number of IAB-ResourceConfigID used in MAC CE maxNrofIABResourceConfig-1-r17 INTEGER ::= 65535 -- Max number of IAB-ResourceConfigID used in MAC CE minus 1 maxNrofSCellActRS-r17 INTEGER ::= 255 -- Max number of RS configurations per SCell for SCell activation maxNrofSCells INTEGER ::= 31 -- Max number of secondary serving cells per cell group maxNrofCellMeas INTEGER ::= 32 -- Maximum number of entries in each of the cell lists in a measurement object maxNrofCRS-IM-InterfCell-r17 INTEGER ::= 8 -- Maximum number of LTE interference cells for CRS-IM per UE maxNrofRelayMeas-r17 INTEGER ::= 32 -- Maximum number of L2 U2N Relay UEs to measure for each measurement object -- on sidelink frequency maxNrofCG-SL-r16 INTEGER ::= 8 -- Max number of sidelink configured grant maxNrofCG-SL-1-r16 INTEGER ::= 7 -- Max number of sidelink configured grant minus 1 maxSL-GC-BC-DRX-QoS-r17 INTEGER ::= 16 -- Max number of sidelink DRX configurations for NR -- sidelink groupcast/broadcast communication maxNrofSL-RxInfoSet-r17 INTEGER ::= 4 -- Max number of sidelink DRX configuration sets in sidelink DRX assistant -- information maxNrofSS-BlocksToAverage INTEGER ::= 16 -- Max number for the (max) number of SS blocks to average to determine cell measurement maxNrofCondCells-r16 INTEGER ::= 8 -- Max number of conditional candidate SpCells maxNrofCondCells-1-r17 INTEGER ::= 7 -- Max number of conditional candidate SpCells minus 1 maxNrofCSI-RS-ResourcesToAverage INTEGER ::= 16 -- Max number for the (max) number of CSI-RS to average to determine cell measurement maxNrofDL-Allocations INTEGER ::= 16 -- Maximum number of PDSCH time domain resource allocations maxNrofDL-AllocationsExt-r17 INTEGER ::= 64 -- Maximum number of PDSCH time domain resource allocations for multi-PDSCH -- scheduling maxNrofPDU-Sessions-r17 INTEGER ::= 256 -- Maximum number of PDU Sessions maxNrofSR-ConfigPerCellGroup INTEGER ::= 8 -- Maximum number of SR configurations per cell group maxLCG-ID INTEGER ::= 7 -- Maximum value of LCG ID maxLCG-ID-IAB-r17 INTEGER ::= 255 -- Maximum value of LCG ID for IAB-MT maxLC-ID INTEGER ::= 32 -- Maximum value of Logical Channel ID maxLC-ID-Iab-r16 INTEGER ::= 65855 -- Maximum value of BH Logical Channel ID extension maxLTE-CRS-Patterns-r16 INTEGER ::= 3 -- Maximum number of additional LTE CRS rate matching patterns maxNrofTAGs INTEGER ::= 4 -- Maximum number of Timing Advance Groups maxNrofTAGs-1 INTEGER ::= 3 -- Maximum number of Timing Advance Groups minus 1 maxNrofBWPs INTEGER ::= 4 -- Maximum number of BWPs per serving cell maxNrofCombIDC INTEGER ::= 128 -- Maximum number of reported MR-DC combinations for IDC maxNrofSymbols-1 INTEGER ::= 13 -- Maximum index identifying a symbol within a slot (14 symbols, indexed from 0..13) maxNrofSlots INTEGER ::= 320 -- Maximum number of slots in a 10 ms period maxNrofSlots-1 INTEGER ::= 319 -- Maximum number of slots in a 10 ms period minus 1 maxNrofPhysicalResourceBlocks INTEGER ::= 275 -- Maximum number of PRBs maxNrofPhysicalResourceBlocks-1 INTEGER ::= 274 -- Maximum number of PRBs minus 1 maxNrofPhysicalResourceBlocksPlus1 INTEGER ::= 276 -- Maximum number of PRBs plus 1 maxNrofControlResourceSets INTEGER ::= 12 -- Max number of CoReSets configurable on a serving cell maxNrofControlResourceSets-1 INTEGER ::= 11 -- Max number of CoReSets configurable on a serving cell minus 1 maxNrofControlResourceSets-1-r16 INTEGER ::= 15 -- Max number of CoReSets configurable on a serving cell extended in minus 1 maxNrofCoresetPools-r16 INTEGER ::= 2 -- Maximum number of CORESET pools maxCoReSetDuration INTEGER ::= 3 -- Max number of OFDM symbols in a control resource set maxNrofSearchSpaces-1 INTEGER ::= 39 -- Max number of Search Spaces minus 1 maxNrofSearchSpacesLinks-1-r17 INTEGER ::= 39 -- Max number of Search Space links minus 1 maxNrofBFDResourcePerSet-r17 INTEGER ::= 64 -- Max number of reference signal in one BFD set maxSFI-DCI-PayloadSize INTEGER ::= 128 -- Max number payload of a DCI scrambled with SFI-RNTI maxSFI-DCI-PayloadSize-1 INTEGER ::= 127 -- Max number payload of a DCI scrambled with SFI-RNTI minus 1 maxIAB-IP-Address-r16 INTEGER ::= 32 -- Max number of assigned IP addresses maxINT-DCI-PayloadSize INTEGER ::= 126 -- Max number payload of a DCI scrambled with INT-RNTI maxINT-DCI-PayloadSize-1 INTEGER ::= 125 -- Max number payload of a DCI scrambled with INT-RNTI minus 1 maxNrofRateMatchPatterns INTEGER ::= 4 -- Max number of rate matching patterns that may be configured maxNrofRateMatchPatterns-1 INTEGER ::= 3 -- Max number of rate matching patterns that may be configured minus 1 maxNrofRateMatchPatternsPerGroup INTEGER ::= 8 -- Max number of rate matching patterns that may be configured in one group maxNrofCSI-ReportConfigurations INTEGER ::= 48 -- Maximum number of report configurations maxNrofCSI-ReportConfigurations-1 INTEGER ::= 47 -- Maximum number of report configurations minus 1 maxNrofCSI-ResourceConfigurations INTEGER ::= 112 -- Maximum number of resource configurations maxNrofCSI-ResourceConfigurations-1 INTEGER ::= 111 -- Maximum number of resource configurations minus 1 maxNrofAP-CSI-RS-ResourcesPerSet INTEGER ::= 16 maxNrOfCSI-AperiodicTriggers INTEGER ::= 128 -- Maximum number of triggers for aperiodic CSI reporting maxNrofReportConfigPerAperiodicTrigger INTEGER ::= 16 -- Maximum number of report configurations per trigger state for aperiodic reporting maxNrofNZP-CSI-RS-Resources INTEGER ::= 192 -- Maximum number of Non-Zero-Power (NZP) CSI-RS resources maxNrofNZP-CSI-RS-Resources-1 INTEGER ::= 191 -- Maximum number of Non-Zero-Power (NZP) CSI-RS resources minus 1 maxNrofNZP-CSI-RS-ResourcesPerSet INTEGER ::= 64 -- Maximum number of NZP CSI-RS resources per resource set maxNrofNZP-CSI-RS-ResourceSets INTEGER ::= 64 -- Maximum number of NZP CSI-RS resource sets per cell maxNrofNZP-CSI-RS-ResourceSets-1 INTEGER ::= 63 -- Maximum number of NZP CSI-RS resource sets per cell minus 1 maxNrofNZP-CSI-RS-ResourceSetsPerConfig INTEGER ::= 16 -- Maximum number of resource sets per resource configuration maxNrofNZP-CSI-RS-ResourcesPerConfig INTEGER ::= 128 -- Maximum number of resources per resource configuration maxNrofZP-CSI-RS-Resources INTEGER ::= 32 -- Maximum number of Zero-Power (ZP) CSI-RS resources maxNrofZP-CSI-RS-Resources-1 INTEGER ::= 31 -- Maximum number of Zero-Power (ZP) CSI-RS resources minus 1 maxNrofZP-CSI-RS-ResourceSets-1 INTEGER ::= 15 maxNrofZP-CSI-RS-ResourcesPerSet INTEGER ::= 16 maxNrofZP-CSI-RS-ResourceSets INTEGER ::= 16 maxNrofCSI-IM-Resources INTEGER ::= 32 -- Maximum number of CSI-IM resources maxNrofCSI-IM-Resources-1 INTEGER ::= 31 -- Maximum number of CSI-IM resources minus 1 maxNrofCSI-IM-ResourcesPerSet INTEGER ::= 8 -- Maximum number of CSI-IM resources per set maxNrofCSI-IM-ResourceSets INTEGER ::= 64 -- Maximum number of NZP CSI-IM resource sets per cell maxNrofCSI-IM-ResourceSets-1 INTEGER ::= 63 -- Maximum number of NZP CSI-IM resource sets per cell minus 1 maxNrofCSI-IM-ResourceSetsPerConfig INTEGER ::= 16 -- Maximum number of CSI IM resource sets per resource configuration maxNrofCSI-SSB-ResourcePerSet INTEGER ::= 64 -- Maximum number of SSB resources in a resource set maxNrofCSI-SSB-ResourceSets INTEGER ::= 64 -- Maximum number of CSI SSB resource sets per cell maxNrofCSI-SSB-ResourceSets-1 INTEGER ::= 63 -- Maximum number of CSI SSB resource sets per cell minus 1 maxNrofCSI-SSB-ResourceSetsPerConfig INTEGER ::= 1 -- Maximum number of CSI SSB resource sets per resource configuration maxNrofCSI-SSB-ResourceSetsPerConfigExt INTEGER ::= 2 -- Maximum number of CSI SSB resource sets per resource configuration -- extended maxNrofFailureDetectionResources INTEGER ::= 10 -- Maximum number of failure detection resources maxNrofFailureDetectionResources-1 INTEGER ::= 9 -- Maximum number of failure detection resources minus 1 maxNrofFailureDetectionResources-1-r17 INTEGER ::= 63 -- Maximum number of the enhanced failure detection resources minus 1 maxNrofFreqSL-r16 INTEGER ::= 8 -- Maximum number of carrier frequency for NR sidelink communication maxNrofSL-BWPs-r16 INTEGER ::= 4 -- Maximum number of BWP for NR sidelink communication maxFreqSL-EUTRA-r16 INTEGER ::= 8 -- Maximum number of EUTRA anchor carrier frequency for NR sidelink communication maxNrofSL-MeasId-r16 INTEGER ::= 64 -- Maximum number of sidelink measurement identity (RSRP) per destination maxNrofSL-ObjectId-r16 INTEGER ::= 64 -- Maximum number of sidelink measurement objects (RSRP) per destination maxNrofSL-ReportConfigId-r16 INTEGER ::= 64 -- Maximum number of sidelink measurement reporting configuration(RSRP) per destination maxNrofSL-PoolToMeasureNR-r16 INTEGER ::= 8 -- Maximum number of resource pool for NR sidelink measurement to measure for -- each measurement object (for CBR) maxFreqSL-NR-r16 INTEGER ::= 8 -- Maximum number of NR anchor carrier frequency for NR sidelink communication maxNrofSL-QFIs-r16 INTEGER ::= 2048 -- Maximum number of QoS flow for NR sidelink communication per UE maxNrofSL-QFIsPerDest-r16 INTEGER ::= 64 -- Maximum number of QoS flow per destination for NR sidelink communication maxNrofObjectId INTEGER ::= 64 -- Maximum number of measurement objects maxNrofPageRec INTEGER ::= 32 -- Maximum number of page records maxNrofPCI-Ranges INTEGER ::= 8 -- Maximum number of PCI ranges maxPLMN INTEGER ::= 12 -- Maximum number of PLMNs broadcast and reported by UE at establishment maxTAC-r17 INTEGER ::= 12 -- Maximum number of Tracking Area Codes to which a cell belongs to maxNrofCSI-RS-ResourcesRRM INTEGER ::= 96 -- Maximum number of CSI-RS resources per cell for an RRM measurement object maxNrofCSI-RS-ResourcesRRM-1 INTEGER ::= 95 -- Maximum number of CSI-RS resources per cell for an RRM measurement object -- minus 1. maxNrofMeasId INTEGER ::= 64 -- Maximum number of configured measurements maxNrofQuantityConfig INTEGER ::= 2 -- Maximum number of quantity configurations maxNrofCSI-RS-CellsRRM INTEGER ::= 96 -- Maximum number of cells with CSI-RS resources for an RRM measurement object maxNrofSL-Dest-r16 INTEGER ::= 32 -- Maximum number of destination for NR sidelink communication and discovery maxNrofSL-Dest-1-r16 INTEGER ::= 31 -- Highest index of destination for NR sidelink communication and discovery maxNrofSLRB-r16 INTEGER ::= 512 -- Maximum number of radio bearer for NR sidelink communication per UE maxSL-LCID-r16 INTEGER ::= 512 -- Maximum number of RLC bearer for NR sidelink communication per UE maxSL-SyncConfig-r16 INTEGER ::= 16 -- Maximum number of sidelink Sync configurations maxNrofRXPool-r16 INTEGER ::= 16 -- Maximum number of Rx resource pool for NR sidelink communication and -- discovery maxNrofTXPool-r16 INTEGER ::= 8 -- Maximum number of Tx resource pool for NR sidelink communication and -- discovery maxNrofPoolID-r16 INTEGER ::= 16 -- Maximum index of resource pool for NR sidelink communication and -- discovery maxNrofSRS-PathlossReferenceRS-r16 INTEGER ::= 64 -- Maximum number of RSs used as pathloss reference for SRS power control. maxNrofSRS-PathlossReferenceRS-1-r16 INTEGER ::= 63 -- Maximum number of RSs used as pathloss reference for SRS power control -- minus 1. maxNrofSRS-ResourceSets INTEGER ::= 16 -- Maximum number of SRS resource sets in a BWP. maxNrofSRS-ResourceSets-1 INTEGER ::= 15 -- Maximum number of SRS resource sets in a BWP minus 1. maxNrofSRS-PosResourceSets-r16 INTEGER ::= 16 -- Maximum number of SRS Positioning resource sets in a BWP. maxNrofSRS-PosResourceSets-1-r16 INTEGER ::= 15 -- Maximum number of SRS Positioning resource sets in a BWP minus 1. maxNrofSRS-Resources INTEGER ::= 64 -- Maximum number of SRS resources. maxNrofSRS-Resources-1 INTEGER ::= 63 -- Maximum number of SRS resources minus 1. maxNrofSRS-PosResources-r16 INTEGER ::= 64 -- Maximum number of SRS Positioning resources. maxNrofSRS-PosResources-1-r16 INTEGER ::= 63 -- Maximum number of SRS Positioning resources minus 1. maxNrofSRS-ResourcesPerSet INTEGER ::= 16 -- Maximum number of SRS resources in an SRS resource set maxNrofSRS-TriggerStates-1 INTEGER ::= 3 -- Maximum number of SRS trigger states minus 1, i.e., the largest code point. maxNrofSRS-TriggerStates-2 INTEGER ::= 2 -- Maximum number of SRS trigger states minus 2. maxRAT-CapabilityContainers INTEGER ::= 8 -- Maximum number of interworking RAT containers (incl NR and MRDC) maxSimultaneousBands INTEGER ::= 32 -- Maximum number of simultaneously aggregated bands maxULTxSwitchingBandPairs INTEGER ::= 32 -- Maximum number of band pairs supporting dynamic UL Tx switching in a band -- combination. maxNrofSlotFormatCombinationsPerSet INTEGER ::= 512 -- Maximum number of Slot Format Combinations in a SF-Set. maxNrofSlotFormatCombinationsPerSet-1 INTEGER ::= 511 -- Maximum number of Slot Format Combinations in a SF-Set minus 1. maxNrofTrafficPattern-r16 INTEGER ::= 8 -- Maximum number of Traffic Pattern for NR sidelink communication. maxNrofPUCCH-Resources INTEGER ::= 128 maxNrofPUCCH-Resources-1 INTEGER ::= 127 maxNrofPUCCH-ResourceSets INTEGER ::= 4 -- Maximum number of PUCCH Resource Sets maxNrofPUCCH-ResourceSets-1 INTEGER ::= 3 -- Maximum number of PUCCH Resource Sets minus 1. maxNrofPUCCH-ResourcesPerSet INTEGER ::= 32 -- Maximum number of PUCCH Resources per PUCCH-ResourceSet maxNrofPUCCH-P0-PerSet INTEGER ::= 8 -- Maximum number of P0-pucch present in a p0-pucch set maxNrofPUCCH-PathlossReferenceRSs INTEGER ::= 4 -- Maximum number of RSs used as pathloss reference for PUCCH power control. maxNrofPUCCH-PathlossReferenceRSs-1 INTEGER ::= 3 -- Maximum number of RSs used as pathloss reference for PUCCH power control -- minus 1. maxNrofPUCCH-PathlossReferenceRSs-r16 INTEGER ::= 64 -- Maximum number of RSs used as pathloss reference for PUCCH power control -- extended. maxNrofPUCCH-PathlossReferenceRSs-1-r16 INTEGER ::= 63 -- Maximum number of RSs used as pathloss reference for PUCCH power control -- minus 1 extended. maxNrofPUCCH-PathlossReferenceRSs-1-r17 INTEGER ::= 7 -- Maximum number of RSs used as pathloss reference for PUCCH power control -- minus 1. maxNrofPUCCH-PathlossReferenceRSsDiff-r16 INTEGER ::= 60 -- Difference between the extended maximum and the non-extended maximum maxNrofPUCCH-ResourceGroups-r16 INTEGER ::= 4 -- Maximum number of PUCCH resources groups. maxNrofPUCCH-ResourcesPerGroup-r16 INTEGER ::= 128 -- Maximum number of PUCCH resources in a PUCCH group. maxNrofPowerControlSetInfos-r17 INTEGER ::= 8 -- Maximum number of PUCCH power control set infos maxNrofMultiplePUSCHs-r16 INTEGER ::= 8 -- Maximum number of multiple PUSCHs in PUSCH TDRA list maxNrofP0-PUSCH-AlphaSets INTEGER ::= 30 -- Maximum number of P0-pusch-alpha-sets (see TS 38.213 [13], clause 7.1) maxNrofP0-PUSCH-AlphaSets-1 INTEGER ::= 29 -- Maximum number of P0-pusch-alpha-sets minus 1 (see TS 38.213 [13], clause 7.1) maxNrofPUSCH-PathlossReferenceRSs INTEGER ::= 4 -- Maximum number of RSs used as pathloss reference for PUSCH power control. maxNrofPUSCH-PathlossReferenceRSs-1 INTEGER ::= 3 -- Maximum number of RSs used as pathloss reference for PUSCH power control -- minus 1. maxNrofPUSCH-PathlossReferenceRSs-r16 INTEGER ::= 64 -- Maximum number of RSs used as pathloss reference for PUSCH power control -- extended maxNrofPUSCH-PathlossReferenceRSs-1-r16 INTEGER ::= 63 -- Maximum number of RSs used as pathloss reference for PUSCH power control -- extended minus 1 maxNrofPUSCH-PathlossReferenceRSsDiff-r16 INTEGER ::= 60 -- Difference between maxNrofPUSCH-PathlossReferenceRSs-r16 and -- maxNrofPUSCH-PathlossReferenceRSs maxNrofPathlossReferenceRSs-r17 INTEGER ::= 64 -- Maximum number of RSs used as pathloss reference for PUSCH, PUCCH, SRS -- power control for unified TCI state operation maxNrofPathlossReferenceRSs-1-r17 INTEGER ::= 63 -- Maximum number of RSs used as pathloss reference for PUSCH, PUCCH, SRS -- power control for unified TCI state operation minus 1 maxNrofNAICS-Entries INTEGER ::= 8 -- Maximum number of supported NAICS capability set maxBands INTEGER ::= 1024 -- Maximum number of supported bands in UE capability. maxBandsMRDC INTEGER ::= 1280 maxBandsEUTRA INTEGER ::= 256 maxCellReport INTEGER ::= 8 maxDRB INTEGER ::= 29 -- Maximum number of DRBs (that can be added in DRB-ToAddModList). maxFreq INTEGER ::= 8 -- Max number of frequencies. maxFreqLayers INTEGER ::= 4 -- Max number of frequency layers. maxFreqPlus1 INTEGER ::= 9 -- Max number of frequencies for Slicing. maxFreqIDC-r16 INTEGER ::= 128 -- Max number of frequencies for IDC indication. maxCombIDC-r16 INTEGER ::= 128 -- Max number of reported UL CA for IDC indication. maxFreqIDC-MRDC INTEGER ::= 32 -- Maximum number of candidate NR frequencies for MR-DC IDC indication maxNrofCandidateBeams INTEGER ::= 16 -- Max number of PRACH-ResourceDedicatedBFR in BFR config. maxNrofCandidateBeams-r16 INTEGER ::= 64 -- Max number of candidate beam resources in BFR config. maxNrofCandidateBeamsExt-r16 INTEGER ::= 48 -- Max number of PRACH-ResourceDedicatedBFR in the CandidateBeamRSListExt maxNrofPCIsPerSMTC INTEGER ::= 64 -- Maximum number of PCIs per SMTC. maxNrofQFIs INTEGER ::= 64 maxNrofResourceAvailabilityPerCombination-r16 INTEGER ::= 256 maxNrOfSemiPersistentPUSCH-Triggers INTEGER ::= 64 -- Maximum number of triggers for semi persistent reporting on PUSCH maxNrofSR-Resources INTEGER ::= 8 -- Maximum number of SR resources per BWP in a cell. maxNrofSlotFormatsPerCombination INTEGER ::= 256 maxNrofSpatialRelationInfos INTEGER ::= 8 maxNrofSpatialRelationInfos-plus-1 INTEGER ::= 9 maxNrofSpatialRelationInfos-r16 INTEGER ::= 64 maxNrofSpatialRelationInfosDiff-r16 INTEGER ::= 56 -- Difference between maxNrofSpatialRelationInfos-r16 and maxNrofSpatialRelationInfos maxNrofIndexesToReport INTEGER ::= 32 maxNrofIndexesToReport2 INTEGER ::= 64 maxNrofSSBs-r16 INTEGER ::= 64 -- Maximum number of SSB resources in a resource set. maxNrofSSBs-1 INTEGER ::= 63 -- Maximum number of SSB resources in a resource set minus 1. maxNrofS-NSSAI INTEGER ::= 8 -- Maximum number of S-NSSAI. maxNrofTCI-StatesPDCCH INTEGER ::= 64 maxNrofTCI-States INTEGER ::= 128 -- Maximum number of TCI states. maxNrofTCI-States-1 INTEGER ::= 127 -- Maximum number of TCI states minus 1. maxUL-TCI-r17 INTEGER ::= 64 -- Maximum number of TCI states. maxUL-TCI-1-r17 INTEGER ::= 63 -- Maximum number of TCI states minus 1. maxNrofAdditionalPCI-r17 INTEGER ::= 7 -- Maximum number of additional PCI maxMPE-Resources-r17 INTEGER ::= 64 -- Maximum number of pooled MPE resources maxNrofUL-Allocations INTEGER ::= 16 -- Maximum number of PUSCH time domain resource allocations. maxQFI INTEGER ::= 63 maxRA-CSIRS-Resources INTEGER ::= 96 maxRA-OccasionsPerCSIRS INTEGER ::= 64 -- Maximum number of RA occasions for one CSI-RS maxRA-Occasions-1 INTEGER ::= 511 -- Maximum number of RA occasions in the system maxRA-SSB-Resources INTEGER ::= 64 maxSCSs INTEGER ::= 5 maxSecondaryCellGroups INTEGER ::= 3 maxNrofServingCellsEUTRA INTEGER ::= 32 maxMBSFN-Allocations INTEGER ::= 8 maxNrofMultiBands INTEGER ::= 8 maxCellSFTD INTEGER ::= 3 -- Maximum number of cells for SFTD reporting maxReportConfigId INTEGER ::= 64 maxNrofCodebooks INTEGER ::= 16 -- Maximum number of codebooks supported by the UE maxNrofCSI-RS-ResourcesExt-r16 INTEGER ::= 16 -- Maximum number of codebook resources supported by the UE for eType2/Codebook combo maxNrofCSI-RS-ResourcesExt-r17 INTEGER ::= 8 -- Maximum number of codebook resources for fetype2R1 and fetype2R2 maxNrofCSI-RS-Resources INTEGER ::= 7 -- Maximum number of codebook resources supported by the UE maxNrofCSI-RS-ResourcesAlt-r16 INTEGER ::= 512 -- Maximum number of alternative codebook resources supported by the UE maxNrofCSI-RS-ResourcesAlt-1-r16 INTEGER ::= 511 -- Maximum number of alternative codebook resources supported by the UE minus 1 maxNrofSRI-PUSCH-Mappings INTEGER ::= 16 maxNrofSRI-PUSCH-Mappings-1 INTEGER ::= 15 maxSIB INTEGER::= 32 -- Maximum number of SIBs maxSI-Message INTEGER::= 32 -- Maximum number of SI messages maxSIB-MessagePlus1-r17 INTEGER::= 33 -- Maximum number of SIB messages plus 1 maxPO-perPF INTEGER ::= 4 -- Maximum number of paging occasion per paging frame maxPEI-perPF-r17 INTEGER ::= 4 -- Maximum number of PEI occasion per paging frame maxAccessCat-1 INTEGER ::= 63 -- Maximum number of Access Categories minus 1 maxBarringInfoSet INTEGER ::= 8 -- Maximum number of access control parameter sets maxCellEUTRA INTEGER ::= 8 -- Maximum number of E-UTRA cells in SIB list maxEUTRA-Carrier INTEGER ::= 8 -- Maximum number of E-UTRA carriers in SIB list maxPLMNIdentities INTEGER ::= 8 -- Maximum number of PLMN identities in RAN area configurations maxDownlinkFeatureSets INTEGER ::= 1024 -- (for NR DL) Total number of FeatureSets (size of the pool) maxUplinkFeatureSets INTEGER ::= 1024 -- (for NR UL) Total number of FeatureSets (size of the pool) maxEUTRA-DL-FeatureSets INTEGER ::= 256 -- (for E-UTRA) Total number of FeatureSets (size of the pool) maxEUTRA-UL-FeatureSets INTEGER ::= 256 -- (for E-UTRA) Total number of FeatureSets (size of the pool) maxFeatureSetsPerBand INTEGER ::= 128 -- (for NR) The number of feature sets associated with one band. maxPerCC-FeatureSets INTEGER ::= 1024 -- (for NR) Total number of CC-specific FeatureSets (size of the pool) maxFeatureSetCombinations INTEGER ::= 1024 -- (for MR-DC/NR)Total number of Feature set combinations (size of the pool) maxInterRAT-RSTD-Freq INTEGER ::= 3 maxGIN-r17 INTEGER ::= 24 -- Maximum number of broadcast GINs maxHRNN-Len-r16 INTEGER ::= 48 -- Maximum length of HRNNs maxNPN-r16 INTEGER ::= 12 -- Maximum number of NPNs broadcast and reported by UE at establishment maxNrOfMinSchedulingOffsetValues-r16 INTEGER ::= 2 -- Maximum number of min. scheduling offset (K0/K2) configurations maxK0-SchedulingOffset-r16 INTEGER ::= 16 -- Maximum number of slots configured as min. scheduling offset (K0) maxK2-SchedulingOffset-r16 INTEGER ::= 16 -- Maximum number of slots configured as min. scheduling offset (K2) maxK0-SchedulingOffset-r17 INTEGER ::= 64 -- Maximum number of slots configured as min. scheduling offset (K0) maxK2-SchedulingOffset-r17 INTEGER ::= 64 -- Maximum number of slots configured as min. scheduling offset (K2) maxDCI-2-6-Size-r16 INTEGER ::= 140 -- Maximum size of DCI format 2-6 maxDCI-2-7-Size-r17 INTEGER ::= 43 -- Maximum size of DCI format 2-7 maxDCI-2-6-Size-1-r16 INTEGER ::= 139 -- Maximum DCI format 2-6 size minus 1 maxNrofUL-Allocations-r16 INTEGER ::= 64 -- Maximum number of PUSCH time domain resource allocations maxNrofP0-PUSCH-Set-r16 INTEGER ::= 2 -- Maximum number of P0 PUSCH set(s) maxOnDemandSIB-r16 INTEGER ::= 8 -- Maximum number of SIB(s) that can be requested on-demand maxOnDemandPosSIB-r16 INTEGER ::= 32 -- Maximum number of posSIB(s) that can be requested on-demand maxCI-DCI-PayloadSize-r16 INTEGER ::= 126 -- Maximum number of the DCI size for CI maxCI-DCI-PayloadSize-1-r16 INTEGER ::= 125 -- Maximum number of the DCI size for CI minus 1 maxUu-RelayRLC-ChannelID-r17 INTEGER ::= 32 -- Maximum value of Uu Relay RLC channel ID maxWLAN-Id-Report-r16 INTEGER ::= 32 -- Maximum number of WLAN IDs to report maxWLAN-Name-r16 INTEGER ::= 4 -- Maximum number of WLAN name maxRAReport-r16 INTEGER ::= 8 -- Maximum number of RA procedures information to be included in the RA report maxTxConfig-r16 INTEGER ::= 64 -- Maximum number of sidelink transmission parameters configurations maxTxConfig-1-r16 INTEGER ::= 63 -- Maximum number of sidelink transmission parameters configurations minus 1 maxPSSCH-TxConfig-r16 INTEGER ::= 16 -- Maximum number of PSSCH TX configurations maxNrofCLI-RSSI-Resources-r16 INTEGER ::= 64 -- Maximum number of CLI-RSSI resources for UE maxNrofCLI-RSSI-Resources-1-r16 INTEGER ::= 63 -- Maximum number of CLI-RSSI resources for UE minus 1 maxNrofCLI-SRS-Resources-r16 INTEGER ::= 32 -- Maximum number of SRS resources for CLI measurement for UE maxCLI-Report-r16 INTEGER ::= 8 maxNrofCC-Group-r17 INTEGER ::= 16 -- Maximum number of CC groups for DC location report maxNrofConfiguredGrantConfig-r16 INTEGER ::= 12 -- Maximum number of configured grant configurations per BWP maxNrofConfiguredGrantConfig-1-r16 INTEGER ::= 11 -- Maximum number of configured grant configurations per BWP minus 1 maxNrofCG-Type2DeactivationState INTEGER ::= 16 -- Maximum number of deactivation state for type 2 configured grants per BWP maxNrofConfiguredGrantConfigMAC-1-r16 INTEGER ::= 31 -- Maximum number of configured grant configurations per MAC entity minus 1 maxNrofSPS-Config-r16 INTEGER ::= 8 -- Maximum number of SPS configurations per BWP maxNrofSPS-Config-1-r16 INTEGER ::= 7 -- Maximum number of SPS configurations per BWP minus 1 maxNrofSPS-DeactivationState INTEGER ::= 16 -- Maximum number of deactivation state for SPS per BWP maxNrofPPW-Config-r17 INTEGER ::= 4 -- Maximum number of Preconfigured PRS processing windows per DL BWP maxNrofPPW-ID-1-r17 INTEGER ::= 15 -- Maximum number of Preconfigured PRS processing windows minus 1 maxNrOfTxTEGReport-r17 INTEGER ::= 256 -- Maximum number of UE Tx Timing Error Group Report maxNrOfTxTEG-ID-1-r17 INTEGER ::= 7 -- Maximum number of UE Tx Timing Error Group ID minus 1 maxNrofPagingSubgroups-r17 INTEGER ::= 8 -- Maximum number of paging subgroups per paging occasion maxNrofPUCCH-ResourceGroups-1-r16 INTEGER ::= 3 maxNrofReqComDC-Location-r17 INTEGER ::= 128 -- Maximum number of requested carriers/BWPs combinations for DC location -- report maxNrofServingCellsTCI-r16 INTEGER ::= 32 -- Maximum number of serving cells in simultaneousTCI-UpdateList maxNrofTxDC-TwoCarrier-r16 INTEGER ::= 64 -- Maximum number of UL Tx DC locations reported by the UE for 2CC uplink CA maxNrofRB-SetGroups-r17 INTEGER ::= 8 -- Maximum number of RB set groups maxNrofRB-Sets-r17 INTEGER ::= 8 -- Maximum number of RB sets maxNrofEnhType3HARQ-ACK-r17 INTEGER ::= 8 -- Maximum number of enhanced type 3 HARQ-ACK codebook maxNrofEnhType3HARQ-ACK-1-r17 INTEGER ::= 7 -- Maximum number of enhanced type 3 HARQ-ACK codebook minus 1 maxNrofPRS-ResourcesPerSet-r17 INTEGER ::= 64 -- Maximum number of PRS resources for one set maxNrofPRS-ResourcesPerSet-1-r17 INTEGER ::= 63 -- Maximum number of PRS resources for one set minus 1 maxNrofPRS-ResourceOffsetValue-1-r17 INTEGER ::= 511 maxNrofGapId-r17 INTEGER ::= 8 -- Maximum number of measurement gap ID is FFS maxNrofPreConfigPosGapId-r17 INTEGER ::= 16 -- Maximum number of preconfigured positioning measurement gap maxNrOfGapPri-r17 INTEGER ::= 16 -- Maximum number of gap priority level maxCEFReport-r17 INTEGER ::= 4 -- Maximum number of CEF reports by the UE maxNrofMultiplePDSCHs-r17 INTEGER ::= 8 -- Maximum number of PDSCHs in PDSCH TDRA list maxSliceInfo-r17 INTEGER ::= 8 -- Maximum number of NSAGs maxCellSlice-r17 INTEGER ::= 16 -- Maximum number of cells supporting the NSAG maxNrofTRS-ResourceSets-r17 INTEGER ::= 64 -- Maximum number of TRS resource sets maxNrofSearchSpaceGroups-1-r17 INTEGER ::= 2 -- Maximum number of search space groups minus 1 maxNrofRemoteUE-r17 INTEGER ::= 32 -- Maximum number of connected L2 U2N Remote UEs maxDCI-4-2-Size-r17 INTEGER ::= 140 -- Maximum size of DCI format 4-2 maxFreqMBS-r17 INTEGER ::= 16 -- Maximum number of MBS frequencies reported in MBSInterestIndication maxNrofDRX-ConfigPTM-r17 INTEGER ::= 64 -- Max number of DRX configuration for PTM provided in MBS broadcast in a -- cell maxNrofDRX-ConfigPTM-1-r17 INTEGER ::= 63 -- Max number of DRX configuration for PTM provided in MBS broadcast in a -- cell minus 1 maxNrofMBS-ServiceListPerUE-r17 INTEGER ::= 16 -- Maximum number of services which the UE can include in the MBS interest -- indication maxNrofMBS-Session-r17 INTEGER ::= 1024 -- Maximum number of MBS sessions provided in MBS broadcast in a cell maxNrofMTCH-SSB-MappingWindow-r17 INTEGER ::= 16 -- Maximum number of MTCH to SSB beam mapping pattern maxNrofMTCH-SSB-MappingWindow-1-r17 INTEGER ::= 15 -- Maximum number of MTCH to SSB beam mapping pattern minus 1 maxNrofMRB-Broadcast-r17 INTEGER ::= 4 -- Maximum number of broadcast MRBs configured for one MBS broadcast service maxNrofPageGroup-r17 INTEGER ::= 32 -- Maximum number of paging groups in a paging message maxNrofPDSCH-ConfigPTM-r17 INTEGER ::= 16 -- Maximum number of PDSCH configuration groups for PTM maxNrofPDSCH-ConfigPTM-1-r17 INTEGER ::= 15 -- Maximum number of PDSCH configuration groups for PTM minus 1 maxG-RNTI-r17 INTEGER ::= 16 -- Maximum number of G-RNTI that can be configured for a UE. maxG-RNTI-1-r17 INTEGER ::= 15 -- Maximum number of G-RNTI that can be configured for a UE minus 1. maxG-CS-RNTI-r17 INTEGER ::= 8 -- Maximum number of G-CS-RNTI that can be configured for a UE. maxG-CS-RNTI-1-r17 INTEGER ::= 7 -- Maximum number of G-CS-RNTI that can be configured for a UE minus 1. maxMRB-r17 INTEGER ::= 32 -- Maximum number of multicast MRBs (that can be added in MRB-ToAddModLIst) maxFSAI-MBS-r17 INTEGER ::= 64 -- Maximum number of MBS frequency selection area identities maxNeighCellMBS-r17 INTEGER ::= 8 -- Maximum number of MBS broadcast neighbour cells maxNrofPdcch-BlindDetectionMixed-1-r16 INTEGER ::= 7 -- Maximum number of combinations of mixed Rel-16 and Rel-15 PDCCH -- monitoring capabilities minus 1 maxNrofPdcch-BlindDetection-r17 INTEGER ::= 16 -- Maximum number of combinations of PDCCH blind detection monitoring -- capabilities -- TAG-MULTIPLICITY-AND-TYPE-CONSTRAINT-DEFINITIONS-STOP END
Configuration
wireshark/epan/dissectors/asn1/nr-rrc/nr-rrc.cnf
# nr-rrc.cnf # nr-rrc conformation file # Copyright 2018-2023 Pascal Quantin #.OPT PER UNALIGNED PROTO_ROOT_NAME proto_nr_rrc #.END #.USE_VALS_EXT BandSidelinkEUTRA-r16/gnb-ScheduledMode3SidelinkEUTRA-r16/gnb-ScheduledMode3DelaySidelinkEUTRA-r16 CA-BandwidthClassNR ConfiguredGrantConfig/periodicity ConfiguredGrantConfig/eag_1/cg-minDFI-Delay-r16 CSI-ReportConfig/reportFreqConfiguration/csi-ReportingBand DummyA/maxNumberPortsAcrossNZP-CSI-RS-PerCC DummyA/maxNumberSimultaneousCSI-RS-ActBWP-AllCC DummyA/totalNumberPortsSimultaneousCSI-RS-ActBWP-AllCC DelayBudgetReport/type1 DRX-Config/drx-onDurationTimer/milliSeconds DRX-Config/drx-InactivityTimer DRX-Config/drx-RetransmissionTimerDL DRX-Config/drx-RetransmissionTimerUL DRX-Config/drx-LongCycleStartOffset DRX-Config/shortDRX/drx-ShortCycle DRX-ConfigSecondaryGroup-r16/drx-onDurationTimer-r16/milliSeconds DRX-ConfigSecondaryGroup-r16/drx-InactivityTimer-r16 DRX-Info/drx-LongCycleStartOffset DRX-Info/shortDRX/drx-ShortCycle DRX-Info2/drx-onDurationTimer/milliSeconds DRX-Preference-r16/preferredDRX-InactivityTimer-r16 DRX-Preference-r16/preferredDRX-LongCycle-r16 DRX-Preference-r16/preferredDRX-ShortCycle-r16 EUTRA-Q-OffsetRange PDCP-Config/t-Reordering PollByte PollPDU RangeToBestCell RRM-Config/ue-InactiveTime Q-OffsetRange ServingCellConfig/bwp-InactivityTimer SL-PDCP-Config-r16/sl-DiscardTimer-r16 SL-RadioBearerConfig-r16/sl-TransRange-r16 SL-TimeOffsetEUTRA-r16 SL-ZoneConfigMCR-r16/sl-TransRange-r16 SPS-Config/periodicity SRS-PeriodicityAndOffset SRS-PeriodicityAndOffset-r16 SupportedBandUTRA-FDD-r16 T-PollRetransmit T-Reassembly T-StatusProhibit UL-DataSplitThreshold UTRA-FDD-Q-OffsetRange-r16 #.EXPORTS BandCombinationIndex_PDU BandCombinationInfoSN_PDU BandParametersSidelink-r16_PDU CellGroupConfig_PDU DRX-Config_PDU CG-Config_PDU CG-ConfigInfo_PDU CondReconfigExecCondSCG-r17_PDU ConfigRestrictInfoDAPS-r16_PDU ConfigRestrictInfoSCG_PDU FeatureSetEntryIndex_PDU FreqBandList_PDU HandoverCommand_PDU HandoverPreparationInformation_PDU LocationMeasurementInfo_PDU MBS-NeighbourCellList-r17_PDU MBSInterestIndication-r17_PDU MeasConfig_PDU MeasGapConfig_PDU MeasGapSharingConfig_PDU MeasObjectToAddMod_PDU MeasResultSCG-Failure_PDU MeasurementTimingConfiguration_PDU MIB_PDU MRB-PDCP-ConfigBroadcast-r17_PDU MUSIM-GapConfig-r17_PDU NeedForGapsInfoNR-r16_PDU NeedForGapNCSG-InfoEUTRA-r17_PDU NeedForGapNCSG-InfoNR-r17_PDU NonCellDefiningSSB-r17_PDU NZP-CSI-RS-Resource_PDU OverheatingAssistance_PDU OverheatingAssistance-r17_PDU P-Max_PDU PDCCH-ConfigSIB1_PDU PH-TypeListMCG_PDU PH-TypeListSCG_PDU PosMeasGapPreConfigToAddModList-r17_PDU PosMeasGapPreConfigToReleaseList-r17_PDU RA-ReportList-r16_PDU RACH-ConfigCommon_PDU RadioBearerConfig_PDU ReferenceTime-r16_PDU ReportConfigToAddMod_PDU RLC-BearerConfig_PDU RRCReconfiguration_PDU RRCReconfigurationComplete_PDU SchedulingRequestResourceConfig_PDU SDT-MAC-PHY-CG-Config-r17_PDU SIB1_PDU SIB2_PDU SIB3_PDU SIB4_PDU SIB5_PDU SIB6_PDU SIB7_PDU SIB8_PDU SIB9_PDU SIB10-r16_PDU SIB11-r16_PDU SIB12-r16_PDU SIB13-r16_PDU SIB14-r16_PDU SIB15-r17_PDU SIB16-r17_PDU SIB17-r17_PDU SIB18-r17_PDU SIB19-r17_PDU SIB20-r17_PDU SIB21-r17_PDU SidelinkParametersNR-r16_PDU SidelinkUEInformationNR-r16_PDU SL-ConfigDedicatedEUTRA-Info-r16_PDU SL-ConfigDedicatedNR-r16_PDU SL-PHY-MAC-RLC-Config-r16_PDU SL-RLC-ChannelToAddModList-r17_PDU SRS-PosRRC-InactiveConfig-r17_PDU SuccessHO-Report-r17_PDU TDD-UL-DL-ConfigCommon_PDU UE-CapabilityRAT-ContainerList_PDU UE-CapabilityRequestFilterCommon_PDU UE-CapabilityRequestFilterNR_PDU UE-MRDC-Capability_PDU UE-NR-Capability_PDU UEAssistanceInformation_PDU UERadioPagingInformation_PDU UL-DCCH-Message_PDU UL-GapFR2-Config-r17_PDU UplinkTxDirectCurrentList_PDU UplinkTxDirectCurrentTwoCarrierList-r16_PDU VisitedCellInfoList-r16_PDU #.PDU BandCombinationIndex BandCombinationInfoSN BandParametersSidelink-r16 BCCH-BCH-Message @bcch.bch BCCH-DL-SCH-Message @bcch.dl.sch CellGroupConfig CondReconfigExecCondSCG-r17 ConfigRestrictInfoDAPS-r16 CG-Config CG-ConfigInfo ConfigRestrictInfoSCG DL-CCCH-Message @dl.ccch DL-DCCH-Message @dl.dcch DRX-Config FeatureSetEntryIndex FreqBandList HandoverCommand HandoverPreparationInformation LocationMeasurementInfo MBS-NeighbourCellList-r17 MBSInterestIndication-r17 MCCH-Message-r17 @mcch MeasConfig MeasGapConfig MeasGapSharingConfig MeasObjectToAddMod MeasResultSCG-Failure MeasurementTimingConfiguration MIB MRB-PDCP-ConfigBroadcast-r17 MUSIM-GapConfig-r17 NeedForGapsInfoNR-r16 NeedForGapNCSG-InfoEUTRA-r17 NeedForGapNCSG-InfoNR-r17 NonCellDefiningSSB-r17 NZP-CSI-RS-Resource OverheatingAssistance OverheatingAssistance-r17 P-Max PCCH-Message @pcch PDCCH-ConfigSIB1 PH-TypeListMCG PH-TypeListSCG PosMeasGapPreConfigToAddModList-r17 PosMeasGapPreConfigToReleaseList-r17 RA-ReportList-r16 RACH-ConfigCommon RadioBearerConfig ReferenceTime-r16 ReportConfigToAddMod RLC-BearerConfig RRCReconfiguration @rrc_reconf RRCReconfigurationComplete @rrc_reconf_compl SBCCH-SL-BCH-Message @sbcch.sl.bch SCCH-Message @scch SchedulingRequestResourceConfig SDT-MAC-PHY-CG-Config-r17 SidelinkParametersNR-r16 SidelinkUEInformationNR-r16 SIB1 SIB2 SIB3 SIB4 SIB5 SIB6 SIB7 SIB8 SIB9 SIB10-r16 SIB11-r16 SIB12-r16 SIB13-r16 SIB14-r16 SIB15-r17 SIB16-r17 SIB17-r17 SIB18-r17 SIB19-r17 SIB20-r17 SIB21-r17 SL-ConfigDedicatedEUTRA-Info-r16 SL-ConfigDedicatedNR-r16 SL-MeasResultListRelay-r17 SL-MeasResultRelay-r17 SL-PHY-MAC-RLC-Config-r16 SL-RLC-ChannelToAddModList-r17 SRS-PosRRC-InactiveConfig-r17 SuccessHO-Report-r17 TDD-UL-DL-ConfigCommon UE-CapabilityRAT-ContainerList UE-CapabilityRequestFilterCommon UE-CapabilityRequestFilterNR UE-MRDC-Capability @ue_mrdc_cap UE-NR-Capability @ue_nr_cap UEAssistanceInformation UECapabilityInformationSidelink UERadioAccessCapabilityInformation @ue_radio_access_cap_info UERadioPagingInformation @ue_radio_paging_info UL-CCCH-Message @ul.ccch UL-CCCH1-Message @ul.ccch1 UL-DCCH-Message @ul.dcch UL-GapFR2-Config-r17 UplinkTxDirectCurrentList UplinkTxDirectCurrentTwoCarrierList-r16 VisitedCellInfoList-r16 #.END #.OMIT_ASSIGNMENT CG-CandidateInfo-r17 CG-CandidateInfoId-r17 CG-CandidateList CG-CandidateList-r17-IEs SIB12-IEs-r16 SIB17-IEs-r17 SL-BWP-ConfigCommon-r16 SL-BWP-DiscPoolConfigCommon-r17 SL-BWP-PoolConfigCommon-r16 SL-ConfigCommonNR-r16 SL-DiscConfigCommon-r17 SL-EUTRA-AnchorCarrierFreqList-r16 SL-FreqConfigCommon-r16 SL-MeasConfigCommon-r16 SL-NR-AnchorCarrierFreqList-r16 SL-ServingCellInfo-r17 TRS-ResourceSet-r17 UE-TimersAndConstantsRemoteUE-r17 #.FIELD_RENAME RRM-Config/eag_1/candidateCellInfoListSN-EUTRA rRM-Config_eag_1_candidateCellInfoListSN-EUTRA CG-Config-v1560-IEs/candidateCellInfoListSN-EUTRA cG-Config-v1560-IEs_candidateCellInfoListSN-EUTRA CG-ConfigInfo-v1560-IEs/candidateCellInfoListSN-EUTRA cG-ConfigInfo-v1560-IEs_candidateCellInfoListSN-EUTRA CellAccessRelatedInfo-EUTRA-5GC/cellIdentity-eutra-5gc cellAccessRelatedInfo-EUTRA-5GC_cellIdentity-eutra-5gc CGI-InfoEUTRALogging/cellIdentity-eutra-5gc cGI-InfoEUTRALogging_cellIdentity-eutra-5gc ConfiguredGrantConfig/rrc-ConfiguredUplinkGrant/frequencyDomainAllocation configuredGrantConfig_rrc-ConfiguredUplinkGrant_frequencyDomainAllocation ConfigRestrictInfoSCG/dummy configRestrictInfoSCG_dummy EUTRA-FreqNeighCellInfo/dummy eUTRA-FreqNeighCellInfo_dummy CSI-ReportConfig/dummy cSI-ReportConfig_dummy PHR-Config/dummy pHR-Config_dummy RateMatchPattern/dummy rateMatchPattern_dummy UplinkConfigCommon/dummy uplinkConfigCommon_dummy CA-ParametersNR/dummy cA-ParametersNR_dummy CA-ParametersNR-v1550/dummy cA-ParametersNR-v1550_dummy MAC-ParametersCommon/dummy mAC-ParametersCommon_dummy NRDC-Parameters/dummy nRDC-Parameters_dummy Phy-ParametersCommon/eag_1/dummy phy-ParametersCommon_eag_1_dummy Phy-ParametersFR2/dummy phy-ParametersFR2_dummy UE-NR-Capability-v1530/dummy uE-NR-Capability-v1530_dummy SIB13-r16/dummy sIB13-r16_dummy MeasAndMobParametersCommon/eag_5/dummy measAndMobParametersCommon_eag_5_dummy SL-ResourcePool-r16/dummy sL-ResourcePool-r16_dummy SearchSpace/searchSpaceType/common/dci-Format2-3/dummy1 searchSpace_searchSpaceType__common_dci-Format2-3_dummy1 FeatureSetDownlink/dummy1 featureSetDownlink_dummy1 FeatureSetUplink/dummy1 featureSetUplink_dummy1 MIMO-ParametersPerBand/dummy1 mIMO-ParametersPerBand_dummy1 Phy-ParametersFRX-Diff/dummy1 phy-ParametersFRX-Diff_dummy1 SearchSpace/searchSpaceType/common/dci-Format2-3/dummy2 searchSpace_searchSpaceType_common_dci-Format2-3_dummy2 FeatureSetDownlink/dummy2 featureSetDownlink-dummy2 FeatureSetUplink/dummy2 featureSetUplink-dummy2 MIMO-ParametersPerBand/dummy2 mIMO-ParametersPerBand_dummy2 Phy-ParametersFRX-Diff/dummy2 phy-ParametersFRX-Diff_dummy2 ServingCellConfig/eag_2/dummy2 servingCellConfig_eag_2_dummy2 NRDC-Parameters/dummy2 nRDC-Parameters_dummy2 FeatureSetDownlink/dummy3 featureSetDownlink_dummy3 MIMO-ParametersPerBand/dummy3 mIMO-ParametersPerBand_dummy3 Phy-ParametersFRX-Diff/dummy3 phy-ParametersFRX-Diff_dummy3 FeatureSetDownlink/dummy4 featureSetDownlink_dummy4 MIMO-ParametersPerBand/dummy4 mIMO-ParametersPerBand_dummy4 FeatureSetDownlink/dummy5 featureSetDownlink_dummy5 MIMO-ParametersPerBand/dummy5 mIMO-ParametersPerBand_dummy5 FeatureSetDownlink/dummy6 featureSetDownlink_dummy6 MIMO-ParametersPerBand/eag_1/dummy6 mIMO-ParametersPerBand_eag_1_dummy6 MeasQuantityResults/rsrp measQuantityResults_rsrp MeasTriggerQuantity/rsrp measTriggerQuantity_rsrp MeasQuantityResultsEUTRA/rsrp measQuantityResultsEUTRA_rsrp MeasTriggerQuantityEUTRA/rsrp measTriggerQuantityEUTRA_rsrp MeasTriggerQuantityOffset/rsrp measTriggerQuantityOffset_rsrp MeasReportQuantity/rsrp measReportQuantity_rsrp MeasQuantityResults/rsrq measQuantityResults_rsrq MeasTriggerQuantity/rsrq measTriggerQuantity_rsrq MeasQuantityResultsEUTRA/rsrq measQuantityResultsEUTRA_rsrq MeasTriggerQuantityEUTRA/rsrq measTriggerQuantityEUTRA_rsrq MeasTriggerQuantityOffset/rsrq measTriggerQuantityOffset_rsrq MeasReportQuantity/rsrq measReportQuantity_rsrq MeasQuantityResults/sinr measQuantityResultssinr MeasTriggerQuantity/sinr measTriggerQuantity_sinr MeasQuantityResultsEUTRA/sinr measQuantityResultsEUTRA_sinr MeasTriggerQuantityEUTRA/sinr measTriggerQuantityEUTRA_sinr MeasTriggerQuantityOffset/sinr measTriggerQuantityOffset_sinr MeasReportQuantity/sinr measReportQuantity_sinr MAC-CellGroupConfig/skipUplinkTxDynamic mAC-CellGroupConfig_skipUplinkTxDynamic FeatureSetDownlink-v1540/pdcch-MonitoringAnyOccasionsWithSpanGap/scs-15kHz featureSetDownlink-v1540_pdcch-MonitoringAnyOccasionsWithSpanGap_scs-15kHz FeatureSetDownlink-v1540/pdsch-ProcessingType2/scs-15kHz featureSetDownlink-v1540_pdsch-ProcessingType2_scs-15kHz FeatureSetUplink-v1540/pusch-ProcessingType2/scs-15kHz featureSetUplink-v1540_pusch-ProcessingType2_scs-15kHz FeatureSetUplink/pusch-ProcessingType1-DifferentTB-PerSlot/scs-15kHz featureSetUplink_pusch-ProcessingType1-DifferentTB-PerSlot_scs-15kHz MIMO-ParametersPerBand/maxNumberRxTxBeamSwitchDL/scs-15kHz mIMO-ParametersPerBand_maxNumberRxTxBeamSwitchDL_scs-15kHz MIMO-ParametersPerBand/beamReportTiming/scs-15kHz mIMO-ParametersPerBand_beamReportTiming_scs-15kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetDL/scs-15kHz mIMO-ParametersPerBand_ptrs-DensityRecommendationSetDL_scs-15kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetUL/scs-15kHz mIMO-ParametersPerBand_ptrs-DensityRecommendationSetUL_scs-15kHz BandNR/channelBWs-DL/fr1/scs-15kHz bandNR_channelBWs-DL_fr1_scs-15kHz BandNR/channelBWs-UL/fr1/scs-15kHz bandNR_channelBWs-UL_fr1_scs-15kHz BandNR/eag_4/channelBWs-DL-v1590/fr1/scs-15kHz bandNR_eag_4_channelBWs-DL-v1590_fr1_scs-15kHz BandNR/eag_4/channelBWs-UL-v1590/fr1/scs-15kHz bandNR_eag_4_channelBWs-UL-v1590_fr1_scs-15kHz BandNR/eag_6/channelBW-DL-IAB-r16/fr1-100mhz/scs-15kHz bandNR_eag_6_channelBW-DL-IAB-r16_fr1-100mhz_scs-15kHz BandNR/eag_6/channelBW-UL-IAB-r16/fr1-100mhz/scs-15kHz bandNR_eag_6_channelBW-UL-IAB-r16_fr1-100mhz_scs-15kHz FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-30kHz-r16 featureSetDownlink-v1610_cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16_scs-30kHz-r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-30kHz-r16 featureSetDownlink-v1610_cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16_scs-30kHz-r16 FeatureSetDownlink-v1610/pdcch-Monitoring-r16/pdsch-ProcessingType1-r16/scs-30kHz-r16 featureSetDownlink-v1610_pdcch-Monitoring-r16_pdsch-ProcessingType1-r16_scs-30kHz-r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-30kHz-r16 featureSetUplink-v1610_cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16_scs-30kHz-r16 MinTimeGap-r16/scs-30kHz-r16 minTimeGap-r16_scs-30kHz-r16 BandSidelink-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-30kHz-r16 bandSidelink-r16_sl-Reception-r16_scs-CP-PatternRxSidelink-r16_fr1-r16_scs-30kHz-r16 BandSidelink-r16/sl-TransmissionMode1-r16/scs-CP-PatternTxSidelinkModeOne-r16/fr1-r16/scs-30kHz-r16 bandSidelink-r16_sl-TransmissionMode1-r16_scs-CP-PatternTxSidelinkModeOne-r16_fr1-r16_scs-30kHz-r16 BandSidelinkPC5-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-30kHz-r16 bandSidelinkPC5-r16_sl-Reception-r16_scs-CP-PatternRxSidelink-r16_fr1-r16_scs-30kHz-r16 FeatureSetDownlink/timeDurationForQCL/scs-60kHz featureSetDownlink_timeDurationForQCL_scs-60kHz FeatureSetDownlink-v1540/pdsch-ProcessingType2/scs-60kHz featureSetDownlink-v1540_pdsch-ProcessingType2_scs-60kHz FeatureSetUplink-v1540/pusch-ProcessingType2/scs-60kHz featureSetUplink-v1540_pusch-ProcessingType2_scs-60kHz FeatureSetUplink/pusch-ProcessingType1-DifferentTB-PerSlot/scs-60kHz featureSetUplink_pusch-ProcessingType1-DifferentTB-PerSlot_scs-60kHz MIMO-ParametersPerBand/maxNumberRxTxBeamSwitchDL/scs-60kHz mIMO-ParametersPerBand_maxNumberRxTxBeamSwitchDL_scs-60kHz MIMO-ParametersPerBand/beamReportTiming/scs-60kHz mIMO-ParametersPerBand_beamReportTiming_scs-60kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetDL/scs-60kHz mIMO-ParametersPerBand_ptrs-DensityRecommendationSetDL_scs-60kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetUL/scs-60kHz mIMO-ParametersPerBand_ptrs-DensityRecommendationSetUL_scs-60kHz MIMO-ParametersPerBand/eag_1/beamSwitchTiming/scs-60kHz mIMO-ParametersPerBand_eag_1_beamSwitchTiming_scs-60kHz BandNR/channelBWs-DL/fr1/scs-60kHz bandNR_channelBWs-DL_fr1_scs-60kHz BandNR/channelBWs-UL/fr1/scs-60kHz bandNR_channelBWs-UL_fr1_scs-60kHz BandNR/channelBWs-DL/fr2/scs-60kHz bandNR_channelBWs-DL_fr2_scs-60kHz BandNR/channelBWs-UL/fr2/scs-60kHz bandNR_channelBWs-UL_fr2_scs-60kHz BandNR/eag_4/channelBWs-DL-v1590/fr1/scs-60kHz bandNR_eag_4_channelBWs-DL-v1590_fr1_scs-60kHz BandNR/eag_4/channelBWs-UL-v1590/fr1/scs-60kHz bandNR_eag_4_channelBWs-UL-v1590_fr1_scs-60kHz BandNR/eag_4/channelBWs-DL-v1590/fr2/scs-60kHz bandNR_eag_4_channelBWs-DL-v1590_fr2_scs-60kHz BandNR/eag_4/channelBWs-UL-v1590/fr2/scs-60kHz bandNR_eag_4_channelBWs-UL-v1590_fr2_scs-60kHz BandNR/eag_6/channelBW-DL-IAB-r16/fr1-100mhz/scs-60kHz bandNR_eag_6_channelBW-DL-IAB-r16_fr1-100mhz_scs-60kHz BandNR/eag_6/channelBW-DL-IAB-r16/fr2-200mhz/scs-60kHz bandNR_eag_6_channelBW-DL-IAB-r16_fr2-200mhz_scs-60kHz BandNR/eag_6/channelBW-UL-IAB-r16/fr1-100mhz/scs-60kHz bandNR_eag_6_channelBW-UL-IAB-r16_fr1-100mhz_scs-60kHz BandNR/eag_6/channelBW-UL-IAB-r16/fr2-200mhz/scs-60kHz bandNR_eag_6_channelBW-UL-IAB-r16_fr2-200mhz_scs-60kHz FeatureSetDownlink/timeDurationForQCL/scs-120kHz featureSetDownlink_timeDurationForQCL_scs-120kHz FeatureSetDownlink/pdsch-ProcessingType1-DifferentTB-PerSlot/scs-120kHz featureSetDownlink_pdsch-ProcessingType1-DifferentTB-PerSlot_scs-120kHz FeatureSetDownlink-v1540/pdcch-MonitoringAnyOccasionsWithSpanGap/scs-120kHz featureSetDownlink-v1540_pdcch-MonitoringAnyOccasionsWithSpanGap_scs-120kHz FeatureSetUplink/pusch-ProcessingType1-DifferentTB-PerSlot/scs-120kHz featureSetUplink_pusch-ProcessingType1-DifferentTB-PerSlot_scs-120kHz MIMO-ParametersPerBand/maxNumberRxTxBeamSwitchDL/scs-120kHz mIMO-ParametersPerBand_maxNumberRxTxBeamSwitchDL_scs-120kHz MIMO-ParametersPerBand/beamReportTiming/scs-120kHz mIMO-ParametersPerBand_beamReportTiming_scs-120kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetDL/scs-120kHz mIMO-ParametersPerBand_ptrs-DensityRecommendationSetDL_scs-120kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetUL/scs-120kHz mIMO-ParametersPerBand_ptrs-DensityRecommendationSetUL_scs-120kHz MIMO-ParametersPerBand/eag_1/beamSwitchTiming/scs-120kHz mIMO-ParametersPerBand_eag_1_beamSwitchTiming_scs-120kHz BandNR/channelBWs-DL/fr2/scs-120kHz bandNR_channelBWs-DL_fr2_scs-120kHz BandNR/channelBWs-UL/fr2/scs-120kHz bandNR_channelBWs-UL_fr2_scs-120kHz BandNR/eag_4/channelBWs-DL-v1590/fr2/scs-120kHz bandNR_eag_4_channelBWs-DL-v1590_fr2_scs-120kHz BandNR/eag_4/channelBWs-UL-v1590/fr2/scs-120kHz bandNR_eag_4_channelBWs-UL-v1590_fr2_scs-120kHz BandNR/eag_6/channelBW-DL-IAB-r16/fr2-200mhz/scs-120kHz bandNR_eag_6_channelBW-DL-IAB-r16_fr2-200mhz_scs-120kHz BandNR/eag_6/channelBW-UL-IAB-r16/fr2-200mhz/scs-120kHz bandNR_eag_6_channelBW-UL-IAB-r16_fr2-200mhz_scs-120kHz FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-15kHz-r16 featureSetDownlink-v1610_cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16_scs-15kHz-r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-15kHz-r16 featureSetDownlink-v1610_cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16_scs-15kHz-r16 FeatureSetDownlink-v1610/pdcch-Monitoring-r16/pdsch-ProcessingType1-r16/scs-15kHz-r16 featureSetDownlink-v1610_pdcch-Monitoring-r16_pdsch-ProcessingType1-r16_scs-15kHz-r16 FeatureSetDownlink-v1610/pdcch-Monitoring-r16/pdsch-ProcessingType2-r16/scs-15kHz-r16 featureSetDownlink-v1610_pdcch-Monitoring-r16_pdsch-ProcessingType2-r16_scs-15kHz-r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-15kHz-r16 featureSetUplink-v1610_cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16_scs-15kHz-r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-15kHz-r16 featureSetUplink-v1610_cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16_scs-15kHz-r16 BandSidelink-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-15kHz-r16 bandSidelink-r16_sl-Reception-r16_scs-CP-PatternRxSidelink-r16_fr1-r16_scs-15kHz-r16 BandSidelink-r16/sl-TransmissionMode1-r16/scs-CP-PatternTxSidelinkModeOne-r16/fr1-r16/scs-15kHz-r16 bandSidelink-r16_sl-TransmissionMode1-r16_scs-CP-PatternTxSidelinkModeOne-r16_fr1-r16_scs-15kHz-r16 BandSidelinkPC5-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-15kHz-r16 bandSidelinkPC5-r16_sl-Reception-r16_scs-CP-PatternRxSidelink-r16_fr1-r16_scs-15kHz-r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-30kHz-r16 featureSetUplink-v1610_cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16_scs-30kHz-r16 Phy-ParametersFR1/scs-60kHz phy-ParametersFR1_scs-60kHz FeatureSetUplink-v1610/crossCarrierSchedulingProcessing-DiffSCS-r16/scs-60kHz-120kHz-r16 featureSetUplink-v1610_crossCarrierSchedulingProcessing-DiffSCS-r16_scs-60kHz-120kHz-r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-60kHz-r16 featureSetDownlink-v1610_cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16_scs-60kHz-r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-60kHz-r16 featureSetDownlink-v1610_cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16_scs-60kHz-r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-60kHz-r16 featureSetUplink-v1610_cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16_scs-60kHz-r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-60kHz-r16 featureSetUplink-v1610_cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16_scs-60kHz-r16 MinTimeGap-r16/scs-60kHz-r16 minTimeGap-r16_scs-60kHz-r16 MIMO-ParametersPerBand/eag_2/beamSwitchTiming-r16/scs-60kHz-r16 mIMO-ParametersPerBand_eag_2_beamSwitchTiming-r16_scs-60kHz-r16 BandSidelink-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-60kHz-r16 bandSidelink-r16_sl-Reception-r16_scs-CP-PatternRxSidelink-r16_fr1-r16_scs-60kHz-r16 BandSidelink-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr2-r16/scs-60kHz-r16 bandSidelink-r16_sl-Reception-r16_scs-CP-PatternRxSidelink-r16_fr2-r16_scs-60kHz-r16 BandSidelink-r16/sl-TransmissionMode1-r16/scs-CP-PatternTxSidelinkModeOne-r16/fr1-r16/scs-60kHz-r16 bandSidelink-r16_sl-TransmissionMode1-r16_scs-CP-PatternTxSidelinkModeOne-r16_fr1-r16_scs-60kHz-r16 BandSidelink-r16/sl-TransmissionMode1-r16/scs-CP-PatternTxSidelinkModeOne-r16/fr2-r16/scs-60kHz-r16 bandSidelink-r16_sl-TransmissionMode1-r16_scs-CP-PatternTxSidelinkModeOne-r16_fr2-r16_scs-60kHz-r16 BandSidelinkPC5-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-60kHz-r16 bandSidelinkPC5-r16_sl-Reception-r16_scs-CP-PatternRxSidelink-r16_fr1-r16_scs-60kHz-r16 BandSidelinkPC5-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr2-r16/scs-60kHz-r16 bandSidelinkPC5-r16_sl-Reception-r16_scs-CP-PatternRxSidelink-r16_fr2-r16_scs-60kHz-r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-120kHz-r16 featureSetDownlink-v1610_cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16_scs-120kHz-r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-120kHz-r16 featureSetDownlink-v1610_cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16_scs-120kHz-r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-120kHz-r16 featureSetUplink-v1610_cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16_scs-120kHz-r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-120kHz-r16 featureSetUplink-v1610_cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16_scs-120kHz-r16 MinTimeGap-r16/scs-120kHz-r16 minTimeGap-r16_scs-120kHz-r16 MIMO-ParametersPerBand/eag_2/beamSwitchTiming-r16/scs-120kHz-r16 mIMO-ParametersPerBand_eag_2_beamSwitchTiming-r16_scs-120kHz-r16 BandSidelink-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr2-r16/scs-120kHz-r16 bandSidelink-r16_sl-Reception-r16_scs-CP-PatternRxSidelink-r16_fr2-r16_scs-120kHz-r16 BandSidelink-r16/sl-TransmissionMode1-r16/scs-CP-PatternTxSidelinkModeOne-r16/fr2-r16/scs-120kHz-r16 bandSidelink-r16_sl-TransmissionMode1-r16_scs-CP-PatternTxSidelinkModeOne-r16_fr2-r16_scs-120kHz-r16 BandSidelinkPC5-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr2-r16/scs-120kHz-r16 bandSidelinkPC5-r16_sl-Reception-r16_scs-CP-PatternRxSidelink-r16_fr2-r16_scs-120kHz-r16 SL-MeasReportQuantity-r16/sl-RSRP-r16 sL-MeasReportQuantity-r16_sl-RSRP-r16 MasterInformationBlockSidelink/slotIndex-r16 masterInformationBlockSidelink_slotIndex-r16 #.FIELD_ATTR RRM-Config/eag_1/candidateCellInfoListSN-EUTRA ABBREV=rRM_Config.eag_1.candidateCellInfoListSN_EUTRA CG-Config-v1560-IEs/candidateCellInfoListSN-EUTRA ABBREV=cG_Config_v1560_IEs.candidateCellInfoListSN_EUTRA CG-ConfigInfo-v1560-IEs/candidateCellInfoListSN-EUTRA ABBREV=cG_ConfigInfo_v1560_IEs.candidateCellInfoListSN_EUTRA CellAccessRelatedInfo-EUTRA-5GC/cellIdentity-eutra-5gc ABBREV=cellAccessRelatedInfo_EUTRA_5GC.cellIdentity_eutra_5gc CGI-InfoEUTRALogging/cellIdentity-eutra-5gc ABBREV=cGI_InfoEUTRALogging.cellIdentity_eutra_5gc ConfiguredGrantConfig/rrc-ConfiguredUplinkGrant/frequencyDomainAllocation ABBREV=configuredGrantConfig.rrc_ConfiguredUplinkGrant.frequencyDomainAllocation ConfigRestrictInfoSCG/dummy ABBREV=configRestrictInfoSCG.dummy EUTRA-FreqNeighCellInfo/dummy ABBREV=eUTRA_FreqNeighCellInfo.dummy CSI-ReportConfig/dummy ABBREV=cSI_ReportConfig.dummy PHR-Config/dummy ABBREV=pHR_Config.dummy RateMatchPattern/dummy ABBREV=rateMatchPattern.dummy UplinkConfigCommon/dummy ABBREV=uplinkConfigCommon.dummy CA-ParametersNR/dummy ABBREV=cA_ParametersNR.dummy CA-ParametersNR-v1550/dummy ABBREV=cA_ParametersNR_v1550.dummy MAC-ParametersCommon/dummy ABBREV=mAC_ParametersCommon.dummy NRDC-Parameters/dummy ABBREV=nRDC_Parameters.dummy Phy-ParametersCommon/eag_1/dummy ABBREV=phy_ParametersCommon.eag_1.dummy Phy-ParametersFR2/dummy ABBREV=phy_ParametersFR2.dummy UE-NR-Capability-v1530/dummy ABBREV=uE_NR_Capability_v1530.dummy SearchSpace/searchSpaceType/common/dci-Format2-3/dummy1 ABBREV=searchSpace.searchSpaceType.common.dci_Format2_3.dummy1 FeatureSetDownlink/dummy1 ABBREV=featureSetDownlink.dummy1 FeatureSetUplink/dummy1 ABBREV=featureSetUplink.dummy1 MIMO-ParametersPerBand/dummy1 ABBREV=mIMO_ParametersPerBand.dummy1 Phy-ParametersFRX-Diff/dummy1 ABBREV=phy_ParametersFRX_Diff.dummy1 SearchSpace/searchSpaceType/common/dci-Format2-3/dummy2 ABBREV=searchSpace.searchSpaceType.common.dci_Format2_3.dummy2 FeatureSetDownlink/dummy2 ABBREV=featureSetDownlink.dummy2 FeatureSetUplink/dummy2 ABBREV=featureSetUplink.dummy2 MIMO-ParametersPerBand/dummy2 ABBREV=mIMO_ParametersPerBand.dummy2 Phy-ParametersFRX-Diff/dummy2 ABBREV=phy_ParametersFRX_Diff.dummy2 FeatureSetDownlink/dummy3 ABBREV=featureSetDownlink.dummy3 MIMO-ParametersPerBand/dummy3 ABBREV=mIMO_ParametersPerBand.dummy3 Phy-ParametersFRX-Diff/dummy3 ABBREV=phy_ParametersFRX_Diff.dummy3 FeatureSetDownlink/dummy4 ABBREV=featureSetDownlink.dummy4 MIMO-ParametersPerBand/dummy4 ABBREV=mIMO_ParametersPerBand.dummy4 FeatureSetDownlink/dummy5 ABBREV=featureSetDownlink.dummy5 MIMO-ParametersPerBand/dummy5 ABBREV=mIMO_ParametersPerBand.dummy5 FeatureSetDownlink/dummy6 ABBREV=featureSetDownlink.dummy6 MIMO-ParametersPerBand/eag_1/dummy6 ABBREV=mIMO_ParametersPerBand.eag_1.dummy6 SIB13-r16/dummy ABBREV=sIB13_r16.dummy MeasAndMobParametersCommon/eag_5/dummy ABBREV=measAndMobParametersCommon.eag_5.dummy SL-ResourcePool-r16/dummy ABBREV=sL_ResourcePool_r16.dummy ServingCellConfig/eag_2/dummy2 ABBREV=servingCellConfig.eag_2.dummy2 NRDC-Parameters/dummy2 ABBREV=nRDC_Parameters.dummy2 MeasQuantityResults/rsrp ABBREV=measQuantityResults.rsrp MeasTriggerQuantity/rsrp ABBREV=measTriggerQuantity.rsrp MeasQuantityResultsEUTRA/rsrp ABBREV=measQuantityResultsEUTRA.rsrp MeasTriggerQuantityEUTRA/rsrp ABBREV=measTriggerQuantityEUTRA.rsrp MeasTriggerQuantityOffset/rsrp ABBREV=measTriggerQuantityOffset.rsrp MeasReportQuantity/rsrp ABBREV=measReportQuantity.rsrp MeasQuantityResults/rsrq ABBREV=measQuantityResults.rsrq MeasTriggerQuantity/rsrq ABBREV=measTriggerQuantity.rsrq MeasQuantityResultsEUTRA/rsrq ABBREV=measQuantityResultsEUTRA.rsrq MeasTriggerQuantityEUTRA/rsrq ABBREV=measTriggerQuantityEUTRA.rsrq MeasTriggerQuantityOffset/rsrq ABBREV=measTriggerQuantityOffset.rsrq MeasReportQuantity/rsrq ABBREV=measReportQuantity.rsrq MeasQuantityResults/sinr ABBREV=measQuantityResults.sinr MeasTriggerQuantity/sinr ABBREV=measTriggerQuantity.sinr MeasQuantityResultsEUTRA/sinr ABBREV=measQuantityResultsEUTRA.sinr MeasTriggerQuantityEUTRA/sinr ABBREV=measTriggerQuantityEUTRA.sinr MeasTriggerQuantityOffset/sinr ABBREV=measTriggerQuantityOffset.sinr MeasReportQuantity/sinr ABBREV=measReportQuantity.sinr MAC-CellGroupConfig/skipUplinkTxDynamic ABBREV=mAC_CellGroupConfig.skipUplinkTxDynamic FeatureSetDownlink-v1540/pdcch-MonitoringAnyOccasionsWithSpanGap/scs-15kHz ABBREV=featureSetDownlink_v1540.pdcch_MonitoringAnyOccasionsWithSpanGap.scs_15kHz FeatureSetDownlink-v1540/pdsch-ProcessingType2/scs-15kHz ABBREV=featureSetDownlink_v1540.pdsch_ProcessingType2.scs_15kHz FeatureSetUplink-v1540/pusch-ProcessingType2/scs-15kHz ABBREV=featureSetUplink_v1540.pusch_ProcessingType2.scs_15kHz FeatureSetUplink/pusch-ProcessingType1-DifferentTB-PerSlot/scs-15kHz ABBREV=featureSetUplink.pusch_ProcessingType1_DifferentTB_PerSlot.scs_15kHz MIMO-ParametersPerBand/maxNumberRxTxBeamSwitchDL/scs-15kHz ABBREV=mIMO_ParametersPerBand.maxNumberRxTxBeamSwitchDL.scs_15kHz MIMO-ParametersPerBand/beamReportTiming/scs-15kHz ABBREV=mIMO_ParametersPerBand.beamReportTiming.scs_15kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetDL/scs-15kHz ABBREV=mIMO_ParametersPerBand.ptrs_DensityRecommendationSetDL.scs_15kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetUL/scs-15kHz ABBREV=mIMO_ParametersPerBand.ptrs_DensityRecommendationSetUL.scs_15kHz BandNR/channelBWs-DL/fr1/scs-15kHz ABBREV=bandNR.channelBWs_DL.fr1.scs_15kHz BandNR/channelBWs-UL/fr1/scs-15kHz ABBREV=bandNR.channelBWs_UL.fr1.scs_15kHz BandNR/eag_4/channelBWs-DL-v1590/fr1/scs-15kHz ABBREV=bandNR.eag_4.channelBWs_DL_v1590.fr1.scs_15kHz BandNR/eag_4/channelBWs-UL-v1590/fr1/scs-15kHz ABBREV=bandNR.eag_4.channelBWs_UL_v1590.fr1.scs_15kHz BandNR/eag_6/channelBW-DL-IAB-r16/fr1-100mhz/scs-15kHz ABBREV=bandNR.eag_6.channelBW_DL_IAB_r16.fr1_100mhz.scs_15kHz BandNR/eag_6/channelBW-UL-IAB-r16/fr1-100mhz/scs-15kHz ABBREV=bandNR.eag_6.channelBW_UL_IAB_r16.fr1_100mhz.scs_15kHz FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-30kHz-r16 ABBREV=featureSetDownlink_v1610.cbgPDSCH_ProcessingType1_DifferentTB_PerSlot_r16.scs_30kHz_r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-30kHz-r16 ABBREV=featureSetDownlink_v1610.cbgPDSCH_ProcessingType2_DifferentTB_PerSlot_r16.scs_30kHz_r16 FeatureSetDownlink-v1610/pdcch-Monitoring-r16/pdsch-ProcessingType1-r16/scs-30kHz-r16 ABBREV=featureSetDownlink_v1610.pdcch_Monitoring_r16.pdsch_ProcessingType1_r16.scs_30kHz_r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-30kHz-r16 ABBREV=featureSetUplink_v1610.cbgPUSCH_ProcessingType1_DifferentTB_PerSlot_r16.scs_30kHz_r16 MinTimeGap-r16/scs-30kHz-r16 ABBREV=minTimeGap_r16.scs_30kHz_r16 BandSidelink-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-30kHz-r16 ABBREV=bandSidelink_r16.sl_Reception_r16.scs_CP_PatternRxSidelink_r16.fr1_r16.scs_30kHz_r16 BandSidelink-r16/sl-TransmissionMode1-r16/scs-CP-PatternTxSidelinkModeOne-r16/fr1-r16/scs-30kHz-r16 ABBREV=bandSidelink_r16.sl_TransmissionMode1_r16.scs_CP_PatternTxSidelinkModeOne_r16.fr1_r16.scs_30kHz_r16 BandSidelinkPC5-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-30kHz-r16 ABBREV=bandSidelinkPC5_r16.sl_Reception_r16.scs_CP_PatternRxSidelink_r16.fr1_r16.scs_30kHz_r16 FeatureSetDownlink/timeDurationForQCL/scs-60kHz ABBREV=featureSetDownlink.timeDurationForQCL.scs_60kHz FeatureSetDownlink-v1540/pdcch-MonitoringAnyOccasionsWithSpanGap/scs-60kHz ABBREV=featureSetDownlink_v1540.pdcch_MonitoringAnyOccasionsWithSpanGap.scs_60kHz FeatureSetDownlink-v1540/pdsch-ProcessingType2/scs-60kHz ABBREV=featureSetDownlink_v1540.pdsch_ProcessingType2.scs_60kHz FeatureSetUplink-v1540/pusch-ProcessingType2/scs-60kHz ABBREV=featureSetUplink_v1540.pusch_ProcessingType2.scs_60kHz FeatureSetUplink/pusch-ProcessingType1-DifferentTB-PerSlot/scs-60kHz ABBREV=featureSetUplink.pusch_ProcessingType1_DifferentTB_PerSlot.scs_60kHz MIMO-ParametersPerBand/maxNumberRxTxBeamSwitchDL/scs-60kHz ABBREV=mIMO_ParametersPerBand.maxNumberRxTxBeamSwitchDL.scs_60kHz MIMO-ParametersPerBand/beamReportTiming/scs-60kHz ABBREV=mIMO_ParametersPerBand.beamReportTiming.scs_60kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetDL/scs-60kHz ABBREV=mIMO_ParametersPerBand.ptrs_DensityRecommendationSetDL.scs_60kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetUL/scs-60kHz ABBREV=mIMO_ParametersPerBand.ptrs_DensityRecommendationSetUL.scs_60kHz MIMO-ParametersPerBand/eag_1/beamSwitchTiming/scs-60kHz ABBREV=mIMO_ParametersPerBand.eag_1.beamSwitchTiming.scs_60kHz BandNR/channelBWs-DL/fr1/scs-60kHz ABBREV=bandNR.channelBWs_DL.fr1.scs_60kHz BandNR/channelBWs-UL/fr1/scs-60kHz ABBREV=bandNR.channelBWs_UL.fr1.scs_60kHz BandNR/channelBWs-DL/fr2/scs-60kHz ABBREV=bandNR.channelBWs_DL.fr2.scs_60kHz BandNR/channelBWs-UL/fr2/scs-60kHz ABBREV=bandNR.channelBWs_UL.fr2.scs_60kHz BandNR/eag_4/channelBWs-DL-v1590/fr1/scs-60kHz ABBREV=bandNR.eag_4.channelBWs_DL_v1590.fr1.scs_60kHz BandNR/eag_4/channelBWs-UL-v1590/fr1/scs-60kHz ABBREV=bandNR.eag_4.channelBWs_UL_v1590.fr1.scs_60kHz BandNR/eag_4/channelBWs-DL-v1590/fr2/scs-60kHz ABBREV=bandNR.eag_4.channelBWs_DL_v1590.fr2.scs_60kHz BandNR/eag_4/channelBWs-UL-v1590/fr2/scs-60kHz ABBREV=bandNR.eag_4.channelBWs_UL_v1590.fr2.scs_60kHz BandNR/eag_6/channelBW-DL-IAB-r16/fr1-100mhz/scs-60kHz ABBREV=bandNR.eag_6.channelBW_DL_IAB_r16.fr1_100mhz.scs_60kHz BandNR/eag_6/channelBW-DL-IAB-r16/fr2-200mhz/scs-60kHz ABBREV=bandNR.eag_6.channelBW_DL_IAB_r16.fr2_200mhz.scs_60kHz BandNR/eag_6/channelBW-UL-IAB-r16/fr1-100mhz/scs-60kHz ABBREV=bandNR.eag_6.channelBW_UL_IAB_r16.fr1_100mhz.scs_60kHz BandNR/eag_6/channelBW-UL-IAB-r16/fr2-200mhz/scs-60kHz ABBREV=bandNR.eag_6.channelBW_UL_IAB_r16.fr2_200mhz.scs_60kHz FeatureSetDownlink/timeDurationForQCL/scs-120kHz ABBREV=featureSetDownlink.timeDurationForQCL.scs_120kHz FeatureSetDownlink/pdsch-ProcessingType1-DifferentTB-PerSlot/scs-120kHz ABBREV=featureSetDownlink.pdsch_ProcessingType1_DifferentTB_PerSlot.scs_120kHz FeatureSetDownlink-v1540/pdcch-MonitoringAnyOccasionsWithSpanGap/scs-120kHz ABBREV=featureSetDownlink_v1540.pdcch_MonitoringAnyOccasionsWithSpanGap.scs_120kHz FeatureSetUplink/pusch-ProcessingType1-DifferentTB-PerSlot/scs-120kHz ABBREV=featureSetUplink.pusch_ProcessingType1_DifferentTB_PerSlot.scs_120kHz MIMO-ParametersPerBand/maxNumberRxTxBeamSwitchDL/scs-120kHz ABBREV=mIMO_ParametersPerBand.maxNumberRxTxBeamSwitchDL.scs_120kHz MIMO-ParametersPerBand/beamReportTiming/scs-120kHz ABBREV=mIMO_ParametersPerBand.beamReportTiming.scs_120kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetDL/scs-120kHz ABBREV=mIMO_ParametersPerBand.ptrs_DensityRecommendationSetDL.scs_120kHz MIMO-ParametersPerBand/ptrs-DensityRecommendationSetUL/scs-120kHz ABBREV=mIMO_ParametersPerBand.ptrs_DensityRecommendationSetUL.scs_120kHz MIMO-ParametersPerBand/eag_1/beamSwitchTiming/scs-120kHz ABBREV=mIMO_ParametersPerBand.eag_1.beamSwitchTiming.scs_120kHz BandNR/channelBWs-DL/fr2/scs-120kHz ABBREV=bandNR.channelBWs_DL.fr2.scs_120kHz BandNR/channelBWs-UL/fr2/scs-120kHz ABBREV=bandNR.channelBWs_UL.fr2.scs_120kHz BandNR/eag_4/channelBWs-DL-v1590/fr2/scs-120kHz ABBREV=bandNR.eag_4.channelBWs_DL_v1590.fr2.scs_120kHz BandNR/eag_4/channelBWs-UL-v1590/fr2/scs-120kHz ABBREV=bandNR.eag_4.channelBWs_UL_v1590.fr2.scs_120kHz BandNR/eag_6/channelBW-DL-IAB-r16/fr2-200mhz/scs-120kHz ABBREV=bandNR.eag_6.channelBW_DL_IAB_r16.fr2_200mhz.scs_120kHz BandNR/eag_6/channelBW-UL-IAB-r16/fr2-200mhz/scs-120kHz ABBREV=bandNR.eag_6.channelBW_UL_IAB_r16.fr2_200mhz.scs_120kHz FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-15kHz-r16 ABBREV=featureSetDownlink_v1610.cbgPDSCH_ProcessingType1_DifferentTB_PerSlot_r16.scs_15kHz_r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-15kHz-r16 ABBREV=featureSetDownlink_v1610.cbgPDSCH_ProcessingType2_DifferentTB_PerSlot_r16.scs_15kHz_r16 FeatureSetDownlink-v1610/pdcch-Monitoring-r16/pdsch-ProcessingType1-r16/scs-15kHz-r16 ABBREV=featureSetDownlink_v1610.pdcch_Monitoring_r16.pdsch_ProcessingType1_r16.scs_15kHz_r16 FeatureSetDownlink-v1610/pdcch-Monitoring-r16/pdsch-ProcessingType2-r16/scs-15kHz-r16 ABBREV=featureSetDownlink_v1610.pdcch_Monitoring_r16.pdsch_ProcessingType2_r16.scs_15kHz_r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-15kHz-r16 ABBREV=featureSetUplink_v1610.cbgPUSCH_ProcessingType1_DifferentTB_PerSlot_r16.scs_15kHz_r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-15kHz-r16 ABBREV=featureSetUplink_v1610_cbgPUSCH_ProcessingType2_DifferentTB_PerSlot_r16_scs_15kHz_r16 BandSidelink-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-15kHz-r16 ABBREV=bandSidelink_r16_sl_Reception_r16_scs_CP_PatternRxSidelink_r16_fr1_r16_scs_15kHz_r16 BandSidelink-r16/sl-TransmissionMode1-r16/scs-CP-PatternTxSidelinkModeOne-r16/fr1-r16/scs-15kHz-r16 ABBREV=bandSidelink_r16_sl_TransmissionMode1_r16_scs_CP_PatternTxSidelinkModeOne_r16_fr1_r16_scs_15kHz_r16 BandSidelinkPC5-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-15kHz-r16 ABBREV=bandSidelinkPC5_r16_sl_Reception_r16_scs_CP_PatternRxSidelink_r16_fr1_r16_scs_15kHz_r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-30kHz-r16 ABBREV=featureSetUplink_v1610.cbgPUSCH_ProcessingType2_DifferentTB_PerSlot_r16.scs_30kHz_r16 Phy-ParametersFR1/scs-60kHz ABBREV=phy_ParametersFR1.scs_60kHz FeatureSetUplink-v1610/crossCarrierSchedulingProcessing-DiffSCS-r16/scs-60kHz-120kHz-r16 ABBREV=featureSetUplink_v1610.crossCarrierSchedulingProcessing_DiffSCS_r16.scs_60kHz_120kHz_r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-60kHz-r16 ABBREV=featureSetDownlink_v1610.cbgPDSCH_ProcessingType1_DifferentTB_PerSlot_r16.scs_60kHz_r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-60kHz-r16 ABBREV=featureSetDownlink_v1610.cbgPDSCH_ProcessingType2_DifferentTB_PerSlot_r16.scs_60kHz_r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-60kHz-r16 ABBREV=featureSetUplink_v1610.cbgPUSCH_ProcessingType1_DifferentTB_PerSlot_r16.scs_60kHz_r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-60kHz-r16 ABBREV=featureSetUplink_v1610.cbgPUSCH_ProcessingType2_DifferentTB_PerSlot_r16.scs_60kHz_r16 MinTimeGap-r16/scs-60kHz-r16 ABBREV=minTimeGap_r16.scs_60kHz_r16 MIMO-ParametersPerBand/eag_2/beamSwitchTiming-r16/scs-60kHz-r16 ABBREV=mIMO_ParametersPerBand.eag_2.beamSwitchTiming_r16.scs_60kHz_r16 BandSidelink-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-60kHz-r16 ABBREV=bandSidelink_r16.sl_Reception_r16.scs_CP_PatternRxSidelink_r16.fr1_r16.scs_60kHz_r16 BandSidelink-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr2-r16/scs-60kHz-r16 ABBREV=bandSidelink_r16.sl_Reception_r16.scs_CP_PatternRxSidelink_r16.fr2_r16.scs_60kHz_r16 BandSidelink-r16/sl-TransmissionMode1-r16/scs-CP-PatternTxSidelinkModeOne-r16/fr1-r16/scs-60kHz-r16 ABBREV=bandSidelink_r16.sl_TransmissionMode1_r16.scs_CP_PatternTxSidelinkModeOne_r16.fr1_r16.scs_60kHz_r16 BandSidelink-r16/sl-TransmissionMode1-r16/scs-CP-PatternTxSidelinkModeOne-r16/fr2-r16/scs-60kHz-r16 ABBREV=bandSidelink_r16.sl_TransmissionMode1_r16.scs_CP_PatternTxSidelinkModeOne_r16.fr2_r16.scs_60kHz_r16 BandSidelinkPC5-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr1-r16/scs-60kHz-r16 ABBREV=bandSidelinkPC5_r16.sl_Reception_r16.scs_CP_PatternRxSidelink_r16.fr1_r16.scs_60kHz_r16 BandSidelinkPC5-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr2-r16/scs-60kHz-r16 ABBREV=bandSidelinkPC5_r16.sl_Reception_r16.scs_CP_PatternRxSidelink_r16.fr2_r16.scs_60kHz_r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-120kHz-r16 ABBREV=featureSetDownlink_v1610.cbgPDSCH_ProcessingType1_DifferentTB_PerSlot_r16.scs_120kHz_r16 FeatureSetDownlink-v1610/cbgPDSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-120kHz-r16 ABBREV=featureSetDownlink_v1610.cbgPDSCH_ProcessingType2_DifferentTB_PerSlot_r16.scs_120kHz_r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType1-DifferentTB-PerSlot-r16/scs-120kHz-r16 ABBREV=featureSetUplink_v1610.cbgPUSCH_ProcessingType1_DifferentTB_PerSlot_r16.scs_120kHz_r16 FeatureSetUplink-v1610/cbgPUSCH-ProcessingType2-DifferentTB-PerSlot-r16/scs-120kHz-r16 ABBREV=featureSetUplink_v1610.cbgPUSCH_ProcessingType2_DifferentTB_PerSlot_r16.scs_120kHz_r16 MinTimeGap-r16/scs-120kHz-r16 ABBREV=minTimeGap_r16.scs_120kHz_r16 MIMO-ParametersPerBand/eag_2/beamSwitchTiming-r16/scs-120kHz-r16 ABBREV=mIMO_ParametersPerBand.eag_2.beamSwitchTiming_r16.scs_120kHz_r16 BandSidelink-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr2-r16/scs-120kHz-r16 ABBREV=bandSidelink_r16.sl_Reception_r16.scs_CP_PatternRxSidelink_r16.fr2_r16.scs_120kHz_r16 BandSidelink-r16/sl-TransmissionMode1-r16/scs-CP-PatternTxSidelinkModeOne-r16/fr2-r16/scs-120kHz-r16 ABBREV=bandSidelink_r16.sl_TransmissionMode1_r16.scs_CP_PatternTxSidelinkModeOne_r16.fr2_r16.scs_120kHz_r16 BandSidelinkPC5-r16/sl-Reception-r16/scs-CP-PatternRxSidelink-r16/fr2-r16/scs-120kHz-r16 ABBREV=bandSidelinkPC5_r16.sl_Reception_r16.scs_CP_PatternRxSidelink_r16.fr2_r16.scs_120kHz_r16 SL-MeasReportQuantity-r16/sl-RSRP-r16 ABBREV=sL_MeasReportQuantity_r16.sl_RSRP_r16 MasterInformationBlockSidelink/slotIndex-r16 ABBREV=bmasterInformationBlockSidelink.slotIndex_r16 #.NO_EMIT ONLY_VALS #.MAKE_ENUM MobilityFromNRCommand-IEs/targetRAT-Type TYPE_PREFIX RAT-Type TYPE_PREFIX #.FN_HDR BCCH-BCH-Message proto_item *ti; col_set_str(actx->pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_clear(actx->pinfo->cinfo, COL_INFO); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(ti, ett_nr_rrc); #.FN_HDR BCCH-DL-SCH-Message proto_item *ti; col_set_str(actx->pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_clear(actx->pinfo->cinfo, COL_INFO); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(ti, ett_nr_rrc); #.FN_HDR DL-CCCH-Message proto_item *ti; col_set_str(actx->pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_clear(actx->pinfo->cinfo, COL_INFO); actx->pinfo->link_dir = P2P_DIR_DL; ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(ti, ett_nr_rrc); #.FN_HDR DL-DCCH-Message proto_item *ti; col_set_str(actx->pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_clear(actx->pinfo->cinfo, COL_INFO); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(ti, ett_nr_rrc); actx->pinfo->link_dir = P2P_DIR_DL; #.FN_HDR PCCH-Message proto_item *ti; col_set_str(actx->pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_clear(actx->pinfo->cinfo, COL_INFO); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(ti, ett_nr_rrc); #.FN_HDR UL-CCCH-Message proto_item *ti; col_set_str(actx->pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_clear(actx->pinfo->cinfo, COL_INFO); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(ti, ett_nr_rrc); actx->pinfo->link_dir = P2P_DIR_UL; #.FN_HDR UL-CCCH1-Message proto_item *ti; col_set_str(actx->pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_clear(actx->pinfo->cinfo, COL_INFO); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(ti, ett_nr_rrc); actx->pinfo->link_dir = P2P_DIR_UL; #.FN_HDR UL-DCCH-Message proto_item *ti; col_set_str(actx->pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_clear(actx->pinfo->cinfo, COL_INFO); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(ti, ett_nr_rrc); actx->pinfo->link_dir = P2P_DIR_UL; #.FN_BODY DLInformationTransferMRDC-r16-IEs/dl-DCCH-MessageNR-r16 VAL_PTR = &dl_dcch_msg_nr_tvb tvbuff_t *dl_dcch_msg_nr_tvb = NULL; %(DEFAULT_BODY)s if (dl_dcch_msg_nr_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_dl_DCCH_MessageNR); dissect_DL_DCCH_Message_PDU(dl_dcch_msg_nr_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY DLInformationTransferMRDC-r16-IEs/dl-DCCH-MessageEUTRA-r16 VAL_PTR = &dl_dcch_msg_eutra_tvb tvbuff_t *dl_dcch_msg_eutra_tvb = NULL; %(DEFAULT_BODY)s if (dl_dcch_msg_eutra_tvb && lte_rrc_dl_dcch_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_dl_DCCH_MessageEUTRA); nr_rrc_call_dissector(lte_rrc_dl_dcch_handle, dl_dcch_msg_eutra_tvb, actx->pinfo, subtree); } #.FN_BODY FailureReportMCG-r16/measResultSCG-EUTRA-r16 VAL_PTR = &meas_result_scg_fail_mrdc_tvb tvbuff_t *meas_result_scg_fail_mrdc_tvb = NULL; %(DEFAULT_BODY)s if (meas_result_scg_fail_mrdc_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_measResultSCG_FailureMRDC); dissect_lte_rrc_MeasResultSCG_FailureMRDC_r15_PDU(meas_result_scg_fail_mrdc_tvb, actx->pinfo, subtree, NULL); } #.FN_HDR MIB col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "MIB"); #.FN_HDR SystemInformation col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "System Information ["); #.FN_FTR SystemInformation col_append_str(actx->pinfo->cinfo, COL_INFO, " ]"); #.FN_HDR SIB2 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB2"); #.FN_HDR SIB3 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB3"); #.FN_HDR SIB4 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB4"); #.FN_HDR SIB5 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB5"); #.FN_HDR SIB6 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB6"); #.FN_HDR SIB7 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB7"); #.FN_HDR SIB8 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB8"); #.FN_HDR SIB9 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB9"); #.FN_HDR SIB10-r16 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB10"); #.FN_HDR SIB11-r16 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB11"); #.FN_HDR SIB12-r16 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB12"); #.FN_HDR SIB13-r16 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB13"); #.FN_HDR SIB14-r16 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB14"); #.FN_HDR SIB15-r17 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB15"); #.FN_HDR SIB16-r17 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB16"); #.FN_HDR SIB17-r17 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB17"); #.FN_HDR SIB18-r17 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB18"); #.FN_HDR SIB19-r17 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB19"); #.FN_HDR SIB20-r17 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB20"); #.FN_HDR SIB21-r17 col_append_str(actx->pinfo->cinfo, COL_INFO, " SIB21"); #.FN_HDR SIB1 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "SIB1"); #.FN_HDR RRCReject col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Reject"); #.FN_HDR RRCSetup col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Setup"); #.FN_HDR RRCReconfiguration col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Reconfiguration"); #.FN_HDR RRCResume col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Resume"); #.FN_HDR RRCRelease col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Release"); #.FN_HDR RRCReestablishment col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Reestablishment"); #.FN_HDR SecurityModeCommand col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Security Mode Command"); #.FN_HDR DLInformationTransfer col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "DL Information Transfer"); #.FN_HDR UECapabilityEnquiry col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UE Capability Enquiry"); #.FN_HDR CounterCheck col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Counter Check"); #.FN_HDR MobilityFromNRCommand col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Mobility From NR Command"); #.FN_HDR DLDedicatedMessageSegment-r16 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "DL Dedicated MessageSegment"); #.FN_HDR UEInformationRequest-r16 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UE Information Request"); #.FN_HDR DLInformationTransferMRDC-r16 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "DL InformationTransfer MRDC"); #.FN_HDR LoggedMeasurementConfiguration-r16 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Logged Measurement Configuration"); #.FN_HDR Paging col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Paging"); #.FN_HDR RRCSetupRequest col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Setup Request"); #.FN_HDR RRCResumeRequest col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Resume Request"); #.FN_HDR RRCReestablishmentRequest col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Reestablishment Request"); if (!PINFO_FD_VISITED(actx->pinfo)) { /* Look for UE identifier */ mac_nr_info *p_mac_nr_info = (mac_nr_info *)p_get_proto_data(wmem_file_scope(), actx->pinfo, proto_mac_nr, 0); if (p_mac_nr_info != NULL) { /* Inform PDCP about the RRCreestablishmentRequest */ set_pdcp_nr_rrc_reestablishment_request(p_mac_nr_info->ueid); } } #.FN_HDR RRCSystemInfoRequest col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC System Info Request"); #.FN_HDR RRCResumeRequest1 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Resume Request 1"); #.FN_HDR MeasurementReport col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Measurement Report"); #.FN_HDR RRCReconfigurationComplete col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Reconfiguration Complete"); #.FN_HDR RRCSetupComplete col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Setup Complete"); #.FN_HDR RRCReestablishmentComplete col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Reestablishment Complete"); #.FN_HDR RRCResumeComplete col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Resume Complete"); #.FN_HDR SecurityModeComplete col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Security Mode Complete"); #.FN_BODY SecurityModeFailure mac_nr_info *p_mac_nr_info; col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Security Mode Failure"); %(DEFAULT_BODY)s /* Look for UE identifier */ p_mac_nr_info = (mac_nr_info *)p_get_proto_data(wmem_file_scope(), actx->pinfo, proto_mac_nr, 0); if (p_mac_nr_info != NULL) { /* Inform PDCP that the UE failed to execute the securityModeCommand */ set_pdcp_nr_security_algorithms_failed(p_mac_nr_info->ueid); } #.FN_HDR ULInformationTransfer col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UL Information Transfer"); #.FN_HDR LocationMeasurementIndication col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Location Measurement Indication"); #.FN_HDR UECapabilityInformation col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UE Capability Information"); #.FN_HDR CounterCheckResponse col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Counter Check Response"); #.FN_HDR UEAssistanceInformation col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UE Assistance Information"); #.FN_HDR FailureInformation col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Failure Information"); #.FN_HDR ULInformationTransferMRDC col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UL Information Transfer MRDC"); #.FN_HDR SCGFailureInformation col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "SCG Failure Information"); #.FN_HDR SCGFailureInformationEUTRA col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "SCG Failure Information EUTRA"); #.FN_HDR ULDedicatedMessageSegment-r16 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UL Dedicated MessageSegment"); #.FN_HDR DedicatedSIBRequest-r16 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Dedicated SIB Request"); #.FN_HDR MCGFailureInformation-r16 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "MCG Failure Information"); #.FN_HDR UEInformationResponse-r16 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UE Information Response"); #.FN_HDR SidelinkUEInformationNR-r16 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Sidelink UE Information NR"); #.FN_HDR ULInformationTransferIRAT-r16 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UL Information Transfer IRAT"); #.FN_HDR IABOtherInformation-r16 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "IAB Other Information"); #.FN_HDR MBSInterestIndication-r17 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "MBS Interest Indication"); #.FN_HDR UEPositioningAssistanceInfo-r17 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UE Positioning Assistance Info"); #.FN_HDR MeasurementReportAppLayer-r17 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Measurement Report App Layer"); #.FN_BODY MRDC-SecondaryCellGroupConfig/mrdc-SecondaryCellGroup/eutra-SCG VAL_PTR = &eutra_scg_tvb tvbuff_t *eutra_scg_tvb = NULL; %(DEFAULT_BODY)s if (eutra_scg_tvb && lte_rrc_conn_reconf_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_eutra_SCG); nr_rrc_call_dissector(lte_rrc_conn_reconf_handle, eutra_scg_tvb, actx->pinfo, subtree); } #.FN_BODY RRCReconfigurationComplete-v1560-IEs/scg-Response/eutra-SCG-Response VAL_PTR = &eutra_scg_response_tvb tvbuff_t *eutra_scg_response_tvb = NULL; %(DEFAULT_BODY)s if (eutra_scg_response_tvb && lte_rrc_conn_reconf_compl_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_eutra_SCG_Response); nr_rrc_call_dissector(lte_rrc_conn_reconf_compl_handle, eutra_scg_response_tvb, actx->pinfo, subtree); } #.FN_BODY RRCResume-v1610-IEs/mrdc-SecondaryCellGroup-r16/eutra-SCG-r16 VAL_PTR = &eutra_scg_tvb tvbuff_t *eutra_scg_tvb = NULL; %(DEFAULT_BODY)s if (eutra_scg_tvb && lte_rrc_conn_reconf_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_eutra_SCG); nr_rrc_call_dissector(lte_rrc_conn_reconf_handle, eutra_scg_tvb, actx->pinfo, subtree); } #.FN_BODY RRCResumeComplete-v1610-IEs/scg-Response-r16/eutra-SCG-Response VAL_PTR = &eutra_scg_response_tvb tvbuff_t *eutra_scg_response_tvb = NULL; %(DEFAULT_BODY)s if (eutra_scg_response_tvb && lte_rrc_conn_reconf_compl_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_eutra_SCG_Response); nr_rrc_call_dissector(lte_rrc_conn_reconf_compl_handle, eutra_scg_response_tvb, actx->pinfo, subtree); } #.FN_BODY FailureReportSCG-EUTRA/measResultSCG-FailureMRDC VAL_PTR = &meas_result_scg_fail_mrdc_tvb tvbuff_t *meas_result_scg_fail_mrdc_tvb = NULL; %(DEFAULT_BODY)s if (meas_result_scg_fail_mrdc_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_measResultSCG_FailureMRDC); dissect_lte_rrc_MeasResultSCG_FailureMRDC_r15_PDU(meas_result_scg_fail_mrdc_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY ULInformationTransferMRDC-IEs/ul-DCCH-MessageNR VAL_PTR = &ul_dcch_msg_nr_tvb tvbuff_t *ul_dcch_msg_nr_tvb = NULL; %(DEFAULT_BODY)s if (ul_dcch_msg_nr_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_ul_DCCH_MessageNR); dissect_nr_rrc_UL_DCCH_Message_PDU(ul_dcch_msg_nr_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY ULInformationTransferMRDC-IEs/ul-DCCH-MessageEUTRA VAL_PTR = &ul_dcch_msg_eutra_tvb tvbuff_t *ul_dcch_msg_eutra_tvb = NULL; %(DEFAULT_BODY)s if (ul_dcch_msg_eutra_tvb && lte_rrc_ul_dcch_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_ul_DCCH_MessageEUTRA); nr_rrc_call_dissector(lte_rrc_ul_dcch_handle, ul_dcch_msg_eutra_tvb, actx->pinfo, subtree); } #.FN_BODY DedicatedNAS-Message VAL_PTR = &nas_5gs_tvb tvbuff_t *nas_5gs_tvb = NULL; %(DEFAULT_BODY)s if (nas_5gs_tvb && nas_5gs_handle) { proto_tree *nas_tree; if (nr_rrc_nas_in_root_tree) { nas_tree = proto_tree_get_root(tree); } else { nas_tree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_DedicatedNAS_Message); } nr_rrc_call_dissector(nas_5gs_handle, nas_5gs_tvb, actx->pinfo, nas_tree); } #.FN_BODY MobilityFromNRCommand-IEs/targetRAT-Type VAL_PTR = &target_rat_type guint32 target_rat_type; nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); %(DEFAULT_BODY)s nr_priv->target_rat_type = (guint8)target_rat_type; #.FN_BODY MobilityFromNRCommand-IEs/targetRAT-MessageContainer VAL_PTR = &target_rat_msg_cont_tvb tvbuff_t *target_rat_msg_cont_tvb = NULL; %(DEFAULT_BODY)s if (target_rat_msg_cont_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_targetRAT_MessageContainer); switch (nr_priv->target_rat_type) { case T_targetRAT_Type_eutra: /* eutra */ if (lte_rrc_dl_dcch_handle) nr_rrc_call_dissector(lte_rrc_dl_dcch_handle, target_rat_msg_cont_tvb, actx->pinfo, subtree); break; case T_targetRAT_Type_utra_fdd_v1610: /* utra-fdd */ dissect_rrc_HandoverToUTRANCommand_PDU(target_rat_msg_cont_tvb, actx->pinfo, subtree, NULL); break; default: break; } } #.FN_BODY MobilityFromNRCommand-IEs/nas-SecurityParamFromNR VAL_PTR = &nas_sec_param_tvb tvbuff_t *nas_sec_param_tvb = NULL; %(DEFAULT_BODY)s if (nas_sec_param_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_rr_rrc_nas_SecurityParamFromNR); switch (nr_priv->target_rat_type) { case T_targetRAT_Type_eutra: /* eutra */ de_nas_5gs_n1_mode_to_s1_mode_nas_transparent_cont(nas_sec_param_tvb, subtree, actx->pinfo); break; default: break; } } #.FN_BODY MasterKeyUpdate/nas-Container VAL_PTR = &nas_5gs_tvb tvbuff_t *nas_5gs_tvb = NULL; proto_tree *subtree; %(DEFAULT_BODY)s if (nas_5gs_tvb) { subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_nas_Container); de_nas_5gs_s1_mode_to_n1_mode_nas_transparent_cont(nas_5gs_tvb, subtree, actx->pinfo); } #.FN_BODY SL-ConfigDedicatedEUTRA-Info-r16/sl-ConfigDedicatedEUTRA-r16 VAL_PTR = &sl_config_ded_eutra_tvb tvbuff_t *sl_config_ded_eutra_tvb = NULL; proto_tree *subtree; %(DEFAULT_BODY)s if (sl_config_ded_eutra_tvb && lte_rrc_conn_reconf_handle) { subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_sl_ConfigDedicatedEUTRA); nr_rrc_call_dissector(lte_rrc_conn_reconf_handle, sl_config_ded_eutra_tvb, actx->pinfo, subtree); } #.TYPE_ATTR RejectWaitTime DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.TYPE_RENAME MeasTriggerQuantityUTRA-FDD-r16/utra-FDD-RSCP-r16 MeasTriggerQuantityUTRA_FDD_RSCP_r16 #.TYPE_ATTR MeasTriggerQuantityUTRA-FDD-r16/utra-FDD-RSCP-r16 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_measTriggerQuantity_utra_FDD_RSCP_r16_fmt) #.TYPE_RENAME MeasTriggerQuantityUTRA-FDD-r16/utra-FDD-EcN0-r16 MeasTriggerQuantityUTRA_FDD_EcN0_r16 #.TYPE_ATTR MeasTriggerQuantityUTRA-FDD-r16/utra-FDD-EcN0-r16 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_measTriggerQuantity_utra_FDD_EcN0_r16_fmt) #.TYPE_ATTR SIB1/cellSelectionInfo/q-RxLevMinOffset DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_q_RxLevMin_fmt) #.TYPE_ATTR SIB1/cellSelectionInfo/q-QualMinOffset DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.FN_BODY SL-TxResourceReq-r16/sl-CapabilityInformationSidelink-r16 VAL_PTR = &sl_cap_info_sidelink_tvb tvbuff_t *sl_cap_info_sidelink_tvb = NULL; %(DEFAULT_BODY)s if (sl_cap_info_sidelink_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_sl_CapabilityInformationSidelink); dissect_UECapabilityInformationSidelink_PDU(sl_cap_info_sidelink_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY SL-TxResourceReqL2U2N-Relay-r17/sl-CapabilityInformationSidelink-r17 VAL_PTR = &sl_cap_info_sidelink_tvb tvbuff_t *sl_cap_info_sidelink_tvb = NULL; %(DEFAULT_BODY)s if (sl_cap_info_sidelink_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_sl_CapabilityInformationSidelink); dissect_UECapabilityInformationSidelink_PDU(sl_cap_info_sidelink_tvb, actx->pinfo, subtree, NULL); } #.TYPE_ATTR LogMeasInfo-r16/relativeTimeStamp-r16 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.TYPE_ATTR RLF-Report-r16/nr-RLF-Report-r16/timeConnFailure-r16 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_timeConnFailure_r16_fmt) #.FN_BODY RLF-Report-r16/eutra-RLF-Report-r16/measResult-RLF-Report-EUTRA-r16 VAL_PTR = &meas_result_rlf_report_eutra_tvb tvbuff_t *meas_result_rlf_report_eutra_tvb = NULL; %(DEFAULT_BODY)s if (meas_result_rlf_report_eutra_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_measResult_RLF_Report_EUTRA); dissect_lte_rrc_RLF_Report_r9_PDU(meas_result_rlf_report_eutra_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY RLF-Report-r16/eutra-RLF-Report-r16/eag_1/measResult-RLF-Report-EUTRA-v1690 VAL_PTR = &meas_result_rlf_report_eutra_v1690_tvb tvbuff_t *meas_result_rlf_report_eutra_v1690_tvb = NULL; %(DEFAULT_BODY)s if (meas_result_rlf_report_eutra_v1690_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_measResult_RLF_Report_EUTRA_v1690); dissect_lte_rrc_RLF_Report_v9e0_PDU(meas_result_rlf_report_eutra_v1690_tvb, actx->pinfo, subtree, NULL); } #.TYPE_ATTR TimeSinceFailure-r16 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.TYPE_ATTR TimeUntilReconnection-r16 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.TYPE_ATTR TimeSinceCHO-Reconfig-r17 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_TimeSinceCHO_Reconfig_r17_fmt) #.TYPE_ATTR UPInterruptionTimeAtHO-r17 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_milliseconds #.FN_BODY ULInformationTransferIRAT-r16-IEs/ul-DCCH-MessageEUTRA-r16 VAL_PTR = &ul_dcch_msg_eutra_tvb tvbuff_t *ul_dcch_msg_eutra_tvb = NULL; %(DEFAULT_BODY)s if (ul_dcch_msg_eutra_tvb && lte_rrc_ul_dcch_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_ul_DCCH_MessageEUTRA); nr_rrc_call_dissector(lte_rrc_ul_dcch_handle, ul_dcch_msg_eutra_tvb, actx->pinfo, subtree); } #.TYPE_ATTR IntraFreqNeighCellInfo/q-RxLevMinOffsetCell DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_q_RxLevMin_fmt) #.TYPE_ATTR IntraFreqNeighCellInfo/q-RxLevMinOffsetCellSUL DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_q_RxLevMin_fmt) #.TYPE_ATTR IntraFreqNeighCellInfo/q-QualMinOffsetCell DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR InterFreqNeighCellInfo/q-RxLevMinOffsetCell DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_q_RxLevMin_fmt) #.TYPE_ATTR InterFreqNeighCellInfo/q-RxLevMinOffsetCellSUL DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_q_RxLevMin_fmt) #.TYPE_ATTR InterFreqNeighCellInfo/q-QualMinOffsetCell DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR CarrierFreqEUTRA/q-RxLevMin DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_q_RxLevMin_fmt) #.TYPE_ATTR CarrierFreqEUTRA/q-QualMin DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR CarrierFreqEUTRA/p-MaxEUTRA DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR EUTRA-FreqNeighCellInfo/q-RxLevMinOffsetCell DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_q_RxLevMin_fmt) #.TYPE_ATTR EUTRA-FreqNeighCellInfo/q-QualMinOffsetCell DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR SIB6/messageIdentifier TYPE=FT_UINT16 DISPLAY=BASE_DEC|BASE_EXT_STRING STRINGS=&lte_rrc_messageIdentifier_vals_ext #.FN_BODY SIB6/messageIdentifier VAL_PTR=&msg_id_tvb HF_INDEX=-1 tvbuff_t *msg_id_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB6/messageIdentifier if (msg_id_tvb) { actx->created_item = proto_tree_add_item(tree, hf_index, msg_id_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY SIB6/serialNumber VAL_PTR=&serial_nb_tvb tvbuff_t *serial_nb_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB6/serialNumber if (serial_nb_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_serialNumber); proto_tree_add_item(subtree, hf_nr_rrc_serialNumber_gs, serial_nb_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_nr_rrc_serialNumber_msg_code, serial_nb_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_nr_rrc_serialNumber_upd_nb, serial_nb_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY SIB6/warningType VAL_PTR=&warning_type_tvb tvbuff_t *warning_type_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB6/warningType if (warning_type_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_warningType); proto_tree_add_item(subtree, hf_nr_rrc_warningType_value, warning_type_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_nr_rrc_warningType_emergency_user_alert, warning_type_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_nr_rrc_warningType_popup, warning_type_tvb, 0, 2, ENC_BIG_ENDIAN); } #.TYPE_ATTR SIB7/messageIdentifier TYPE=FT_UINT16 DISPLAY=BASE_DEC|BASE_EXT_STRING STRINGS=&lte_rrc_messageIdentifier_vals_ext #.FN_BODY SIB7/messageIdentifier VAL_PTR=&msg_id_tvb HF_INDEX=-1 tvbuff_t *msg_id_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB7/messageIdentifier if (msg_id_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); nr_priv->message_identifier = tvb_get_ntohs(msg_id_tvb, 0) << 16; actx->created_item = proto_tree_add_item(tree, hf_index, msg_id_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY SIB7/serialNumber VAL_PTR=&serial_nb_tvb tvbuff_t *serial_nb_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB7/serialNumber if (serial_nb_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); proto_tree *subtree; nr_priv->message_identifier |= tvb_get_ntohs(serial_nb_tvb, 0); subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_serialNumber); proto_tree_add_item(subtree, hf_nr_rrc_serialNumber_gs, serial_nb_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_nr_rrc_serialNumber_msg_code, serial_nb_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_nr_rrc_serialNumber_upd_nb, serial_nb_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY SIB7/warningMessageSegmentType VAL_PTR=&segment_type nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); guint32 segment_type; %(DEFAULT_BODY)s nr_priv->warning_message_segment_type = (guint8)segment_type; #.FN_BODY SIB7/warningMessageSegmentNumber VAL_PTR=&segment_number nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); guint32 segment_number; %(DEFAULT_BODY)s nr_priv->warning_message_segment_number = (guint8)segment_number; #.FN_BODY SIB7/dataCodingScheme VAL_PTR=&data_coding_scheme_tvb tvbuff_t *data_coding_scheme_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB7/dataCodingScheme if (data_coding_scheme_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); proto_tree *subtree; guint32 dataCodingScheme; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_dataCodingScheme); dataCodingScheme = dissect_cbs_data_coding_scheme(data_coding_scheme_tvb, actx->pinfo, subtree, 0); wmem_map_insert(nr_rrc_etws_cmas_dcs_hash, GUINT_TO_POINTER((guint)nr_priv->message_identifier), GUINT_TO_POINTER(dataCodingScheme)); } #.FN_BODY SIB7/warningMessageSegment VAL_PTR=&warning_msg_seg_tvb tvbuff_t *warning_msg_seg_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB7/warningMessageSegment if (warning_msg_seg_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); proto_tree *subtree; tvbuff_t *frag_tvb; gpointer p_dcs; fragment_head *frag_data = fragment_add_seq_check(&nr_rrc_sib7_reassembly_table, warning_msg_seg_tvb, 0, actx->pinfo, nr_priv->message_identifier, NULL, nr_priv->warning_message_segment_number, tvb_reported_length(warning_msg_seg_tvb), nr_priv->warning_message_segment_type ? FALSE : TRUE); subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_warningMessageSegment); frag_tvb = process_reassembled_data(warning_msg_seg_tvb, 0, actx->pinfo, "Reassembled SIB7 warning message", frag_data, &nr_rrc_sib7_frag_items, NULL, subtree); p_dcs = wmem_map_lookup(nr_rrc_etws_cmas_dcs_hash, GUINT_TO_POINTER((guint)nr_priv->message_identifier)); if (frag_tvb && p_dcs) { dissect_nr_rrc_warningMessageSegment(frag_tvb, subtree, actx->pinfo, GPOINTER_TO_UINT(p_dcs)); } } #.TYPE_ATTR SIB8/messageIdentifier TYPE=FT_UINT16 DISPLAY=BASE_DEC|BASE_EXT_STRING STRINGS=&lte_rrc_messageIdentifier_vals_ext #.FN_BODY SIB8/messageIdentifier VAL_PTR=&msg_id_tvb HF_INDEX=-1 tvbuff_t *msg_id_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB8/messageIdentifier if (msg_id_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); nr_priv->message_identifier = tvb_get_ntohs(msg_id_tvb, 0) << 16; actx->created_item = proto_tree_add_item(tree, hf_index, msg_id_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY SIB8/serialNumber VAL_PTR=&serial_nb_tvb tvbuff_t *serial_nb_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB8/serialNumber if (serial_nb_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); proto_tree *subtree; nr_priv->message_identifier |= tvb_get_ntohs(serial_nb_tvb, 0); subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_serialNumber); proto_tree_add_item(subtree, hf_nr_rrc_serialNumber_gs, serial_nb_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_nr_rrc_serialNumber_msg_code, serial_nb_tvb, 0, 2, ENC_BIG_ENDIAN); proto_tree_add_item(subtree, hf_nr_rrc_serialNumber_upd_nb, serial_nb_tvb, 0, 2, ENC_BIG_ENDIAN); } #.FN_BODY SIB8/warningMessageSegmentType VAL_PTR=&segment_type nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); guint32 segment_type; %(DEFAULT_BODY)s nr_priv->warning_message_segment_type = (guint8)segment_type; #.FN_BODY SIB8/warningMessageSegmentNumber VAL_PTR=&segment_number nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); guint32 segment_number; %(DEFAULT_BODY)s nr_priv->warning_message_segment_number = (guint8)segment_number; #.FN_BODY SIB8/dataCodingScheme VAL_PTR=&data_coding_scheme_tvb tvbuff_t *data_coding_scheme_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB8/dataCodingScheme if (data_coding_scheme_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); proto_tree *subtree; guint32 dataCodingScheme; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_dataCodingScheme); dataCodingScheme = dissect_cbs_data_coding_scheme(data_coding_scheme_tvb, actx->pinfo, subtree, 0); wmem_map_insert(nr_rrc_etws_cmas_dcs_hash, GUINT_TO_POINTER((guint)nr_priv->message_identifier), GUINT_TO_POINTER(dataCodingScheme)); } #.FN_BODY SIB8/warningMessageSegment VAL_PTR=&warning_msg_seg_tvb tvbuff_t *warning_msg_seg_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB8/warningMessageSegment if (warning_msg_seg_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); proto_tree *subtree; tvbuff_t *frag_tvb; gpointer p_dcs; fragment_head *frag_data = fragment_add_seq_check(&nr_rrc_sib8_reassembly_table, warning_msg_seg_tvb, 0, actx->pinfo, nr_priv->message_identifier, NULL, nr_priv->warning_message_segment_number, tvb_reported_length(warning_msg_seg_tvb), nr_priv->warning_message_segment_type ? FALSE : TRUE); subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_warningMessageSegment); frag_tvb = process_reassembled_data(warning_msg_seg_tvb, 0, actx->pinfo, "Reassembled SIB8 warning message", frag_data, &nr_rrc_sib8_frag_items, NULL, subtree); p_dcs = wmem_map_lookup(nr_rrc_etws_cmas_dcs_hash, GUINT_TO_POINTER((guint)nr_priv->message_identifier)); if (frag_tvb && p_dcs) { dissect_nr_rrc_warningMessageSegment(frag_tvb, subtree, actx->pinfo, GPOINTER_TO_UINT(p_dcs)); } } #.FN_BODY SIB9/timeInfo/timeInfoUTC VAL_PTR=&timeInfo guint64 timeInfo; proto_tree *subtree; nstime_t ts; guint32 old_offset = offset; %(DEFAULT_BODY)s #.FN_FTR SIB9/timeInfo/timeInfoUTC subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_timeInfo); ts.secs = (time_t)(timeInfo/100)-EPOCH_DELTA_1900_01_01_00_00_00_UTC; /* epoch is 00:00:00 (midnight) UTC on 1900-01-01 */ ts.nsecs = (int)(timeInfo%100)*10000000; proto_tree_add_time(subtree, hf_nr_rrc_utc_time, tvb, old_offset>>3, (old_offset&0x07) ? 6 : 5, &ts); proto_tree_add_time(subtree, hf_nr_rrc_local_time, tvb, old_offset>>3, (old_offset&0x07) ? 6 : 5, &ts); #.TYPE_ATTR SIB9/timeInfo/dayLightSavingTime TYPE=FT_UINT8 DISPLAY=BASE_DEC STRINGS=VALS(nr_rrc_daylightSavingTime_vals) #.FN_BODY SIB9/timeInfo/dayLightSavingTime VAL_PTR=&daylight_saving_time_tvb HF_INDEX=-1 tvbuff_t *daylight_saving_time_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR SIB9/timeInfo/dayLightSavingTime if (daylight_saving_time_tvb) { guint bitvalue = tvb_get_bits8(daylight_saving_time_tvb, 0, 2); actx->created_item = proto_tree_add_uint(tree, hf_index, daylight_saving_time_tvb, 0, 1, bitvalue); } #.TYPE_ATTR SIB9/timeInfo/leapSeconds DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.TYPE_ATTR SIB9/timeInfo/localTimeOffset DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_localTimeOffset_fmt) #.TYPE_ATTR CLI-RSSI-Range-r16 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_RSSI_Range_r16_fmt) #.TYPE_ATTR RSSI-Range-r16 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_RSSI_Range_r16_fmt) #.FN_BODY CommonLocationInfo-r16/locationTimestamp-r16 VAL_PTR = &location_timestamp_tvb tvbuff_t *location_timestamp_tvb = NULL; %(DEFAULT_BODY)s if (location_timestamp_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_locationTimestamp_r16); dissect_lpp_DisplacementTimeStamp_r15_PDU(location_timestamp_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY CommonLocationInfo-r16/locationCoordinate-r16 VAL_PTR = &location_coordinate_tvb tvbuff_t *location_coordinate_tvb = NULL; %(DEFAULT_BODY)s if (location_coordinate_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_locationCoordinate_r16); dissect_lpp_LocationCoordinates_PDU(location_coordinate_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY CommonLocationInfo-r16/locationError-r16 VAL_PTR = &location_error_tvb tvbuff_t *location_error_tvb = NULL; %(DEFAULT_BODY)s if (location_error_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_locationError_r16); dissect_lpp_LocationError_PDU(location_error_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY CommonLocationInfo-r16/locationSource-r16 VAL_PTR = &location_source_tvb tvbuff_t *location_source_tvb = NULL; %(DEFAULT_BODY)s if (location_source_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_locationSource_r16); dissect_lpp_LocationSource_r13_PDU(location_source_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY CommonLocationInfo-r16/velocityEstimate-r16 VAL_PTR = &velocity_estimate_tvb tvbuff_t *velocity_estimate_tvb = NULL; %(DEFAULT_BODY)s if (velocity_estimate_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_velocityEstimate_r16); dissect_lpp_Velocity_PDU(velocity_estimate_tvb, actx->pinfo, subtree, NULL); } #.TYPE_ATTR ConfiguredGrantConfig/configuredGrantTimer DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_periodicities #.TYPE_ATTR ConnEstFailureControl/connEstFailOffset DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR DRX-Config/drx-SlotOffset DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_drx_SlotOffset_fmt) #.TYPE_ATTR FrequencyInfoDL-SIB/offsetToPointA DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_prbs #.TYPE_ATTR Hysteresis DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_Hysteresis_fmt) #.TYPE_ATTR RSRQ-RangeEUTRA-r16 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_RSRQ_RangeEUTRA_r16_fmt) #.FN_BODY Sensor-LocationInfo-r16/sensor-MeasurementInformation-r16 VAL_PTR = &sensor_meas_info_tvb tvbuff_t *sensor_meas_info_tvb = NULL; %(DEFAULT_BODY)s if (sensor_meas_info_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_sensor_MeasurementInformation_r16); dissect_lpp_Sensor_MeasurementInformation_r13_PDU(sensor_meas_info_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY Sensor-LocationInfo-r16/sensor-MotionInformation-r16 VAL_PTR = &sensor_motion_info_tvb tvbuff_t *sensor_motion_info_tvb = NULL; %(DEFAULT_BODY)s if (sensor_motion_info_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_sensor_MotionInformation_r16); dissect_lpp_Sensor_MotionInformation_r15_PDU(sensor_motion_info_tvb, actx->pinfo, subtree, NULL); } #.TYPE_ATTR ChannelAccessConfig-r16/maxEnergyDetectionThreshold-r16 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR ChannelAccessConfig-r16/energyDetectionThresholdOffset-r16 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR MeasResultUTRA-FDD-r16/measResult-r16/utra-FDD-RSCP-r16 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_utra_FDD_RSCP_r16_fmt) #.TYPE_ATTR MeasResultUTRA-FDD-r16/measResult-r16/utra-FDD-EcN0-r16 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_utra_FDD_EcN0_r16_fmt) #.TYPE_ATTR MeasResultForRSSI-r16/channelOccupancy-r16 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_percent #.TYPE_ATTR UL-PDCP-DelayValueResult-r16/averageDelay-r16 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_averageDelay_r16_fmt) #.TYPE_ATTR NZP-CSI-RS-Resource/powerControlOffset DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR P-Max DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR PUCCH-ResourceSet/maxPayloadMinus1 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_bit_bits #.TYPE_ATTR PUCCH-ConfigCommon/p0-nominal DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR PUCCH-PowerControl/deltaF-PUCCH-f0 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR PUCCH-PowerControl/deltaF-PUCCH-f1 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR PUCCH-PowerControl/deltaF-PUCCH-f2 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR PUCCH-PowerControl/deltaF-PUCCH-f3 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR PUCCH-PowerControl/deltaF-PUCCH-f4 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR P0-PUCCH/p0-PUCCH-Value DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR PUSCH-ConfigCommon/msg3-DeltaPreamble DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_msg3_DeltaPreamble_fmt) #.TYPE_ATTR PUSCH-ConfigCommon/p0-NominalWithGrant DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR PUSCH-PowerControl/p0-NominalWithoutGrant DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR P0-PUSCH-AlphaSet/p0 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR Q-QualMin DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR Q-RxLevMin DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_Q_RxLevMin_fmt) #.TYPE_ATTR RACH-ConfigGeneric/preambleReceivedTargetPower DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR RSRP-RangeEUTRA DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_RSRP_RangeEUTRA_fmt) #.TYPE_ATTR RSRQ-RangeEUTRA DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_RSRQ_RangeEUTRA_fmt) #.TYPE_ATTR SINR-RangeEUTRA DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_SINR_RangeEUTRA_fmt) #.TYPE_ATTR MsgA-PUSCH-Config-r16/msgA-DeltaPreamble-r16 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR MeasTriggerQuantityOffset/rsrp DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_MeasTriggerQuantityOffset_fmt) #.TYPE_ATTR MeasTriggerQuantityOffset/rsrq DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_MeasTriggerQuantityOffset_fmt) #.TYPE_ATTR MeasTriggerQuantityOffset/sinr DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_MeasTriggerQuantityOffset_fmt) #.TYPE_ATTR ReselectionThreshold DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_ReselectionThreshold_fmt) #.TYPE_ATTR ReselectionThresholdQ DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_decibels #.TYPE_ATTR RSRP-Range DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_RSRP_Range_fmt) #.TYPE_ATTR RSRQ-Range DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_RSRQ_Range_fmt) #.TYPE_ATTR SearchSpace/duration DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_slots #.TYPE_ATTR ServingCellConfigCommon/ss-PBCH-BlockPower DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR ServingCellConfigCommonSIB/ss-PBCH-BlockPower DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR SINR-Range DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_SINR_Range_fmt) #.TYPE_ATTR SRS-ResourceSet/p0 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR SRS-PosResourceSet-r16/p0-r16 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR SRS-RSRP-Range-r16 DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_SRS_RSRP_r16_fmt) #.TYPE_ATTR T-Reselection DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.FN_BODY BandParametersSidelinkEUTRA-NR-r16/eutra/bandParametersSidelinkEUTRA1-r16 VAL_PTR = &band_params_sl_tvb tvbuff_t *band_params_sl_tvb = NULL; %(DEFAULT_BODY)s if (band_params_sl_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_bandParametersSidelinkEUTRA1_r16); dissect_lte_rrc_V2X_BandParameters_r14_PDU(band_params_sl_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY BandParametersSidelinkEUTRA-NR-r16/eutra/bandParametersSidelinkEUTRA2-r16 VAL_PTR = &band_params_sl_tvb tvbuff_t *band_params_sl_tvb = NULL; %(DEFAULT_BODY)s if (band_params_sl_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_bandParametersSidelinkEUTRA2_r16); dissect_lte_rrc_V2X_BandParameters_v1530_PDU(band_params_sl_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY SidelinkParametersEUTRA-r16/sl-ParametersEUTRA1-r16 VAL_PTR = &sl_params_tvb tvbuff_t *sl_params_tvb = NULL; %(DEFAULT_BODY)s if (sl_params_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_sl_ParametersEUTRA1_r16); dissect_lte_rrc_SL_Parameters_v1430_PDU(sl_params_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY SidelinkParametersEUTRA-r16/sl-ParametersEUTRA2-r16 VAL_PTR = &sl_params_tvb tvbuff_t *sl_params_tvb = NULL; %(DEFAULT_BODY)s if (sl_params_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_sl_ParametersEUTRA2_r16); dissect_lte_rrc_SL_Parameters_v1530_PDU(sl_params_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY SidelinkParametersEUTRA-r16/sl-ParametersEUTRA3-r16 VAL_PTR = &sl_params_tvb tvbuff_t *sl_params_tvb = NULL; %(DEFAULT_BODY)s if (sl_params_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_sl_ParametersEUTRA3_r16); dissect_lte_rrc_SL_Parameters_v1540_PDU(sl_params_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY UE-CapabilityRAT-Container nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); /* Initialise to invalid value */ nr_priv->rat_type = 0xFF; %(DEFAULT_BODY)s #.FN_BODY RAT-Type VAL_PTR = &rat_type guint32 rat_type; nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); %(DEFAULT_BODY)s nr_priv->rat_type = (guint8)rat_type; #.FN_BODY UE-CapabilityRAT-Container/ue-CapabilityRAT-Container VAL_PTR = &ue_cap_tvb tvbuff_t *ue_cap_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR UE-CapabilityRAT-Container/ue-CapabilityRAT-Container if (ue_cap_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_UE_CapabilityRAT_Container); switch(nr_priv->rat_type){ case RAT_Type_nr: dissect_nr_rrc_UE_NR_Capability_PDU(ue_cap_tvb, actx->pinfo, subtree, NULL); break; case RAT_Type_eutra_nr: dissect_nr_rrc_UE_MRDC_Capability_PDU(ue_cap_tvb, actx->pinfo, subtree, NULL); break; case RAT_Type_eutra: dissect_lte_rrc_UE_EUTRA_Capability_PDU(ue_cap_tvb, actx->pinfo, subtree, NULL); break; case RAT_Type_utra_fdd_v1610: dissect_rrc_InterRATHandoverInfo_PDU(ue_cap_tvb, actx->pinfo, subtree, NULL); break; default: break; } } #.FN_BODY UE-CapabilityRAT-Request nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); /* Initialise to invalid value */ nr_priv->rat_type = 0xFF; %(DEFAULT_BODY)s #.FN_BODY UE-CapabilityRAT-Request/capabilityRequestFilter VAL_PTR = &cap_req_filter_tvb tvbuff_t *cap_req_filter_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR UE-CapabilityRAT-Request/capabilityRequestFilter if (cap_req_filter_tvb) { nr_rrc_private_data_t *nr_priv = nr_rrc_get_private_data(actx); proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_capabilityRequestFilter); switch(nr_priv->rat_type){ case RAT_Type_nr: case RAT_Type_eutra_nr: dissect_nr_rrc_UE_CapabilityRequestFilterNR_PDU(cap_req_filter_tvb, actx->pinfo, subtree, NULL); break; case RAT_Type_eutra: dissect_lte_rrc_UECapabilityEnquiry_PDU(cap_req_filter_tvb, actx->pinfo, subtree, NULL); break; default: break; } } #.FN_BODY AbsoluteTimeInfo-r16 VAL_PTR = &abs_time_info_tvb tvbuff_t *abs_time_info_tvb = NULL; %(DEFAULT_BODY)s #.FN_FTR AbsoluteTimeInfo-r16 if (abs_time_info_tvb) { const gchar *str, *hf_str; proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_absTimeInfo); str = tvb_bcd_dig_to_str(actx->pinfo->pool, abs_time_info_tvb, 0, 6, NULL, FALSE); hf_str = wmem_strdup_printf(actx->pinfo->pool, "%c%c-%c%c-%c%c %c%c:%c%c:%c%c", str[0], str[1], str[2], str[3], str[4], str[5], str[6], str[7], str[8], str[9], str[10], str[11]); proto_tree_add_string(subtree, hf_nr_rrc_absolute_time, abs_time_info_tvb, 0, 6, hf_str); } #.TYPE_ATTR EUTRA-NS-PmaxValue/additionalPmax DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_dbm #.TYPE_ATTR WLAN-Identifiers-r16/ssid-r16 TYPE=FT_STRING DISPLAY=BASE_NONE #.FN_BODY WLAN-Identifiers-r16/ssid-r16 VAL_PTR=&ssid_tvb HF_INDEX=-1 tvbuff_t *ssid_tvb = NULL; %(DEFAULT_BODY)s actx->created_item = proto_tree_add_item(tree, hf_index, ssid_tvb, 0, -1, ENC_ASCII|ENC_NA); #.TYPE_ATTR WLAN-Identifiers-r16/bssid-r16 TYPE=FT_ETHER #.TYPE_ATTR WLAN-Identifiers-r16/hessid-r16 TYPE=FT_ETHER #.TYPE_ATTR VisitedCellInfo-r16/timeSpent-r16 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.TYPE_ATTR VisitedPSCellInfo-r17/timeSpent-r17 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_seconds #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_UNKNOWN; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib1-1-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_1_1; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib1-2-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_1_2; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib1-3-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_1_3; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib1-4-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_1_4; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib1-5-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_1_5; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib1-6-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_1_6; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib1-7-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_1_7; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib1-8-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_1_8; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-1-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_1; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-2-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_2; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-3-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_3; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-4-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_4; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-5-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_5; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-6-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_6; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-7-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_7; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-8-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_8; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-9-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_9; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-10-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_10; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-11-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_11; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-12-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_12; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-13-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_13; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-14-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_14; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-15-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_15; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-16-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_16; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-17-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_17; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-18-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_18; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-19-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_19; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-20-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_20; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-21-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_21; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-22-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_22; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-23-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_23; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib3-1-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_3_1; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib4-1-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_4_1; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib5-1-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_5_1; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib6-1-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_6_1; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib6-2-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_6_2; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib6-3-r16 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_6_3; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib1-9-v1700 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_1_9; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib1-10-v1700 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_1_10; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-24-v1700 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_24; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib2-25-v1700 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_2_25; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib6-4-v1700 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_6_4; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib6-5-v1700 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_6_5; #.FN_HDR PosSystemInformation-r16-IEs/posSIB-TypeAndInfo-r16/_item/posSib6-6-v1700 nr_rrc_get_private_data(actx)->pos_sib_type = LPP_POS_SIB_TYPE_6_6; #.FN_BODY SIBpos-r16/assistanceDataSIB-Element-r16 VAL_PTR = &assist_data_sib_elem_tvb tvbuff_t *assist_data_sib_elem_tvb = NULL; %(DEFAULT_BODY)s if (assist_data_sib_elem_tvb) { proto_tree *subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_assistanceDataSIB_Element_r16); dissect_lpp_AssistanceDataSIBelement_r15_PDU(assist_data_sib_elem_tvb, actx->pinfo, subtree, nr_rrc_get_private_data(actx)->pos_sib_type); } #.FN_BODY RLC-BearerConfig struct mac_nr_info *p_mac_nr_info; /* Get the struct and clear it out */ nr_drb_mac_rlc_mapping_t *drb_mapping = &nr_rrc_get_private_data(actx)->drb_rlc_mapping; memset(drb_mapping, 0, sizeof(nr_drb_mac_rlc_mapping_t)); drb_mapping->active = TRUE; %(DEFAULT_BODY)s /* Need UE identifier */ p_mac_nr_info = (mac_nr_info *)p_get_proto_data(wmem_file_scope(), actx->pinfo, proto_mac_nr, 0); if (p_mac_nr_info && drb_mapping->drbid) { drb_mapping->ueid = p_mac_nr_info->ueid; /* Tell MAC about this mapping */ set_mac_nr_bearer_mapping(drb_mapping); } drb_mapping->active = FALSE; #.FN_BODY DRB-Identity VAL_PTR=&value guint32 value; %(DEFAULT_BODY)s if (nr_rrc_get_private_data(actx)->drb_rlc_mapping.active) { nr_rrc_get_private_data(actx)->drb_rlc_mapping.drbid = (guint8)value; } else if (nr_rrc_get_private_data(actx)->drb_pdcp_mapping.active) { nr_rrc_get_private_data(actx)->drb_pdcp_mapping.drbid = (guint8)value; } #.FN_BODY RLC-Config VAL_PTR=&value guint32 value; nr_drb_mac_rlc_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_rlc_mapping; %(DEFAULT_BODY)s mapping->rlcMode = (value==0) ? RLC_AM_MODE : RLC_UM_MODE; mapping->rlcMode_present = TRUE; #.FN_BODY LogicalChannelIdentity VAL_PTR=&value guint32 value; nr_drb_mac_rlc_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_rlc_mapping; %(DEFAULT_BODY)s mapping->lcid = (guint8)value; mapping->lcid_present = TRUE; #.FN_BODY UL-UM-RLC nr_drb_mac_rlc_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_rlc_mapping; mapping->tempDirection = DIRECTION_UPLINK; %(DEFAULT_BODY)s #.FN_BODY DL-UM-RLC nr_drb_mac_rlc_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_rlc_mapping; mapping->tempDirection = DIRECTION_DOWNLINK; %(DEFAULT_BODY)s #.FN_BODY UL-AM-RLC nr_drb_mac_rlc_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_rlc_mapping; mapping->tempDirection = DIRECTION_UPLINK; %(DEFAULT_BODY)s #.FN_BODY DL-AM-RLC nr_drb_mac_rlc_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_rlc_mapping; mapping->tempDirection = DIRECTION_DOWNLINK; %(DEFAULT_BODY)s #.FN_BODY SN-FieldLengthUM VAL_PTR=&value guint32 value; %(DEFAULT_BODY)s nr_drb_mac_rlc_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_rlc_mapping; if (mapping->tempDirection == DIRECTION_UPLINK) { mapping->rlcUlSnLength_present = TRUE; mapping->rlcUlSnLength = (value==0) ? 6 : 12; } else { mapping->rlcDlSnLength_present = TRUE; mapping->rlcDlSnLength = (value==0) ? 6 : 12; } #.FN_BODY SN-FieldLengthAM VAL_PTR=&value guint32 value; %(DEFAULT_BODY)s nr_drb_mac_rlc_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_rlc_mapping; if (mapping->tempDirection == DIRECTION_UPLINK) { mapping->rlcUlSnLength_present = TRUE; mapping->rlcUlSnLength = (value==0) ? 12 : 18; } else { mapping->rlcDlSnLength_present = TRUE; mapping->rlcDlSnLength = (value==0) ? 12 : 18; } #.FN_BODY DRB-ToAddMod nr_drb_rlc_pdcp_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_pdcp_mapping; memset(mapping, 0, sizeof(*mapping)); mapping->active = TRUE; %(DEFAULT_BODY)s /* Need UE identifier. Use mac-nr. */ mac_nr_info *p_mac_nr_info = (mac_nr_info *)p_get_proto_data(wmem_file_scope(), actx->pinfo, proto_mac_nr, 0); if (p_mac_nr_info) { /* Configure PDCP SN length(s) for this DRB */ if (mapping->pdcpUlSnLength_present || mapping->pdcpDlSnLength_present) { mapping->ueid = p_mac_nr_info->ueid; set_rlc_nr_drb_pdcp_mapping(actx->pinfo, mapping); } } mapping->active = FALSE; #.FN_BODY SDAP-Config/sdap-HeaderDL VAL_PTR=&value guint32 value; %(DEFAULT_BODY)s nr_drb_rlc_pdcp_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_pdcp_mapping; mapping->pdcpDlSdap = !value; #.FN_BODY SDAP-Config/sdap-HeaderUL VAL_PTR=&value guint32 value; %(DEFAULT_BODY)s nr_drb_rlc_pdcp_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_pdcp_mapping; mapping->pdcpUlSdap = !value; #.FN_BODY PDCP-Config/drb/integrityProtection %(DEFAULT_BODY)s nr_drb_rlc_pdcp_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_pdcp_mapping; mapping->pdcpIntegrityProtection = TRUE; #.FN_HDR PDCP-Config/eag_1/cipheringDisabled nr_drb_rlc_pdcp_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_pdcp_mapping; mapping->pdcpCipheringDisabled = TRUE; #.FN_BODY PDCP-Config/drb/pdcp-SN-SizeUL VAL_PTR=&value guint32 value; nr_drb_rlc_pdcp_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_pdcp_mapping; %(DEFAULT_BODY)s mapping->pdcpUlSnLength_present = TRUE; mapping->pdcpUlSnLength = (value) ? 18 : 12; #.FN_BODY PDCP-Config/drb/pdcp-SN-SizeDL VAL_PTR=&value guint32 value; nr_drb_rlc_pdcp_mapping_t *mapping = &nr_rrc_get_private_data(actx)->drb_pdcp_mapping; %(DEFAULT_BODY)s mapping->pdcpDlSnLength_present = TRUE; mapping->pdcpDlSnLength = (value) ? 18 : 12; #.TYPE_ATTR CA-ParametersEUTRA-v1570/dl-1024QAM-TotalWeightedLayers DISPLAY=BASE_CUSTOM STRINGS=CF_FUNC(nr_rrc_dl_1024QAM_TotalWeightedLayers_fmt) #.FN_BODY AS-Config/eag_1/sourceSCG-EUTRA-Config VAL_PTR = &src_scg_eutra_config_tvb tvbuff_t *src_scg_eutra_config_tvb = NULL; %(DEFAULT_BODY)s if (src_scg_eutra_config_tvb && lte_rrc_conn_reconf_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_targetRAT_MessageContainer); nr_rrc_call_dissector(lte_rrc_conn_reconf_handle, src_scg_eutra_config_tvb, actx->pinfo, subtree); } #.FN_BODY AS-Context/eag_4/sidelinkUEInformationNR-r16 VAL_PTR = &sidelink_ue_info_nr_tvb tvbuff_t *sidelink_ue_info_nr_tvb = NULL; %(DEFAULT_BODY)s if (sidelink_ue_info_nr_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_sidelinkUEInformationNR); dissect_nr_rrc_SidelinkUEInformationNR_r16_PDU(sidelink_ue_info_nr_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY AS-Context/eag_4/sidelinkUEInformationEUTRA-r16 VAL_PTR = &sidelink_ue_info_eutra_tvb tvbuff_t *sidelink_ue_info_eutra_tvb = NULL; %(DEFAULT_BODY)s if (sidelink_ue_info_eutra_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_sidelinkUEInformationEUTRA); dissect_lte_rrc_SidelinkUEInformation_r12_PDU(sidelink_ue_info_eutra_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY AS-Context/eag_4/ueAssistanceInformationEUTRA-r16 VAL_PTR = &ue_assist_info_eutra_tvb tvbuff_t *ue_assist_info_eutra_tvb = NULL; %(DEFAULT_BODY)s if (ue_assist_info_eutra_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_ueAssistanceInformationEUTRA); dissect_lte_rrc_UEAssistanceInformation_r11_PDU(ue_assist_info_eutra_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY CG-Config-v1560-IEs/scg-CellGroupConfigEUTRA VAL_PTR = &scg_cell_group_config_eutra_tvb tvbuff_t *scg_cell_group_config_eutra_tvb = NULL; %(DEFAULT_BODY)s if (scg_cell_group_config_eutra_tvb && lte_rrc_conn_reconf_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_scg_CellGroupConfigEUTRA); nr_rrc_call_dissector(lte_rrc_conn_reconf_handle, scg_cell_group_config_eutra_tvb, actx->pinfo, subtree); } #.FN_BODY CG-Config-v1560-IEs/candidateCellInfoListSN-EUTRA VAL_PTR = &cand_cell_info_list_sn_eutra_tvb tvbuff_t *cand_cell_info_list_sn_eutra_tvb = NULL; %(DEFAULT_BODY)s if (cand_cell_info_list_sn_eutra_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_candidateCellInfoListSN_EUTRA); dissect_lte_rrc_MeasResultList3EUTRA_r15_PDU(cand_cell_info_list_sn_eutra_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY CG-ConfigInfo-v1560-IEs/candidateCellInfoListMN-EUTRA VAL_PTR = &cand_cell_info_list_mn_eutra_tvb tvbuff_t *cand_cell_info_list_mn_eutra_tvb = NULL; %(DEFAULT_BODY)s if (cand_cell_info_list_mn_eutra_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_candidateCellInfoListMN_EUTRA); dissect_lte_rrc_MeasResultList3EUTRA_r15_PDU(cand_cell_info_list_mn_eutra_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY CG-ConfigInfo-v1560-IEs/candidateCellInfoListSN-EUTRA VAL_PTR = &cand_cell_info_list_sn_eutra_tvb tvbuff_t *cand_cell_info_list_sn_eutra_tvb = NULL; %(DEFAULT_BODY)s if (cand_cell_info_list_sn_eutra_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_candidateCellInfoListSN_EUTRA); dissect_lte_rrc_MeasResultList3EUTRA_r15_PDU(cand_cell_info_list_sn_eutra_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY CG-ConfigInfo-v1560-IEs/sourceConfigSCG-EUTRA VAL_PTR = &source_config_scg_eutra_tvb tvbuff_t *source_config_scg_eutra_tvb = NULL; %(DEFAULT_BODY)s if (source_config_scg_eutra_tvb && lte_rrc_conn_reconf_handle) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_sourceConfigSCG_EUTRA); nr_rrc_call_dissector(lte_rrc_conn_reconf_handle, source_config_scg_eutra_tvb, actx->pinfo, subtree); } #.FN_BODY CG-ConfigInfo-v1560-IEs/scgFailureInfoEUTRA/measResultSCG-EUTRA VAL_PTR = &meas_result_scg_fail_mrdc_tvb tvbuff_t *meas_result_scg_fail_mrdc_tvb = NULL; %(DEFAULT_BODY)s if (meas_result_scg_fail_mrdc_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_rrc_measResultSCG_FailureMRDC); dissect_lte_rrc_MeasResultSCG_FailureMRDC_r15_PDU(meas_result_scg_fail_mrdc_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY SecurityAlgorithmConfig mac_nr_info *p_mac_nr_info; pdcp_nr_security_info_t *p_security_algorithms; %(DEFAULT_BODY)s p_security_algorithms = &(nr_rrc_get_private_data(actx)->pdcp_security); p_security_algorithms->algorithm_configuration_frame = actx->pinfo->num; p_security_algorithms->previous_algorithm_configuration_frame = 0; p_security_algorithms->previous_integrity = nia0; p_security_algorithms->previous_ciphering = nea0; /* Look for UE identifier */ p_mac_nr_info = (mac_nr_info *)p_get_proto_data(wmem_file_scope(), actx->pinfo, proto_mac_nr, 0); if (p_mac_nr_info != NULL) { /* Configure algorithms */ set_pdcp_nr_security_algorithms(p_mac_nr_info->ueid, p_security_algorithms); } #.FN_BODY CipheringAlgorithm VAL_PTR=&value guint32 value; pdcp_nr_security_info_t *p_security_algorithms; %(DEFAULT_BODY)s p_security_algorithms = &(nr_rrc_get_private_data(actx)->pdcp_security); p_security_algorithms->ciphering = (enum nr_security_ciphering_algorithm_e)value; #.FN_BODY IntegrityProtAlgorithm VAL_PTR=&value guint32 value; pdcp_nr_security_info_t *p_security_algorithms; %(DEFAULT_BODY)s p_security_algorithms = &(nr_rrc_get_private_data(actx)->pdcp_security); p_security_algorithms->integrity = (enum nr_security_integrity_algorithm_e)value; #.FN_BODY SIB13-r16/sl-V2X-ConfigCommon-r16 VAL_PTR = &sl_v2x_configcommon_tvb tvbuff_t *sl_v2x_configcommon_tvb = NULL; %(DEFAULT_BODY)s if (sl_v2x_configcommon_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_sl_V2X_ConfigCommon_r16); dissect_lte_rrc_SystemInformationBlockType21_r14_PDU(sl_v2x_configcommon_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY SIB13-r16/tdd-Config-r16 VAL_PTR = &tdd_config_tvb tvbuff_t *tdd_config_tvb = NULL; %(DEFAULT_BODY)s if (tdd_config_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_tdd_Config_r16); dissect_lte_rrc_TDD_Config_PDU(tdd_config_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY UEInformationResponse-v1700-IEs/coarseLocationInfo-r17 VAL_PTR = &ellipsoid_point_tvb tvbuff_t *ellipsoid_point_tvb = NULL; %(DEFAULT_BODY)s if (ellipsoid_point_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_coarseLocationInfo_r17); dissect_lpp_Ellipsoid_Point_PDU(ellipsoid_point_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY MeasResults/measResultNeighCells/sl-MeasResultsCandRelay-r17 VAL_PTR = &sl_meas_result_list_relay_tvb tvbuff_t *sl_meas_result_list_relay_tvb = NULL; %(DEFAULT_BODY)s if (sl_meas_result_list_relay_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_sl_MeasResultsCandRelay_r17); dissect_SL_MeasResultListRelay_r17_PDU(sl_meas_result_list_relay_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY MeasResults/eag_4/sl-MeasResultServingRelay-r17 VAL_PTR = &sl_meas_result_serving_relay_tvb tvbuff_t *sl_meas_result_serving_relay_tvb = NULL; %(DEFAULT_BODY)s if (sl_meas_result_serving_relay_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_sl_MeasResultServingRelay_r17); dissect_SL_MeasResultRelay_r17_PDU(sl_meas_result_serving_relay_tvb, actx->pinfo, subtree, NULL); } #.FN_BODY MeasResults/eag_4/coarseLocationInfo-r17 VAL_PTR = &ellipsoid_point_tvb tvbuff_t *ellipsoid_point_tvb = NULL; %(DEFAULT_BODY)s if (ellipsoid_point_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_coarseLocationInfo_r17); dissect_lpp_Ellipsoid_Point_PDU(ellipsoid_point_tvb, actx->pinfo, subtree, NULL); } #.TYPE_ATTR TimeBetweenEvent-r17 DISPLAY=BASE_DEC|BASE_UNIT_STRING STRINGS=&units_milliseconds #.FN_BODY ReferenceLocation-r17 VAL_PTR = &ellipsoid_point_tvb tvbuff_t *ellipsoid_point_tvb = NULL; %(DEFAULT_BODY)s if (ellipsoid_point_tvb) { proto_tree *subtree; subtree = proto_item_add_subtree(actx->created_item, ett_nr_ReferenceLocation_r17); dissect_lpp_Ellipsoid_Point_PDU(ellipsoid_point_tvb, actx->pinfo, subtree, NULL); } #.FN_HDR SBCCH-SL-BCH-Message proto_item *ti; col_set_str(actx->pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_clear(actx->pinfo->cinfo, COL_INFO); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(ti, ett_nr_rrc); #.FN_HDR SCCH-Message proto_item *ti; col_set_str(actx->pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_clear(actx->pinfo->cinfo, COL_INFO); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(ti, ett_nr_rrc); #.FN_HDR MasterInformationBlockSidelink col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Master Information Block Sidelink"); #.FN_HDR MeasurementReportSidelink col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "Measurement Report Sidelink"); #.FN_HDR RRCReconfigurationSidelink col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Reconfiguration Sidelink"); #.FN_HDR RRCReconfigurationCompleteSidelink col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Reconfiguration Complete Sidelink"); #.FN_HDR RRCReconfigurationFailureSidelink col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "RRC Reconfiguration Failure Sidelink"); #.FN_HDR UECapabilityEnquirySidelink col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UE Capability Enquiry Sidelink"); #.FN_HDR UECapabilityInformationSidelink col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "UE Capability Information Sidelink"); #.FN_HDR MCCH-Message-r17 proto_item *ti; col_set_str(actx->pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_clear(actx->pinfo->cinfo, COL_INFO); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(ti, ett_nr_rrc); #.FN_HDR MBSBroadcastConfiguration-r17 col_append_sep_str(actx->pinfo->cinfo, COL_INFO, NULL, "MBS Broadcast Configuration");
ASN.1
wireshark/epan/dissectors/asn1/nr-rrc/NR-Sidelink-DiscoveryMessage.asn
-- 3GPP TS 38.331 V17.5.0 (2023-06) NR-Sidelink-DiscoveryMessage DEFINITIONS AUTOMATIC TAGS ::= BEGIN IMPORTS CellAccessRelatedInfo, SL-ServingCellInfo-r17 FROM NR-RRC-Definitions; SL-AccessInfo-L2U2N-r17 ::= SEQUENCE { cellAccessRelatedInfo-r17 CellAccessRelatedInfo, sl-ServingCellInfo-r17 SL-ServingCellInfo-r17, ... } END
ASN.1
wireshark/epan/dissectors/asn1/nr-rrc/NR-Sidelink-Preconf.asn
-- 3GPP TS 38.331 V17.5.0 (2023-06) NR-Sidelink-Preconf DEFINITIONS AUTOMATIC TAGS ::= BEGIN IMPORTS SL-RemoteUE-Config-r17, SL-DRX-ConfigGC-BC-r17, SL-FreqConfigCommon-r16, SL-RadioBearerConfig-r16, SL-RLC-BearerConfig-r16, SL-EUTRA-AnchorCarrierFreqList-r16, SL-NR-AnchorCarrierFreqList-r16, SL-MeasConfigCommon-r16, SL-UE-SelectedConfig-r16, TDD-UL-DL-ConfigCommon, maxNrofFreqSL-r16, maxNrofSLRB-r16, maxSL-LCID-r16 FROM NR-RRC-Definitions; -- TAG-NR-SIDELINK-PRECONF-DEFINITIONS-STOP -- TAG-SL-PRECONFIGURATIONNR-START SL-PreconfigurationNR-r16 ::= SEQUENCE { sidelinkPreconfigNR-r16 SidelinkPreconfigNR-r16, ... } SidelinkPreconfigNR-r16 ::= SEQUENCE { sl-PreconfigFreqInfoList-r16 SEQUENCE (SIZE (1..maxNrofFreqSL-r16)) OF SL-FreqConfigCommon-r16 OPTIONAL, sl-PreconfigNR-AnchorCarrierFreqList-r16 SL-NR-AnchorCarrierFreqList-r16 OPTIONAL, sl-PreconfigEUTRA-AnchorCarrierFreqList-r16 SL-EUTRA-AnchorCarrierFreqList-r16 OPTIONAL, sl-RadioBearerPreConfigList-r16 SEQUENCE (SIZE (1..maxNrofSLRB-r16)) OF SL-RadioBearerConfig-r16 OPTIONAL, sl-RLC-BearerPreConfigList-r16 SEQUENCE (SIZE (1..maxSL-LCID-r16)) OF SL-RLC-BearerConfig-r16 OPTIONAL, sl-MeasPreConfig-r16 SL-MeasConfigCommon-r16 OPTIONAL, sl-OffsetDFN-r16 INTEGER (1..1000) OPTIONAL, t400-r16 ENUMERATED{ms100, ms200, ms300, ms400, ms600, ms1000, ms1500, ms2000} OPTIONAL, sl-MaxNumConsecutiveDTX-r16 ENUMERATED {n1, n2, n3, n4, n6, n8, n16, n32} OPTIONAL, sl-SSB-PriorityNR-r16 INTEGER (1..8) OPTIONAL, sl-PreconfigGeneral-r16 SL-PreconfigGeneral-r16 OPTIONAL, sl-UE-SelectedPreConfig-r16 SL-UE-SelectedConfig-r16 OPTIONAL, sl-CSI-Acquisition-r16 ENUMERATED {enabled} OPTIONAL, sl-RoHC-Profiles-r16 SL-RoHC-Profiles-r16 OPTIONAL, sl-MaxCID-r16 INTEGER (1..16383) DEFAULT 15, ..., [[ sl-DRX-PreConfigGC-BC-r17 SL-DRX-ConfigGC-BC-r17 OPTIONAL, sl-TxProfileList-r17 SL-TxProfileList-r17 OPTIONAL, sl-PreconfigDiscConfig-r17 SL-RemoteUE-Config-r17 OPTIONAL ]] } SL-TxProfileList-r17 ::= SEQUENCE (SIZE (1..256)) OF SL-TxProfile-r17 SL-TxProfile-r17 ::= ENUMERATED {drx-Compatible, drx-Incompatible, spare6, spare5, spare4, spare3,spare2, spare1} SL-PreconfigGeneral-r16 ::= SEQUENCE { sl-TDD-Configuration-r16 TDD-UL-DL-ConfigCommon OPTIONAL, reservedBits-r16 BIT STRING (SIZE (2)) OPTIONAL, ... } SL-RoHC-Profiles-r16 ::= SEQUENCE { profile0x0001-r16 BOOLEAN, profile0x0002-r16 BOOLEAN, profile0x0003-r16 BOOLEAN, profile0x0004-r16 BOOLEAN, profile0x0006-r16 BOOLEAN, profile0x0101-r16 BOOLEAN, profile0x0102-r16 BOOLEAN, profile0x0103-r16 BOOLEAN, profile0x0104-r16 BOOLEAN } -- TAG-SL-PRECONFIGURATIONNR-STOP END
ASN.1
wireshark/epan/dissectors/asn1/nr-rrc/NR-UE-Variables.asn
-- 3GPP TS 38.331 V17.5.0 (2023-06) NR-UE-Variables DEFINITIONS AUTOMATIC TAGS ::= BEGIN IMPORTS AreaConfiguration-v1700, ARFCN-ValueNR, CellIdentity, EUTRA-PhysCellId, maxCEFReport-r17, MeasId, MeasIdToAddModList, MeasIdleCarrierEUTRA-r16, MeasIdleCarrierNR-r16, MeasResultIdleEUTRA-r16, MeasResultIdleNR-r16, MeasObjectToAddModList, PhysCellId, RNTI-Value, ReportConfigToAddModList, RSRP-Range, SL-MeasId-r16, SL-MeasIdList-r16, SL-MeasObjectList-r16, SL-ReportConfigList-r16, SL-QuantityConfig-r16, Tx-PoolMeasList-r16, QuantityConfig, maxNrofCellMeas, maxNrofMeasId, maxFreqIdle-r16, PhysCellIdUTRA-FDD-r16, ValidityAreaList-r16, CondReconfigToAddModList-r16, ConnEstFailReport-r16, LoggingDuration-r16, LoggingInterval-r16, LogMeasInfoList-r16, LogMeasInfo-r16, RA-Report-r16, RLF-Report-r16, TraceReference-r16, WLAN-Identifiers-r16, WLAN-NameList-r16, BT-NameList-r16, PLMN-Identity, maxNrofRelayMeas-r17, maxPLMN, RA-ReportList-r16, VisitedCellInfoList-r16, AbsoluteTimeInfo-r16, LoggedEventTriggerConfig-r16, LoggedPeriodicalReportConfig-r16, Sensor-NameList-r16, SL-SourceIdentity-r17, SuccessHO-Report-r17, PLMN-IdentityList2-r16, AreaConfiguration-r16, maxNrofSL-MeasId-r16, maxNrofFreqSL-r16, maxNrofCLI-RSSI-Resources-r16, maxNrofCLI-SRS-Resources-r16, RSSI-ResourceId-r16, SRS-ResourceId, VisitedPSCellInfoList-r17 FROM NR-RRC-Definitions; -- NR-UE-VARIABLES-STOP -- TAG-VARCONDITIONALRECONFIG-START VarConditionalReconfig ::= SEQUENCE { condReconfigList CondReconfigToAddModList-r16 OPTIONAL } -- TAG-VARCONDITIONALRECONFIG-STOP -- TAG-VARCONNESTFAILREPORT-START VarConnEstFailReport-r16 ::= SEQUENCE { connEstFailReport-r16 ConnEstFailReport-r16, plmn-Identity-r16 PLMN-Identity } -- TAG-VARCONNESTFAILREPORT-STOP -- TAG-VARCONNESTFAILREPORTLIST-START VarConnEstFailReportList-r17 ::= SEQUENCE { connEstFailReportList-r17 SEQUENCE (SIZE (1..maxCEFReport-r17)) OF VarConnEstFailReport-r16 } -- TAG-VARCONNESTFAILREPORTLIST-STOP -- TAG-VARLOGMEASCONFIG-START VarLogMeasConfig-r16-IEs ::= SEQUENCE { areaConfiguration-r16 AreaConfiguration-r16 OPTIONAL, bt-NameList-r16 BT-NameList-r16 OPTIONAL, wlan-NameList-r16 WLAN-NameList-r16 OPTIONAL, sensor-NameList-r16 Sensor-NameList-r16 OPTIONAL, loggingDuration-r16 LoggingDuration-r16, reportType CHOICE { periodical LoggedPeriodicalReportConfig-r16, eventTriggered LoggedEventTriggerConfig-r16 }, earlyMeasIndication-r17 ENUMERATED {true} OPTIONAL, areaConfiguration-v1700 AreaConfiguration-v1700 OPTIONAL } -- TAG-VARLOGMEASCONFIG-STOP -- TAG-VARLOGMEASREPORT-START VarLogMeasReport-r16 ::= SEQUENCE { absoluteTimeInfo-r16 AbsoluteTimeInfo-r16, traceReference-r16 TraceReference-r16, traceRecordingSessionRef-r16 OCTET STRING (SIZE (2)), tce-Id-r16 OCTET STRING (SIZE (1)), logMeasInfoList-r16 LogMeasInfoList-r16, plmn-IdentityList-r16 PLMN-IdentityList2-r16, sigLoggedMeasType-r17 ENUMERATED {true} } -- TAG-VARLOGMEASREPORT-STOP -- TAG-VARMEASCONFIG-START VarMeasConfig ::= SEQUENCE { -- Measurement identities measIdList MeasIdToAddModList OPTIONAL, -- Measurement objects measObjectList MeasObjectToAddModList OPTIONAL, -- Reporting configurations reportConfigList ReportConfigToAddModList OPTIONAL, -- Other parameters quantityConfig QuantityConfig OPTIONAL, s-MeasureConfig CHOICE { ssb-RSRP RSRP-Range, csi-RSRP RSRP-Range } OPTIONAL } -- TAG-VARMEASCONFIG-STOP -- TAG-VARMEASCONFIGSL-START VarMeasConfigSL-r16 ::= SEQUENCE { -- NR sidelink measurement identities sl-MeasIdList-r16 SL-MeasIdList-r16 OPTIONAL, -- NR sidelink measurement objects sl-MeasObjectList-r16 SL-MeasObjectList-r16 OPTIONAL, -- NR sidelink reporting configurations sl-reportConfigList-r16 SL-ReportConfigList-r16 OPTIONAL, -- Other parameters sl-QuantityConfig-r16 SL-QuantityConfig-r16 OPTIONAL } -- TAG-VARMEASCONFIGSL-STOP -- TAG-VARMEASIDLECONFIG-START VarMeasIdleConfig-r16 ::= SEQUENCE { measIdleCarrierListNR-r16 SEQUENCE (SIZE (1..maxFreqIdle-r16)) OF MeasIdleCarrierNR-r16 OPTIONAL, measIdleCarrierListEUTRA-r16 SEQUENCE (SIZE (1..maxFreqIdle-r16)) OF MeasIdleCarrierEUTRA-r16 OPTIONAL, measIdleDuration-r16 ENUMERATED {sec10, sec30, sec60, sec120, sec180, sec240, sec300, spare}, validityAreaList-r16 ValidityAreaList-r16 OPTIONAL } -- TAG-VARMEASIDLECONFIG-STOP -- TAG-VARMEASIDLEREPORT-START VarMeasIdleReport-r16 ::= SEQUENCE { measReportIdleNR-r16 MeasResultIdleNR-r16 OPTIONAL, measReportIdleEUTRA-r16 MeasResultIdleEUTRA-r16 OPTIONAL } -- TAG-VARMEASIDLEREPORT-STOP -- TAG-VARMEASREPORTLIST-START VarMeasReportList ::= SEQUENCE (SIZE (1..maxNrofMeasId)) OF VarMeasReport VarMeasReport ::= SEQUENCE { -- List of measurement that have been triggered measId MeasId, cellsTriggeredList CellsTriggeredList OPTIONAL, numberOfReportsSent INTEGER, cli-TriggeredList-r16 CLI-TriggeredList-r16 OPTIONAL, tx-PoolMeasToAddModListNR-r16 Tx-PoolMeasList-r16 OPTIONAL, relaysTriggeredList-r17 RelaysTriggeredList-r17 OPTIONAL } CellsTriggeredList ::= SEQUENCE (SIZE (1..maxNrofCellMeas)) OF CHOICE { physCellId PhysCellId, physCellIdEUTRA EUTRA-PhysCellId, physCellIdUTRA-FDD-r16 PhysCellIdUTRA-FDD-r16 } CLI-TriggeredList-r16 ::= CHOICE { srs-RSRP-TriggeredList-r16 SRS-RSRP-TriggeredList-r16, cli-RSSI-TriggeredList-r16 CLI-RSSI-TriggeredList-r16 } SRS-RSRP-TriggeredList-r16 ::= SEQUENCE (SIZE (1.. maxNrofCLI-SRS-Resources-r16)) OF SRS-ResourceId CLI-RSSI-TriggeredList-r16 ::= SEQUENCE (SIZE (1.. maxNrofCLI-RSSI-Resources-r16)) OF RSSI-ResourceId-r16 RelaysTriggeredList-r17 ::= SEQUENCE (SIZE (1.. maxNrofRelayMeas-r17)) OF SL-SourceIdentity-r17 -- TAG-VARMEASREPORTLIST-STOP -- TAG-VARMEASREPORTLISTSL-START VarMeasReportListSL-r16 ::= SEQUENCE (SIZE (1..maxNrofSL-MeasId-r16)) OF VarMeasReportSL-r16 VarMeasReportSL-r16 ::= SEQUENCE { -- List of NR sidelink measurement that have been triggered sl-MeasId-r16 SL-MeasId-r16, sl-FrequencyTriggeredList-r16 SEQUENCE (SIZE (1..maxNrofFreqSL-r16)) OF ARFCN-ValueNR OPTIONAL, sl-NumberOfReportsSent-r16 INTEGER } -- TAG-VARMEASREPORTLISTSL-STOP -- TAG-VARMOBILITYHISTORYREPORT-START VarMobilityHistoryReport-r16 ::= VisitedCellInfoList-r16 VarMobilityHistoryReport-r17 ::= SEQUENCE { visitedCellInfoList-r16 VisitedCellInfoList-r16, visitedPSCellInfoListReport-r17 VisitedPSCellInfoList-r17 OPTIONAL } -- TAG-VARMOBILITYHISTORYREPORT-STOP -- TAG-VARPENDINGRNA-UPDATE-START VarPendingRNA-Update ::= SEQUENCE { pendingRNA-Update BOOLEAN OPTIONAL } -- TAG-VARPENDINGRNA-UPDATE-STOP -- TAG-VARRA-REPORT-START VarRA-Report-r16 ::= SEQUENCE { ra-ReportList-r16 RA-ReportList-r16, plmn-IdentityList-r16 PLMN-IdentityList-r16 } PLMN-IdentityList-r16 ::= SEQUENCE (SIZE (1..maxPLMN)) OF PLMN-Identity -- TAG-VARRA-REPORT-STOP -- TAG-VARRESUMEMAC-INPUT-START VarResumeMAC-Input ::= SEQUENCE { sourcePhysCellId PhysCellId, targetCellIdentity CellIdentity, source-c-RNTI RNTI-Value } -- TAG-VARRESUMEMAC-INPUT-STOP -- TAG-VARRLF-REPORT-START VarRLF-Report-r16 ::= SEQUENCE { rlf-Report-r16 RLF-Report-r16, plmn-IdentityList-r16 PLMN-IdentityList2-r16 } -- TAG-VARRLF-REPORT-STOP -- TAG-VARSHORTMAC-INPUT-START VarShortMAC-Input ::= SEQUENCE { sourcePhysCellId PhysCellId, targetCellIdentity CellIdentity, source-c-RNTI RNTI-Value } -- TAG-VARSHORTMAC-INPUT-STOP -- TAG-VARSUCCESSHO-Report-START VarSuccessHO-Report-r17-IEs ::= SEQUENCE { successHO-Report-r17 SuccessHO-Report-r17, plmn-IdentityList-r17 PLMN-IdentityList2-r16 } -- TAG-VARSUCCESSHO-Report-STOP END
C
wireshark/epan/dissectors/asn1/nr-rrc/packet-nr-rrc-template.c
/* packet-nr-rrc-template.c * NR; * Radio Resource Control (RRC) protocol specification * (3GPP TS 38.331 V17.5.0 Release 17) packet dissection * Copyright 2018-2023, Pascal Quantin * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #include "config.h" #include <stdlib.h> #include <epan/packet.h> #include <epan/asn1.h> #include <epan/expert.h> #include <epan/reassemble.h> #include <epan/exceptions.h> #include <epan/show_exception.h> #include <epan/proto_data.h> #include <epan/prefs.h> #include <wsutil/str_util.h> #include <wsutil/epochs.h> #include "packet-per.h" #include "packet-gsm_map.h" #include "packet-cell_broadcast.h" #include "packet-mac-nr.h" #include "packet-rlc-nr.h" #include "packet-pdcp-nr.h" #include "packet-rrc.h" #include "packet-lte-rrc.h" #include "packet-nr-rrc.h" #include "packet-gsm_a_common.h" #include "packet-lpp.h" #define PNAME "NR Radio Resource Control (RRC) protocol" #define PSNAME "NR RRC" #define PFNAME "nr-rrc" void proto_register_nr_rrc(void); void proto_reg_handoff_nr_rrc(void); static dissector_handle_t nas_5gs_handle = NULL; static dissector_handle_t lte_rrc_conn_reconf_handle = NULL; static dissector_handle_t lte_rrc_conn_reconf_compl_handle = NULL; static dissector_handle_t lte_rrc_ul_dcch_handle = NULL; static dissector_handle_t lte_rrc_dl_dcch_handle = NULL; static wmem_map_t *nr_rrc_etws_cmas_dcs_hash = NULL; static reassembly_table nr_rrc_sib7_reassembly_table; static reassembly_table nr_rrc_sib8_reassembly_table; static gboolean nr_rrc_nas_in_root_tree; extern int proto_mac_nr; extern int proto_pdcp_nr; /* Include constants */ #include "packet-nr-rrc-val.h" /* Initialize the protocol and registered fields */ static int proto_nr_rrc = -1; #include "packet-nr-rrc-hf.c" static int hf_nr_rrc_serialNumber_gs = -1; static int hf_nr_rrc_serialNumber_msg_code = -1; static int hf_nr_rrc_serialNumber_upd_nb = -1; static int hf_nr_rrc_warningType_value = -1; static int hf_nr_rrc_warningType_emergency_user_alert = -1; static int hf_nr_rrc_warningType_popup = -1; static int hf_nr_rrc_warningMessageSegment_nb_pages = -1; static int hf_nr_rrc_warningMessageSegment_decoded_page = -1; static int hf_nr_rrc_sib7_fragments = -1; static int hf_nr_rrc_sib7_fragment = -1; static int hf_nr_rrc_sib7_fragment_overlap = -1; static int hf_nr_rrc_sib7_fragment_overlap_conflict = -1; static int hf_nr_rrc_sib7_fragment_multiple_tails = -1; static int hf_nr_rrc_sib7_fragment_too_long_fragment = -1; static int hf_nr_rrc_sib7_fragment_error = -1; static int hf_nr_rrc_sib7_fragment_count = -1; static int hf_nr_rrc_sib7_reassembled_in = -1; static int hf_nr_rrc_sib7_reassembled_length = -1; static int hf_nr_rrc_sib7_reassembled_data = -1; static int hf_nr_rrc_sib8_fragments = -1; static int hf_nr_rrc_sib8_fragment = -1; static int hf_nr_rrc_sib8_fragment_overlap = -1; static int hf_nr_rrc_sib8_fragment_overlap_conflict = -1; static int hf_nr_rrc_sib8_fragment_multiple_tails = -1; static int hf_nr_rrc_sib8_fragment_too_long_fragment = -1; static int hf_nr_rrc_sib8_fragment_error = -1; static int hf_nr_rrc_sib8_fragment_count = -1; static int hf_nr_rrc_sib8_reassembled_in = -1; static int hf_nr_rrc_sib8_reassembled_length = -1; static int hf_nr_rrc_sib8_reassembled_data = -1; static int hf_nr_rrc_utc_time = -1; static int hf_nr_rrc_local_time = -1; static int hf_nr_rrc_absolute_time = -1; /* Initialize the subtree pointers */ static gint ett_nr_rrc = -1; #include "packet-nr-rrc-ett.c" static gint ett_nr_rrc_DedicatedNAS_Message = -1; static gint ett_nr_rrc_targetRAT_MessageContainer = -1; static gint ett_nr_rrc_nas_Container = -1; static gint ett_nr_rrc_serialNumber = -1; static gint ett_nr_rrc_warningType = -1; static gint ett_nr_rrc_dataCodingScheme = -1; static gint ett_nr_rrc_sib7_fragment = -1; static gint ett_nr_rrc_sib7_fragments = -1; static gint ett_nr_rrc_sib8_fragment = -1; static gint ett_nr_rrc_sib8_fragments = -1; static gint ett_nr_rrc_warningMessageSegment = -1; static gint ett_nr_rrc_timeInfo = -1; static gint ett_nr_rrc_capabilityRequestFilter = -1; static gint ett_nr_rrc_sourceSCG_EUTRA_Config = -1; static gint ett_nr_rrc_scg_CellGroupConfigEUTRA = -1; static gint ett_nr_rrc_candidateCellInfoListSN_EUTRA = -1; static gint ett_nr_rrc_candidateCellInfoListMN_EUTRA = -1; static gint ett_nr_rrc_sourceConfigSCG_EUTRA = -1; static gint ett_nr_rrc_eutra_SCG = -1; static gint ett_nr_rrc_nr_SCG_Response = -1; static gint ett_nr_rrc_eutra_SCG_Response = -1; static gint ett_nr_rrc_measResultSCG_FailureMRDC = -1; static gint ett_nr_rrc_ul_DCCH_MessageNR = -1; static gint ett_nr_rrc_ul_DCCH_MessageEUTRA = -1; static gint ett_rr_rrc_nas_SecurityParamFromNR = -1; static gint ett_nr_rrc_sidelinkUEInformationNR = -1; static gint ett_nr_rrc_sidelinkUEInformationEUTRA = -1; static gint ett_nr_rrc_ueAssistanceInformationEUTRA = -1; static gint ett_nr_rrc_dl_DCCH_MessageNR = -1; static gint ett_nr_rrc_dl_DCCH_MessageEUTRA = -1; static gint ett_nr_rrc_sl_ConfigDedicatedEUTRA = -1; static gint ett_nr_rrc_sl_CapabilityInformationSidelink = -1; static gint ett_nr_rrc_measResult_RLF_Report_EUTRA = -1; static gint ett_nr_rrc_measResult_RLF_Report_EUTRA_v1690 = -1; static gint ett_nr_rrc_locationTimestamp_r16 = -1; static gint ett_nr_rrc_locationCoordinate_r16 = -1; static gint ett_nr_rrc_locationError_r16 = -1; static gint ett_nr_rrc_locationSource_r16 = -1; static gint ett_nr_rrc_velocityEstimate_r16 = -1; static gint ett_nr_rrc_sensor_MeasurementInformation_r16 = -1; static gint ett_nr_rrc_sensor_MotionInformation_r16 = -1; static gint ett_nr_rrc_bandParametersSidelinkEUTRA1_r16 = -1; static gint ett_nr_rrc_bandParametersSidelinkEUTRA2_r16 = -1; static gint ett_nr_rrc_sl_ParametersEUTRA1_r16 = -1; static gint ett_nr_rrc_sl_ParametersEUTRA2_r16 = -1; static gint ett_nr_rrc_sl_ParametersEUTRA3_r16 = -1; static gint ett_nr_rrc_absTimeInfo = -1; static gint ett_nr_rrc_assistanceDataSIB_Element_r16 = -1; static gint ett_nr_sl_V2X_ConfigCommon_r16 = -1; static gint ett_nr_tdd_Config_r16 = -1; static gint ett_nr_coarseLocationInfo_r17 = -1; static gint ett_nr_sl_MeasResultsCandRelay_r17 = -1; static gint ett_nr_sl_MeasResultServingRelay_r17 = -1; static gint ett_nr_ReferenceLocation_r17 = -1; static expert_field ei_nr_rrc_number_pages_le15 = EI_INIT; /* Forward declarations */ static int dissect_UECapabilityInformationSidelink_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_DL_DCCH_Message_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_DL_CCCH_Message_PDU(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_); static int dissect_UL_CCCH_Message_PDU(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_); static int dissect_UERadioAccessCapabilityInformation_PDU(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_); static int dissect_SL_MeasResultListRelay_r17_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static int dissect_SL_MeasResultRelay_r17_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); static const unit_name_string units_periodicities = { " periodicity", " periodicities" }; static const unit_name_string units_prbs = { " PRB", " PRBs" }; static const unit_name_string units_slots = { " slot", " slots" }; typedef struct { guint8 rat_type; guint8 target_rat_type; guint16 message_identifier; guint8 warning_message_segment_type; guint8 warning_message_segment_number; nr_drb_mac_rlc_mapping_t drb_rlc_mapping; nr_drb_rlc_pdcp_mapping_t drb_pdcp_mapping; lpp_pos_sib_type_t pos_sib_type; pdcp_nr_security_info_t pdcp_security; } nr_rrc_private_data_t; /* Helper function to get or create a struct that will be actx->private_data */ static nr_rrc_private_data_t* nr_rrc_get_private_data(asn1_ctx_t *actx) { if (actx->private_data == NULL) { actx->private_data = wmem_new0(actx->pinfo->pool, nr_rrc_private_data_t); } return (nr_rrc_private_data_t*)actx->private_data; } static void nr_rrc_call_dissector(dissector_handle_t handle, tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree) { TRY { call_dissector(handle, tvb, pinfo, tree); } CATCH_BOUNDS_ERRORS { show_exception(tvb, pinfo, tree, EXCEPT_CODE, GET_MESSAGE); } ENDTRY; } static void nr_rrc_q_RxLevMin_fmt(gchar *s, guint32 v) { gint32 d = (gint32)v; snprintf(s, ITEM_LABEL_LENGTH, "%d dB (%d)", 2*d, d); } static const value_string nr_rrc_serialNumber_gs_vals[] = { { 0, "Display mode immediate, cell wide"}, { 1, "Display mode normal, PLMN wide"}, { 2, "Display mode normal, tracking area wide"}, { 3, "Display mode normal, cell wide"}, { 0, NULL}, }; static const value_string nr_rrc_warningType_vals[] = { { 0, "Earthquake"}, { 1, "Tsunami"}, { 2, "Earthquake and Tsunami"}, { 3, "Test"}, { 4, "Other"}, { 0, NULL}, }; static const fragment_items nr_rrc_sib7_frag_items = { &ett_nr_rrc_sib7_fragment, &ett_nr_rrc_sib7_fragments, &hf_nr_rrc_sib7_fragments, &hf_nr_rrc_sib7_fragment, &hf_nr_rrc_sib7_fragment_overlap, &hf_nr_rrc_sib7_fragment_overlap_conflict, &hf_nr_rrc_sib7_fragment_multiple_tails, &hf_nr_rrc_sib7_fragment_too_long_fragment, &hf_nr_rrc_sib7_fragment_error, &hf_nr_rrc_sib7_fragment_count, &hf_nr_rrc_sib7_reassembled_in, &hf_nr_rrc_sib7_reassembled_length, &hf_nr_rrc_sib7_reassembled_data, "SIB7 warning message segments" }; static const fragment_items nr_rrc_sib8_frag_items = { &ett_nr_rrc_sib8_fragment, &ett_nr_rrc_sib8_fragments, &hf_nr_rrc_sib8_fragments, &hf_nr_rrc_sib8_fragment, &hf_nr_rrc_sib8_fragment_overlap, &hf_nr_rrc_sib8_fragment_overlap_conflict, &hf_nr_rrc_sib8_fragment_multiple_tails, &hf_nr_rrc_sib8_fragment_too_long_fragment, &hf_nr_rrc_sib8_fragment_error, &hf_nr_rrc_sib8_fragment_count, &hf_nr_rrc_sib8_reassembled_in, &hf_nr_rrc_sib8_reassembled_length, &hf_nr_rrc_sib8_reassembled_data, "SIB8 warning message segments" }; static void dissect_nr_rrc_warningMessageSegment(tvbuff_t *warning_msg_seg_tvb, proto_tree *tree, packet_info *pinfo, guint8 dataCodingScheme) { guint32 offset; guint8 nb_of_pages, length, *str; proto_item *ti; tvbuff_t *cb_data_page_tvb, *cb_data_tvb; int i; nb_of_pages = tvb_get_guint8(warning_msg_seg_tvb, 0); ti = proto_tree_add_uint(tree, hf_nr_rrc_warningMessageSegment_nb_pages, warning_msg_seg_tvb, 0, 1, nb_of_pages); if (nb_of_pages > 15) { expert_add_info_format(pinfo, ti, &ei_nr_rrc_number_pages_le15, "Number of pages should be <=15 (found %u)", nb_of_pages); nb_of_pages = 15; } for (i = 0, offset = 1; i < nb_of_pages; i++) { length = tvb_get_guint8(warning_msg_seg_tvb, offset+82); cb_data_page_tvb = tvb_new_subset_length(warning_msg_seg_tvb, offset, length); cb_data_tvb = dissect_cbs_data(dataCodingScheme, cb_data_page_tvb, tree, pinfo, 0); if (cb_data_tvb) { str = tvb_get_string_enc(pinfo->pool, cb_data_tvb, 0, tvb_reported_length(cb_data_tvb), ENC_UTF_8|ENC_NA); proto_tree_add_string_format(tree, hf_nr_rrc_warningMessageSegment_decoded_page, warning_msg_seg_tvb, offset, 83, str, "Decoded Page %u: %s", i+1, str); } offset += 83; } } static const value_string nr_rrc_daylightSavingTime_vals[] = { { 0, "No adjustment for Daylight Saving Time"}, { 1, "+1 hour adjustment for Daylight Saving Time"}, { 2, "+2 hours adjustment for Daylight Saving Time"}, { 3, "Reserved"}, { 0, NULL}, }; static void nr_rrc_localTimeOffset_fmt(gchar *s, guint32 v) { gint32 time_offset = (gint32) v; snprintf(s, ITEM_LABEL_LENGTH, "UTC time %c %dhr %dmin (%d)", (time_offset < 0) ? '-':'+', abs(time_offset) >> 2, (abs(time_offset) & 0x03) * 15, time_offset); } static void nr_rrc_drx_SlotOffset_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%g ms (%u)", 1./32 * v, v); } static void nr_rrc_Hysteresis_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%gdB (%u)", 0.5 * v, v); } static void nr_rrc_msg3_DeltaPreamble_fmt(gchar *s, guint32 v) { gint32 d = (gint32)v; snprintf(s, ITEM_LABEL_LENGTH, "%ddB (%d)", 2 * d, d); } static void nr_rrc_Q_RxLevMin_fmt(gchar *s, guint32 v) { gint32 d = (gint32)v; snprintf(s, ITEM_LABEL_LENGTH, "%ddBm (%d)", 2 * d, d); } static void nr_rrc_RSRP_RangeEUTRA_fmt(gchar *s, guint32 v) { if (v == 0) { snprintf(s, ITEM_LABEL_LENGTH, "RSRP < -140dBm (0)"); } else if (v < 97) { snprintf(s, ITEM_LABEL_LENGTH, "%ddBm <= RSRP < %ddBm (%u)", v-141, v-140, v); } else { snprintf(s, ITEM_LABEL_LENGTH, "-44dBm <= RSRP (97)"); } } static void nr_rrc_RSRQ_RangeEUTRA_fmt(gchar *s, guint32 v) { if (v == 0) { snprintf(s, ITEM_LABEL_LENGTH, "RSRQ < -19.5dB (0)"); } else if (v < 34) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB <= RSRQ < %.1fdB (%u)", ((float)v/2)-20, (((float)v+1)/2)-20, v); } else { snprintf(s, ITEM_LABEL_LENGTH, "-3dB <= RSRQ (34)"); } } static void nr_rrc_SINR_RangeEUTRA_fmt(gchar *s, guint32 v) { if (v == 0) { snprintf(s, ITEM_LABEL_LENGTH, "SINR < -23dB (0)"); } else if (v == 127) { snprintf(s, ITEM_LABEL_LENGTH, "40dB <= SINR (127)"); } else { snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB <= SINR < %.1fdB (%u)", (((float)v-1)/2)-23, ((float)v/2)-23, v); } } static void nr_rrc_ReselectionThreshold_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%udB (%u)", 2 * v, v); } static void nr_rrc_RSRP_Range_fmt(gchar *s, guint32 v) { if (v == 0) { snprintf(s, ITEM_LABEL_LENGTH, "SS-RSRP < -156dBm (0)"); } else if (v < 126) { snprintf(s, ITEM_LABEL_LENGTH, "%ddBm <= SS-RSRP < %ddBm (%u)", v-157, v-156, v); } else if (v == 126) { snprintf(s, ITEM_LABEL_LENGTH, "-31dBm <= SS-RSRP (126)"); } else { snprintf(s, ITEM_LABEL_LENGTH, "infinity (127)"); } } static void nr_rrc_RSRQ_Range_fmt(gchar *s, guint32 v) { if (v == 0) { snprintf(s, ITEM_LABEL_LENGTH, "SS-RSRQ < -43dB (0)"); } else if (v < 127) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB <= SS-RSRQ < %.1fdB (%u)", (((float)v-1)/2)-43, ((float)v/2)-43, v); } else { snprintf(s, ITEM_LABEL_LENGTH, "20dB <= SS-RSRQ (127)"); } } static void nr_rrc_SINR_Range_fmt(gchar *s, guint32 v) { if (v == 0) { snprintf(s, ITEM_LABEL_LENGTH, "SS-SINR < -23dB (0)"); } else if (v < 127) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB <= SS-SINR < %.1fdB (%u)", (((float)v-1)/2)-23, ((float)v/2)-23, v); } else { snprintf(s, ITEM_LABEL_LENGTH, "40dB <= SS-SINR (127)"); } } static void nr_rrc_dl_1024QAM_TotalWeightedLayers_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%u (%u)", 10+(2*v), v); } static void nr_rrc_timeConnFailure_r16_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%ums (%u)", 100*v, v); } static void nr_rrc_RSSI_Range_r16_fmt(gchar *s, guint32 v) { if (v == 0) { snprintf(s, ITEM_LABEL_LENGTH, "RSSI < -100dBm (0)"); } else if (v < 76) { snprintf(s, ITEM_LABEL_LENGTH, "%ddBm <= RSSI < %ddBm (%u)", v-101, v-100, v); } else { snprintf(s, ITEM_LABEL_LENGTH, "-25dBm <= RSSI (76)"); } } static void nr_rrc_RSRQ_RangeEUTRA_r16_fmt(gchar *s, guint32 v) { gint32 d = (gint32)v; if (d == -34) { snprintf(s, ITEM_LABEL_LENGTH, "RSRQ < -36dB (-34)"); } else if (d < 0) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB <= RSRQ < %.1fdB (%d)", (((float)d-1)/2)-19, ((float)d/2)-19, d); } else if (d == 0) { snprintf(s, ITEM_LABEL_LENGTH, "RSRQ < -19.5dB (0)"); } else if (d < 34) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB <= RSRQ < %.1fdB (%d)", (((float)d-1)/2)-19.5, ((float)d/2)-19.5, d); } else if (d == 34) { snprintf(s, ITEM_LABEL_LENGTH, "-3dB <= RSRQ (34)"); } else if (d < 46) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB <= RSRQ < %.1fdB (%d)", (((float)d-1)/2)-20, ((float)d/2)-20, d); } else { snprintf(s, ITEM_LABEL_LENGTH, "2.5dB <= RSRQ (46)"); } } static void nr_rrc_utra_FDD_RSCP_r16_fmt(gchar *s, guint32 v) { gint32 d = (gint32)v; if (d == -5) { snprintf(s, ITEM_LABEL_LENGTH, "RSCP < -120dBm (-5)"); } else if (d < 91) { snprintf(s, ITEM_LABEL_LENGTH, "%ddBm <= RSCP < %ddB (%d)", d-116, d-115, d); } else { snprintf(s, ITEM_LABEL_LENGTH, "-25dBm <= RSCP (91)"); } } static void nr_rrc_utra_FDD_EcN0_r16_fmt(gchar *s, guint32 v) { if (v == 0) { snprintf(s, ITEM_LABEL_LENGTH, "Ec/No < -24dB (0)"); } else if (v < 49) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB <= Ec/No < %.1fdB (%u)", (((float)v-1)/2)-24, ((float)v/2)-24, v); } else { snprintf(s, ITEM_LABEL_LENGTH, "0dB <= Ec/No (49)"); } } static void nr_rrc_averageDelay_r16_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fms (%u)", (float)v/10, v); } static void nr_rrc_measTriggerQuantity_utra_FDD_RSCP_r16_fmt(gchar *s, guint32 v) { gint32 d = (gint32)v; snprintf(s, ITEM_LABEL_LENGTH, "%ddBm (%d)", d-115, d); } static void nr_rrc_measTriggerQuantity_utra_FDD_EcN0_r16_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB (%u)", (float)v/2-24.5, v); } static void nr_rrc_SRS_RSRP_r16_fmt(gchar *s, guint32 v) { if (v == 0) { snprintf(s, ITEM_LABEL_LENGTH, "SRS-RSRP < -140dBm (0)"); } else if (v < 97) { snprintf(s, ITEM_LABEL_LENGTH, "%ddBm <= SRS-RSRP < %ddB (%u)", v-141, v-140, v); } else if (v == 97) { snprintf(s, ITEM_LABEL_LENGTH, "-44dBm <= SRS-RSRP (97)"); } else { snprintf(s, ITEM_LABEL_LENGTH, "Infinity (98)"); } } static void nr_rrc_MeasTriggerQuantityOffset_fmt(gchar *s, guint32 v) { gint32 d = (gint32)v; snprintf(s, ITEM_LABEL_LENGTH, "%.1fdB (%d)", (float)d/2, d); } static void nr_rrc_TimeSinceCHO_Reconfig_r17_fmt(gchar *s, guint32 v) { snprintf(s, ITEM_LABEL_LENGTH, "%.1fs (%u)", (float)v/10, v); } static int dissect_nr_rrc_cg_configinfo_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "CG-ConfigInfo"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_CG_ConfigInfo_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_radiobearerconfig_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "RadioBearerConfig"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_RadioBearerConfig_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_ue_mrdc_capability_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "UE-MRDC-Capability"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_UE_MRDC_Capability_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_ue_nr_capability_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "UE-NR-Capability"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_UE_NR_Capability_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_ul_dcch_message_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "UL-DCCH-Message"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_UL_DCCH_Message_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_dl_dcch_message_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "DL-DCCH-Message"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_DL_DCCH_Message_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_dl_ccch_message_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "DL-CCCH-Message"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_DL_CCCH_Message_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_ul_ccch_message_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "UL-CCCH-Message"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_UL_CCCH_Message_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_cellgroupconfig_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "CellGroupConfig"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_CellGroupConfig_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_ueradioaccesscapabilityinformation_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "UERadioAccessCapabilityInformation"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_UERadioAccessCapabilityInformation_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_measconfig_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "MeasConfig"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_MeasConfig_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_measgapconfig_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "MeasGapConfig"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_MeasGapConfig_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_handoverpreparationinformation_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "HandoverPreparationInformation"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_HandoverPreparationInformation_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_rrcreconfiguration_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "RRCReconfiguration"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_RRCReconfiguration_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_rrcreconfigurationcomplete_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "RRCReconfigurationComplete"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_RRCReconfigurationComplete_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_ue_capabilityrat_containerlist_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "UE-CapabilityRAT-ContainerList"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_UE_CapabilityRAT_ContainerList_PDU(tvb, pinfo, sub_tree, NULL); } static int dissect_nr_rrc_handovercommand_msg(tvbuff_t* tvb _U_, packet_info* pinfo _U_, proto_tree* tree _U_, void* data _U_) { proto_item* ti; proto_tree* sub_tree; col_set_str(pinfo->cinfo, COL_PROTOCOL, "NR RRC"); col_set_str(pinfo->cinfo, COL_INFO, "HandoverCommand"); ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); sub_tree = proto_item_add_subtree(ti, ett_nr_rrc); return dissect_nr_rrc_HandoverCommand_PDU(tvb, pinfo, sub_tree, NULL); } #include "packet-nr-rrc-fn.c" int dissect_nr_rrc_nr_RLF_Report_r16_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_) { proto_item *prot_ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); proto_item_set_hidden(prot_ti); int offset = 0; asn1_ctx_t asn1_ctx; asn1_ctx_init(&asn1_ctx, ASN1_ENC_PER, FALSE, pinfo); offset = dissect_nr_rrc_T_nr_RLF_Report_r16(tvb, offset, &asn1_ctx, tree, hf_nr_rrc_BCCH_DL_SCH_Message_PDU); offset += 7; offset >>= 3; return offset; } int dissect_nr_rrc_subCarrierSpacingCommon_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_) { proto_item *prot_ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); proto_item_set_hidden(prot_ti); int offset = 0; asn1_ctx_t asn1_ctx; asn1_ctx_init(&asn1_ctx, ASN1_ENC_PER, FALSE, pinfo); offset = dissect_nr_rrc_T_subCarrierSpacingCommon(tvb, offset, &asn1_ctx, tree, hf_nr_rrc_BCCH_DL_SCH_Message_PDU); offset += 7; offset >>= 3; return offset; } int dissect_nr_rrc_rach_ConfigCommonIAB_r16_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_) { proto_item *prot_ti = proto_tree_add_item(tree, proto_nr_rrc, tvb, 0, -1, ENC_NA); proto_item_set_hidden(prot_ti); int offset = 0; asn1_ctx_t asn1_ctx; asn1_ctx_init(&asn1_ctx, ASN1_ENC_PER, FALSE, pinfo); offset = dissect_nr_rrc_T_rach_ConfigCommonIAB_r16(tvb, offset, &asn1_ctx, tree, hf_nr_rrc_BCCH_DL_SCH_Message_PDU); offset += 7; offset >>= 3; return offset; } void proto_register_nr_rrc(void) { /* List of fields */ static hf_register_info hf[] = { #include "packet-nr-rrc-hfarr.c" { &hf_nr_rrc_serialNumber_gs, { "Geographical Scope", "nr-rrc.serialNumber.gs", FT_UINT16, BASE_DEC, VALS(nr_rrc_serialNumber_gs_vals), 0xc000, NULL, HFILL }}, { &hf_nr_rrc_serialNumber_msg_code, { "Message Code", "nr-rrc.serialNumber.msg_code", FT_UINT16, BASE_DEC, NULL, 0x3ff0, NULL, HFILL }}, { &hf_nr_rrc_serialNumber_upd_nb, { "Update Number", "nr-rrc.serialNumber.upd_nb", FT_UINT16, BASE_DEC, NULL, 0x000f, NULL, HFILL }}, { &hf_nr_rrc_warningType_value, { "Warning Type Value", "nr-rrc.warningType.value", FT_UINT16, BASE_DEC, VALS(nr_rrc_warningType_vals), 0xfe00, NULL, HFILL }}, { &hf_nr_rrc_warningType_emergency_user_alert, { "Emergency User Alert", "nr-rrc.warningType.emergency_user_alert", FT_BOOLEAN, 16, TFS(&tfs_yes_no), 0x0100, NULL, HFILL }}, { &hf_nr_rrc_warningType_popup, { "Popup", "nr-rrc.warningType.popup", FT_BOOLEAN, 16, TFS(&tfs_yes_no), 0x0080, NULL, HFILL }}, { &hf_nr_rrc_warningMessageSegment_nb_pages, { "Number of Pages", "nr-rrc.warningMessageSegment.nb_pages", FT_UINT8, BASE_DEC, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_warningMessageSegment_decoded_page, { "Decoded Page", "nr-rrc.warningMessageSegment.decoded_page", FT_STRING, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib7_fragments, { "Fragments", "nr-rrc.warningMessageSegment.fragments", FT_NONE, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib7_fragment, { "Fragment", "nr-rrc.warningMessageSegment.fragment", FT_FRAMENUM, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib7_fragment_overlap, { "Fragment Overlap", "nr-rrc.warningMessageSegment.fragment_overlap", FT_BOOLEAN, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib7_fragment_overlap_conflict, { "Fragment Overlap Conflict", "nr-rrc.warningMessageSegment.fragment_overlap_conflict", FT_BOOLEAN, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib7_fragment_multiple_tails, { "Fragment Multiple Tails", "nr-rrc.warningMessageSegment.fragment_multiple_tails", FT_BOOLEAN, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib7_fragment_too_long_fragment, { "Too Long Fragment", "nr-rrc.warningMessageSegment.fragment_too_long_fragment", FT_BOOLEAN, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib7_fragment_error, { "Fragment Error", "nr-rrc.warningMessageSegment.fragment_error", FT_FRAMENUM, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib7_fragment_count, { "Fragment Count", "nr-rrc.warningMessageSegment.fragment_count", FT_UINT32, BASE_DEC, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib7_reassembled_in, { "Reassembled In", "nr-rrc.warningMessageSegment.reassembled_in", FT_FRAMENUM, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib7_reassembled_length, { "Reassembled Length", "nr-rrc.warningMessageSegment.reassembled_length", FT_UINT32, BASE_DEC, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib7_reassembled_data, { "Reassembled Data", "nr-rrc.warningMessageSegment.reassembled_data", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib8_fragments, { "Fragments", "nr-rrc.warningMessageSegment.fragments", FT_NONE, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib8_fragment, { "Fragment", "nr-rrc.warningMessageSegment.fragment", FT_FRAMENUM, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib8_fragment_overlap, { "Fragment Overlap", "nr-rrc.warningMessageSegment.fragment_overlap", FT_BOOLEAN, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib8_fragment_overlap_conflict, { "Fragment Overlap Conflict", "nr-rrc.warningMessageSegment.fragment_overlap_conflict", FT_BOOLEAN, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib8_fragment_multiple_tails, { "Fragment Multiple Tails", "nr-rrc.warningMessageSegment.fragment_multiple_tails", FT_BOOLEAN, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib8_fragment_too_long_fragment, { "Too Long Fragment", "nr-rrc.warningMessageSegment.fragment_too_long_fragment", FT_BOOLEAN, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib8_fragment_error, { "Fragment Error", "nr-rrc.warningMessageSegment.fragment_error", FT_FRAMENUM, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib8_fragment_count, { "Fragment Count", "nr-rrc.warningMessageSegment.fragment_count", FT_UINT32, BASE_DEC, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib8_reassembled_in, { "Reassembled In", "nr-rrc.warningMessageSegment.reassembled_in", FT_FRAMENUM, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib8_reassembled_length, { "Reassembled Length", "nr-rrc.warningMessageSegment.reassembled_length", FT_UINT32, BASE_DEC, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_sib8_reassembled_data, { "Reassembled Data", "nr-rrc.warningMessageSegment.reassembled_data", FT_BYTES, BASE_NONE, NULL, 0, NULL, HFILL }}, { &hf_nr_rrc_utc_time, { "UTC time", "nr-rrc.utc_time", FT_ABSOLUTE_TIME, ABSOLUTE_TIME_UTC, NULL, 0x0, NULL, HFILL }}, { &hf_nr_rrc_local_time, { "Local time", "nr-rrc.local_time", FT_ABSOLUTE_TIME, ABSOLUTE_TIME_LOCAL, NULL, 0x0, NULL, HFILL }}, { &hf_nr_rrc_absolute_time, { "Absolute time", "nr-rrc.absolute_time", FT_STRING, BASE_NONE, NULL, 0x0, NULL, HFILL }}, }; static gint *ett[] = { &ett_nr_rrc, #include "packet-nr-rrc-ettarr.c" &ett_nr_rrc_DedicatedNAS_Message, &ett_nr_rrc_targetRAT_MessageContainer, &ett_nr_rrc_nas_Container, &ett_nr_rrc_serialNumber, &ett_nr_rrc_warningType, &ett_nr_rrc_dataCodingScheme, &ett_nr_rrc_sib7_fragment, &ett_nr_rrc_sib7_fragments, &ett_nr_rrc_sib8_fragment, &ett_nr_rrc_sib8_fragments, &ett_nr_rrc_warningMessageSegment, &ett_nr_rrc_timeInfo, &ett_nr_rrc_capabilityRequestFilter, &ett_nr_rrc_sourceSCG_EUTRA_Config, &ett_nr_rrc_scg_CellGroupConfigEUTRA, &ett_nr_rrc_candidateCellInfoListSN_EUTRA, &ett_nr_rrc_candidateCellInfoListMN_EUTRA, &ett_nr_rrc_sourceConfigSCG_EUTRA, &ett_nr_rrc_eutra_SCG, &ett_nr_rrc_nr_SCG_Response, &ett_nr_rrc_eutra_SCG_Response, &ett_nr_rrc_measResultSCG_FailureMRDC, &ett_nr_rrc_ul_DCCH_MessageNR, &ett_nr_rrc_ul_DCCH_MessageEUTRA, &ett_rr_rrc_nas_SecurityParamFromNR, &ett_nr_rrc_sidelinkUEInformationNR, &ett_nr_rrc_sidelinkUEInformationEUTRA, &ett_nr_rrc_ueAssistanceInformationEUTRA, &ett_nr_rrc_dl_DCCH_MessageNR, &ett_nr_rrc_dl_DCCH_MessageEUTRA, &ett_nr_rrc_sl_ConfigDedicatedEUTRA, &ett_nr_rrc_sl_CapabilityInformationSidelink, &ett_nr_rrc_measResult_RLF_Report_EUTRA, &ett_nr_rrc_measResult_RLF_Report_EUTRA_v1690, &ett_nr_rrc_locationTimestamp_r16, &ett_nr_rrc_locationCoordinate_r16, &ett_nr_rrc_locationError_r16, &ett_nr_rrc_locationSource_r16, &ett_nr_rrc_velocityEstimate_r16, &ett_nr_rrc_sensor_MeasurementInformation_r16, &ett_nr_rrc_sensor_MotionInformation_r16, &ett_nr_rrc_bandParametersSidelinkEUTRA1_r16, &ett_nr_rrc_bandParametersSidelinkEUTRA2_r16, &ett_nr_rrc_sl_ParametersEUTRA1_r16, &ett_nr_rrc_sl_ParametersEUTRA2_r16, &ett_nr_rrc_sl_ParametersEUTRA3_r16, &ett_nr_rrc_absTimeInfo, &ett_nr_rrc_assistanceDataSIB_Element_r16, &ett_nr_sl_V2X_ConfigCommon_r16, &ett_nr_tdd_Config_r16, &ett_nr_coarseLocationInfo_r17, &ett_nr_sl_MeasResultsCandRelay_r17, &ett_nr_sl_MeasResultServingRelay_r17, &ett_nr_ReferenceLocation_r17 }; static ei_register_info ei[] = { { &ei_nr_rrc_number_pages_le15, { "nr-rrc.number_pages_le15", PI_MALFORMED, PI_ERROR, "Number of pages should be <=15", EXPFILL }}, }; expert_module_t* expert_nr_rrc; module_t *nr_rrc_module; /* Register protocol */ proto_nr_rrc = proto_register_protocol(PNAME, PSNAME, PFNAME); /* Register fields and subtrees */ proto_register_field_array(proto_nr_rrc, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); expert_nr_rrc = expert_register_protocol(proto_nr_rrc); expert_register_field_array(expert_nr_rrc, ei, array_length(ei)); /* Register the dissectors defined in nr-rrc.cnf */ register_dissector("nr-rrc.cg_configinfo", dissect_nr_rrc_cg_configinfo_msg, proto_nr_rrc); register_dissector("nr-rrc.radiobearerconfig", dissect_nr_rrc_radiobearerconfig_msg, proto_nr_rrc); register_dissector("nr-rrc.rrc_reconf_msg", dissect_nr_rrc_rrcreconfiguration_msg, proto_nr_rrc); register_dissector("nr-rrc.rrc_reconf_compl_msg", dissect_nr_rrc_rrcreconfigurationcomplete_msg, proto_nr_rrc); register_dissector("nr-rrc.ue_capabilityrat_containerlist", dissect_nr_rrc_ue_capabilityrat_containerlist_msg, proto_nr_rrc); register_dissector("nr-rrc.ue_mrdc_cap_msg", dissect_nr_rrc_ue_mrdc_capability_msg, proto_nr_rrc); register_dissector("nr-rrc.ue_nr_cap_msg", dissect_nr_rrc_ue_nr_capability_msg, proto_nr_rrc); register_dissector("nr-rrc.ul.dcch_msg_msg", dissect_nr_rrc_ul_dcch_message_msg, proto_nr_rrc); register_dissector("nr-rrc.dl.dcch_msg_msg", dissect_nr_rrc_dl_dcch_message_msg, proto_nr_rrc); register_dissector("nr-rrc.ul.ccch_msg_msg", dissect_nr_rrc_ul_ccch_message_msg, proto_nr_rrc); register_dissector("nr-rrc.dl.ccch_msg_msg", dissect_nr_rrc_dl_ccch_message_msg, proto_nr_rrc); register_dissector("nr-rrc.cellgroupconfig_msg", dissect_nr_rrc_cellgroupconfig_msg, proto_nr_rrc); register_dissector("nr-rrc.ue_radio_access_cap_info_msg", dissect_ueradioaccesscapabilityinformation_msg, proto_nr_rrc); register_dissector("nr-rrc.measconfig_msg", dissect_nr_rrc_measconfig_msg, proto_nr_rrc); register_dissector("nr-rrc.measgapconfig_msg", dissect_nr_rrc_measgapconfig_msg, proto_nr_rrc); register_dissector("nr-rrc.handoverpreparationinformation_msg", dissect_nr_rrc_handoverpreparationinformation_msg, proto_nr_rrc); register_dissector("nr-rrc.handovercommand_msg", dissect_nr_rrc_handovercommand_msg, proto_nr_rrc); #include "packet-nr-rrc-dis-reg.c" nr_rrc_etws_cmas_dcs_hash = wmem_map_new_autoreset(wmem_epan_scope(), wmem_file_scope(), g_direct_hash, g_direct_equal); reassembly_table_register(&nr_rrc_sib7_reassembly_table, &addresses_reassembly_table_functions); reassembly_table_register(&nr_rrc_sib8_reassembly_table, &addresses_reassembly_table_functions); /* Register configuration preferences */ nr_rrc_module = prefs_register_protocol(proto_nr_rrc, NULL); prefs_register_bool_preference(nr_rrc_module, "nas_in_root_tree", "Show NAS PDU in root packet details", "Whether the NAS PDU should be shown in the root packet details tree", &nr_rrc_nas_in_root_tree); } void proto_reg_handoff_nr_rrc(void) { nas_5gs_handle = find_dissector("nas-5gs"); lte_rrc_conn_reconf_handle = find_dissector("lte-rrc.rrc_conn_reconf"); lte_rrc_conn_reconf_compl_handle = find_dissector("lte-rrc.rrc_conn_reconf_compl"); lte_rrc_ul_dcch_handle = find_dissector("lte-rrc.ul.dcch"); lte_rrc_dl_dcch_handle = find_dissector("lte-rrc.dl.dcch"); }
C/C++
wireshark/epan/dissectors/asn1/nr-rrc/packet-nr-rrc-template.h
/* packet-nr-rrc-template.h * Copyright 2018-2023, Pascal Quantin * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #ifndef PACKET_NR_RRC_H #define PACKET_NR_RRC_H #include "packet-nr-rrc-exp.h" int dissect_nr_rrc_nr_RLF_Report_r16_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); int dissect_nr_rrc_subCarrierSpacingCommon_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); int dissect_nr_rrc_rach_ConfigCommonIAB_r16_PDU(tvbuff_t *tvb _U_, packet_info *pinfo _U_, proto_tree *tree _U_, void *data _U_); #endif /* PACKET_NR_RRC_H */
ASN.1
wireshark/epan/dissectors/asn1/nr-rrc/PC5-RRC-Definitions.asn
-- 3GPP TS 38.331 V17.5.0 (2023-06) PC5-RRC-Definitions DEFINITIONS AUTOMATIC TAGS ::= BEGIN IMPORTS CellAccessRelatedInfo, SetupRelease, RRC-TransactionIdentifier, SN-FieldLengthAM, SN-FieldLengthUM, LogicalChannelIdentity, maxNrofSLRB-r16, maxNrofSL-RxInfoSet-r17, maxNrofSL-QFIs-r16, maxNrofSL-QFIsPerDest-r16, PagingCycle, PagingRecord, RSRP-Range, SL-MeasConfig-r16, SL-MeasId-r16, FreqBandList, FreqBandIndicatorNR, maxNrofRelayMeas-r17, maxSimultaneousBands, maxBandComb, maxBands, maxSIB-MessagePlus1-r17, maxSL-LCID-r16, BandParametersSidelink-r16, RLC-ParametersSidelink-r16, SIB1, SL-DRX-ConfigUC-r17, SL-DRX-ConfigUC-SemiStatic-r17, SL-PagingIdentityRemoteUE-r17, SL-RLC-ChannelID-r17, SL-SourceIdentity-r17, SystemInformation FROM NR-RRC-Definitions; -- TAG-PC5-RRC-DEFINITIONS-STOP -- TAG-SBCCH-SL-BCH-MESSAGE-START SBCCH-SL-BCH-Message ::= SEQUENCE { message SBCCH-SL-BCH-MessageType } SBCCH-SL-BCH-MessageType::= CHOICE { c1 CHOICE { masterInformationBlockSidelink MasterInformationBlockSidelink, spare1 NULL }, messageClassExtension SEQUENCE {} } -- TAG-SBCCH-SL-BCH-MESSAGE-STOP -- TAG-SCCH-MESSAGE-START SCCH-Message ::= SEQUENCE { message SCCH-MessageType } SCCH-MessageType ::= CHOICE { c1 CHOICE { measurementReportSidelink MeasurementReportSidelink, rrcReconfigurationSidelink RRCReconfigurationSidelink, rrcReconfigurationCompleteSidelink RRCReconfigurationCompleteSidelink, rrcReconfigurationFailureSidelink RRCReconfigurationFailureSidelink, ueCapabilityEnquirySidelink UECapabilityEnquirySidelink, ueCapabilityInformationSidelink UECapabilityInformationSidelink, uuMessageTransferSidelink-r17 UuMessageTransferSidelink-r17, remoteUEInformationSidelink-r17 RemoteUEInformationSidelink-r17 }, messageClassExtension CHOICE { c2 CHOICE { notificationMessageSidelink-r17 NotificationMessageSidelink-r17, ueAssistanceInformationSidelink-r17 UEAssistanceInformationSidelink-r17, spare6 NULL, spare5 NULL, spare4 NULL, spare3 NULL, spare2 NULL, spare1 NULL }, messageClassExtensionFuture-r17 SEQUENCE {} } } -- TAG-SCCH-MESSAGE-STOP -- TAG-MASTERINFORMATIONBLOCKSIDELINK-START MasterInformationBlockSidelink ::= SEQUENCE { sl-TDD-Config-r16 BIT STRING (SIZE (12)), inCoverage-r16 BOOLEAN, directFrameNumber-r16 BIT STRING (SIZE (10)), slotIndex-r16 BIT STRING (SIZE (7)), reservedBits-r16 BIT STRING (SIZE (2)) } -- TAG-MASTERINFORMATIONBLOCKSIDELINK-STOP -- TAG-MEASUREMENTREPORTSIDELINK-START MeasurementReportSidelink ::= SEQUENCE { criticalExtensions CHOICE { measurementReportSidelink-r16 MeasurementReportSidelink-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } MeasurementReportSidelink-r16-IEs ::= SEQUENCE { sl-measResults-r16 SL-MeasResults-r16, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE{} OPTIONAL } SL-MeasResults-r16 ::= SEQUENCE { sl-MeasId-r16 SL-MeasId-r16, sl-MeasResult-r16 SL-MeasResult-r16, ... } SL-MeasResult-r16 ::= SEQUENCE { sl-ResultDMRS-r16 SL-MeasQuantityResult-r16 OPTIONAL, ... } SL-MeasQuantityResult-r16 ::= SEQUENCE { sl-RSRP-r16 RSRP-Range OPTIONAL, ... } SL-MeasResultListRelay-r17 ::= SEQUENCE (SIZE (1..maxNrofRelayMeas-r17)) OF SL-MeasResultRelay-r17 SL-MeasResultRelay-r17 ::= SEQUENCE { cellIdentity-r17 CellAccessRelatedInfo, sl-RelayUE-Identity-r17 SL-SourceIdentity-r17, sl-MeasResult-r17 SL-MeasResult-r16, ... } -- TAG-MEASUREMENTREPORTSIDELINK-STOP -- TAG-NOTIFICATIONMESSAGESIDELINK-START NotificationMessageSidelink-r17 ::= SEQUENCE { criticalExtensions CHOICE { notificationMessageSidelink-r17 NotificationMessageSidelink-r17-IEs, criticalExtensionsFuture SEQUENCE {} } } NotificationMessageSidelink-r17-IEs ::= SEQUENCE { indicationType-r17 ENUMERATED { relayUE-Uu-RLF, relayUE-HO, relayUE-CellReselection, relayUE-Uu-RRC-Failure } OPTIONAL, -- Need N lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-NOTIFICATIONMESSAGESIDELINK -STOP -- TAG-REMOTEUEINFORMATIONSIDELINK-START RemoteUEInformationSidelink-r17 ::= SEQUENCE { criticalExtensions CHOICE { remoteUEInformationSidelink-r17 RemoteUEInformationSidelink-r17-IEs, criticalExtensionsFuture SEQUENCE {} } } RemoteUEInformationSidelink-r17-IEs ::= SEQUENCE { sl-RequestedSIB-List-r17 CHOICE {release NULL, setup SL-RequestedSIB-List-r17} OPTIONAL, -- Need M sl-PagingInfo-RemoteUE-r17 CHOICE {release NULL, setup SL-PagingInfo-RemoteUE-r17} OPTIONAL, -- Need M lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } SL-RequestedSIB-List-r17 ::= SEQUENCE (SIZE (maxSIB-MessagePlus1-r17)) OF SL-SIB-ReqInfo-r17 SL-PagingInfo-RemoteUE-r17 ::= SEQUENCE { sl-PagingIdentityRemoteUE-r17 SL-PagingIdentityRemoteUE-r17, sl-PagingCycleRemoteUE-r17 PagingCycle OPTIONAL -- Need M } SL-SIB-ReqInfo-r17 ::= ENUMERATED { sib1, sib2, sib3, sib4, sib5, sib6, sib7, sib8, sib9, sib10, sib11, sib12, sib13, sib14, sib15, sib16, sib17, sib18, sib19, sib20, sib21, sibNotReq11, sibNotReq10, sibNotReq9, sibNotReq8, sibNotReq7, sibNotReq6, sibNotReq5, sibNotReq4, sibNotReq3, sibNotReq2, sibNotReq1, ... } -- TAG-REMOTEUEINFORMATIONSIDELINK-STOP -- TAG-RRCRECONFIGURATIONSIDELINK-START RRCReconfigurationSidelink ::= SEQUENCE { rrc-TransactionIdentifier-r16 RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcReconfigurationSidelink-r16 RRCReconfigurationSidelink-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCReconfigurationSidelink-r16-IEs ::= SEQUENCE { slrb-ConfigToAddModList-r16 SEQUENCE (SIZE (1..maxNrofSLRB-r16)) OF SLRB-Config-r16 OPTIONAL, -- Need N slrb-ConfigToReleaseList-r16 SEQUENCE (SIZE (1..maxNrofSLRB-r16)) OF SLRB-PC5-ConfigIndex-r16 OPTIONAL, -- Need N sl-MeasConfig-r16 CHOICE {release NULL, setup SL-MeasConfig-r16} OPTIONAL, -- Need M sl-CSI-RS-Config-r16 CHOICE {release NULL, setup SL-CSI-RS-Config-r16} OPTIONAL, -- Need M sl-ResetConfig-r16 ENUMERATED {true} OPTIONAL, -- Need N sl-LatencyBoundCSI-Report-r16 INTEGER (3..160) OPTIONAL, -- Need M lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension RRCReconfigurationSidelink-v1700-IEs OPTIONAL } RRCReconfigurationSidelink-v1700-IEs ::= SEQUENCE { sl-DRX-ConfigUC-PC5-r17 CHOICE {release NULL, setup SL-DRX-ConfigUC-r17 } OPTIONAL, -- Need M sl-LatencyBoundIUC-Report-r17 CHOICE {release NULL, setup SL-LatencyBoundIUC-Report-r17 } OPTIONAL, -- Need M sl-RLC-ChannelToReleaseListPC5-r17 SEQUENCE (SIZE (1..maxSL-LCID-r16)) OF SL-RLC-ChannelID-r17 OPTIONAL, -- Need N sl-RLC-ChannelToAddModListPC5-r17 SEQUENCE (SIZE (1..maxSL-LCID-r16)) OF SL-RLC-ChannelConfigPC5-r17 OPTIONAL, -- Need N nonCriticalExtension SEQUENCE {} OPTIONAL } SL-LatencyBoundIUC-Report-r17::= INTEGER (3..160) SLRB-Config-r16::= SEQUENCE { slrb-PC5-ConfigIndex-r16 SLRB-PC5-ConfigIndex-r16, sl-SDAP-ConfigPC5-r16 SL-SDAP-ConfigPC5-r16 OPTIONAL, -- Need M sl-PDCP-ConfigPC5-r16 SL-PDCP-ConfigPC5-r16 OPTIONAL, -- Need M sl-RLC-ConfigPC5-r16 SL-RLC-ConfigPC5-r16 OPTIONAL, -- Need M sl-MAC-LogicalChannelConfigPC5-r16 SL-LogicalChannelConfigPC5-r16 OPTIONAL, -- Need M ... } SLRB-PC5-ConfigIndex-r16 ::= INTEGER (1..maxNrofSLRB-r16) SL-SDAP-ConfigPC5-r16 ::= SEQUENCE { sl-MappedQoS-FlowsToAddList-r16 SEQUENCE (SIZE (1.. maxNrofSL-QFIsPerDest-r16)) OF SL-PQFI-r16 OPTIONAL, -- Need N sl-MappedQoS-FlowsToReleaseList-r16 SEQUENCE (SIZE (1.. maxNrofSL-QFIsPerDest-r16)) OF SL-PQFI-r16 OPTIONAL, -- Need N sl-SDAP-Header-r16 ENUMERATED {present, absent}, ... } SL-PDCP-ConfigPC5-r16 ::= SEQUENCE { sl-PDCP-SN-Size-r16 ENUMERATED {len12bits, len18bits} OPTIONAL, -- Need M sl-OutOfOrderDelivery-r16 ENUMERATED { true } OPTIONAL, -- Need R ... } SL-RLC-ConfigPC5-r16 ::= CHOICE { sl-AM-RLC-r16 SEQUENCE { sl-SN-FieldLengthAM-r16 SN-FieldLengthAM OPTIONAL, -- Need M ... }, sl-UM-Bi-Directional-RLC-r16 SEQUENCE { sl-SN-FieldLengthUM-r16 SN-FieldLengthUM OPTIONAL, -- Need M ... }, sl-UM-Uni-Directional-RLC-r16 SEQUENCE { sl-SN-FieldLengthUM-r16 SN-FieldLengthUM OPTIONAL, -- Need M ... } } SL-LogicalChannelConfigPC5-r16 ::= SEQUENCE { sl-LogicalChannelIdentity-r16 LogicalChannelIdentity, ... } SL-PQFI-r16 ::= INTEGER (1..64) SL-CSI-RS-Config-r16 ::= SEQUENCE { sl-CSI-RS-FreqAllocation-r16 CHOICE { sl-OneAntennaPort-r16 BIT STRING (SIZE (12)), sl-TwoAntennaPort-r16 BIT STRING (SIZE (6)) } OPTIONAL, -- Need M sl-CSI-RS-FirstSymbol-r16 INTEGER (3..12) OPTIONAL, -- Need M ... } SL-RLC-ChannelConfigPC5-r17::= SEQUENCE { sl-RLC-ChannelID-PC5-r17 SL-RLC-ChannelID-r17, sl-RLC-ConfigPC5-r17 SL-RLC-ConfigPC5-r16 OPTIONAL, -- Need M sl-MAC-LogicalChannelConfigPC5-r17 SL-LogicalChannelConfigPC5-r16 OPTIONAL, -- Need M ... } -- TAG-RRCRECONFIGURATIONSIDELINK-STOP -- TAG-RRCRECONFIGURATIONCOMPLETESIDELINK-START RRCReconfigurationCompleteSidelink ::= SEQUENCE { rrc-TransactionIdentifier-r16 RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcReconfigurationCompleteSidelink-r16 RRCReconfigurationCompleteSidelink-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCReconfigurationCompleteSidelink-r16-IEs ::= SEQUENCE { lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension RRCReconfigurationCompleteSidelink-v1710-IEs OPTIONAL } RRCReconfigurationCompleteSidelink-v1710-IEs ::= SEQUENCE { dummy ENUMERATED {true}, nonCriticalExtension RRCReconfigurationCompleteSidelink-v1720-IEs OPTIONAL } RRCReconfigurationCompleteSidelink-v1720-IEs ::= SEQUENCE { sl-DRX-ConfigReject-v1720 ENUMERATED {true} OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-RRCRECONFIGURATIONCOMPLETESIDELINK-STOP -- TAG-RRCRECONFIGURATIONFAILURESIDELINK-START RRCReconfigurationFailureSidelink ::= SEQUENCE { rrc-TransactionIdentifier-r16 RRC-TransactionIdentifier, criticalExtensions CHOICE { rrcReconfigurationFailureSidelink-r16 RRCReconfigurationFailureSidelink-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } RRCReconfigurationFailureSidelink-r16-IEs ::= SEQUENCE { lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-RRCRECONFIGURATIONFAILURESIDELINK-STOP -- TAG-UEASSISTANCEINFORMATIONSIDELINK-START UEAssistanceInformationSidelink-r17 ::= SEQUENCE { criticalExtensions CHOICE { ueAssistanceInformationSidelink-r17 UEAssistanceInformationSidelink-r17-IEs, criticalExtensionsFuture SEQUENCE {} } } UEAssistanceInformationSidelink-r17-IEs ::= SEQUENCE { sl-PreferredDRX-ConfigList-r17 SEQUENCE (SIZE (1..maxNrofSL-RxInfoSet-r17)) OF SL-DRX-ConfigUC-SemiStatic-r17 OPTIONAL, -- Need R lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-UEASSISTANCEINFORMATIONSIDELINK-STOP -- TAG-UECAPABILITYENQUIRYSIDELINK-START UECapabilityEnquirySidelink ::= SEQUENCE { rrc-TransactionIdentifier-r16 RRC-TransactionIdentifier, criticalExtensions CHOICE { ueCapabilityEnquirySidelink-r16 UECapabilityEnquirySidelink-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } UECapabilityEnquirySidelink-r16-IEs ::= SEQUENCE { frequencyBandListFilterSidelink-r16 FreqBandList OPTIONAL, -- Need N ue-CapabilityInformationSidelink-r16 OCTET STRING OPTIONAL, -- Need N lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE{} OPTIONAL } -- TAG-UECAPABILITYENQUIRYSIDELINK-STOP -- TAG-UECAPABILITYINFORMATIONSIDELINK-START UECapabilityInformationSidelink ::= SEQUENCE { rrc-TransactionIdentifier-r16 RRC-TransactionIdentifier, criticalExtensions CHOICE { ueCapabilityInformationSidelink-r16 UECapabilityInformationSidelink-r16-IEs, criticalExtensionsFuture SEQUENCE {} } } UECapabilityInformationSidelink-r16-IEs ::= SEQUENCE { accessStratumReleaseSidelink-r16 AccessStratumReleaseSidelink-r16, pdcp-ParametersSidelink-r16 PDCP-ParametersSidelink-r16 OPTIONAL, rlc-ParametersSidelink-r16 RLC-ParametersSidelink-r16 OPTIONAL, supportedBandCombinationListSidelinkNR-r16 BandCombinationListSidelinkNR-r16 OPTIONAL, supportedBandListSidelink-r16 SEQUENCE (SIZE (1..maxBands)) OF BandSidelinkPC5-r16 OPTIONAL, appliedFreqBandListFilter-r16 FreqBandList OPTIONAL, lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension UECapabilityInformationSidelink-v1700-IEs OPTIONAL } UECapabilityInformationSidelink-v1700-IEs ::= SEQUENCE { mac-ParametersSidelink-r17 MAC-ParametersSidelink-r17 OPTIONAL, supportedBandCombinationListSidelinkNR-v1710 BandCombinationListSidelinkNR-v1710 OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } MAC-ParametersSidelink-r17 ::= SEQUENCE { drx-OnSidelink-r17 ENUMERATED {supported} OPTIONAL, ... } AccessStratumReleaseSidelink-r16 ::= ENUMERATED { rel16, rel17, spare6, spare5, spare4, spare3, spare2, spare1, ... } PDCP-ParametersSidelink-r16 ::= SEQUENCE { outOfOrderDeliverySidelink-r16 ENUMERATED {supported} OPTIONAL, ... } BandCombinationListSidelinkNR-r16 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombinationParametersSidelinkNR-r16 BandCombinationListSidelinkNR-v1710 ::= SEQUENCE (SIZE (1..maxBandComb)) OF BandCombinationParametersSidelinkNR-v1710 BandCombinationParametersSidelinkNR-r16 ::= SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandParametersSidelink-r16 BandCombinationParametersSidelinkNR-v1710 ::= SEQUENCE (SIZE (1..maxSimultaneousBands)) OF BandParametersSidelink-v1710 BandParametersSidelink-v1710 ::= SEQUENCE { --32-5a-1 tx-IUC-Scheme1-Mode2Sidelink-r17 ENUMERATED {supported} OPTIONAL, --32-5b-1 tx-IUC-Scheme2-Mode2Sidelink-r17 ENUMERATED {n4, n8, n16} OPTIONAL } BandSidelinkPC5-r16 ::= SEQUENCE { freqBandSidelink-r16 FreqBandIndicatorNR, --15-1 sl-Reception-r16 SEQUENCE { harq-RxProcessSidelink-r16 ENUMERATED {n16, n24, n32, n64}, pscch-RxSidelink-r16 ENUMERATED {value1, value2}, scs-CP-PatternRxSidelink-r16 CHOICE { fr1-r16 SEQUENCE { scs-15kHz-r16 BIT STRING (SIZE (16)) OPTIONAL, scs-30kHz-r16 BIT STRING (SIZE (16)) OPTIONAL, scs-60kHz-r16 BIT STRING (SIZE (16)) OPTIONAL }, fr2-r16 SEQUENCE { scs-60kHz-r16 BIT STRING (SIZE (16)) OPTIONAL, scs-120kHz-r16 BIT STRING (SIZE (16)) OPTIONAL } } OPTIONAL, extendedCP-RxSidelink-r16 ENUMERATED {supported} OPTIONAL } OPTIONAL, --15-10 sl-Tx-256QAM-r16 ENUMERATED {supported} OPTIONAL, --15-12 lowSE-64QAM-MCS-TableSidelink-r16 ENUMERATED {supported} OPTIONAL, ..., [[ --15-14 csi-ReportSidelink-r16 SEQUENCE { csi-RS-PortsSidelink-r16 ENUMERATED {p1, p2} } OPTIONAL, --15-19 rankTwoReception-r16 ENUMERATED {supported} OPTIONAL, --15-23 sl-openLoopPC-RSRP-ReportSidelink-r16 ENUMERATED {supported} OPTIONAL, --13-1 sl-Rx-256QAM-r16 ENUMERATED {supported} OPTIONAL ]], [[ --32-5a-2 rx-IUC-Scheme1-PreferredMode2Sidelink-r17 ENUMERATED {supported} OPTIONAL, --32-5a-3 rx-IUC-Scheme1-NonPreferredMode2Sidelink-r17 ENUMERATED {supported} OPTIONAL, --32-5b-2 rx-IUC-Scheme2-Mode2Sidelink-r17 ENUMERATED {n5, n15, n25, n32, n35, n45, n50, n64} OPTIONAL, --32-6-1 rx-IUC-Scheme1-SCI-r17 ENUMERATED {supported} OPTIONAL, --32-6-2 rx-IUC-Scheme1-SCI-ExplicitReq-r17 ENUMERATED {supported} OPTIONAL, --32-7 scheme2-ConflictDeterminationRSRP-r17 ENUMERATED {supported} OPTIONAL ]] } -- TAG-UECAPABILITYINFORMATIONSIDELINK-STOP -- TAG-UUMESSAGETRANSFERSIDELINK-START UuMessageTransferSidelink-r17 ::= SEQUENCE { criticalExtensions CHOICE { uuMessageTransferSidelink-r17 UuMessageTransferSidelink-r17-IEs, criticalExtensionsFuture SEQUENCE {} } } UuMessageTransferSidelink-r17-IEs ::= SEQUENCE { sl-PagingDelivery-r17 OCTET STRING (CONTAINING PagingRecord) OPTIONAL, -- Need N sl-SIB1-Delivery-r17 OCTET STRING (CONTAINING SIB1) OPTIONAL, -- Need N sl-SystemInformationDelivery-r17 OCTET STRING (CONTAINING SystemInformation) OPTIONAL, -- Need N lateNonCriticalExtension OCTET STRING OPTIONAL, nonCriticalExtension SEQUENCE {} OPTIONAL } -- TAG-UUMESSAGETRANSFERSIDELINK-STOP END
Text
wireshark/epan/dissectors/asn1/nrppa/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME nrppa ) set( PROTO_OPT ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST NRPPA-CommonDataTypes.asn NRPPA-Constants.asn NRPPA-Containers.asn NRPPA-PDU-Descriptions.asn NRPPA-IEs.asn NRPPA-PDU-Contents.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c packet-${PROTOCOL_NAME}-template.h ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/nrppa/NRPPA-CommonDataTypes.asn
-- 3GPP TS 38.455 V17.4.0 (2023-03) -- 9.3.6 Common definitions -- ************************************************************** -- -- Common definitions -- -- ************************************************************** NRPPA-CommonDataTypes { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-access (22) modules (3) nrppa (4) version1 (1) nrppa-CommonDataTypes (3)} DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- Extension constants -- -- ************************************************************** maxPrivateIEs INTEGER ::= 65535 maxProtocolExtensions INTEGER ::= 65535 maxProtocolIEs INTEGER ::= 65535 -- ************************************************************** -- -- Common Data Types -- -- ************************************************************** Criticality ::= ENUMERATED { reject, ignore, notify } NRPPATransactionID ::= INTEGER (0..32767) Presence ::= ENUMERATED { optional, conditional, mandatory } PrivateIE-ID ::= CHOICE { local INTEGER (0.. maxPrivateIEs), global OBJECT IDENTIFIER } ProcedureCode ::= INTEGER (0..255) ProtocolIE-ID ::= INTEGER (0..maxProtocolIEs) TriggeringMessage ::= ENUMERATED { initiating-message, successful-outcome, unsuccessful-outcome} END
ASN.1
wireshark/epan/dissectors/asn1/nrppa/NRPPA-Constants.asn
-- 3GPP TS 38.455 V17.4.0 (2023-03) -- 9.3.7 Constant definitions -- ************************************************************** -- -- Constant definitions -- -- ************************************************************** NRPPA-Constants { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-access (22) modules (3) nrppa (4) version1 (1) nrppa-Constants (4) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN IMPORTS ProcedureCode, ProtocolIE-ID FROM NRPPA-CommonDataTypes; -- ************************************************************** -- -- Elementary Procedures -- -- ************************************************************** id-errorIndication ProcedureCode ::= 0 id-privateMessage ProcedureCode ::= 1 id-e-CIDMeasurementInitiation ProcedureCode ::= 2 id-e-CIDMeasurementFailureIndication ProcedureCode ::= 3 id-e-CIDMeasurementReport ProcedureCode ::= 4 id-e-CIDMeasurementTermination ProcedureCode ::= 5 id-oTDOAInformationExchange ProcedureCode ::= 6 id-assistanceInformationControl ProcedureCode ::= 7 id-assistanceInformationFeedback ProcedureCode ::= 8 id-positioningInformationExchange ProcedureCode ::= 9 id-positioningInformationUpdate ProcedureCode ::= 10 id-Measurement ProcedureCode ::= 11 id-MeasurementReport ProcedureCode ::= 12 id-MeasurementUpdate ProcedureCode ::= 13 id-MeasurementAbort ProcedureCode ::= 14 id-MeasurementFailureIndication ProcedureCode ::= 15 id-tRPInformationExchange ProcedureCode ::= 16 id-positioningActivation ProcedureCode ::= 17 id-positioningDeactivation ProcedureCode ::= 18 id-pRSConfigurationExchange ProcedureCode ::= 19 id-measurementPreconfiguration ProcedureCode ::= 20 id-measurementActivation ProcedureCode ::= 21 -- ************************************************************** -- -- Lists -- -- ************************************************************** maxNrOfErrors INTEGER ::= 256 maxCellinRANnode INTEGER ::= 3840 maxIndexesReport INTEGER ::= 64 maxNoMeas INTEGER ::= 64 maxCellReport INTEGER ::= 9 maxCellReportNR INTEGER ::= 9 maxnoOTDOAtypes INTEGER ::= 63 maxServCell INTEGER ::= 5 maxEUTRAMeas INTEGER ::= 8 maxGERANMeas INTEGER ::= 8 maxNRMeas INTEGER ::= 8 maxUTRANMeas INTEGER ::= 8 maxWLANchannels INTEGER ::= 16 maxnoFreqHoppingBandsMinusOne INTEGER ::= 7 maxNoPath INTEGER ::= 2 maxNrOfPosSImessage INTEGER ::= 32 maxnoAssistInfoFailureListItems INTEGER ::= 32 maxNrOfSegments INTEGER ::= 64 maxNrOfPosSIBs INTEGER ::= 32 maxNoOfMeasTRPs INTEGER ::= 64 maxnoTRPs INTEGER ::= 65535 maxnoTRPInfoTypes INTEGER ::= 64 maxnoofAngleInfo INTEGER ::= 65535 maxnolcs-gcs-translation INTEGER ::= 3 maxnoBcastCell INTEGER ::= 16384 maxnoSRSTriggerStates INTEGER ::= 3 maxnoSpatialRelations INTEGER ::= 64 maxnoPosMeas INTEGER ::= 16384 maxnoSRS-Carriers INTEGER ::= 32 maxnoSCSs INTEGER ::= 5 maxnoSRS-Resources INTEGER ::= 64 maxnoSRS-PosResources INTEGER ::= 64 maxnoSRS-ResourceSets INTEGER ::= 16 maxnoSRS-ResourcePerSet INTEGER ::= 16 maxnoSRS-PosResourceSets INTEGER ::= 16 maxnoSRS-PosResourcePerSet INTEGER ::= 16 maxPRS-ResourceSets INTEGER ::= 2 maxPRS-ResourcesPerSet INTEGER ::= 64 maxNoSSBs INTEGER ::= 255 maxnoofPRSresourceSet INTEGER ::= 8 maxnoofPRSresource INTEGER ::= 64 maxnoofULAoAs INTEGER ::= 8 maxNoPathExtended INTEGER ::= 8 maxnoARPs INTEGER ::= 16 maxnoUETEGs INTEGER ::= 256 maxnoTRPTEGs INTEGER ::= 8 maxFreqLayers INTEGER ::= 4 maxNumResourcesPerAngle INTEGER ::= 24 maxnoAzimuthAngles INTEGER ::= 3600 maxnoElevationAngles INTEGER ::= 1801 maxnoPRSTRPs INTEGER ::= 256 -- ************************************************************** -- -- IEs -- -- ************************************************************** id-Cause ProtocolIE-ID ::= 0 id-CriticalityDiagnostics ProtocolIE-ID ::= 1 id-LMF-UE-Measurement-ID ProtocolIE-ID ::= 2 id-ReportCharacteristics ProtocolIE-ID ::= 3 id-MeasurementPeriodicity ProtocolIE-ID ::= 4 id-MeasurementQuantities ProtocolIE-ID ::= 5 id-RAN-UE-Measurement-ID ProtocolIE-ID ::= 6 id-E-CID-MeasurementResult ProtocolIE-ID ::= 7 id-OTDOACells ProtocolIE-ID ::= 8 id-OTDOA-Information-Type-Group ProtocolIE-ID ::= 9 id-OTDOA-Information-Type-Item ProtocolIE-ID ::= 10 id-MeasurementQuantities-Item ProtocolIE-ID ::= 11 id-RequestedSRSTransmissionCharacteristics ProtocolIE-ID ::= 12 id-Cell-Portion-ID ProtocolIE-ID ::= 14 id-OtherRATMeasurementQuantities ProtocolIE-ID ::= 15 id-OtherRATMeasurementQuantities-Item ProtocolIE-ID ::= 16 id-OtherRATMeasurementResult ProtocolIE-ID ::= 17 id-WLANMeasurementQuantities ProtocolIE-ID ::= 19 id-WLANMeasurementQuantities-Item ProtocolIE-ID ::= 20 id-WLANMeasurementResult ProtocolIE-ID ::= 21 id-TDD-Config-EUTRA-Item ProtocolIE-ID ::= 22 id-Assistance-Information ProtocolIE-ID ::= 23 id-Broadcast ProtocolIE-ID ::= 24 id-AssistanceInformationFailureList ProtocolIE-ID ::= 25 id-SRSConfiguration ProtocolIE-ID ::= 26 id-MeasurementResult ProtocolIE-ID ::= 27 id-TRP-ID ProtocolIE-ID ::= 28 id-TRPInformationTypeListTRPReq ProtocolIE-ID ::= 29 id-TRPInformationListTRPResp ProtocolIE-ID ::= 30 id-MeasurementBeamInfoRequest ProtocolIE-ID ::= 31 id-ResultSS-RSRP ProtocolIE-ID ::= 32 id-ResultSS-RSRQ ProtocolIE-ID ::= 33 id-ResultCSI-RSRP ProtocolIE-ID ::= 34 id-ResultCSI-RSRQ ProtocolIE-ID ::= 35 id-AngleOfArrivalNR ProtocolIE-ID ::= 36 id-GeographicalCoordinates ProtocolIE-ID ::= 37 id-PositioningBroadcastCells ProtocolIE-ID ::= 38 id-LMF-Measurement-ID ProtocolIE-ID ::= 39 id-RAN-Measurement-ID ProtocolIE-ID ::= 40 id-TRP-MeasurementRequestList ProtocolIE-ID ::= 41 id-TRP-MeasurementResponseList ProtocolIE-ID ::= 42 id-TRP-MeasurementReportList ProtocolIE-ID ::= 43 id-SRSType ProtocolIE-ID ::= 44 id-ActivationTime ProtocolIE-ID ::= 45 id-SRSResourceSetID ProtocolIE-ID ::= 46 id-TRPList ProtocolIE-ID ::= 47 id-SRSSpatialRelation ProtocolIE-ID ::= 48 id-SystemFrameNumber ProtocolIE-ID ::= 49 id-SlotNumber ProtocolIE-ID ::= 50 id-SRSResourceTrigger ProtocolIE-ID ::= 51 id-TRPMeasurementQuantities ProtocolIE-ID ::= 52 id-AbortTransmission ProtocolIE-ID ::= 53 id-SFNInitialisationTime ProtocolIE-ID ::= 54 id-ResultNR ProtocolIE-ID ::= 55 id-ResultEUTRA ProtocolIE-ID ::= 56 id-TRPInformationTypeItem ProtocolIE-ID ::= 57 id-CGI-NR ProtocolIE-ID ::= 58 id-SFNInitialisationTime-NR ProtocolIE-ID ::= 59 id-Cell-ID ProtocolIE-ID ::= 60 id-SrsFrequency ProtocolIE-ID ::= 61 id-TRPType ProtocolIE-ID ::= 62 id-SRSSpatialRelationPerSRSResource ProtocolIE-ID ::= 63 id-MeasurementPeriodicityExtended ProtocolIE-ID ::= 64 id-PRS-Resource-ID ProtocolIE-ID ::= 65 id-PRSTRPList ProtocolIE-ID ::= 66 id-PRSTransmissionTRPList ProtocolIE-ID ::= 67 id-OnDemandPRS ProtocolIE-ID ::= 68 id-AoA-SearchWindow ProtocolIE-ID ::= 69 id-TRP-MeasurementUpdateList ProtocolIE-ID ::= 70 id-ZoA ProtocolIE-ID ::= 71 id-ResponseTime ProtocolIE-ID ::= 72 id-UEReportingInformation ProtocolIE-ID ::= 73 id-MultipleULAoA ProtocolIE-ID ::= 74 id-UL-SRS-RSRPP ProtocolIE-ID ::= 75 id-SRSResourcetype ProtocolIE-ID ::= 76 id-ExtendedAdditionalPathList ProtocolIE-ID ::= 77 id-ARPLocationInfo ProtocolIE-ID ::= 78 id-ARP-ID ProtocolIE-ID ::= 79 id-LoS-NLoSInformation ProtocolIE-ID ::= 80 id-UETxTEGAssociationList ProtocolIE-ID ::= 81 id-NumberOfTRPRxTEG ProtocolIE-ID ::= 82 id-NumberOfTRPRxTxTEG ProtocolIE-ID ::= 83 id-TRPTxTEGAssociation ProtocolIE-ID ::= 84 id-TRPTEGInformation ProtocolIE-ID ::= 85 id-TRP-Rx-TEGInformation ProtocolIE-ID ::= 86 id-TRP-PRS-Information-List ProtocolIE-ID ::= 87 id-PRS-Measurements-Info-List ProtocolIE-ID ::= 88 id-PRSConfigRequestType ProtocolIE-ID ::= 89 id-UE-TEG-Info-Request ProtocolIE-ID ::= 90 id-MeasurementTimeOccasion ProtocolIE-ID ::= 91 id-MeasurementCharacteristicsRequestIndicator ProtocolIE-ID ::= 92 id-TRPBeamAntennaInformation ProtocolIE-ID ::= 93 id-NR-TADV ProtocolIE-ID ::= 94 id-MeasurementAmount ProtocolIE-ID ::= 95 id-pathPower ProtocolIE-ID ::= 96 id-PreconfigurationResult ProtocolIE-ID ::= 97 id-RequestType ProtocolIE-ID ::= 98 id-UE-TEG-ReportingPeriodicity ProtocolIE-ID ::= 99 id-SRSPortIndex ProtocolIE-ID ::= 100 id-procedure-code-101-not-to-be-used ProtocolIE-ID ::= 101 id-procedure-code-102-not-to-be-used ProtocolIE-ID ::= 102 id-procedure-code-103-not-to-be-used ProtocolIE-ID ::= 103 id-UETxTimingErrorMargin ProtocolIE-ID ::= 104 id-MeasurementPeriodicityNR-AoA ProtocolIE-ID ::= 105 id-SRSTransmissionStatus ProtocolIE-ID ::= 106 END
ASN.1
wireshark/epan/dissectors/asn1/nrppa/NRPPA-Containers.asn
-- 3GPP TS 38.455 V17.4.0 (2023-03) -- 9.3.8 Container definitions -- -- ************************************************************** -- -- Container definitions -- -- ************************************************************** NRPPA-Containers { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-access (22) modules (3) nrppa (4) version1 (1) nrppa-Containers (5)} DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- IE parameter types from other modules. -- -- ************************************************************** IMPORTS maxPrivateIEs, maxProtocolExtensions, maxProtocolIEs, Criticality, Presence, PrivateIE-ID, ProtocolIE-ID FROM NRPPA-CommonDataTypes; -- ************************************************************** -- -- Class Definition for Protocol IEs -- -- ************************************************************** NRPPA-PROTOCOL-IES ::= CLASS { &id ProtocolIE-ID UNIQUE, &criticality Criticality, &Value, &presence Presence } WITH SYNTAX { ID &id CRITICALITY &criticality TYPE &Value PRESENCE &presence } -- ************************************************************** -- -- Class Definition for Protocol Extensions -- -- ************************************************************** NRPPA-PROTOCOL-EXTENSION ::= CLASS { &id ProtocolIE-ID UNIQUE, &criticality Criticality, &Extension, &presence Presence } WITH SYNTAX { ID &id CRITICALITY &criticality EXTENSION &Extension PRESENCE &presence } -- ************************************************************** -- -- Class Definition for Private IEs -- -- ************************************************************** NRPPA-PRIVATE-IES ::= CLASS { &id PrivateIE-ID, &criticality Criticality, &Value, &presence Presence } WITH SYNTAX { ID &id CRITICALITY &criticality TYPE &Value PRESENCE &presence } -- ************************************************************** -- -- Container for Protocol IEs -- -- ************************************************************** ProtocolIE-Container { NRPPA-PROTOCOL-IES : IEsSetParam} ::= SEQUENCE (SIZE (0..maxProtocolIEs)) OF ProtocolIE-Field {{IEsSetParam}} ProtocolIE-Single-Container { NRPPA-PROTOCOL-IES : IEsSetParam} ::= ProtocolIE-Field {{IEsSetParam}} ProtocolIE-Field { NRPPA-PROTOCOL-IES : IEsSetParam} ::= SEQUENCE { id NRPPA-PROTOCOL-IES.&id ({IEsSetParam}), criticality NRPPA-PROTOCOL-IES.&criticality ({IEsSetParam}{@id}), value NRPPA-PROTOCOL-IES.&Value ({IEsSetParam}{@id}) } -- ************************************************************** -- -- Container Lists for Protocol IE Containers -- -- ************************************************************** ProtocolIE-ContainerList {INTEGER : lowerBound, INTEGER : upperBound, NRPPA-PROTOCOL-IES : IEsSetParam} ::= SEQUENCE (SIZE (lowerBound..upperBound)) OF ProtocolIE-Container {{IEsSetParam}} -- ************************************************************** -- -- Container for Protocol Extensions -- -- ************************************************************** ProtocolExtensionContainer { NRPPA-PROTOCOL-EXTENSION : ExtensionSetParam} ::= SEQUENCE (SIZE (1..maxProtocolExtensions)) OF ProtocolExtensionField {{ExtensionSetParam}} ProtocolExtensionField { NRPPA-PROTOCOL-EXTENSION : ExtensionSetParam} ::= SEQUENCE { id NRPPA-PROTOCOL-EXTENSION.&id ({ExtensionSetParam}), criticality NRPPA-PROTOCOL-EXTENSION.&criticality ({ExtensionSetParam}{@id}), extensionValue NRPPA-PROTOCOL-EXTENSION.&Extension ({ExtensionSetParam}{@id}) } -- ************************************************************** -- -- Container for Private IEs -- -- ************************************************************** PrivateIE-Container { NRPPA-PRIVATE-IES : IEsSetParam} ::= SEQUENCE (SIZE (1..maxPrivateIEs)) OF PrivateIE-Field {{IEsSetParam}} PrivateIE-Field { NRPPA-PRIVATE-IES : IEsSetParam} ::= SEQUENCE { id NRPPA-PRIVATE-IES.&id ({IEsSetParam}), criticality NRPPA-PRIVATE-IES.&criticality ({IEsSetParam}{@id}), value NRPPA-PRIVATE-IES.&Value ({IEsSetParam}{@id}) } END
ASN.1
wireshark/epan/dissectors/asn1/nrppa/NRPPA-IEs.asn
-- 3GPP TS 38.455 V17.4.0 (2023-03) -- 9.3.5 Information Element definitions -- ************************************************************** -- -- Information Element Definitions -- -- ************************************************************** NRPPA-IEs { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-access (22) modules (3) nrppa (4) version1 (1) nrppa-IEs (2) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN IMPORTS id-MeasurementQuantities-Item, id-CGI-NR, id-SFNInitialisationTime-NR, id-GeographicalCoordinates, id-ResultSS-RSRP, id-ResultSS-RSRQ, id-ResultCSI-RSRP, id-ResultCSI-RSRQ, id-AngleOfArrivalNR, id-ResultNR, id-ResultEUTRA, maxCellinRANnode, maxCellReport, maxNrOfErrors, maxNoMeas, maxnoOTDOAtypes, maxServCell, id-OtherRATMeasurementQuantities-Item, id-WLANMeasurementQuantities-Item, maxGERANMeas, maxUTRANMeas, maxWLANchannels, maxnoFreqHoppingBandsMinusOne, id-TDD-Config-EUTRA-Item, maxNrOfPosSImessage, maxnoAssistInfoFailureListItems, maxNrOfSegments, maxNrOfPosSIBs, maxnoPosMeas, maxnoTRPs, maxnoTRPInfoTypes, maxNoOfMeasTRPs, maxNoPath, maxnoofAngleInfo, maxnolcs-gcs-translation, maxnoBcastCell, maxnoSRSTriggerStates, maxnoSpatialRelations, maxNRMeas, maxEUTRAMeas, maxIndexesReport, maxCellReportNR, maxnoSRS-Carriers, maxnoSCSs, maxnoSRS-Resources, maxnoSRS-PosResources, maxnoSRS-ResourceSets, maxnoSRS-ResourcePerSet, maxnoSRS-PosResourceSets, maxnoSRS-PosResourcePerSet, maxPRS-ResourceSets, maxPRS-ResourcesPerSet, maxNoSSBs, maxnoofPRSresourceSet, maxnoofPRSresource, maxnoofULAoAs, maxNoPathExtended, maxnoARPs, maxnoTRPTEGs, maxnoUETEGs, maxFreqLayers, maxnoPRSTRPs, maxNumResourcesPerAngle, maxnoAzimuthAngles, maxnoElevationAngles, id-Cell-ID, id-TRPInformationTypeItem, id-SrsFrequency, id-TRPType, id-SRSSpatialRelationPerSRSResource, id-PRS-Resource-ID, id-OnDemandPRS, id-AoA-SearchWindow, id-ZoA, id-MultipleULAoA, id-UL-SRS-RSRPP, id-SRSResourcetype, id-ExtendedAdditionalPathList, id-ARPLocationInfo, id-ARP-ID, id-LoS-NLoSInformation, id-NumberOfTRPRxTEG, id-NumberOfTRPRxTxTEG, id-TRPTxTEGAssociation, id-TRPTEGInformation, id-TRP-Rx-TEGInformation, id-TRPBeamAntennaInformation, id-NR-TADV, id-pathPower, id-SRSPortIndex, id-UETxTimingErrorMargin FROM NRPPA-Constants Criticality, NRPPATransactionID, ProcedureCode, ProtocolIE-ID, TriggeringMessage FROM NRPPA-CommonDataTypes ProtocolExtensionContainer{}, ProtocolIE-Single-Container{}, NRPPA-PROTOCOL-EXTENSION, NRPPA-PROTOCOL-IES FROM NRPPA-Containers; -- A AbortTransmission ::= CHOICE { deactivateSRSResourceSetID SRSResourceSetID, releaseALL NULL, choice-extension ProtocolIE-Single-Container { { AbortTransmission-ExtIEs } } } AbortTransmission-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } ActiveULBWP ::= SEQUENCE { locationAndBandwidth INTEGER (0..37949,...), subcarrierSpacing ENUMERATED {kHz15, kHz30, kHz60, kHz120,...}, cyclicPrefix ENUMERATED {normal, extended}, txDirectCurrentLocation INTEGER (0..3301,...), shift7dot5kHz ENUMERATED {true, ...} OPTIONAL, sRSConfig SRSConfig, iE-Extensions ProtocolExtensionContainer { { ActiveULBWP-ExtIEs} } OPTIONAL, ... } ActiveULBWP-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } AdditionalPathList ::= SEQUENCE (SIZE (1.. maxNoPath)) OF AdditionalPathListItem AdditionalPathListItem ::= SEQUENCE { relativeTimeOfPath RelativePathDelay, pathQuality TrpMeasurementQuality OPTIONAL, iE-Extensions ProtocolExtensionContainer { { AdditionalPathListItem-ExtIEs} } OPTIONAL, ... } AdditionalPathListItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-MultipleULAoA CRITICALITY ignore EXTENSION MultipleULAoA PRESENCE optional}| { ID id-pathPower CRITICALITY ignore EXTENSION UL-SRS-RSRPP PRESENCE optional}, ... } ExtendedAdditionalPathList ::= SEQUENCE (SIZE (1.. maxNoPathExtended)) OF ExtendedAdditionalPathList-Item ExtendedAdditionalPathList-Item ::= SEQUENCE { relativeTimeOfPath RelativePathDelay, pathQuality TrpMeasurementQuality OPTIONAL, multipleULAoA MultipleULAoA OPTIONAL, pathPower UL-SRS-RSRPP OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ExtendedAdditionalPathList-Item-ExtIEs} } OPTIONAL, ... } ExtendedAdditionalPathList-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } AoA-AssistanceInfo ::= SEQUENCE { angleMeasurement AngleMeasurementType, lCS-to-GCS-Translation LCS-to-GCS-Translation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { AoA-AssistanceInfo-ExtIEs } } OPTIONAL, ... } AoA-AssistanceInfo-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } AperiodicSRSResourceTriggerList ::= SEQUENCE (SIZE(1..maxnoSRSTriggerStates)) OF AperiodicSRSResourceTrigger AperiodicSRSResourceTrigger ::= INTEGER (1..3) AngleMeasurementType ::= CHOICE { expected-ULAoA Expected-UL-AoA, expected-ZoA Expected-ZoA-only, choice-extension ProtocolIE-Single-Container { { AngleMeasurementType-ExtIEs } } } AngleMeasurementType-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } Expected-UL-AoA ::= SEQUENCE { expected-Azimuth-AoA Expected-Azimuth-AoA, expected-Zenith-AoA Expected-Zenith-AoA OPTIONAL, iE-extensions ProtocolExtensionContainer { { Expected-UL-AoA-ExtIEs } } OPTIONAL, ... } Expected-UL-AoA-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } Expected-ZoA-only ::= SEQUENCE { expected-ZoA-only Expected-Zenith-AoA, iE-extensions ProtocolExtensionContainer { { Expected-ZoA-only-ExtIEs } } OPTIONAL, ... } Expected-ZoA-only-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } Expected-Azimuth-AoA ::= SEQUENCE { expected-Azimuth-AoA-value Expected-Value-AoA, expected-Azimuth-AoA-uncertainty Uncertainty-range-AoA, iE-extensions ProtocolExtensionContainer { { Expected-Azimuth-AoA-ExtIEs } } OPTIONAL, ... } Expected-Azimuth-AoA-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } Expected-Zenith-AoA ::= SEQUENCE { expected-Zenith-AoA-value Expected-Value-ZoA, expected-Zenith-AoA-uncertainty Uncertainty-range-ZoA, iE-extensions ProtocolExtensionContainer { { Expected-Zenith-AoA-ExtIEs } } OPTIONAL, ... } Expected-Zenith-AoA-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ARP-ID ::= INTEGER (1..16, ...) ARPLocationInformation ::= SEQUENCE (SIZE (1..maxnoARPs)) OF ARPLocationInformation-Item ARPLocationInformation-Item ::= SEQUENCE { aRP-ID ARP-ID, aRPLocationType ARPLocationType, iE-Extensions ProtocolExtensionContainer { { ARPLocationInformation-ExtIEs} } OPTIONAL, ... } ARPLocationInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ARPLocationType ::= CHOICE { aRPPositionRelativeGeodetic RelativeGeodeticLocation, aRPPositionRelativeCartesian RelativeCartesianLocation, choice-extension ProtocolIE-Single-Container { { ARPLocationType-ExtIEs } } } ARPLocationType-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } Assistance-Information ::= SEQUENCE { systemInformation SystemInformation, iE-Extensions ProtocolExtensionContainer { { Assistance-Information-ExtIEs} } OPTIONAL, ... } Assistance-Information-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } AssistanceInformationFailureList ::= SEQUENCE (SIZE (1..maxnoAssistInfoFailureListItems)) OF SEQUENCE { posSIB-Type PosSIB-Type, outcome Outcome, iE-Extensions ProtocolExtensionContainer { {AssistanceInformationFailureList-ExtIEs} } OPTIONAL, ... } AssistanceInformationFailureList-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } AssistanceInformationMetaData ::= SEQUENCE { encrypted ENUMERATED {true, ...} OPTIONAL, gNSSID ENUMERATED {gps, sbas, qzss, galileo, glonass, bds, navic, ...} OPTIONAL, sBASID ENUMERATED {waas, egnos, msas, gagan, ...} OPTIONAL, iE-Extensions ProtocolExtensionContainer { { AssistanceInformationMetaData-ExtIEs} } OPTIONAL, ... } AssistanceInformationMetaData-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } -- B BandwidthSRS ::= CHOICE { fR1 ENUMERATED {mHz5, mHz10, mHz20, mHz40, mHz50, mHz80, mHz100, ...}, fR2 ENUMERATED {mHz50, mHz100, mHz200, mHz400, ...}, choice-extension ProtocolIE-Single-Container { { BandwidthSRS-ExtIEs } } } BandwidthSRS-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } BCCH ::= INTEGER (0..1023, ...) Broadcast ::= ENUMERATED { start, stop, ... } BroadcastPeriodicity ::= ENUMERATED { ms80, ms160, ms320, ms640, ms1280, ms2560, ms5120, ... } PositioningBroadcastCells ::= SEQUENCE (SIZE (1..maxnoBcastCell)) OF NG-RAN-CGI BSSID ::= OCTET STRING (SIZE(6)) -- C CarrierFreq ::= SEQUENCE { pointA INTEGER (0..3279165), offsetToCarrier INTEGER (0..2199, ...), iE-Extensions ProtocolExtensionContainer { {CarrierFreq-ExtIEs} } OPTIONAL, ... } CarrierFreq-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } Cause ::= CHOICE { radioNetwork CauseRadioNetwork, protocol CauseProtocol, misc CauseMisc, choice-Extension ProtocolIE-Single-Container {{ Cause-ExtensionIE }} } Cause-ExtensionIE NRPPA-PROTOCOL-IES ::= { ... } CauseMisc ::= ENUMERATED { unspecified, ... } CauseProtocol ::= ENUMERATED { transfer-syntax-error, abstract-syntax-error-reject, abstract-syntax-error-ignore-and-notify, message-not-compatible-with-receiver-state, semantic-error, unspecified, abstract-syntax-error-falsely-constructed-message, ... } CauseRadioNetwork ::= ENUMERATED { unspecified, requested-item-not-supported, requested-item-temporarily-not-available, ..., serving-NG-RAN-node-changed, requested-item-not-supported-on-time } Cell-Portion-ID ::= INTEGER (0..4095,...) CGI-EUTRA ::= SEQUENCE { pLMN-Identity PLMN-Identity, eUTRAcellIdentifier EUTRACellIdentifier, iE-Extensions ProtocolExtensionContainer { {CGI-EUTRA-ExtIEs} } OPTIONAL, ... } CGI-EUTRA-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } CGI-NR ::= SEQUENCE { pLMN-Identity PLMN-Identity, nRcellIdentifier NRCellIdentifier, iE-Extensions ProtocolExtensionContainer { {CGI-NR-ExtIEs} } OPTIONAL, ... } CGI-NR-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } CPLength-EUTRA ::= ENUMERATED { normal, extended, ... } CriticalityDiagnostics ::= SEQUENCE { procedureCode ProcedureCode OPTIONAL, triggeringMessage TriggeringMessage OPTIONAL, procedureCriticality Criticality OPTIONAL, nrppatransactionID NRPPATransactionID OPTIONAL, iEsCriticalityDiagnostics CriticalityDiagnostics-IE-List OPTIONAL, iE-Extensions ProtocolExtensionContainer { {CriticalityDiagnostics-ExtIEs} } OPTIONAL, ... } CriticalityDiagnostics-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } CriticalityDiagnostics-IE-List ::= SEQUENCE (SIZE (1..maxNrOfErrors)) OF SEQUENCE { iECriticality Criticality, iE-ID ProtocolIE-ID, typeOfError TypeOfError, iE-Extensions ProtocolExtensionContainer { {CriticalityDiagnostics-IE-List-ExtIEs} } OPTIONAL, ... } CriticalityDiagnostics-IE-List-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } -- D DL-Bandwidth-EUTRA ::= ENUMERATED { bw6, bw15, bw25, bw50, bw75, bw100, ... } DL-PRS ::= SEQUENCE { prsid INTEGER (0..255), dl-PRSResourceSetID PRS-Resource-Set-ID, dl-PRSResourceID PRS-Resource-ID OPTIONAL, iE-Extensions ProtocolExtensionContainer { {DL-PRS-ExtIEs} } OPTIONAL, ... } DL-PRS-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } DL-PRSMutingPattern ::= CHOICE { two BIT STRING (SIZE(2)), four BIT STRING (SIZE(4)), six BIT STRING (SIZE(6)), eight BIT STRING (SIZE(8)), sixteen BIT STRING (SIZE(16)), thirty-two BIT STRING (SIZE(32)), choice-extension ProtocolIE-Single-Container { { DL-PRSMutingPattern-ExtIEs } } } DL-PRSMutingPattern-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } DLPRSResourceCoordinates ::= SEQUENCE { listofDL-PRSResourceSetARP SEQUENCE (SIZE(1.. maxPRS-ResourceSets)) OF DLPRSResourceSetARP, iE-Extensions ProtocolExtensionContainer { { DLPRSResourceCoordinates-ExtIEs } } OPTIONAL, ... } DLPRSResourceCoordinates-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } DLPRSResourceSetARP ::= SEQUENCE { dl-PRSResourceSetID PRS-Resource-Set-ID, dL-PRSResourceSetARPLocation DL-PRSResourceSetARPLocation, listofDL-PRSResourceARP SEQUENCE (SIZE(1.. maxPRS-ResourcesPerSet)) OF DLPRSResourceARP, iE-Extensions ProtocolExtensionContainer { { DLPRSResourceSetARP-ExtIEs } } OPTIONAL, ... } DLPRSResourceSetARP-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } DL-PRSResourceSetARPLocation ::= CHOICE { relativeGeodeticLocation RelativeGeodeticLocation, relativeCartesianLocation RelativeCartesianLocation, choice-Extension ProtocolIE-Single-Container { { DL-PRSResourceSetARPLocation-ExtIEs } } } DL-PRSResourceSetARPLocation-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } DLPRSResourceARP ::= SEQUENCE { dl-PRSResourceID PRS-Resource-ID, dL-PRSResourceARPLocation DL-PRSResourceARPLocation, iE-Extensions ProtocolExtensionContainer { { DLPRSResourceARP-ExtIEs } } OPTIONAL, ... } DLPRSResourceARP-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } DL-PRSResourceARPLocation ::= CHOICE { relativeGeodeticLocation RelativeGeodeticLocation, relativeCartesianLocation RelativeCartesianLocation, choice-Extension ProtocolIE-Single-Container { { DL-PRSResourceARPLocation-ExtIEs } } } DL-PRSResourceARPLocation-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } -- E E-CID-MeasurementResult ::= SEQUENCE { servingCell-ID NG-RAN-CGI, servingCellTAC TAC, nG-RANAccessPointPosition NG-RANAccessPointPosition OPTIONAL, measuredResults MeasuredResults OPTIONAL, iE-Extensions ProtocolExtensionContainer { { E-CID-MeasurementResult-ExtIEs} } OPTIONAL, ... } E-CID-MeasurementResult-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-GeographicalCoordinates CRITICALITY ignore EXTENSION GeographicalCoordinates PRESENCE optional}, ... } EUTRACellIdentifier ::= BIT STRING (SIZE (28)) EARFCN ::= INTEGER (0..262143, ...) Expected-Value-AoA ::= INTEGER (0..3599) Expected-Value-ZoA ::= INTEGER (0..1799) -- F -- G GeographicalCoordinates ::= SEQUENCE { tRPPositionDefinitionType TRPPositionDefinitionType, dLPRSResourceCoordinates DLPRSResourceCoordinates OPTIONAL, iE-Extensions ProtocolExtensionContainer { { GeographicalCoordinates-ExtIEs } } OPTIONAL, ... } GeographicalCoordinates-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-ARPLocationInfo CRITICALITY ignore EXTENSION ARPLocationInformation PRESENCE optional}, ... } GNB-RxTxTimeDiff ::= SEQUENCE { rxTxTimeDiff GNBRxTxTimeDiffMeas, additionalPathList AdditionalPathList OPTIONAL, iE-Extensions ProtocolExtensionContainer { { GNB-RxTxTimeDiff-ExtIEs} } OPTIONAL, ... } GNB-RxTxTimeDiff-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-ExtendedAdditionalPathList CRITICALITY ignore EXTENSION ExtendedAdditionalPathList PRESENCE optional}| { ID id-TRPTEGInformation CRITICALITY ignore EXTENSION TRPTEGInformation PRESENCE optional }, ... } GNBRxTxTimeDiffMeas ::= CHOICE { k0 INTEGER (0.. 1970049), k1 INTEGER (0.. 985025), k2 INTEGER (0.. 492513), k3 INTEGER (0.. 246257), k4 INTEGER (0.. 123129), k5 INTEGER (0.. 61565), choice-extension ProtocolIE-Single-Container { { GNBRxTxTimeDiffMeas-ExtIEs } } } GNBRxTxTimeDiffMeas-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } -- H HESSID ::= OCTET STRING (SIZE(6)) -- I -- J -- K -- L LCS-to-GCS-Translation::= SEQUENCE { alpha INTEGER (0..3599), beta INTEGER (0..3599), gamma INTEGER (0..3599), iE-Extensions ProtocolExtensionContainer { { LCS-to-GCS-Translation-ExtIEs} } OPTIONAL, ... } LCS-to-GCS-Translation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } LCS-to-GCS-TranslationItem::= SEQUENCE { alpha INTEGER (0..359), alphaFine INTEGER (0..9) OPTIONAL, beta INTEGER (0..359), betaFine INTEGER (0..9) OPTIONAL, gamma INTEGER (0..359), gammaFine INTEGER (0..9) OPTIONAL, iE-Extensions ProtocolExtensionContainer { { LCS-to-GCS-TranslationItem-ExtIEs} } OPTIONAL, ... } LCS-to-GCS-TranslationItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } LocationUncertainty ::= SEQUENCE { horizontalUncertainty INTEGER (0..255), horizontalConfidence INTEGER (0..100), verticalUncertainty INTEGER (0..255), verticalConfidence INTEGER (0..100), iE-Extensions ProtocolExtensionContainer { { LocationUncertainty-ExtIEs} } OPTIONAL, ... } LocationUncertainty-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } LoS-NLoSIndicatorHard ::= ENUMERATED {nlos, los} LoS-NLoSIndicatorSoft ::= INTEGER (0..10) LoS-NLoSInformation ::= CHOICE { loS-NLoSIndicatorSoft LoS-NLoSIndicatorSoft, loS-NLoSIndicatorHard LoS-NLoSIndicatorHard, choice-Extension ProtocolIE-Single-Container {{ LoS-NLoSInformation-ExtIEs}} } LoS-NLoSInformation-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } -- M Measurement-ID ::= INTEGER (1.. 65536, ...) MeasurementAmount ::= ENUMERATED {ma0, ma1, ma2, ma4, ma8, ma16, ma32, ma64} MeasurementBeamInfoRequest ::= ENUMERATED {true, ...} MeasurementBeamInfo ::= SEQUENCE { pRS-Resource-ID PRS-Resource-ID OPTIONAL, pRS-Resource-Set-ID PRS-Resource-Set-ID OPTIONAL, sSB-Index SSB-Index OPTIONAL, iE-Extensions ProtocolExtensionContainer { { MeasurementBeamInfo-ExtIEs} } OPTIONAL, ... } MeasurementBeamInfo-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } MeasurementPeriodicity ::= ENUMERATED { ms120, ms240, ms480, ms640, ms1024, ms2048, ms5120, ms10240, min1, min6, min12, min30, min60, ..., ms20480, ms40960, extended } MeasurementPeriodicityExtended ::= ENUMERATED { ms160, ms320, ms1280, ms2560, ms61440, ms81920, ms368640, ms737280, ms1843200, ... } MeasurementPeriodicityNR-AoA ::= ENUMERATED { ms160, ms320, ms640, ms1280, ms2560, ms5120, ms10240, ms20480, ms40960, ms61440, ms81920, ms368640, ms737280, ms1843200, ... } MeasurementQuantities ::= SEQUENCE (SIZE (1.. maxNoMeas)) OF ProtocolIE-Single-Container { {MeasurementQuantities-ItemIEs} } MeasurementQuantities-ItemIEs NRPPA-PROTOCOL-IES ::= { { ID id-MeasurementQuantities-Item CRITICALITY reject TYPE MeasurementQuantities-Item PRESENCE mandatory} } MeasurementQuantities-Item ::= SEQUENCE { measurementQuantitiesValue MeasurementQuantitiesValue, iE-Extensions ProtocolExtensionContainer { { MeasurementQuantitiesValue-ExtIEs} } OPTIONAL, ... } MeasurementQuantitiesValue-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } MeasurementQuantitiesValue ::= ENUMERATED { cell-ID, angleOfArrival, timingAdvanceType1, timingAdvanceType2, rSRP, rSRQ, ... , sS-RSRP, sS-RSRQ, cSI-RSRP, cSI-RSRQ, angleOfArrivalNR, timingAdvanceNR } MeasurementTimeOccasion ::= ENUMERATED {o1, o4, ...} MeasurementCharacteristicsRequestIndicator ::= BIT STRING (SIZE (16)) MeasuredResults ::= SEQUENCE (SIZE (1.. maxNoMeas)) OF MeasuredResultsValue MeasuredResultsValue ::= CHOICE { valueAngleOfArrival-EUTRA INTEGER (0..719), valueTimingAdvanceType1-EUTRA INTEGER (0..7690), valueTimingAdvanceType2-EUTRA INTEGER (0..7690), resultRSRP-EUTRA ResultRSRP-EUTRA, resultRSRQ-EUTRA ResultRSRQ-EUTRA, choice-Extension ProtocolIE-Single-Container {{ MeasuredResultsValue-ExtensionIE }} } MeasuredResultsValue-ExtensionIE NRPPA-PROTOCOL-IES ::= { { ID id-ResultSS-RSRP CRITICALITY ignore TYPE ResultSS-RSRP PRESENCE mandatory }| { ID id-ResultSS-RSRQ CRITICALITY ignore TYPE ResultSS-RSRQ PRESENCE mandatory }| { ID id-ResultCSI-RSRP CRITICALITY ignore TYPE ResultCSI-RSRP PRESENCE mandatory }| { ID id-ResultCSI-RSRQ CRITICALITY ignore TYPE ResultCSI-RSRQ PRESENCE mandatory }| { ID id-AngleOfArrivalNR CRITICALITY ignore TYPE UL-AoA PRESENCE mandatory }| { ID id-NR-TADV CRITICALITY ignore TYPE NR-TADV PRESENCE mandatory }, ... } MultipleULAoA ::= SEQUENCE { multipleULAoA MultipleULAoA-List, iE-Extensions ProtocolExtensionContainer { { MultipleULAoA-ExtIEs} } OPTIONAL, ... } MultipleULAoA-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } MultipleULAoA-List ::= SEQUENCE (SIZE(1.. maxnoofULAoAs)) OF MultipleULAoA-Item MultipleULAoA-Item ::= CHOICE { uL-AoA UL-AoA, ul-ZoA ZoA, choice-extension ProtocolIE-Single-Container { { MultipleULAoA-Item-ExtIEs } } } MultipleULAoA-Item-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } -- N NarrowBandIndex ::= INTEGER (0..15,...) NG-RANAccessPointPosition ::= SEQUENCE { latitudeSign ENUMERATED {north, south}, latitude INTEGER (0..8388607), longitude INTEGER (-8388608..8388607), directionOfAltitude ENUMERATED {height, depth}, altitude INTEGER (0..32767), uncertaintySemi-major INTEGER (0..127), uncertaintySemi-minor INTEGER (0..127), orientationOfMajorAxis INTEGER (0..179), uncertaintyAltitude INTEGER (0..127), confidence INTEGER (0..100), iE-Extensions ProtocolExtensionContainer { { NG-RANAccessPointPosition-ExtIEs} } OPTIONAL, ... } NG-RANAccessPointPosition-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } NGRANHighAccuracyAccessPointPosition ::= SEQUENCE { latitude INTEGER (-2147483648.. 2147483647), longitude INTEGER (-2147483648.. 2147483647), altitude INTEGER (-64000..1280000), uncertaintySemi-major INTEGER (0..255), uncertaintySemi-minor INTEGER (0..255), orientationOfMajorAxis INTEGER (0..179), horizontalConfidence INTEGER (0..100), uncertaintyAltitude INTEGER (0..255), verticalConfidence INTEGER (0..100), iE-Extensions ProtocolExtensionContainer { { NGRANHighAccuracyAccessPointPosition-ExtIEs} } OPTIONAL, ... } NGRANHighAccuracyAccessPointPosition-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } NG-RAN-CGI ::= SEQUENCE { pLMN-Identity PLMN-Identity, nG-RANcell NG-RANCell, iE-Extensions ProtocolExtensionContainer { {NG-RAN-CGI-ExtIEs} } OPTIONAL, ... } NG-RAN-CGI-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } NG-RANCell ::= CHOICE { eUTRA-CellID EUTRACellIdentifier, nR-CellID NRCellIdentifier, choice-Extension ProtocolIE-Single-Container {{ NG-RANCell-ExtensionIE }} } NG-RANCell-ExtensionIE NRPPA-PROTOCOL-IES ::= { ... } NR-ARFCN ::= INTEGER (0..3279165) NRCellIdentifier ::= BIT STRING (SIZE (36)) NR-PCI ::= INTEGER (0..1007) NR-PRS-Beam-Information ::= SEQUENCE { nR-PRS-Beam-InformationList SEQUENCE (SIZE(1.. maxPRS-ResourceSets)) OF NR-PRS-Beam-InformationItem, lCS-to-GCS-TranslationList SEQUENCE (SIZE(1..maxnolcs-gcs-translation)) OF LCS-to-GCS-TranslationItem OPTIONAL, iE-Extensions ProtocolExtensionContainer { { NR-PRS-Beam-Information-IEs} } OPTIONAL, ... } NR-PRS-Beam-Information-IEs NRPPA-PROTOCOL-EXTENSION ::= { ... } NR-PRS-Beam-InformationItem ::= SEQUENCE { pRSresourceSetID PRS-Resource-Set-ID, pRSAngle SEQUENCE (SIZE(1..maxPRS-ResourcesPerSet)) OF PRSAngleItem, iE-Extensions ProtocolExtensionContainer { { NR-PRS-Beam-InformationItem-ExtIEs} } OPTIONAL, ... } NR-PRS-Beam-InformationItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } NR-TADV ::= INTEGER (0.. 7690) NumberOfAntennaPorts-EUTRA ::= ENUMERATED { n1-or-n2, n4, ... } NumberOfDlFrames-EUTRA ::= ENUMERATED { sf1, sf2, sf4, sf6, ... } NumberOfDlFrames-Extended-EUTRA ::= INTEGER (1..160,...) NumberOfFrequencyHoppingBands ::= ENUMERATED { twobands, fourbands, ... } NumberOfTRPRxTEG ::= ENUMERATED {two, three, four, six, eight, ...} NumberOfTRPRxTxTEG ::= ENUMERATED {two, three, four, six, eight, ...} NZP-CSI-RS-ResourceID::= INTEGER (0..191) -- O OnDemandPRS-Info ::= SEQUENCE { onDemandPRSRequestAllowed BIT STRING (SIZE (16)), allowedResourceSetPeriodicityValues BIT STRING (SIZE (24)) OPTIONAL, allowedPRSBandwidthValues BIT STRING (SIZE (64)) OPTIONAL, allowedResourceRepetitionFactorValues BIT STRING (SIZE (8)) OPTIONAL, allowedResourceNumberOfSymbolsValues BIT STRING (SIZE (8)) OPTIONAL, allowedCombSizeValues BIT STRING (SIZE (8)) OPTIONAL, iE-Extensions ProtocolExtensionContainer { { OnDemandPRS-Info-ExtIEs} } OPTIONAL, ... } OnDemandPRS-Info-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } OTDOACells ::= SEQUENCE (SIZE (1.. maxCellinRANnode)) OF SEQUENCE { oTDOACellInfo OTDOACell-Information, iE-Extensions ProtocolExtensionContainer { {OTDOACells-ExtIEs} } OPTIONAL, ... } OTDOACells-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } OTDOACell-Information ::= SEQUENCE (SIZE (1..maxnoOTDOAtypes)) OF OTDOACell-Information-Item OTDOACell-Information-Item ::= CHOICE { pCI-EUTRA PCI-EUTRA, cGI-EUTRA CGI-EUTRA, tAC TAC, eARFCN EARFCN, pRS-Bandwidth-EUTRA PRS-Bandwidth-EUTRA, pRS-ConfigurationIndex-EUTRA PRS-ConfigurationIndex-EUTRA, cPLength-EUTRA CPLength-EUTRA, numberOfDlFrames-EUTRA NumberOfDlFrames-EUTRA, numberOfAntennaPorts-EUTRA NumberOfAntennaPorts-EUTRA, sFNInitialisationTime-EUTRA SFNInitialisationTime-EUTRA, nG-RANAccessPointPosition NG-RANAccessPointPosition, pRSMutingConfiguration-EUTRA PRSMutingConfiguration-EUTRA, prsid-EUTRA PRS-ID-EUTRA, tpid-EUTRA TP-ID-EUTRA, tpType-EUTRA TP-Type-EUTRA, numberOfDlFrames-Extended-EUTRA NumberOfDlFrames-Extended-EUTRA, crsCPlength-EUTRA CPLength-EUTRA, dL-Bandwidth-EUTRA DL-Bandwidth-EUTRA, pRSOccasionGroup-EUTRA PRSOccasionGroup-EUTRA, pRSFrequencyHoppingConfiguration-EUTRA PRSFrequencyHoppingConfiguration-EUTRA, choice-Extension ProtocolIE-Single-Container {{ OTDOACell-Information-Item-ExtensionIE }} } OTDOACell-Information-Item-ExtensionIE NRPPA-PROTOCOL-IES ::= { { ID id-TDD-Config-EUTRA-Item CRITICALITY ignore TYPE TDD-Config-EUTRA-Item PRESENCE mandatory }| { ID id-CGI-NR CRITICALITY ignore TYPE CGI-NR PRESENCE mandatory }| { ID id-SFNInitialisationTime-NR CRITICALITY ignore TYPE SFNInitialisationTime-EUTRA PRESENCE mandatory }, ... } OTDOA-Information-Item ::= ENUMERATED { pci, cGI, tac, earfcn, prsBandwidth, prsConfigIndex, cpLength, noDlFrames, noAntennaPorts, sFNInitTime, nG-RANAccessPointPosition, prsmutingconfiguration, prsid, tpid, tpType, crsCPlength, dlBandwidth, multipleprsConfigurationsperCell, prsOccasionGroup, prsFrequencyHoppingConfiguration, ..., tddConfig } OtherRATMeasurementQuantities ::= SEQUENCE (SIZE (0.. maxNoMeas)) OF ProtocolIE-Single-Container { {OtherRATMeasurementQuantities-ItemIEs} } OtherRATMeasurementQuantities-ItemIEs NRPPA-PROTOCOL-IES ::= { { ID id-OtherRATMeasurementQuantities-Item CRITICALITY reject TYPE OtherRATMeasurementQuantities-Item PRESENCE mandatory}} OtherRATMeasurementQuantities-Item ::= SEQUENCE { otherRATMeasurementQuantitiesValue OtherRATMeasurementQuantitiesValue, iE-Extensions ProtocolExtensionContainer { { OtherRATMeasurementQuantitiesValue-ExtIEs} } OPTIONAL, ... } OtherRATMeasurementQuantitiesValue-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } OtherRATMeasurementQuantitiesValue ::= ENUMERATED { geran, utran, ... , nR, eUTRA } OtherRATMeasurementResult ::= SEQUENCE (SIZE (1.. maxNoMeas)) OF OtherRATMeasuredResultsValue OtherRATMeasuredResultsValue ::= CHOICE { resultGERAN ResultGERAN, resultUTRAN ResultUTRAN, choice-Extension ProtocolIE-Single-Container {{ OtherRATMeasuredResultsValue-ExtensionIE }} } OtherRATMeasuredResultsValue-ExtensionIE NRPPA-PROTOCOL-IES ::= { { ID id-ResultNR CRITICALITY ignore TYPE ResultNR PRESENCE mandatory }| { ID id-ResultEUTRA CRITICALITY ignore TYPE ResultEUTRA PRESENCE mandatory }, ... } Outcome ::= ENUMERATED { failed, ... } -- P PathlossReferenceInformation ::= SEQUENCE { pathlossReferenceSignal PathlossReferenceSignal, iE-Extensions ProtocolExtensionContainer { { PathlossReferenceInformation-ExtIEs } } OPTIONAL, ... } PathlossReferenceInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PathlossReferenceSignal ::= CHOICE { sSB-Reference SSB, dL-PRS-Reference DL-PRS, choice-Extension ProtocolIE-Single-Container {{ PathlossReferenceSignal-ExtensionIE }} } PathlossReferenceSignal-ExtensionIE NRPPA-PROTOCOL-IES ::= { ... } PCI-EUTRA ::= INTEGER (0..503, ...) PhysCellIDGERAN ::= INTEGER (0..63, ...) PhysCellIDUTRA-FDD ::= INTEGER (0..511, ...) PhysCellIDUTRA-TDD ::= INTEGER (0..127, ...) PLMN-Identity ::= OCTET STRING (SIZE(3)) PeriodicityList ::= SEQUENCE (SIZE (1.. maxnoSRS-ResourcePerSet)) OF PeriodicityItem PeriodicityItem ::= ENUMERATED {ms0dot125, ms0dot25, ms0dot5, ms0dot625, ms1, ms1dot25, ms2, ms2dot5, ms4dot, ms5, ms8, ms10, ms16, ms20, ms32, ms40, ms64, ms80m, ms160, ms320, ms640m, ms1280, ms2560, ms5120, ms10240, ...} PosSIBs ::= SEQUENCE (SIZE (1.. maxNrOfPosSIBs)) OF SEQUENCE { posSIB-Type PosSIB-Type, posSIB-Segments PosSIB-Segments, assistanceInformationMetaData AssistanceInformationMetaData OPTIONAL, broadcastPriority INTEGER (1..16,...) OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PosSIBs-ExtIEs} } OPTIONAL, ... } PosSIBs-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PosSIB-Segments ::= SEQUENCE (SIZE (1.. maxNrOfSegments)) OF SEQUENCE { assistanceDataSIBelement OCTET STRING, iE-Extensions ProtocolExtensionContainer { { PosSIB-Segments-ExtIEs} } OPTIONAL, ... } PosSIB-Segments-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PosSIB-Type ::= ENUMERATED { posSibType1-1, posSibType1-2, posSibType1-3, posSibType1-4, posSibType1-5, posSibType1-6, posSibType1-7, posSibType1-8, posSibType2-1, posSibType2-2, posSibType2-3, posSibType2-4, posSibType2-5, posSibType2-6, posSibType2-7, posSibType2-8, posSibType2-9, posSibType2-10, posSibType2-11, posSibType2-12, posSibType2-13, posSibType2-14, posSibType2-15, posSibType2-16, posSibType2-17, posSibType2-18, posSibType2-19, posSibType2-20, posSibType2-21, posSibType2-22, posSibType2-23, posSibType2-24, posSibType2-25, posSibType3-1, posSibType4-1, posSibType5-1, posSibType6-1, posSibType6-2, posSibType6-3, ..., posSibType1-9, posSibType1-10, posSibType6-4, posSibType6-5, posSibType6-6 } PosSRSResource-List ::= SEQUENCE (SIZE (1..maxnoSRS-PosResources)) OF PosSRSResource-Item PosSRSResource-Item ::= SEQUENCE { srs-PosResourceId SRSPosResourceID, transmissionCombPos TransmissionCombPos, startPosition INTEGER (0..13), nrofSymbols ENUMERATED {n1, n2, n4, n8, n12}, freqDomainShift INTEGER (0..268), c-SRS INTEGER (0..63), groupOrSequenceHopping ENUMERATED { neither, groupHopping, sequenceHopping }, resourceTypePos ResourceTypePos, sequenceId INTEGER (0.. 65535), spatialRelationPos SpatialRelationPos OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PosSRSResource-Item-ExtIEs} } OPTIONAL, ... } PosSRSResource-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PosSRSResourceID-List ::= SEQUENCE (SIZE (1..maxnoSRS-PosResources)) OF SRSPosResourceID PosSRSResourceSet-List ::= SEQUENCE (SIZE (1..maxnoSRS-PosResourceSets)) OF PosSRSResourceSet-Item PosSRSResourceIDPerSet-List ::= SEQUENCE (SIZE (1..maxnoSRS-PosResourcePerSet)) OF SRSPosResourceID PosSRSResourceSet-Item ::= SEQUENCE { possrsResourceSetID INTEGER(0..15), possRSResourceIDPerSet-List PosSRSResourceIDPerSet-List, posresourceSetType PosResourceSetType, iE-Extensions ProtocolExtensionContainer { { PosSRSResourceSet-Item-ExtIEs} } OPTIONAL, ... } PosSRSResourceSet-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PosResourceSetType ::= CHOICE { periodic PosResourceSetTypePeriodic, semi-persistent PosResourceSetTypeSemi-persistent, aperiodic PosResourceSetTypeAperiodic, choice-extension ProtocolIE-Single-Container {{ PosResourceSetType-ExtIEs }} } PosResourceSetType-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } PosResourceSetTypePeriodic ::= SEQUENCE { posperiodicSet ENUMERATED{true, ...}, iE-Extensions ProtocolExtensionContainer { { PosResourceSetTypePeriodic-ExtIEs} } OPTIONAL, ... } PosResourceSetTypePeriodic-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PosResourceSetTypeSemi-persistent ::= SEQUENCE { possemi-persistentSet ENUMERATED{true, ...}, iE-Extensions ProtocolExtensionContainer { { PosResourceSetTypeSemi-persistent-ExtIEs} } OPTIONAL, ... } PosResourceSetTypeSemi-persistent-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PosResourceSetTypeAperiodic ::= SEQUENCE { sRSResourceTrigger INTEGER(1..3), iE-Extensions ProtocolExtensionContainer { { PosResourceSetTypeAperiodic-ExtIEs} } OPTIONAL, ... } PosResourceSetTypeAperiodic-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PreconfigurationResult ::= BIT STRING (SIZE(8)) PRS-Bandwidth-EUTRA ::= ENUMERATED { bw6, bw15, bw25, bw50, bw75, bw100, ... } PRSAngleItem ::= SEQUENCE { nRPRSAzimuth INTEGER (0..359), nRPRSAzimuthFine INTEGER (0..9) OPTIONAL, nRPRSElevation INTEGER (0..180) OPTIONAL, nRPRSElevationFine INTEGER (0..9) OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PRSAngleItem-ExtIEs} } OPTIONAL, ... } PRSAngleItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-PRS-Resource-ID CRITICALITY ignore EXTENSION PRS-Resource-ID PRESENCE optional }, ... } PRSInformationPos ::= SEQUENCE { pRS-IDPos INTEGER(0..255), pRS-Resource-Set-IDPos INTEGER(0..7), pRS-Resource-IDPos INTEGER(0..63) OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PRSInformationPos-ExtIEs} } OPTIONAL, ... } PRSInformationPos-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSConfigRequestType ::= ENUMERATED {configure, off, ...} PRSConfiguration ::= SEQUENCE { pRSResourceSet-List PRSResourceSet-List, iE-Extensions ProtocolExtensionContainer { { PRSConfiguration-ExtIEs} } OPTIONAL, ... } PRSConfiguration-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRS-ConfigurationIndex-EUTRA ::= INTEGER (0..4095, ...) PRS-ID-EUTRA ::= INTEGER (0..4095, ...) PRSMutingConfiguration-EUTRA ::= CHOICE { two BIT STRING (SIZE (2)), four BIT STRING (SIZE (4)), eight BIT STRING (SIZE (8)), sixteen BIT STRING (SIZE (16)), thirty-two BIT STRING (SIZE (32)), sixty-four BIT STRING (SIZE (64)), one-hundred-and-twenty-eight BIT STRING (SIZE (128)), two-hundred-and-fifty-six BIT STRING (SIZE (256)), five-hundred-and-twelve BIT STRING (SIZE (512)), one-thousand-and-twenty-four BIT STRING (SIZE (1024)), choice-Extension ProtocolIE-Single-Container {{ PRSMutingConfiguration-EUTRA-ExtensionIE }} } PRSMutingConfiguration-EUTRA-ExtensionIE NRPPA-PROTOCOL-IES ::= { ... } PRSOccasionGroup-EUTRA ::= ENUMERATED { og2, og4, og8, og16, og32, og64, og128, ... } PRSFrequencyHoppingConfiguration-EUTRA ::= SEQUENCE { noOfFreqHoppingBands NumberOfFrequencyHoppingBands, bandPositions SEQUENCE(SIZE (1..maxnoFreqHoppingBandsMinusOne)) OF NarrowBandIndex, iE-Extensions ProtocolExtensionContainer { { PRSFrequencyHoppingConfiguration-EUTRA-Item-IEs} } OPTIONAL, ... } PRSFrequencyHoppingConfiguration-EUTRA-Item-IEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRS-Measurements-Info-List ::= SEQUENCE (SIZE(1..maxFreqLayers)) OF PRS-Measurements-Info-List-Item PRS-Measurements-Info-List-Item ::= SEQUENCE { pointA INTEGER (0..3279165), measPRSPeriodicity ENUMERATED {ms20, ms40, ms80, ms160, ...}, measPRSOffset INTEGER (0..159, ...), measurementPRSLength ENUMERATED {ms1dot5, ms3, ms3dot5, ms4, ms5dot5, ms6, ms10, ms20}, iE-Extensions ProtocolExtensionContainer { { PRS-Measurements-Info-List-Item-ExtIEs} } OPTIONAL, ... } PRS-Measurements-Info-List-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSMuting::= SEQUENCE { pRSMutingOption1 PRSMutingOption1 OPTIONAL, pRSMutingOption2 PRSMutingOption2 OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PRSMuting-ExtIEs} } OPTIONAL, ... } PRSMuting-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSMutingOption1 ::= SEQUENCE { mutingPattern DL-PRSMutingPattern, mutingBitRepetitionFactor ENUMERATED{n1,n2,n4,n8,...}, iE-Extensions ProtocolExtensionContainer { { PRSMutingOption1-ExtIEs} } OPTIONAL, ... } PRSMutingOption1-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSMutingOption2 ::= SEQUENCE { mutingPattern DL-PRSMutingPattern, iE-Extensions ProtocolExtensionContainer { { PRSMutingOption2-ExtIEs} } OPTIONAL, ... } PRSMutingOption2-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSResource-List::= SEQUENCE (SIZE (1..maxnoofPRSresource)) OF PRSResource-Item PRSResource-Item ::= SEQUENCE { pRSResourceID PRS-Resource-ID, sequenceID INTEGER(0..4095), rEOffset INTEGER(0..11,...), resourceSlotOffset INTEGER(0..511), resourceSymbolOffset INTEGER(0..12), qCLInfo PRSResource-QCLInfo OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PRSResource-Item-ExtIEs} } OPTIONAL, ... } PRSResource-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSResource-QCLInfo ::= CHOICE { qCLSourceSSB PRSResource-QCLSourceSSB, qCLSourcePRS PRSResource-QCLSourcePRS, choice-Extension ProtocolIE-Single-Container {{ PRSResource-QCLInfo-ExtIEs }} } PRSResource-QCLInfo-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } PRSResource-QCLSourceSSB ::= SEQUENCE { pCI-NR INTEGER(0..1007), sSB-Index SSB-Index OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PRSResource-QCLSourceSSB-ExtIEs} } OPTIONAL, ... } PRSResource-QCLSourceSSB-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSResource-QCLSourcePRS ::= SEQUENCE { qCLSourcePRSResourceSetID PRS-Resource-Set-ID, qCLSourcePRSResourceID PRS-Resource-ID OPTIONAL, iE-Extensions ProtocolExtensionContainer { { PRSResource-QCLSourcePRS-ExtIEs} } OPTIONAL, ... } PRSResource-QCLSourcePRS-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSResourceSet-List ::= SEQUENCE (SIZE (1..maxnoofPRSresourceSet)) OF PRSResourceSet-Item PRSResourceSet-Item ::= SEQUENCE { pRSResourceSetID PRS-Resource-Set-ID, subcarrierSpacing ENUMERATED{kHz15, kHz30, kHz60, kHz120, ...}, pRSbandwidth INTEGER(1..63), startPRB INTEGER(0..2176), pointA INTEGER (0..3279165), combSize ENUMERATED{n2, n4, n6, n12, ...}, cPType ENUMERATED{normal, extended, ...}, resourceSetPeriodicity ENUMERATED{n4,n5,n8,n10,n16,n20,n32,n40,n64,n80,n160,n320,n640,n1280,n2560,n5120,n10240,n20480,n40960, n81920,...}, resourceSetSlotOffset INTEGER(0..81919,...), resourceRepetitionFactor ENUMERATED{rf1,rf2,rf4,rf6,rf8,rf16,rf32,...}, resourceTimeGap ENUMERATED{tg1,tg2,tg4,tg8,tg16,tg32,...}, resourceNumberofSymbols ENUMERATED{n2,n4,n6,n12,...}, pRSMuting PRSMuting OPTIONAL, pRSResourceTransmitPower INTEGER(-60..50), pRSResource-List PRSResource-List, iE-Extensions ProtocolExtensionContainer { { PRSResourceSet-Item-ExtIEs} } OPTIONAL, ... } PRSResourceSet-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRS-Resource-ID ::= INTEGER (0..63) PRS-Resource-Set-ID ::= INTEGER(0..7) PRS-ID ::= INTEGER(0..255) PRSTransmissionOffIndication ::= CHOICE { pRSTransmissionOffPerTRP NULL, pRSTransmissionOffPerResourceSet PRSTransmissionOffPerResourceSet, pRSTransmissionOffPerResource PRSTransmissionOffPerResource, choice-Extension ProtocolIE-Single-Container {{ PRSTransmissionOffIndication-ExtIEs }} } PRSTransmissionOffIndication-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } PRSTransmissionOffPerResource ::= SEQUENCE (SIZE (1..maxnoofPRSresourceSet)) OF PRSTransmissionOffPerResource-Item PRSTransmissionOffPerResource-Item ::= SEQUENCE { pRSResourceSetID PRS-Resource-Set-ID, pRSTransmissionOffIndicationPerResourceList SEQUENCE (SIZE(1.. maxnoofPRSresource)) OF PRSTransmissionOffIndicationPerResource-Item, iE-Extensions ProtocolExtensionContainer { { PRSTransmissionOffPerResource-Item-ExtIEs} } OPTIONAL, ... } PRSTransmissionOffPerResource-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSTransmissionOffIndicationPerResource-Item ::= SEQUENCE { pRSResourceID PRS-Resource-ID, iE-Extensions ProtocolExtensionContainer { { PRSTransmissionOffIndicationPerResource-Item-ExtIEs} } OPTIONAL, ... } PRSTransmissionOffIndicationPerResource-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSTransmissionOffInformation ::= SEQUENCE { pRSTransmissionOffIndication PRSTransmissionOffIndication, iE-Extensions ProtocolExtensionContainer { { PRSTransmissionOffInformation-ExtIEs} } OPTIONAL, ... } PRSTransmissionOffInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSTransmissionOffPerResourceSet ::= SEQUENCE (SIZE (1..maxnoofPRSresourceSet)) OF PRSTransmissionOffPerResourceSet-Item PRSTransmissionOffPerResourceSet-Item ::= SEQUENCE { pRSResourceSetID PRS-Resource-Set-ID, iE-Extensions ProtocolExtensionContainer { { PRSTransmissionOffPerResourceSet-Item-ExtIEs} } OPTIONAL, ... } PRSTransmissionOffPerResourceSet-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSTRPList ::= SEQUENCE (SIZE(1.. maxnoTRPs)) OF PRSTRPItem PRSTRPItem ::= SEQUENCE { tRP-ID TRP-ID, requestedDLPRSTransmissionCharacteristics RequestedDLPRSTransmissionCharacteristics OPTIONAL, -- The IE shall be present if the PRS Configuration Request Type IE is set to “configure” -- pRSTransmissionOffInformation PRSTransmissionOffInformation OPTIONAL, -- The IE shall be present if the PRS Configuration Request Type IE is set to “off” -- iE-Extensions ProtocolExtensionContainer { { PRSTRPItem-ExtIEs} } OPTIONAL, ... } PRSTRPItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } PRSTransmissionTRPList ::= SEQUENCE (SIZE(1.. maxnoTRPs)) OF PRSTransmissionTRPItem PRSTransmissionTRPItem ::= SEQUENCE { tRP-ID TRP-ID, pRSConfiguration PRSConfiguration, iE-Extensions ProtocolExtensionContainer { { PRSTransmissionTRPItem-ExtIEs} } OPTIONAL, ... } PRSTransmissionTRPItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } -- Q -- R ReferenceSignal ::= CHOICE { nZP-CSI-RS NZP-CSI-RS-ResourceID, sSB SSB, sRS SRSResourceID, positioningSRS SRSPosResourceID, dL-PRS DL-PRS, choice-Extension ProtocolIE-Single-Container {{ReferenceSignal-ExtensionIE }} } ReferenceSignal-ExtensionIE NRPPA-PROTOCOL-IES ::= { ... } ReferencePoint ::= CHOICE { relativeCoordinateID CoordinateID, referencePointCoordinate NG-RANAccessPointPosition, referencePointCoordinateHA NGRANHighAccuracyAccessPointPosition, choice-Extension ProtocolIE-Single-Container { { ReferencePoint-ExtIEs} } } ReferencePoint-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } CoordinateID ::= INTEGER (0..511, ...) RelativeGeodeticLocation ::= SEQUENCE { milli-Arc-SecondUnits ENUMERATED {zerodot03, zerodot3, three, ...}, heightUnits ENUMERATED {mm, cm, m, ...}, deltaLatitude INTEGER (-1024.. 1023), deltaLongitude INTEGER (-1024.. 1023), deltaHeight INTEGER (-1024.. 1023), locationUncertainty LocationUncertainty, iE-extensions ProtocolExtensionContainer {{RelativeGeodeticLocation-ExtIEs }} OPTIONAL, ... } RelativeGeodeticLocation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } RelativeCartesianLocation ::= SEQUENCE { xYZunit ENUMERATED {mm, cm, dm, ...}, xvalue INTEGER (-65536..65535), yvalue INTEGER (-65536..65535), zvalue INTEGER (-32768..32767), locationUncertainty LocationUncertainty, iE-Extensions ProtocolExtensionContainer { { RelativeCartesianLocation-ExtIEs} } OPTIONAL, ... } RelativeCartesianLocation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } RelativePathDelay ::= CHOICE { k0 INTEGER(0..16351), k1 INTEGER(0..8176), k2 INTEGER(0..4088), k3 INTEGER(0..2044), k4 INTEGER(0..1022), k5 INTEGER(0..511), choice-Extension ProtocolIE-Single-Container { { RelativePathDelay-ExtIEs} } } RelativePathDelay-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } ReportCharacteristics ::= ENUMERATED { onDemand, periodic, ... } RequestedDLPRSTransmissionCharacteristics ::= SEQUENCE { requestedDLPRSResourceSet-List RequestedDLPRSResourceSet-List, numberofFrequencyLayers INTEGER(1..4) OPTIONAL, startTimeAndDuration StartTimeAndDuration OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RequestedDLPRSTransmissionCharacteristics-ExtIEs} } OPTIONAL, ... } RequestedDLPRSTransmissionCharacteristics-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } RequestedDLPRSResourceSet-List ::= SEQUENCE (SIZE (1..maxnoofPRSresourceSet)) OF RequestedDLPRSResourceSet-Item RequestedDLPRSResourceSet-Item ::= SEQUENCE { pRSbandwidth INTEGER(1..63) OPTIONAL, combSize ENUMERATED{n2, n4, n6, n12, ...} OPTIONAL, resourceSetPeriodicity ENUMERATED{n4,n5,n8,n10,n16,n20,n32,n40,n64,n80,n160,n320,n640,n1280,n2560,n5120,n10240,n20480,n40960, n81920,...} OPTIONAL, resourceRepetitionFactor ENUMERATED{rf1,rf2,rf4,rf6,rf8,rf16,rf32,...} OPTIONAL, resourceNumberofSymbols ENUMERATED{n2,n4,n6,n12,...} OPTIONAL, requestedDLPRSResource-List RequestedDLPRSResource-List OPTIONAL, resourceSetStartTimeAndDuration StartTimeAndDuration OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RequestedDLPRSResourceSet-Item-ExtIEs} } OPTIONAL, ... } RequestedDLPRSResourceSet-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } RequestedDLPRSResource-List::= SEQUENCE (SIZE (1..maxnoofPRSresource)) OF RequestedDLPRSResource-Item RequestedDLPRSResource-Item ::= SEQUENCE { qCLInfo PRSResource-QCLInfo OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RequestedDLPRSResource-Item-ExtIEs} } OPTIONAL, ... } RequestedDLPRSResource-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } RequestedSRSTransmissionCharacteristics ::= SEQUENCE { numberOfTransmissions INTEGER (0..500,...) OPTIONAL, -- The IE shall be present if the Resource Type IE is set to “periodic” -- resourceType ENUMERATED {periodic, semi-persistent, aperiodic, ...}, bandwidth BandwidthSRS, listOfSRSResourceSet SEQUENCE (SIZE (1.. maxnoSRS-ResourceSets)) OF SRSResourceSet-Item OPTIONAL, sSBInformation SSBInfo OPTIONAL, iE-Extensions ProtocolExtensionContainer { { RequestedSRSTransmissionCharacteristics-ExtIEs} } OPTIONAL, ... } RequestedSRSTransmissionCharacteristics-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-SrsFrequency CRITICALITY ignore EXTENSION SrsFrequency PRESENCE optional }, ... } SRSResourceSet-Item ::= SEQUENCE { numberOfSRSResourcePerSet INTEGER (1..16, ...) OPTIONAL, periodicityList PeriodicityList OPTIONAL, spatialRelationInformation SpatialRelationInfo OPTIONAL, pathlossReferenceInformation PathlossReferenceInformation OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SRSResourceSet-Item-ExtIEs} } OPTIONAL, ... } SRSResourceSet-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-SRSSpatialRelationPerSRSResource CRITICALITY ignore EXTENSION SpatialRelationPerSRSResource PRESENCE optional}, ... } RequestType ::= ENUMERATED {activate, deactivate, ...} ResourceSetType ::= CHOICE { periodic ResourceSetTypePeriodic, semi-persistent ResourceSetTypeSemi-persistent, aperiodic ResourceSetTypeAperiodic, choice-extension ProtocolIE-Single-Container {{ ResourceSetType-ExtIEs }} } ResourceSetType-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } ResourceSetTypePeriodic ::= SEQUENCE { periodicSet ENUMERATED{true, ...}, iE-Extensions ProtocolExtensionContainer { { ResourceSetTypePeriodic-ExtIEs} } OPTIONAL, ... } ResourceSetTypePeriodic-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResourceSetTypeSemi-persistent ::= SEQUENCE { semi-persistentSet ENUMERATED{true, ...}, iE-Extensions ProtocolExtensionContainer { { ResourceSetTypeSemi-persistent-ExtIEs} } OPTIONAL, ... } ResourceSetTypeSemi-persistent-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResourceSetTypeAperiodic ::= SEQUENCE { sRSResourceTrigger INTEGER(1..3), slotoffset INTEGER(0..32), iE-Extensions ProtocolExtensionContainer { { ResourceSetTypeAperiodic-ExtIEs} } OPTIONAL, ... } ResourceSetTypeAperiodic-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResourceType ::= CHOICE { periodic ResourceTypePeriodic, semi-persistent ResourceTypeSemi-persistent, aperiodic ResourceTypeAperiodic, choice-extension ProtocolIE-Single-Container {{ ResourceType-ExtIEs }} } ResourceType-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } ResourceTypePeriodic ::= SEQUENCE { periodicity ENUMERATED{slot1, slot2, slot4, slot5, slot8, slot10, slot16, slot20, slot32, slot40, slot64, slot80, slot160, slot320, slot640, slot1280, slot2560, ...}, offset INTEGER(0..2559, ...), iE-Extensions ProtocolExtensionContainer { { ResourceTypePeriodic-ExtIEs} } OPTIONAL, ... } ResourceTypePeriodic-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResourceTypeSemi-persistent ::= SEQUENCE { periodicity ENUMERATED{slot1, slot2, slot4, slot5, slot8, slot10, slot16, slot20, slot32, slot40, slot64, slot80, slot160, slot320, slot640, slot1280, slot2560, ...}, offset INTEGER(0..2559, ...), iE-Extensions ProtocolExtensionContainer { { ResourceTypeSemi-persistent-ExtIEs} } OPTIONAL, ... } ResourceTypeSemi-persistent-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResourceTypeAperiodic ::= SEQUENCE { aperiodicResourceType ENUMERATED{true, ...}, iE-Extensions ProtocolExtensionContainer { { ResourceTypeAperiodic-ExtIEs} } OPTIONAL, ... } ResourceTypeAperiodic-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResourceTypePos ::= CHOICE { periodic ResourceTypePeriodicPos, semi-persistent ResourceTypeSemi-persistentPos, aperiodic ResourceTypeAperiodicPos, choice-extension ProtocolIE-Single-Container {{ ResourceTypePos-ExtIEs }} } ResourceTypePos-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } ResourceTypePeriodicPos ::= SEQUENCE { periodicity ENUMERATED{slot1, slot2, slot4, slot5, slot8, slot10, slot16, slot20, slot32, slot40, slot64, slot80, slot160, slot320, slot640, slot1280, slot2560, slot5120, slot10240, slot40960, slot81920, ..., slot128, slot256, slot512, slot20480}, offset INTEGER(0..81919, ...), iE-Extensions ProtocolExtensionContainer { { ResourceTypePeriodicPos-ExtIEs} } OPTIONAL, ... } ResourceTypePeriodicPos-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResourceTypeSemi-persistentPos ::= SEQUENCE { periodicity ENUMERATED{slot1, slot2, slot4, slot5, slot8, slot10, slot16, slot20, slot32, slot40, slot64, slot80, slot160, slot320, slot640, slot1280, slot2560, slot5120, slot10240, slot40960, slot81920, ..., slot128, slot256, slot512, slot20480}, offset INTEGER(0..81919, ...), iE-Extensions ProtocolExtensionContainer { { ResourceTypeSemi-persistentPos-ExtIEs} } OPTIONAL, ... } ResourceTypeSemi-persistentPos-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResourceTypeAperiodicPos ::= SEQUENCE { slotOffset INTEGER (0..32), iE-Extensions ProtocolExtensionContainer { { ResourceTypeAperiodicPos-ExtIEs} } OPTIONAL, ... } ResourceTypeAperiodicPos-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResponseTime ::= SEQUENCE { time INTEGER (1..128,...), timeUnit ENUMERATED {second, ten-seconds, ten-milliseconds,...}, iE-Extensions ProtocolExtensionContainer { { ResponseTime-ExtIEs} } OPTIONAL, ... } ResponseTime-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultCSI-RSRP ::= SEQUENCE (SIZE (1.. maxCellReportNR)) OF ResultCSI-RSRP-Item ResultCSI-RSRP-Item ::= SEQUENCE { nR-PCI NR-PCI, nR-ARFCN NR-ARFCN, cGI-NR CGI-NR OPTIONAL, valueCSI-RSRP-Cell ValueRSRP-NR OPTIONAL, cSI-RSRP-PerCSI-RS ResultCSI-RSRP-PerCSI-RS OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ResultCSI-RSRP-Item-ExtIEs} } OPTIONAL, ... } ResultCSI-RSRP-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultCSI-RSRP-PerCSI-RS ::= SEQUENCE (SIZE (1.. maxIndexesReport)) OF ResultCSI-RSRP-PerCSI-RS-Item ResultCSI-RSRP-PerCSI-RS-Item ::= SEQUENCE { cSI-RS-Index INTEGER (0..95), valueCSI-RSRP ValueRSRP-NR, iE-Extensions ProtocolExtensionContainer { { ResultCSI-RSRP-PerCSI-RS-Item-ExtIEs} } OPTIONAL, ... } ResultCSI-RSRP-PerCSI-RS-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultCSI-RSRQ ::= SEQUENCE (SIZE (1.. maxCellReportNR)) OF ResultCSI-RSRQ-Item ResultCSI-RSRQ-Item ::= SEQUENCE { nR-PCI NR-PCI, nR-ARFCN NR-ARFCN, cGI-NR CGI-NR OPTIONAL, valueCSI-RSRQ-Cell ValueRSRQ-NR OPTIONAL, cSI-RSRQ-PerCSI-RS ResultCSI-RSRQ-PerCSI-RS OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ResultCSI-RSRQ-Item-ExtIEs} } OPTIONAL, ... } ResultCSI-RSRQ-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultCSI-RSRQ-PerCSI-RS ::= SEQUENCE (SIZE (1.. maxIndexesReport)) OF ResultCSI-RSRQ-PerCSI-RS-Item ResultCSI-RSRQ-PerCSI-RS-Item ::= SEQUENCE { cSI-RS-Index INTEGER (0..95), valueCSI-RSRQ ValueRSRQ-NR, iE-Extensions ProtocolExtensionContainer { { ResultCSI-RSRQ-PerCSI-RS-Item-ExtIEs} } OPTIONAL, ... } ResultCSI-RSRQ-PerCSI-RS-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultEUTRA ::= SEQUENCE (SIZE (1.. maxEUTRAMeas)) OF ResultEUTRA-Item ResultEUTRA-Item ::= SEQUENCE { pCI-EUTRA PCI-EUTRA, eARFCN EARFCN, valueRSRP-EUTRA ValueRSRP-EUTRA OPTIONAL, valueRSRQ-EUTRA ValueRSRQ-EUTRA OPTIONAL, cGI-EUTRA CGI-EUTRA OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ResultEUTRA-Item-ExtIEs} } OPTIONAL, ... } ResultEUTRA-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultRSRP-EUTRA ::= SEQUENCE (SIZE (1.. maxCellReport)) OF ResultRSRP-EUTRA-Item ResultRSRP-EUTRA-Item ::= SEQUENCE { pCI-EUTRA PCI-EUTRA, eARFCN EARFCN, cGI-EUTRA CGI-EUTRA OPTIONAL, valueRSRP-EUTRA ValueRSRP-EUTRA, iE-Extensions ProtocolExtensionContainer { { ResultRSRP-EUTRA-Item-ExtIEs} } OPTIONAL, ... } ResultRSRP-EUTRA-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultRSRQ-EUTRA ::= SEQUENCE (SIZE (1.. maxCellReport)) OF ResultRSRQ-EUTRA-Item ResultRSRQ-EUTRA-Item ::= SEQUENCE { pCI-EUTRA PCI-EUTRA, eARFCN EARFCN, cGI-UTRA CGI-EUTRA OPTIONAL, valueRSRQ-EUTRA ValueRSRQ-EUTRA, iE-Extensions ProtocolExtensionContainer { { ResultRSRQ-EUTRA-Item-ExtIEs} } OPTIONAL, ... } ResultRSRQ-EUTRA-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultSS-RSRP ::= SEQUENCE (SIZE (1.. maxCellReportNR)) OF ResultSS-RSRP-Item ResultSS-RSRP-Item ::= SEQUENCE { nR-PCI NR-PCI, nR-ARFCN NR-ARFCN, cGI-NR CGI-NR OPTIONAL, valueSS-RSRP-Cell ValueRSRP-NR OPTIONAL, sS-RSRP-PerSSB ResultSS-RSRP-PerSSB OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ResultSS-RSRP-Item-ExtIEs} } OPTIONAL, ... } ResultSS-RSRP-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultSS-RSRP-PerSSB ::= SEQUENCE (SIZE (1.. maxIndexesReport)) OF ResultSS-RSRP-PerSSB-Item ResultSS-RSRP-PerSSB-Item ::= SEQUENCE { sSB-Index SSB-Index, valueSS-RSRP ValueRSRP-NR, iE-Extensions ProtocolExtensionContainer { { ResultSS-RSRP-PerSSB-Item-ExtIEs} } OPTIONAL, ... } ResultSS-RSRP-PerSSB-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultSS-RSRQ ::= SEQUENCE (SIZE (1.. maxCellReportNR)) OF ResultSS-RSRQ-Item ResultSS-RSRQ-Item ::= SEQUENCE { nR-PCI NR-PCI, nR-ARFCN NR-ARFCN, cGI-NR CGI-NR OPTIONAL, valueSS-RSRQ-Cell ValueRSRQ-NR OPTIONAL, sS-RSRQ-PerSSB ResultSS-RSRQ-PerSSB OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ResultSS-RSRQ-Item-ExtIEs} } OPTIONAL, ... } ResultSS-RSRQ-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultSS-RSRQ-PerSSB ::= SEQUENCE (SIZE (1.. maxIndexesReport)) OF ResultSS-RSRQ-PerSSB-Item ResultSS-RSRQ-PerSSB-Item ::= SEQUENCE { sSB-Index SSB-Index, valueSS-RSRQ ValueRSRQ-NR, iE-Extensions ProtocolExtensionContainer { { ResultSS-RSRQ-PerSSB-Item-ExtIEs} } OPTIONAL, ... } ResultSS-RSRQ-PerSSB-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultGERAN ::= SEQUENCE (SIZE (1.. maxGERANMeas)) OF ResultGERAN-Item ResultGERAN-Item ::= SEQUENCE { bCCH BCCH, physCellIDGERAN PhysCellIDGERAN, rSSI RSSI, iE-Extensions ProtocolExtensionContainer { { ResultGERAN-Item-ExtIEs} } OPTIONAL, ... } ResultGERAN-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultNR ::= SEQUENCE (SIZE (1.. maxNRMeas)) OF ResultNR-Item ResultNR-Item ::= SEQUENCE { nR-PCI NR-PCI, nR-ARFCN NR-ARFCN, valueSS-RSRP-Cell ValueRSRP-NR OPTIONAL, valueSS-RSRQ-Cell ValueRSRQ-NR OPTIONAL, sS-RSRP-PerSSB ResultSS-RSRP-PerSSB OPTIONAL, sS-RSRQ-PerSSB ResultSS-RSRQ-PerSSB OPTIONAL, cGI-NR CGI-NR OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ResultNR-Item-ExtIEs} } OPTIONAL, ... } ResultNR-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } ResultUTRAN ::= SEQUENCE (SIZE (1.. maxUTRANMeas)) OF ResultUTRAN-Item ResultUTRAN-Item ::= SEQUENCE { uARFCN UARFCN, physCellIDUTRAN CHOICE { physCellIDUTRA-FDD PhysCellIDUTRA-FDD, physCellIDUTRA-TDD PhysCellIDUTRA-TDD }, uTRA-RSCP UTRA-RSCP OPTIONAL, uTRA-EcN0 UTRA-EcN0 OPTIONAL, iE-Extensions ProtocolExtensionContainer { { ResultUTRAN-Item-ExtIEs} } OPTIONAL, ... } ResultUTRAN-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } RSSI ::= INTEGER (0..63, ...) RxTxTimingErrorMargin ::= ENUMERATED {tc0dot5, tc1, tc2, tc4, tc8, tc12, tc16, tc20, tc24, tc32, tc40, tc48, tc64, tc80, tc96, tc128, ...} -- S SCS-SpecificCarrier ::= SEQUENCE { offsetToCarrier INTEGER (0..2199,...), subcarrierSpacing ENUMERATED {kHz15, kHz30, kHz60, kHz120,...}, carrierBandwidth INTEGER (1..275,...), iE-Extensions ProtocolExtensionContainer { { SCS-SpecificCarrier-ExtIEs } } OPTIONAL, ... } SCS-SpecificCarrier-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } Search-window-information ::= SEQUENCE { expectedPropagationDelay INTEGER (-3841..3841,...), delayUncertainty INTEGER (1..246,...), iE-Extensions ProtocolExtensionContainer { { Search-window-information-ExtIEs } } OPTIONAL, ... } Search-window-information-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } RelativeTime1900 ::= BIT STRING (SIZE (64)) SFNInitialisationTime-EUTRA ::= BIT STRING (SIZE (64)) SlotNumber ::= INTEGER (0..79) SpatialDirectionInformation ::= SEQUENCE { nR-PRS-Beam-Information NR-PRS-Beam-Information, iE-Extensions ProtocolExtensionContainer { { SpatialDirectionInformation-ExtIEs } } OPTIONAL, ... } SpatialDirectionInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SpatialRelationInfo ::= SEQUENCE { spatialRelationforResourceID SpatialRelationforResourceID, iE-Extensions ProtocolExtensionContainer { {SpatialRelationInfo-ExtIEs} } OPTIONAL, ... } SpatialRelationInfo-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SpatialRelationforResourceID ::= SEQUENCE (SIZE(1..maxnoSpatialRelations)) OF SpatialRelationforResourceIDItem SpatialRelationforResourceIDItem ::= SEQUENCE { referenceSignal ReferenceSignal, iE-Extensions ProtocolExtensionContainer { {SpatialRelationforResourceIDItem-ExtIEs} } OPTIONAL, ... } SpatialRelationforResourceIDItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SpatialRelationPerSRSResource ::= SEQUENCE { spatialRelationPerSRSResource-List SpatialRelationPerSRSResource-List, iE-Extensions ProtocolExtensionContainer { { SpatialRelationPerSRSResource-ExtIEs} } OPTIONAL, ... } SpatialRelationPerSRSResource-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SpatialRelationPerSRSResource-List::= SEQUENCE(SIZE (1.. maxnoSRS-ResourcePerSet)) OF SpatialRelationPerSRSResourceItem SpatialRelationPerSRSResourceItem ::= SEQUENCE { referenceSignal ReferenceSignal, iE-Extensions ProtocolExtensionContainer { {SpatialRelationPerSRSResourceItem-ExtIEs} } OPTIONAL, ... } SpatialRelationPerSRSResourceItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SpatialRelationPos ::= CHOICE { sSBPos SSB, pRSInformationPos PRSInformationPos, choice-extension ProtocolIE-Single-Container {{ SpatialInformationPos-ExtIEs }} } SpatialInformationPos-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } SRSConfig ::= SEQUENCE { sRSResource-List SRSResource-List OPTIONAL, posSRSResource-List PosSRSResource-List OPTIONAL, sRSResourceSet-List SRSResourceSet-List OPTIONAL, posSRSResourceSet-List PosSRSResourceSet-List OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SRSConfig-ExtIEs } } OPTIONAL, ... } SRSConfig-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SRSCarrier-List ::= SEQUENCE (SIZE(1.. maxnoSRS-Carriers)) OF SRSCarrier-List-Item SRSCarrier-List-Item ::= SEQUENCE { pointA INTEGER (0..3279165), uplinkChannelBW-PerSCS-List UplinkChannelBW-PerSCS-List, activeULBWP ActiveULBWP, pCI-NR INTEGER (0..1007) OPTIONAL, iE-Extensions ProtocolExtensionContainer { { SRSCarrier-List-Item-ExtIEs } } OPTIONAL, ... } SRSCarrier-List-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SRSConfiguration ::= SEQUENCE { sRSCarrier-List SRSCarrier-List, iE-Extensions ProtocolExtensionContainer { { SRSConfiguration-ExtIEs } } OPTIONAL, ... } SRSConfiguration-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SrsFrequency ::= INTEGER (0..3279165) SRSPortIndex ::= ENUMERATED{id1000, id1001, id1002, id1003, ...} SRSPosResourceID ::= INTEGER (0..63) SRSResource::= SEQUENCE { sRSResourceID SRSResourceID, nrofSRS-Ports ENUMERATED {port1, ports2, ports4}, transmissionComb TransmissionComb, startPosition INTEGER (0..13), nrofSymbols ENUMERATED {n1, n2, n4}, repetitionFactor ENUMERATED {n1, n2, n4}, freqDomainPosition INTEGER (0..67), freqDomainShift INTEGER (0..268), c-SRS INTEGER (0..63), b-SRS INTEGER (0..3), b-hop INTEGER (0..3), groupOrSequenceHopping ENUMERATED { neither, groupHopping, sequenceHopping }, resourceType ResourceType, sequenceId INTEGER (0..1023), iE-Extensions ProtocolExtensionContainer { { SRSResource-ExtIEs } } OPTIONAL, ... } SRSResource-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SRSResourceID ::= INTEGER (0..63) SRSResource-List ::= SEQUENCE (SIZE (1..maxnoSRS-Resources)) OF SRSResource SRSResourceSet-List ::= SEQUENCE (SIZE (1..maxnoSRS-ResourceSets)) OF SRSResourceSet SRSResourceID-List::= SEQUENCE (SIZE (1..maxnoSRS-ResourcePerSet)) OF SRSResourceID SRSResourceSet::= SEQUENCE { sRSResourceSetID INTEGER(0..15), sRSResourceID-List SRSResourceID-List, resourceSetType ResourceSetType, iE-Extensions ProtocolExtensionContainer { { SRSResourceSet-ExtIEs } } OPTIONAL, ... } SRSResourceSet-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SRSResourceSetID ::= INTEGER (0..15, ...) SRSResourceTrigger ::= SEQUENCE { aperiodicSRSResourceTriggerList AperiodicSRSResourceTriggerList, iE-Extensions ProtocolExtensionContainer { {SRSResourceTrigger-ExtIEs} } OPTIONAL, ... } SRSResourceTrigger-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SRSResourcetype ::= SEQUENCE { sRSResourceTypeChoice SRSResourceTypeChoice, iE-Extensions ProtocolExtensionContainer { { SRSResourcetype-ExtIEs} } OPTIONAL, ... } SRSResourcetype-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-SRSPortIndex CRITICALITY ignore EXTENSION SRSPortIndex PRESENCE optional}, ... } SRSResourceTypeChoice ::= CHOICE { sRSResourceInfo SRSInfo, posSRSResourceInfo PosSRSInfo, ... } SRSInfo ::= SEQUENCE { sRSResource SRSResourceID, ... } SRSTransmissionStatus ::= ENUMERATED {stopped, ...} PosSRSInfo ::= SEQUENCE { posSRSResourceID SRSPosResourceID, ... } SSBInfo ::= SEQUENCE { listOfSSBInfo SEQUENCE (SIZE (1..maxNoSSBs)) OF SSBInfoItem, iE-Extensions ProtocolExtensionContainer { {SSBInfo-ExtIEs} } OPTIONAL, ... } SSBInfo-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SSBInfoItem ::= SEQUENCE { sSB-Configuration TF-Configuration, pCI-NR INTEGER (0..1007), iE-Extensions ProtocolExtensionContainer { { SSBInfoItem-ExtIEs} } OPTIONAL, ... } SSBInfoItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SSB ::= SEQUENCE { pCI-NR INTEGER (0..1007), ssb-index SSB-Index OPTIONAL, iE-Extensions ProtocolExtensionContainer { {SSB-ExtIEs} } OPTIONAL, ... } SSB-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SSBBurstPosition ::= CHOICE { shortBitmap BIT STRING (SIZE(4)), mediumBitmap BIT STRING (SIZE(8)), longBitmap BIT STRING (SIZE(64)), choice-extension ProtocolIE-Single-Container { { SSBBurstPosition-ExtIEs} } } SSBBurstPosition-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } SSB-Index ::= INTEGER(0..63) SSID ::= OCTET STRING (SIZE(1..32)) StartTimeAndDuration ::= SEQUENCE { startTime RelativeTime1900 OPTIONAL, duration INTEGER (0..90060, ...) OPTIONAL, iE-Extensions ProtocolExtensionContainer { { StartTimeAndDuration-ExtIEs} } OPTIONAL, ... } StartTimeAndDuration-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } SystemFrameNumber ::= INTEGER (0..1023) SystemInformation ::= SEQUENCE (SIZE (1.. maxNrOfPosSImessage)) OF SEQUENCE { broadcastPeriodicity BroadcastPeriodicity, posSIBs PosSIBs, iE-Extensions ProtocolExtensionContainer { { SystemInformation-ExtIEs} } OPTIONAL, ... } SystemInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } -- T TAC ::= OCTET STRING (SIZE(3)) TDD-Config-EUTRA-Item ::= SEQUENCE { subframeAssignment ENUMERATED { sa0, sa1, sa2, sa3, sa4, sa5, sa6, ... }, iE-Extensions ProtocolExtensionContainer { { TDD-Config-EUTRA-Item-Item-ExtIEs } } OPTIONAL, ... } TDD-Config-EUTRA-Item-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRPTEGInformation ::= CHOICE { rxTx-TEG RxTxTEG, rx-TEG RxTEG, choice-extension ProtocolIE-Single-Container { { TRPTEGInformation-ExtIEs} } } TRPTEGInformation-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } RxTxTEG ::= SEQUENCE { tRP-RxTx-TEGInformation TRP-RxTx-TEGInformation, tRP-Tx-TEGInformation TRP-Tx-TEGInformation OPTIONAL, iE-extensions ProtocolExtensionContainer { { RxTxTEG-ExtIEs } } OPTIONAL, ... } RxTxTEG-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } RxTEG ::= SEQUENCE { tRP-Rx-TEGInformation TRP-Rx-TEGInformation, tRP-Tx-TEGInformation TRP-Tx-TEGInformation, iE-extensions ProtocolExtensionContainer { { RxTEG-ExtIEs } } OPTIONAL, ... } RxTEG-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TimingErrorMargin ::= ENUMERATED {tc0, tc2, tc4, tc6, tc8, tc12, tc16, tc20, tc24, tc32, tc40, tc48, tc56, tc64, tc72, tc80, ...} TF-Configuration ::= SEQUENCE { sSB-frequency INTEGER (0..3279165), sSB-subcarrier-spacing ENUMERATED {kHz15, kHz30, kHz120, kHz240, ..., kHz60}, sSB-Transmit-power INTEGER (-60..50), sSB-periodicity ENUMERATED {ms5, ms10, ms20, ms40, ms80, ms160, ...}, sSB-half-frame-offset INTEGER(0..1), sSB-SFN-offset INTEGER(0..15), sSB-BurstPosition SSBBurstPosition OPTIONAL, sFN-initialisation-time RelativeTime1900 OPTIONAL, iE-Extensions ProtocolExtensionContainer { { TF-Configuration-ExtIEs} } OPTIONAL, ... } TF-Configuration-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TimeStamp ::= SEQUENCE { systemFrameNumber SystemFrameNumber, slotIndex TimeStampSlotIndex, measurementTime RelativeTime1900 OPTIONAL, iE-Extension ProtocolExtensionContainer { { TimeStamp-ExtIEs} } OPTIONAL, ... } TimeStamp-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TimeStampSlotIndex ::= CHOICE { sCS-15 INTEGER(0..9), sCS-30 INTEGER(0..19), sCS-60 INTEGER(0..39), sCS-120 INTEGER(0..79), choice-extension ProtocolIE-Single-Container { { TimeStampSlotIndex-ExtIEs} } } TimeStampSlotIndex-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } TP-ID-EUTRA ::= INTEGER (0..4095, ...) TP-Type-EUTRA ::= ENUMERATED { prs-only-tp, ... } TransmissionComb ::= CHOICE { n2 SEQUENCE { combOffset-n2 INTEGER (0..1), cyclicShift-n2 INTEGER (0..7) }, n4 SEQUENCE { combOffset-n4 INTEGER (0..3), cyclicShift-n4 INTEGER (0..11) }, choice-extension ProtocolIE-Single-Container { { TransmissionComb-ExtIEs} } } TransmissionComb-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } TransmissionCombPos ::= CHOICE { n2 SEQUENCE { combOffset-n2 INTEGER (0..1), cyclicShift-n2 INTEGER (0..7) }, n4 SEQUENCE { combOffset-n4 INTEGER (0..3), cyclicShift-n4 INTEGER (0..11) }, n8 SEQUENCE { combOffset-n8 INTEGER (0..7), cyclicShift-n8 INTEGER (0..5) }, choice-extension ProtocolIE-Single-Container { { TransmissionCombPos-ExtIEs} } } TransmissionCombPos-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } TRPBeamAntennaInformation ::= SEQUENCE { choice-TRP-Beam-Antenna-Info-Item Choice-TRP-Beam-Antenna-Info-Item, iE-Extensions ProtocolExtensionContainer {{ TRPBeamAntennaInformation-ExtIEs}} OPTIONAL, ... } TRPBeamAntennaInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } Choice-TRP-Beam-Antenna-Info-Item ::= CHOICE { reference TRP-ID, explicit TRP-BeamAntennaExplicitInformation, noChange NULL, choice-extension ProtocolIE-Single-Container { { Choice-TRP-Beam-Info-Item-ExtIEs } } } Choice-TRP-Beam-Info-Item-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } TRP-BeamAntennaExplicitInformation ::= SEQUENCE { trp-BeamAntennaAngles TRP-BeamAntennaAngles, lcs-to-gcs-translation LCS-to-GCS-Translation OPTIONAL, iE-Extensions ProtocolExtensionContainer {{ TRP-BeamAntennaExplicitInformation-ExtIEs}} OPTIONAL, ... } TRP-BeamAntennaExplicitInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRP-BeamAntennaAngles ::= SEQUENCE (SIZE (1.. maxnoAzimuthAngles)) OF TRP-BeamAntennaAnglesList-Item TRP-BeamAntennaAnglesList-Item ::= SEQUENCE { trp-azimuth-angle INTEGER (0..359), trp-azimuth-angle-fine INTEGER (0..9) OPTIONAL, trp-elevation-angle-list SEQUENCE (SIZE (1.. maxnoElevationAngles)) OF TRP-ElevationAngleList-Item, iE-Extensions ProtocolExtensionContainer {{ TRP-BeamAntennaAnglesList-Item-ExtIEs}} OPTIONAL, ... } TRP-BeamAntennaAnglesList-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRP-ElevationAngleList-Item ::= SEQUENCE { trp-elevation-angle INTEGER (0..180), trp-elevation-angle-fine INTEGER (0..9) OPTIONAL, trp-beam-power-list SEQUENCE (SIZE (2..maxNumResourcesPerAngle)) OF TRP-Beam-Power-Item, iE-Extensions ProtocolExtensionContainer {{ TRP-ElevationAngleList-Item-ExtIEs}} OPTIONAL, ... } TRP-ElevationAngleList-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRP-Beam-Power-Item ::= SEQUENCE { pRSResourceSetID PRS-Resource-Set-ID OPTIONAL, pRSResourceID PRS-Resource-ID, relativePower INTEGER (0..30), --negative value relativePowerFine INTEGER (0..9) OPTIONAL, --negative value iE-Extensions ProtocolExtensionContainer {{ TRP-Beam-Power-Item-ExtIEs}} OPTIONAL, ... } TRP-Beam-Power-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRPMeasurementQuantities ::= SEQUENCE (SIZE (1..maxnoPosMeas)) OF TRPMeasurementQuantitiesList-Item TRPMeasurementQuantitiesList-Item ::= SEQUENCE { tRPMeasurementQuantities-Item TRPMeasurementQuantities-Item, timingReportingGranularityFactor INTEGER (0..5) OPTIONAL, iE-Extensions ProtocolExtensionContainer {{ TRPMeasurementQuantitiesList-Item-ExtIEs}} OPTIONAL, ... } TRPMeasurementQuantitiesList-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRPMeasurementQuantities-Item ::= ENUMERATED { gNB-RxTxTimeDiff, uL-SRS-RSRP, uL-AoA, uL-RTOA, ..., multiple-UL-AoA, uL-SRS-RSRPP } TrpMeasurementResult ::= SEQUENCE (SIZE (1.. maxnoPosMeas)) OF TrpMeasurementResultItem TrpMeasurementResultItem ::= SEQUENCE { measuredResultsValue TrpMeasuredResultsValue, timeStamp TimeStamp, measurementQuality TrpMeasurementQuality OPTIONAL, measurementBeamInfo MeasurementBeamInfo OPTIONAL, iE-Extensions ProtocolExtensionContainer {{TrpMeasurementResultItem-ExtIEs}} OPTIONAL, ... } TrpMeasurementResultItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-SRSResourcetype CRITICALITY ignore EXTENSION SRSResourcetype PRESENCE optional}| { ID id-ARP-ID CRITICALITY ignore EXTENSION ARP-ID PRESENCE optional}| { ID id-LoS-NLoSInformation CRITICALITY ignore EXTENSION LoS-NLoSInformation PRESENCE optional }, ... } TrpMeasuredResultsValue ::= CHOICE { uL-AngleOfArrival UL-AoA, uL-SRS-RSRP UL-SRS-RSRP, uL-RTOA UL-RTOAMeasurement, gNB-RxTxTimeDiff GNB-RxTxTimeDiff, choice-extension ProtocolIE-Single-Container { { TrpMeasuredResultsValue-ExtIEs } } } TrpMeasuredResultsValue-ExtIEs NRPPA-PROTOCOL-IES ::= { { ID id-ZoA CRITICALITY reject TYPE ZoA PRESENCE mandatory}| { ID id-MultipleULAoA CRITICALITY reject TYPE MultipleULAoA PRESENCE mandatory}| { ID id-UL-SRS-RSRPP CRITICALITY reject TYPE UL-SRS-RSRPP PRESENCE mandatory}, ... } TrpMeasurementQuality ::= CHOICE { timingMeasQuality TrpMeasurementTimingQuality, angleMeasQuality TrpMeasurementAngleQuality, choice-Extension ProtocolIE-Single-Container {{ TrpMeasurementQuality-ExtIEs}} } TrpMeasurementQuality-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } TrpMeasurementTimingQuality ::= SEQUENCE { measurementQuality INTEGER (0..31), resolution ENUMERATED {m0dot1, m1, m10, m30, ...}, iE-extensions ProtocolExtensionContainer { { TrpMeasurementTimingQuality-ExtIEs } } OPTIONAL, ... } TrpMeasurementTimingQuality-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TrpMeasurementAngleQuality ::= SEQUENCE { azimuthQuality INTEGER (0..255), zenithQuality INTEGER (0..255) OPTIONAL, resolution ENUMERATED {deg0dot1, ...}, iE-extensions ProtocolExtensionContainer { { TrpMeasurementAngleQuality-ExtIEs } } OPTIONAL, ... } TrpMeasurementAngleQuality-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRP-MeasurementRequestList ::= SEQUENCE (SIZE (1..maxNoOfMeasTRPs)) OF TRP-MeasurementRequestItem TRP-MeasurementRequestItem ::= SEQUENCE { tRP-ID TRP-ID, search-window-information Search-window-information OPTIONAL, iE-extensions ProtocolExtensionContainer { { TRP-MeasurementRequestItem-ExtIEs } } OPTIONAL, ... } TRP-MeasurementRequestItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-Cell-ID CRITICALITY ignore EXTENSION CGI-NR PRESENCE optional }| { ID id-AoA-SearchWindow CRITICALITY ignore EXTENSION AoA-AssistanceInfo PRESENCE optional }| { ID id-NumberOfTRPRxTEG CRITICALITY ignore EXTENSION NumberOfTRPRxTEG PRESENCE optional }| { ID id-NumberOfTRPRxTxTEG CRITICALITY ignore EXTENSION NumberOfTRPRxTxTEG PRESENCE optional }, ... } TRP-MeasurementResponseList ::= SEQUENCE (SIZE (1..maxNoOfMeasTRPs)) OF TRP-MeasurementResponseItem TRP-MeasurementResponseItem ::= SEQUENCE { tRP-ID TRP-ID, measurementResult TrpMeasurementResult, iE-extensions ProtocolExtensionContainer { { TRP-MeasurementResponseItem-ExtIEs } } OPTIONAL, ... } TRP-MeasurementResponseItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-Cell-ID CRITICALITY ignore EXTENSION CGI-NR PRESENCE optional }, ... } TRP-MeasurementUpdateList ::= SEQUENCE (SIZE (1..maxNoOfMeasTRPs)) OF TRP-MeasurementUpdateItem TRP-MeasurementUpdateItem ::= SEQUENCE { tRP-ID TRP-ID, aoA-window-information AoA-AssistanceInfo OPTIONAL, iE-extensions ProtocolExtensionContainer { { TRP-MeasurementUpdateItem-ExtIEs } } OPTIONAL, ... } TRP-MeasurementUpdateItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-NumberOfTRPRxTEG CRITICALITY ignore EXTENSION NumberOfTRPRxTEG PRESENCE optional }| { ID id-NumberOfTRPRxTxTEG CRITICALITY ignore EXTENSION NumberOfTRPRxTxTEG PRESENCE optional }, ... } TRPInformationListTRPResp ::= SEQUENCE (SIZE (1.. maxnoTRPs)) OF SEQUENCE { tRPInformation TRPInformation, iE-Extensions ProtocolExtensionContainer { {TRPInformationTRPResp-ExtIEs} } OPTIONAL, ... } TRPInformationTRPResp-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRPInformation ::= SEQUENCE { tRP-ID TRP-ID, tRPInformationTypeResponseList TRPInformationTypeResponseList, iE-Extensions ProtocolExtensionContainer { { TRPInformation-ExtIEs } } OPTIONAL, ... } TRPInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRPInformationTypeResponseList ::= SEQUENCE (SIZE (1..maxnoTRPInfoTypes)) OF TRPInformationTypeResponseItem TRPInformationTypeResponseItem ::= CHOICE { pCI-NR INTEGER (0..1007), cGI-NR CGI-NR, aRFCN INTEGER (0..3279165), pRSConfiguration PRSConfiguration, sSBinformation SSBInfo, sFNInitialisationTime RelativeTime1900, spatialDirectionInformation SpatialDirectionInformation, geographicalCoordinates GeographicalCoordinates, choice-extension ProtocolIE-Single-Container { { TRPInformationTypeResponseItem-ExtIEs } } } TRPInformationTypeResponseItem-ExtIEs NRPPA-PROTOCOL-IES ::= { { ID id-TRPType CRITICALITY reject TYPE TRPType PRESENCE mandatory }| { ID id-OnDemandPRS CRITICALITY reject TYPE OnDemandPRS-Info PRESENCE mandatory}| { ID id-TRPTxTEGAssociation CRITICALITY reject TYPE TRPTxTEGAssociation PRESENCE mandatory}| { ID id-TRPBeamAntennaInformation CRITICALITY reject TYPE TRPBeamAntennaInformation PRESENCE mandatory }, ... } TRPInformationTypeListTRPReq ::= SEQUENCE (SIZE(1.. maxnoTRPInfoTypes)) OF ProtocolIE-Single-Container { {TRPInformationTypeItemTRPReq} } TRPInformationTypeItemTRPReq NRPPA-PROTOCOL-IES ::= { { ID id-TRPInformationTypeItem CRITICALITY reject TYPE TRPInformationTypeItem PRESENCE mandatory }, ... } TRPInformationTypeItem ::= ENUMERATED { nrPCI, nG-RAN-CGI, arfcn, pRSConfig, sSBInfo, sFNInitTime, spatialDirectInfo, geoCoord, ..., trp-type, ondemandPRSInfo, trpTxTeg, beam-antenna-info } TRPList ::= SEQUENCE (SIZE(1.. maxnoTRPs)) OF TRPItem TRPItem ::= SEQUENCE { tRP-ID TRP-ID, iE-Extensions ProtocolExtensionContainer { {TRPItem-ExtIEs} } OPTIONAL, ... } TRPItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRP-ID ::= INTEGER (1.. maxnoTRPs, ...) TRPPositionDefinitionType ::= CHOICE { direct TRPPositionDirect, referenced TRPPositionReferenced, choice-extension ProtocolIE-Single-Container { { TRPPositionDefinitionType-ExtIEs } } } TRPPositionDefinitionType-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } TRPPositionDirect ::= SEQUENCE { accuracy TRPPositionDirectAccuracy, iE-extensions ProtocolExtensionContainer { { TRPPositionDirect-ExtIEs } } OPTIONAL, ... } TRPPositionDirect-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRPPositionDirectAccuracy ::= CHOICE { tRPPosition NG-RANAccessPointPosition , tRPHAposition NGRANHighAccuracyAccessPointPosition , choice-extension ProtocolIE-Single-Container { { TRPPositionDirectAccuracy-ExtIEs } } } TRPPositionDirectAccuracy-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } TRPPositionReferenced ::= SEQUENCE { referencePoint ReferencePoint, referencePointType TRPReferencePointType, iE-extensions ProtocolExtensionContainer { { TRPPositionReferenced-ExtIEs } } OPTIONAL, ... } TRPPositionReferenced-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRP-PRS-Information-List ::= SEQUENCE (SIZE(1.. maxnoPRSTRPs)) OF TRP-PRS-Information-List-Item TRP-PRS-Information-List-Item ::= SEQUENCE { tRP-ID TRP-ID, nR-PCI NR-PCI, cGI-NR CGI-NR OPTIONAL, pRSConfiguration PRSConfiguration, iE-Extensions ProtocolExtensionContainer { { TRP-PRS-Information-List-Item-ExtIEs} } OPTIONAL, ... } TRP-PRS-Information-List-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRPReferencePointType ::= CHOICE { tRPPositionRelativeGeodetic RelativeGeodeticLocation, tRPPositionRelativeCartesian RelativeCartesianLocation, choice-extension ProtocolIE-Single-Container { { TRPReferencePointType-ExtIEs } } } TRPReferencePointType-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } TRP-Rx-TEGInformation ::= SEQUENCE { tRP-Rx-TEGID INTEGER (0..31), tRP-Rx-TimingErrorMargin TimingErrorMargin, iE-Extensions ProtocolExtensionContainer { { TRP-Rx-TEGInformation-ExtIEs } } OPTIONAL, ... } TRP-Rx-TEGInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRP-RxTx-TEGInformation ::= SEQUENCE { tRP-RxTx-TEGID INTEGER (0..255), tRP-RxTx-TimingErrorMargin RxTxTimingErrorMargin, iE-Extensions ProtocolExtensionContainer { { TRP-RxTx-TEGInformation-ExtIEs } } OPTIONAL, ... } TRP-RxTx-TEGInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRP-Tx-TEGInformation ::= SEQUENCE { tRP-Tx-TEGID INTEGER (0..7), tRP-Tx-TimingErrorMargin TimingErrorMargin, iE-Extensions ProtocolExtensionContainer { { TRP-Tx-TEGInformation-ExtIEs } } OPTIONAL, ... } TRP-Tx-TEGInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRPTxTEGAssociation ::= SEQUENCE (SIZE(1.. maxnoTRPTEGs)) OF TRPTEGItem TRPTEGItem ::= SEQUENCE { tRP-Tx-TEGInformation TRP-Tx-TEGInformation, dl-PRSResourceSetID PRS-Resource-Set-ID, dl-PRSResourceID-List SEQUENCE (SIZE(1.. maxPRS-ResourcesPerSet)) OF DLPRSResourceID-Item OPTIONAL, iE-Extensions ProtocolExtensionContainer { { TRPTEGItem-ExtIEs } } OPTIONAL, ... } TRPTEGItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } DLPRSResourceID-Item ::= SEQUENCE { dl-PRSResourceID PRS-Resource-ID, iE-Extensions ProtocolExtensionContainer { { DLPRSResource-Item-ExtIEs} } OPTIONAL, ... } DLPRSResource-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } TRPType ::= ENUMERATED { prsOnlyTP, srsOnlyRP, tp, rp, trp, ... } TypeOfError ::= ENUMERATED { not-understood, missing, ... } -- U UARFCN ::= INTEGER (0..16383, ...) UE-Measurement-ID ::= INTEGER (1..15, ..., 16..256) UEReportingInformation::= SEQUENCE { reportingAmount ENUMERATED {ma0, ma1, ma2, ma4, ma8, ma16, ma32, ma64}, reportingInterval ENUMERATED {none, one, two, four, eight, ten, sixteen, twenty, thirty-two, sixty-four, ...}, iE-extensions ProtocolExtensionContainer { { UEReportingInformation-ExtIEs } } OPTIONAL, ... } UEReportingInformation-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } UE-TEG-ReportingPeriodicity ::= ENUMERATED { ms160, ms320, ms1280, ms2560, ms61440, ms81920, ms368640, ms737280, ... } UETxTEGAssociationList ::= SEQUENCE (SIZE(1.. maxnoUETEGs)) OF UETxTEGAssociationItem UETxTEGAssociationItem ::= SEQUENCE { uE-Tx-TEG-ID INTEGER (0..7), posSRSResourceID-List PosSRSResourceID-List, timeStamp TimeStamp, carrierFreq CarrierFreq OPTIONAL, iE-Extensions ProtocolExtensionContainer { { UETxTEGAssociationItem-ExtIEs } } OPTIONAL, ... } UETxTEGAssociationItem-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-UETxTimingErrorMargin CRITICALITY ignore EXTENSION TimingErrorMargin PRESENCE optional }, ... } SRSResourceID-Item ::= SEQUENCE { sRSResourceID SRSResourceID, iE-Extensions ProtocolExtensionContainer { { SRSResourceID-Item-ExtIEs} } OPTIONAL, ... } SRSResourceID-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } UE-TEG-Info-Request ::= ENUMERATED {onDemand, periodic, stop, ...} UTRA-EcN0 ::= INTEGER (0..49, ...) UTRA-RSCP ::= INTEGER (-5..91, ...) UL-AoA ::= SEQUENCE { azimuthAoA INTEGER (0..3599), zenithAoA INTEGER (0..1799) OPTIONAL, lCS-to-GCS-Translation LCS-to-GCS-Translation OPTIONAL, iE-extensions ProtocolExtensionContainer { { UL-AoA-ExtIEs } } OPTIONAL, ... } UL-AoA-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } UL-RTOAMeasurement ::= SEQUENCE { uLRTOAmeas ULRTOAMeas, additionalPathList AdditionalPathList OPTIONAL, iE-extensions ProtocolExtensionContainer { { UL-RTOAMeasurement-ExtIEs } } OPTIONAL, ... } UL-RTOAMeasurement-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-ExtendedAdditionalPathList CRITICALITY ignore EXTENSION ExtendedAdditionalPathList PRESENCE optional}| { ID id-TRP-Rx-TEGInformation CRITICALITY ignore EXTENSION TRP-Rx-TEGInformation PRESENCE optional}, ... } ULRTOAMeas::= CHOICE { k0 INTEGER (0.. 1970049), k1 INTEGER (0.. 985025), k2 INTEGER (0.. 492513), k3 INTEGER (0.. 246257), k4 INTEGER (0.. 123129), k5 INTEGER (0.. 61565), choice-extension ProtocolIE-Single-Container { { ULRTOAMeas-ExtIEs } } } ULRTOAMeas-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } UL-SRS-RSRP ::= INTEGER (0..126) UL-SRS-RSRPP ::= SEQUENCE { firstPathRSRPP INTEGER (0..126), iE-extensions ProtocolExtensionContainer { { UL-SRS-RSRPP-ExtIEs } } OPTIONAL, ... } UL-SRS-RSRPP-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } UplinkChannelBW-PerSCS-List ::= SEQUENCE (SIZE (1..maxnoSCSs)) OF SCS-SpecificCarrier Uncertainty-range-AoA ::= INTEGER (0..3599) Uncertainty-range-ZoA ::= INTEGER (0..1799) -- V ValueRSRP-EUTRA ::= INTEGER (0..97, ...) ValueRSRQ-EUTRA ::= INTEGER (0..34, ...) ValueRSRP-NR ::= INTEGER (0..127) ValueRSRQ-NR ::= INTEGER (0..127) -- W WLANMeasurementQuantities ::= SEQUENCE (SIZE (0.. maxNoMeas)) OF ProtocolIE-Single-Container { {WLANMeasurementQuantities-ItemIEs} } WLANMeasurementQuantities-ItemIEs NRPPA-PROTOCOL-IES ::= { { ID id-WLANMeasurementQuantities-Item CRITICALITY reject TYPE WLANMeasurementQuantities-Item PRESENCE mandatory}} WLANMeasurementQuantities-Item ::= SEQUENCE { wLANMeasurementQuantitiesValue WLANMeasurementQuantitiesValue, iE-Extensions ProtocolExtensionContainer { { WLANMeasurementQuantitiesValue-ExtIEs} } OPTIONAL, ... } WLANMeasurementQuantitiesValue-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } WLANMeasurementQuantitiesValue ::= ENUMERATED { wlan, ... } WLANMeasurementResult ::= SEQUENCE (SIZE (1..maxNoMeas)) OF WLANMeasurementResult-Item WLANMeasurementResult-Item ::= SEQUENCE { wLAN-RSSI WLAN-RSSI, sSID SSID OPTIONAL, bSSID BSSID OPTIONAL, hESSID HESSID OPTIONAL, operatingClass WLANOperatingClass OPTIONAL, countryCode WLANCountryCode OPTIONAL, wLANChannelList WLANChannelList OPTIONAL, wLANBand WLANBand OPTIONAL, iE-Extensions ProtocolExtensionContainer { { WLANMeasurementResult-Item-ExtIEs } } OPTIONAL, ... } WLANMeasurementResult-Item-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } WLAN-RSSI ::= INTEGER (0..141, ...) WLANBand ::= ENUMERATED {band2dot4, band5, ...} WLANChannelList ::= SEQUENCE (SIZE (1..maxWLANchannels)) OF WLANChannel WLANChannel ::= INTEGER (0..255) WLANCountryCode ::= ENUMERATED { unitedStates, europe, japan, global, ... } WLANOperatingClass ::= INTEGER (0..255) -- X -- Y -- Z ZoA ::= SEQUENCE { zenithAoA INTEGER (0..1799), lCS-to-GCS-Translation LCS-to-GCS-Translation OPTIONAL, iE-extensions ProtocolExtensionContainer { { ZoA-ExtIEs } } OPTIONAL, ... } ZoA-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } END
ASN.1
wireshark/epan/dissectors/asn1/nrppa/NRPPA-PDU-Contents.asn
-- 3GPP TS 38.455 V17.4.0 (2023-03) --9.3.4 PDU Definitions -- -- ************************************************************** -- -- PDU definitions for NRPPa. -- -- ************************************************************** NRPPA-PDU-Contents { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-access (22) modules (3) nrppa (4) version1 (1) nrppa-PDU-Contents (1) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- IE parameter types from other modules -- -- ************************************************************** IMPORTS Cause, CriticalityDiagnostics, E-CID-MeasurementResult, OTDOACells, OTDOA-Information-Item, Measurement-ID, UE-Measurement-ID, MeasurementPeriodicity, MeasurementQuantities, ReportCharacteristics, RequestedSRSTransmissionCharacteristics, Cell-Portion-ID, OtherRATMeasurementQuantities, OtherRATMeasurementResult, WLANMeasurementQuantities, WLANMeasurementResult, Assistance-Information, Broadcast, AssistanceInformationFailureList, SRSConfiguration, TRPMeasurementQuantities, TrpMeasurementResult, TRP-ID, TRPInformationTypeListTRPReq, TRPInformationListTRPResp, TRP-MeasurementRequestList, TRP-MeasurementResponseList, TRP-MeasurementUpdateList, MeasurementBeamInfoRequest, PositioningBroadcastCells, SRSResourceSetID, SpatialRelationInfo, SRSResourceTrigger, TRPList, AbortTransmission, SystemFrameNumber, SlotNumber, RelativeTime1900, SpatialRelationPerSRSResource, MeasurementPeriodicityExtended, PRSTRPList, PRSTransmissionTRPList, ResponseTime, UEReportingInformation, UETxTEGAssociationList, TRP-PRS-Information-List, PRS-Measurements-Info-List, UE-TEG-Info-Request, MeasurementCharacteristicsRequestIndicator, MeasurementTimeOccasion, PRSConfigRequestType, MeasurementAmount, PreconfigurationResult, RequestType, UE-TEG-ReportingPeriodicity, MeasurementPeriodicityNR-AoA, SRSTransmissionStatus FROM NRPPA-IEs PrivateIE-Container{}, ProtocolExtensionContainer{}, ProtocolIE-Container{}, ProtocolIE-ContainerList{}, ProtocolIE-Single-Container{}, NRPPA-PRIVATE-IES, NRPPA-PROTOCOL-EXTENSION, NRPPA-PROTOCOL-IES FROM NRPPA-Containers maxnoOTDOAtypes, id-Cause, id-CriticalityDiagnostics, id-LMF-Measurement-ID, id-LMF-UE-Measurement-ID, id-OTDOACells, id-OTDOA-Information-Type-Group, id-OTDOA-Information-Type-Item, id-ReportCharacteristics, id-MeasurementPeriodicity, id-MeasurementQuantities, id-RAN-Measurement-ID, id-RAN-UE-Measurement-ID, id-E-CID-MeasurementResult, id-RequestedSRSTransmissionCharacteristics, id-Cell-Portion-ID, id-OtherRATMeasurementQuantities, id-OtherRATMeasurementResult, id-WLANMeasurementQuantities, id-WLANMeasurementResult, id-Assistance-Information, id-Broadcast, id-AssistanceInformationFailureList, id-SRSConfiguration, id-TRPMeasurementQuantities, id-MeasurementResult, id-TRP-ID, id-TRPInformationTypeListTRPReq, id-TRPInformationListTRPResp, id-TRP-MeasurementRequestList, id-TRP-MeasurementResponseList, id-TRP-MeasurementReportList, id-TRP-MeasurementUpdateList, id-MeasurementBeamInfoRequest, id-PositioningBroadcastCells, id-SRSType, id-ActivationTime, id-SRSResourceSetID, id-TRPList, id-SRSSpatialRelation, id-AbortTransmission, id-SystemFrameNumber, id-SlotNumber, id-SRSResourceTrigger, id-SFNInitialisationTime, id-SRSSpatialRelationPerSRSResource, id-MeasurementPeriodicityExtended, id-PRSTRPList, id-PRSTransmissionTRPList, id-ResponseTime, id-UEReportingInformation, id-UETxTEGAssociationList, id-TRP-PRS-Information-List, id-PRS-Measurements-Info-List, id-UE-TEG-Info-Request, id-MeasurementCharacteristicsRequestIndicator, id-MeasurementTimeOccasion, id-PRSConfigRequestType, id-MeasurementAmount, id-PreconfigurationResult, id-RequestType, id-UE-TEG-ReportingPeriodicity, id-MeasurementPeriodicityNR-AoA, id-SRSTransmissionStatus FROM NRPPA-Constants; -- ************************************************************** -- -- E-CID MEASUREMENT INITIATION REQUEST -- -- ************************************************************** E-CIDMeasurementInitiationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{E-CIDMeasurementInitiationRequest-IEs}}, ... } E-CIDMeasurementInitiationRequest-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-UE-Measurement-ID CRITICALITY reject TYPE UE-Measurement-ID PRESENCE mandatory}| { ID id-ReportCharacteristics CRITICALITY reject TYPE ReportCharacteristics PRESENCE mandatory}| { ID id-MeasurementPeriodicity CRITICALITY reject TYPE MeasurementPeriodicity PRESENCE conditional}| -- The IE shall be present if the Report Characteritics IE is set to “periodic” -- { ID id-MeasurementQuantities CRITICALITY reject TYPE MeasurementQuantities PRESENCE mandatory}| { ID id-OtherRATMeasurementQuantities CRITICALITY ignore TYPE OtherRATMeasurementQuantities PRESENCE optional}| { ID id-WLANMeasurementQuantities CRITICALITY ignore TYPE WLANMeasurementQuantities PRESENCE optional}| { ID id-MeasurementPeriodicityNR-AoA CRITICALITY reject TYPE MeasurementPeriodicityNR-AoA PRESENCE conditional}, -- The IE shall be present if the Report Characteritics IE is set to “periodic” and the MeasurementQuantities-Item IE in the MeasurementQuantities IE is set to the value "angleOfArrivalNR" -- ... } -- ************************************************************** -- -- E-CID MEASUREMENT INITIATION RESPONSE -- -- ************************************************************** E-CIDMeasurementInitiationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{E-CIDMeasurementInitiationResponse-IEs}}, ... } E-CIDMeasurementInitiationResponse-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-UE-Measurement-ID CRITICALITY reject TYPE UE-Measurement-ID PRESENCE mandatory}| { ID id-RAN-UE-Measurement-ID CRITICALITY reject TYPE UE-Measurement-ID PRESENCE mandatory}| { ID id-E-CID-MeasurementResult CRITICALITY ignore TYPE E-CID-MeasurementResult PRESENCE optional}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}| { ID id-Cell-Portion-ID CRITICALITY ignore TYPE Cell-Portion-ID PRESENCE optional}| { ID id-OtherRATMeasurementResult CRITICALITY ignore TYPE OtherRATMeasurementResult PRESENCE optional}| { ID id-WLANMeasurementResult CRITICALITY ignore TYPE WLANMeasurementResult PRESENCE optional}, ... } -- ************************************************************** -- -- E-CID MEASUREMENT INITIATION FAILURE -- -- ************************************************************** E-CIDMeasurementInitiationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{E-CIDMeasurementInitiationFailure-IEs}}, ... } E-CIDMeasurementInitiationFailure-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-UE-Measurement-ID CRITICALITY reject TYPE UE-Measurement-ID PRESENCE mandatory}| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- E-CID MEASUREMENT FAILURE INDICATION -- -- ************************************************************** E-CIDMeasurementFailureIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{E-CIDMeasurementFailureIndication-IEs}}, ... } E-CIDMeasurementFailureIndication-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-UE-Measurement-ID CRITICALITY reject TYPE UE-Measurement-ID PRESENCE mandatory}| { ID id-RAN-UE-Measurement-ID CRITICALITY reject TYPE UE-Measurement-ID PRESENCE mandatory}| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory}, ... } -- ************************************************************** -- -- E-CID MEASUREMENT REPORT -- -- ************************************************************** E-CIDMeasurementReport ::= SEQUENCE { protocolIEs ProtocolIE-Container {{E-CIDMeasurementReport-IEs}}, ... } E-CIDMeasurementReport-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-UE-Measurement-ID CRITICALITY reject TYPE UE-Measurement-ID PRESENCE mandatory}| { ID id-RAN-UE-Measurement-ID CRITICALITY reject TYPE UE-Measurement-ID PRESENCE mandatory}| { ID id-E-CID-MeasurementResult CRITICALITY ignore TYPE E-CID-MeasurementResult PRESENCE mandatory}| { ID id-Cell-Portion-ID CRITICALITY ignore TYPE Cell-Portion-ID PRESENCE optional}, ... } -- ************************************************************** -- -- E-CID MEASUREMENT TERMINATION -- -- ************************************************************** E-CIDMeasurementTerminationCommand ::= SEQUENCE { protocolIEs ProtocolIE-Container {{E-CIDMeasurementTerminationCommand-IEs}}, ... } E-CIDMeasurementTerminationCommand-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-UE-Measurement-ID CRITICALITY reject TYPE UE-Measurement-ID PRESENCE mandatory}| { ID id-RAN-UE-Measurement-ID CRITICALITY reject TYPE UE-Measurement-ID PRESENCE mandatory}, ... } -- ************************************************************** -- -- OTDOA INFORMATION REQUEST -- -- ************************************************************** OTDOAInformationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{OTDOAInformationRequest-IEs}}, ... } OTDOAInformationRequest-IEs NRPPA-PROTOCOL-IES ::= { { ID id-OTDOA-Information-Type-Group CRITICALITY reject TYPE OTDOA-Information-Type PRESENCE mandatory}, ... } OTDOA-Information-Type ::= SEQUENCE (SIZE(1..maxnoOTDOAtypes)) OF ProtocolIE-Single-Container { { OTDOA-Information-Type-ItemIEs} } OTDOA-Information-Type-ItemIEs NRPPA-PROTOCOL-IES ::= { { ID id-OTDOA-Information-Type-Item CRITICALITY reject TYPE OTDOA-Information-Type-Item PRESENCE mandatory}, ... } OTDOA-Information-Type-Item ::= SEQUENCE { oTDOA-Information-Item OTDOA-Information-Item, iE-Extensions ProtocolExtensionContainer { { OTDOA-Information-Type-ItemExtIEs} } OPTIONAL, ... } OTDOA-Information-Type-ItemExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- OTDOA INFORMATION RESPONSE -- -- ************************************************************** OTDOAInformationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{OTDOAInformationResponse-IEs}}, ... } OTDOAInformationResponse-IEs NRPPA-PROTOCOL-IES ::= { { ID id-OTDOACells CRITICALITY ignore TYPE OTDOACells PRESENCE mandatory}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- OTDOA INFORMATION FAILURE -- -- ************************************************************** OTDOAInformationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{OTDOAInformationFailure-IEs}}, ... } OTDOAInformationFailure-IEs NRPPA-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- ASSISTANCE INFORMATION CONTROL -- -- ************************************************************** AssistanceInformationControl ::= SEQUENCE { protocolIEs ProtocolIE-Container {{AssistanceInformationControl-IEs}}, ... } AssistanceInformationControl-IEs NRPPA-PROTOCOL-IES ::= { { ID id-Assistance-Information CRITICALITY reject TYPE Assistance-Information PRESENCE optional}| { ID id-Broadcast CRITICALITY reject TYPE Broadcast PRESENCE optional}| { ID id-PositioningBroadcastCells CRITICALITY reject TYPE PositioningBroadcastCells PRESENCE optional}, ... } -- ************************************************************** -- -- ASSISTANCE INFORMATION FEEDBACK -- -- ************************************************************** AssistanceInformationFeedback ::= SEQUENCE { protocolIEs ProtocolIE-Container {{AssistanceInformationFeedback-IEs}}, ... } AssistanceInformationFeedback-IEs NRPPA-PROTOCOL-IES ::= { { ID id-AssistanceInformationFailureList CRITICALITY reject TYPE AssistanceInformationFailureList PRESENCE optional}| { ID id-PositioningBroadcastCells CRITICALITY reject TYPE PositioningBroadcastCells PRESENCE optional}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- ERROR INDICATION -- -- ************************************************************** ErrorIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{ErrorIndication-IEs}}, ... } ErrorIndication-IEs NRPPA-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE optional}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- PRIVATE MESSAGE -- -- ************************************************************** PrivateMessage ::= SEQUENCE { privateIEs PrivateIE-Container {{PrivateMessage-IEs}}, ... } PrivateMessage-IEs NRPPA-PRIVATE-IES ::= { ... } -- ************************************************************** -- -- POSITIONING INFORMATION REQUEST -- -- ************************************************************** PositioningInformationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{PositioningInformationRequest-IEs}}, ... } PositioningInformationRequest-IEs NRPPA-PROTOCOL-IES ::= { { ID id-RequestedSRSTransmissionCharacteristics CRITICALITY ignore TYPE RequestedSRSTransmissionCharacteristics PRESENCE optional }| { ID id-UEReportingInformation CRITICALITY ignore TYPE UEReportingInformation PRESENCE optional }| { ID id-UE-TEG-Info-Request CRITICALITY ignore TYPE UE-TEG-Info-Request PRESENCE optional }| { ID id-UE-TEG-ReportingPeriodicity CRITICALITY reject TYPE UE-TEG-ReportingPeriodicity PRESENCE conditional }, -- The IE shall be present if the UE TEG Info Request IE is set to “periodic” ... } -- ************************************************************** -- -- POSITIONING INFORMATION RESPONSE -- -- ************************************************************** PositioningInformationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{PositioningInformationResponse-IEs}}, ... } PositioningInformationResponse-IEs NRPPA-PROTOCOL-IES ::= { { ID id-SRSConfiguration CRITICALITY ignore TYPE SRSConfiguration PRESENCE optional}| { ID id-SFNInitialisationTime CRITICALITY ignore TYPE RelativeTime1900 PRESENCE optional}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}| { ID id-UETxTEGAssociationList CRITICALITY ignore TYPE UETxTEGAssociationList PRESENCE optional}, ... } -- ************************************************************** -- -- POSITIONING INFORMATION FAILURE -- -- ************************************************************** PositioningInformationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{PositioningInformationFailure-IEs}}, ... } PositioningInformationFailure-IEs NRPPA-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- POSITIONING INFORMATION UPDATE -- -- ************************************************************** PositioningInformationUpdate ::= SEQUENCE { protocolIEs ProtocolIE-Container {{PositioningInformationUpdate-IEs}}, ... } PositioningInformationUpdate-IEs NRPPA-PROTOCOL-IES ::= { { ID id-SRSConfiguration CRITICALITY ignore TYPE SRSConfiguration PRESENCE optional}| { ID id-SFNInitialisationTime CRITICALITY ignore TYPE RelativeTime1900 PRESENCE optional}| { ID id-UETxTEGAssociationList CRITICALITY ignore TYPE UETxTEGAssociationList PRESENCE optional}| { ID id-SRSTransmissionStatus CRITICALITY ignore TYPE SRSTransmissionStatus PRESENCE optional}, ... } -- ************************************************************** -- -- MEASUREMENT REQUEST -- -- ************************************************************** MeasurementRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{MeasurementRequest-IEs}}, ... } MeasurementRequest-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}| { ID id-TRP-MeasurementRequestList CRITICALITY reject TYPE TRP-MeasurementRequestList PRESENCE mandatory}| { ID id-ReportCharacteristics CRITICALITY reject TYPE ReportCharacteristics PRESENCE mandatory}| { ID id-MeasurementPeriodicity CRITICALITY reject TYPE MeasurementPeriodicity PRESENCE conditional}| -- The IE shall be present if the Report Characteritics IE is set to “periodic” – { ID id-TRPMeasurementQuantities CRITICALITY reject TYPE TRPMeasurementQuantities PRESENCE mandatory}| { ID id-SFNInitialisationTime CRITICALITY ignore TYPE RelativeTime1900 PRESENCE optional}| { ID id-SRSConfiguration CRITICALITY ignore TYPE SRSConfiguration PRESENCE optional}| { ID id-MeasurementBeamInfoRequest CRITICALITY ignore TYPE MeasurementBeamInfoRequest PRESENCE optional}| { ID id-SystemFrameNumber CRITICALITY ignore TYPE SystemFrameNumber PRESENCE optional}| { ID id-SlotNumber CRITICALITY ignore TYPE SlotNumber PRESENCE optional}| { ID id-MeasurementPeriodicityExtended CRITICALITY reject TYPE MeasurementPeriodicityExtended PRESENCE conditional}| -- The IE shall be present the MeasurementPeriodicity IE is set to the value "extended" { ID id-ResponseTime CRITICALITY ignore TYPE ResponseTime PRESENCE optional}| { ID id-MeasurementCharacteristicsRequestIndicator CRITICALITY ignore TYPE MeasurementCharacteristicsRequestIndicator PRESENCE optional}| { ID id-MeasurementTimeOccasion CRITICALITY ignore TYPE MeasurementTimeOccasion PRESENCE optional}| { ID id-MeasurementAmount CRITICALITY ignore TYPE MeasurementAmount PRESENCE optional}, ... } -- ************************************************************** -- -- MEASUREMENT RESPONSE -- -- ************************************************************** MeasurementResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{MeasurementResponse-IEs}}, ... } MeasurementResponse-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}| { ID id-RAN-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}| { ID id-TRP-MeasurementResponseList CRITICALITY reject TYPE TRP-MeasurementResponseList PRESENCE optional}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- MEASUREMENT FAILURE -- -- ************************************************************** MeasurementFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{MeasurementFailure-IEs}}, ... } MeasurementFailure-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- MEASUREMENT REPORT -- -- ************************************************************** MeasurementReport ::= SEQUENCE { protocolIEs ProtocolIE-Container {{MeasurementReport-IEs}}, ... } MeasurementReport-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}| { ID id-RAN-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}| { ID id-TRP-MeasurementReportList CRITICALITY reject TYPE TRP-MeasurementResponseList PRESENCE mandatory}, ... } -- ************************************************************** -- -- MEASUREMENT UPDATE -- -- ************************************************************** MeasurementUpdate ::= SEQUENCE { protocolIEs ProtocolIE-Container {{MeasurementUpdate-IEs}}, ... } MeasurementUpdate-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}| { ID id-RAN-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}| { ID id-SRSConfiguration CRITICALITY ignore TYPE SRSConfiguration PRESENCE optional}| { ID id-TRP-MeasurementUpdateList CRITICALITY reject TYPE TRP-MeasurementUpdateList PRESENCE optional}| { ID id-MeasurementCharacteristicsRequestIndicator CRITICALITY ignore TYPE MeasurementCharacteristicsRequestIndicator PRESENCE optional}| { ID id-MeasurementTimeOccasion CRITICALITY ignore TYPE MeasurementTimeOccasion PRESENCE optional}, ... } -- ************************************************************** -- -- MEASUREMENT ABORT -- -- ************************************************************** MeasurementAbort ::= SEQUENCE { protocolIEs ProtocolIE-Container {{MeasurementAbort-IEs}}, ... } MeasurementAbort-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}| { ID id-RAN-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}, ... } -- ************************************************************** -- -- MEASUREMENT FAILURE INDICATION -- -- ************************************************************** MeasurementFailureIndication ::= SEQUENCE { protocolIEs ProtocolIE-Container {{MeasurementFailureIndication-IEs}}, ... } MeasurementFailureIndication-IEs NRPPA-PROTOCOL-IES ::= { { ID id-LMF-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}| { ID id-RAN-Measurement-ID CRITICALITY reject TYPE Measurement-ID PRESENCE mandatory}| { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory}, ... } -- ************************************************************** -- -- TRP INFORMATION REQUEST -- -- ************************************************************** TRPInformationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{TRPInformationRequest-IEs}}, ... } TRPInformationRequest-IEs NRPPA-PROTOCOL-IES ::= { { ID id-TRPList CRITICALITY ignore TYPE TRPList PRESENCE optional}| { ID id-TRPInformationTypeListTRPReq CRITICALITY reject TYPE TRPInformationTypeListTRPReq PRESENCE mandatory}, ... } -- ************************************************************** -- -- TRP INFORMATION RESPONSE -- -- ************************************************************** TRPInformationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{TRPInformationResponse-IEs}}, ... } TRPInformationResponse-IEs NRPPA-PROTOCOL-IES ::= { { ID id-TRPInformationListTRPResp CRITICALITY ignore TYPE TRPInformationListTRPResp PRESENCE mandatory}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- TRP INFORMATION FAILURE -- -- ************************************************************** TRPInformationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{TRPInformationFailure-IEs}}, ... } TRPInformationFailure-IEs NRPPA-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- POSITIONING ACTIVATION REQUEST -- -- ************************************************************** PositioningActivationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container { { PositioningActivationRequestIEs} }, ... } PositioningActivationRequestIEs NRPPA-PROTOCOL-IES ::= { { ID id-SRSType CRITICALITY reject TYPE SRSType PRESENCE mandatory } | { ID id-ActivationTime CRITICALITY ignore TYPE RelativeTime1900 PRESENCE optional }, ... } SRSType ::= CHOICE { semipersistentSRS SemipersistentSRS, aperiodicSRS AperiodicSRS, choice-Extension ProtocolIE-Single-Container { { SRSType-ExtIEs} } } SRSType-ExtIEs NRPPA-PROTOCOL-IES ::= { ... } SemipersistentSRS ::= SEQUENCE { sRSResourceSetID SRSResourceSetID, iE-Extensions ProtocolExtensionContainer { {SemipersistentSRS-ExtIEs} } OPTIONAL, ... } SemipersistentSRS-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { { ID id-SRSSpatialRelation CRITICALITY ignore EXTENSION SpatialRelationInfo PRESENCE optional}| { ID id-SRSSpatialRelationPerSRSResource CRITICALITY ignore EXTENSION SpatialRelationPerSRSResource PRESENCE optional}, ... } AperiodicSRS ::= SEQUENCE { aperiodic ENUMERATED{true,...}, sRSResourceTrigger SRSResourceTrigger OPTIONAL, iE-Extensions ProtocolExtensionContainer { {AperiodicSRS-ExtIEs} } OPTIONAL, ... } AperiodicSRS-ExtIEs NRPPA-PROTOCOL-EXTENSION ::= { ... } -- ************************************************************** -- -- POSITIONING ACTIVATION RESPONSE -- -- ************************************************************** PositioningActivationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container { { PositioningActivationResponseIEs} }, ... } PositioningActivationResponseIEs NRPPA-PROTOCOL-IES ::= { { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }| { ID id-SystemFrameNumber CRITICALITY ignore TYPE SystemFrameNumber PRESENCE optional }| { ID id-SlotNumber CRITICALITY ignore TYPE SlotNumber PRESENCE optional }, ... } -- ************************************************************** -- -- POSITIONING ACTIVATION FAILURE -- -- ************************************************************** PositioningActivationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container { { PositioningActivationFailureIEs} }, ... } PositioningActivationFailureIEs NRPPA-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- POSITIONING DEACTIVATION -- -- ************************************************************** PositioningDeactivation ::= SEQUENCE { protocolIEs ProtocolIE-Container { { PositioningDeactivationIEs} }, ... } PositioningDeactivationIEs NRPPA-PROTOCOL-IES ::= { { ID id-AbortTransmission CRITICALITY ignore TYPE AbortTransmission PRESENCE mandatory } , ... } -- ************************************************************** -- -- PRS CONFIGURATION REQUEST -- -- ************************************************************** PRSConfigurationRequest ::= SEQUENCE { protocolIEs ProtocolIE-Container {{PRSConfigurationRequest-IEs}}, ... } PRSConfigurationRequest-IEs NRPPA-PROTOCOL-IES ::= { { ID id-PRSConfigRequestType CRITICALITY reject TYPE PRSConfigRequestType PRESENCE mandatory}| { ID id-PRSTRPList CRITICALITY ignore TYPE PRSTRPList PRESENCE mandatory}, ... } -- ************************************************************** -- -- PRS CONFIGURATION RESPONSE -- -- ************************************************************** PRSConfigurationResponse ::= SEQUENCE { protocolIEs ProtocolIE-Container {{ PRSConfigurationResponse-IEs}}, ... } PRSConfigurationResponse-IEs NRPPA-PROTOCOL-IES ::= { { ID id-PRSTransmissionTRPList CRITICALITY ignore TYPE PRSTransmissionTRPList PRESENCE optional}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- PRS CONFIGURATION FAILURE -- -- ************************************************************** PRSConfigurationFailure ::= SEQUENCE { protocolIEs ProtocolIE-Container {{ PRSConfigurationFailure-IEs}}, ... } PRSConfigurationFailure-IEs NRPPA-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- MEASUREMENT PRECONFIGURATION REQUIRED -- -- ************************************************************** MeasurementPreconfigurationRequired ::= SEQUENCE { protocolIEs ProtocolIE-Container {{ MeasurementPreconfigurationRequired-IEs}}, ... } MeasurementPreconfigurationRequired-IEs NRPPA-PROTOCOL-IES ::= { { ID id-TRP-PRS-Information-List CRITICALITY ignore TYPE TRP-PRS-Information-List PRESENCE mandatory}, ... } -- ************************************************************** -- -- MEASUREMENT PRECONFIGURATION CONFIRM -- -- ************************************************************** MeasurementPreconfigurationConfirm::= SEQUENCE { protocolIEs ProtocolIE-Container {{ MeasurementPreconfigurationConfirm-IEs}}, ... } MeasurementPreconfigurationConfirm-IEs NRPPA-PROTOCOL-IES ::= { { ID id-PreconfigurationResult CRITICALITY ignore TYPE PreconfigurationResult PRESENCE mandatory }| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional }, ... } -- ************************************************************** -- -- MEASUREMENT PRECONFIGURATION REFUSE -- -- ************************************************************** MeasurementPreconfigurationRefuse::= SEQUENCE { protocolIEs ProtocolIE-Container {{ MeasurementPreconfigurationRefuse-IEs}}, ... } MeasurementPreconfigurationRefuse-IEs NRPPA-PROTOCOL-IES ::= { { ID id-Cause CRITICALITY ignore TYPE Cause PRESENCE mandatory}| { ID id-CriticalityDiagnostics CRITICALITY ignore TYPE CriticalityDiagnostics PRESENCE optional}, ... } -- ************************************************************** -- -- MEASUREMENT ACTIVATION -- -- ************************************************************** MeasurementActivation::= SEQUENCE { protocolIEs ProtocolIE-Container { { MeasurementActivation-IEs} }, ... } MeasurementActivation-IEs NRPPA-PROTOCOL-IES ::= { { ID id-RequestType CRITICALITY reject TYPE RequestType PRESENCE mandatory}| { ID id-PRS-Measurements-Info-List CRITICALITY ignore TYPE PRS-Measurements-Info-List PRESENCE optional}, ... } END
ASN.1
wireshark/epan/dissectors/asn1/nrppa/NRPPA-PDU-Descriptions.asn
-- 3GPP TS 38.455 V17.4.0 (2023-03) -- -- ASN1START -- ************************************************************** -- -- Elementary Procedure definitions -- -- ************************************************************** NRPPA-PDU-Descriptions { itu-t (0) identified-organization (4) etsi (0) mobileDomain (0) ngran-access (22) modules (3) nrppa (4) version1 (1) nrppa-PDU-Descriptions (0) } DEFINITIONS AUTOMATIC TAGS ::= BEGIN -- ************************************************************** -- -- IE parameter types from other modules. -- -- ************************************************************** IMPORTS Criticality, ProcedureCode, NRPPATransactionID FROM NRPPA-CommonDataTypes ErrorIndication, PrivateMessage, E-CIDMeasurementInitiationRequest, E-CIDMeasurementInitiationResponse, E-CIDMeasurementInitiationFailure, E-CIDMeasurementFailureIndication, E-CIDMeasurementReport, E-CIDMeasurementTerminationCommand, OTDOAInformationRequest, OTDOAInformationResponse, OTDOAInformationFailure, AssistanceInformationControl, AssistanceInformationFeedback, PositioningInformationRequest, PositioningInformationResponse, PositioningInformationFailure, PositioningInformationUpdate, MeasurementRequest, MeasurementResponse, MeasurementFailure, MeasurementReport, MeasurementUpdate, MeasurementAbort, MeasurementFailureIndication, TRPInformationRequest, TRPInformationResponse, TRPInformationFailure, PositioningActivationRequest, PositioningActivationResponse, PositioningActivationFailure, PositioningDeactivation, PRSConfigurationRequest, PRSConfigurationResponse, PRSConfigurationFailure, MeasurementPreconfigurationRequired, MeasurementPreconfigurationConfirm, MeasurementPreconfigurationRefuse, MeasurementActivation FROM NRPPA-PDU-Contents id-errorIndication, id-privateMessage, id-e-CIDMeasurementInitiation, id-e-CIDMeasurementFailureIndication, id-e-CIDMeasurementReport, id-e-CIDMeasurementTermination, id-oTDOAInformationExchange, id-assistanceInformationControl, id-assistanceInformationFeedback, id-positioningInformationExchange, id-positioningInformationUpdate, id-Measurement, id-MeasurementReport, id-MeasurementUpdate, id-MeasurementAbort, id-MeasurementFailureIndication, id-tRPInformationExchange, id-positioningActivation, id-positioningDeactivation, id-pRSConfigurationExchange, id-measurementPreconfiguration, id-measurementActivation FROM NRPPA-Constants; -- ************************************************************** -- -- Interface Elementary Procedure Class -- -- ************************************************************** NRPPA-ELEMENTARY-PROCEDURE ::= CLASS { &InitiatingMessage , &SuccessfulOutcome OPTIONAL, &UnsuccessfulOutcome OPTIONAL, &procedureCode ProcedureCode UNIQUE, &criticality Criticality DEFAULT ignore } WITH SYNTAX { INITIATING MESSAGE &InitiatingMessage [SUCCESSFUL OUTCOME &SuccessfulOutcome] [UNSUCCESSFUL OUTCOME &UnsuccessfulOutcome] PROCEDURE CODE &procedureCode [CRITICALITY &criticality] } -- ************************************************************** -- -- Interface PDU Definition -- -- ************************************************************** NRPPA-PDU ::= CHOICE { initiatingMessage InitiatingMessage, successfulOutcome SuccessfulOutcome, unsuccessfulOutcome UnsuccessfulOutcome, ... } InitiatingMessage ::= SEQUENCE { procedureCode NRPPA-ELEMENTARY-PROCEDURE.&procedureCode ({NRPPA-ELEMENTARY-PROCEDURES}), criticality NRPPA-ELEMENTARY-PROCEDURE.&criticality ({NRPPA-ELEMENTARY-PROCEDURES}{@procedureCode}), nrppatransactionID NRPPATransactionID, value NRPPA-ELEMENTARY-PROCEDURE.&InitiatingMessage ({NRPPA-ELEMENTARY-PROCEDURES}{@procedureCode}) } SuccessfulOutcome ::= SEQUENCE { procedureCode NRPPA-ELEMENTARY-PROCEDURE.&procedureCode ({NRPPA-ELEMENTARY-PROCEDURES}), criticality NRPPA-ELEMENTARY-PROCEDURE.&criticality ({NRPPA-ELEMENTARY-PROCEDURES}{@procedureCode}), nrppatransactionID NRPPATransactionID, value NRPPA-ELEMENTARY-PROCEDURE.&SuccessfulOutcome ({NRPPA-ELEMENTARY-PROCEDURES}{@procedureCode}) } UnsuccessfulOutcome ::= SEQUENCE { procedureCode NRPPA-ELEMENTARY-PROCEDURE.&procedureCode ({NRPPA-ELEMENTARY-PROCEDURES}), criticality NRPPA-ELEMENTARY-PROCEDURE.&criticality ({NRPPA-ELEMENTARY-PROCEDURES}{@procedureCode}), nrppatransactionID NRPPATransactionID, value NRPPA-ELEMENTARY-PROCEDURE.&UnsuccessfulOutcome ({NRPPA-ELEMENTARY-PROCEDURES}{@procedureCode}) } -- ************************************************************** -- -- Interface Elementary Procedure List -- -- ************************************************************** NRPPA-ELEMENTARY-PROCEDURES NRPPA-ELEMENTARY-PROCEDURE ::= { NRPPA-ELEMENTARY-PROCEDURES-CLASS-1 | NRPPA-ELEMENTARY-PROCEDURES-CLASS-2 , ... } NRPPA-ELEMENTARY-PROCEDURES-CLASS-1 NRPPA-ELEMENTARY-PROCEDURE ::= { e-CIDMeasurementInitiation | oTDOAInformationExchange | positioningInformationExchange | measurement | tRPInformationExchange | positioningActivation | pRSConfigurationExchange | measurementPreconfiguration, ... } NRPPA-ELEMENTARY-PROCEDURES-CLASS-2 NRPPA-ELEMENTARY-PROCEDURE ::= { e-CIDMeasurementFailureIndication | e-CIDMeasurementReport | e-CIDMeasurementTermination | errorIndication | privateMessage | assistanceInformationControl | assistanceInformationFeedback | positioningInformationUpdate | measurementReport | measurementUpdate | measurementAbort | measurementFailureIndication | positioningDeactivation | measurementActivation, ... } -- ************************************************************** -- -- Interface Elementary Procedures -- -- ************************************************************** e-CIDMeasurementInitiation NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE E-CIDMeasurementInitiationRequest SUCCESSFUL OUTCOME E-CIDMeasurementInitiationResponse UNSUCCESSFUL OUTCOME E-CIDMeasurementInitiationFailure PROCEDURE CODE id-e-CIDMeasurementInitiation CRITICALITY reject } e-CIDMeasurementFailureIndication NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE E-CIDMeasurementFailureIndication PROCEDURE CODE id-e-CIDMeasurementFailureIndication CRITICALITY ignore } e-CIDMeasurementReport NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE E-CIDMeasurementReport PROCEDURE CODE id-e-CIDMeasurementReport CRITICALITY ignore } e-CIDMeasurementTermination NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE E-CIDMeasurementTerminationCommand PROCEDURE CODE id-e-CIDMeasurementTermination CRITICALITY reject } oTDOAInformationExchange NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE OTDOAInformationRequest SUCCESSFUL OUTCOME OTDOAInformationResponse UNSUCCESSFUL OUTCOME OTDOAInformationFailure PROCEDURE CODE id-oTDOAInformationExchange CRITICALITY reject } assistanceInformationControl NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE AssistanceInformationControl PROCEDURE CODE id-assistanceInformationControl CRITICALITY reject } assistanceInformationFeedback NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE AssistanceInformationFeedback PROCEDURE CODE id-assistanceInformationFeedback CRITICALITY reject } errorIndication NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE ErrorIndication PROCEDURE CODE id-errorIndication CRITICALITY ignore } privateMessage NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PrivateMessage PROCEDURE CODE id-privateMessage CRITICALITY ignore } positioningInformationExchange NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PositioningInformationRequest SUCCESSFUL OUTCOME PositioningInformationResponse UNSUCCESSFUL OUTCOME PositioningInformationFailure PROCEDURE CODE id-positioningInformationExchange CRITICALITY reject } positioningInformationUpdate NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PositioningInformationUpdate PROCEDURE CODE id-positioningInformationUpdate CRITICALITY ignore } measurement NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MeasurementRequest SUCCESSFUL OUTCOME MeasurementResponse UNSUCCESSFUL OUTCOME MeasurementFailure PROCEDURE CODE id-Measurement CRITICALITY reject } measurementReport NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MeasurementReport PROCEDURE CODE id-MeasurementReport CRITICALITY ignore } measurementUpdate NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MeasurementUpdate PROCEDURE CODE id-MeasurementUpdate CRITICALITY ignore } measurementAbort NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MeasurementAbort PROCEDURE CODE id-MeasurementAbort CRITICALITY ignore } measurementFailureIndication NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MeasurementFailureIndication PROCEDURE CODE id-MeasurementFailureIndication CRITICALITY ignore } tRPInformationExchange NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE TRPInformationRequest SUCCESSFUL OUTCOME TRPInformationResponse UNSUCCESSFUL OUTCOME TRPInformationFailure PROCEDURE CODE id-tRPInformationExchange CRITICALITY reject } positioningActivation NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PositioningActivationRequest SUCCESSFUL OUTCOME PositioningActivationResponse UNSUCCESSFUL OUTCOME PositioningActivationFailure PROCEDURE CODE id-positioningActivation CRITICALITY reject } positioningDeactivation NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PositioningDeactivation PROCEDURE CODE id-positioningDeactivation CRITICALITY ignore } pRSConfigurationExchange NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE PRSConfigurationRequest SUCCESSFUL OUTCOME PRSConfigurationResponse UNSUCCESSFUL OUTCOME PRSConfigurationFailure PROCEDURE CODE id-pRSConfigurationExchange CRITICALITY reject } measurementPreconfiguration NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MeasurementPreconfigurationRequired SUCCESSFUL OUTCOME MeasurementPreconfigurationConfirm UNSUCCESSFUL OUTCOME MeasurementPreconfigurationRefuse PROCEDURE CODE id-measurementPreconfiguration CRITICALITY reject } measurementActivation NRPPA-ELEMENTARY-PROCEDURE ::= { INITIATING MESSAGE MeasurementActivation PROCEDURE CODE id-measurementActivation CRITICALITY ignore } END
Configuration
wireshark/epan/dissectors/asn1/nrppa/nrppa.cnf
# nrppa.cnf # nrppa conformation file # Copyright 2019 Anders Broman #.OPT PER ALIGNED #.END #.MAKE_ENUM ProcedureCode ProtocolIE-ID #.OMIT_ASSIGNMENT Presence ProtocolIE-ContainerList PRS-ID SRSResourceID-Item #.EXPORTS Assistance-Information_PDU #.PDU Assistance-Information NRPPA-PDU #.TYPE_RENAME InitiatingMessage/value InitiatingMessage_value SuccessfulOutcome/value SuccessfulOutcome_value UnsuccessfulOutcome/value UnsuccessfulOutcome_value #.FIELD_RENAME InitiatingMessage/value initiatingMessagevalue UnsuccessfulOutcome/value unsuccessfulOutcome_value SuccessfulOutcome/value successfulOutcome_value ProtocolIE-Field/value ie_field_value ProtocolExtensionField/id ext_id #.FN_PARS ProtocolIE-ID VAL_PTR=&ProtocolIE_ID #.FN_FTR ProtocolIE-ID if (tree) { proto_item_append_text(proto_item_get_parent_nth(actx->created_item, 2), ": %s", val_to_str(ProtocolIE_ID, VALS(nrppa_ProtocolIE_ID_vals), "unknown (%d)")); } #.END #.FN_PARS ProcedureCode VAL_PTR = &ProcedureCode #.FN_FTR ProcedureCode col_add_fstr(actx->pinfo->cinfo, COL_INFO, "%s ", val_to_str(ProcedureCode, nrppa_ProcedureCode_vals, "unknown message")); #.END #.FN_PARS ProtocolIE-Field/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_ProtocolIEFieldValue #.FN_PARS ProtocolExtensionField/extensionValue FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_ProtocolExtensionFieldExtensionValue #.FN_PARS InitiatingMessage/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_InitiatingMessageValue #.FN_PARS SuccessfulOutcome/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_SuccessfulOutcomeValue #.FN_PARS UnsuccessfulOutcome/value FN_VARIANT=_pdu_new TYPE_REF_FN=dissect_UnsuccessfulOutcomeValue #.FN_HDR NRPPA-PDU proto_tree_add_item(tree, proto_nrppa, tvb, 0, -1, ENC_NA); add_per_encoded_label(tvb, actx->pinfo, tree); col_append_sep_str(actx->pinfo->cinfo, COL_PROTOCOL, "/", "NRPPa"); #.END #.TYPE_ATTR TAC TYPE = FT_UINT24 DISPLAY = BASE_DEC_HEX #.FN_BODY TAC VAL_PTR = &parameter_tvb HF_INDEX = -1 tvbuff_t *parameter_tvb = NULL; %(DEFAULT_BODY)s if (parameter_tvb) { actx->created_item = proto_tree_add_item(tree, hf_index, parameter_tvb, 0, 3, ENC_BIG_ENDIAN); } #.TYPE_ATTR #.TYPE_ATTR #.TYPE_ATTR # ProcedureCode id-errorIndication ProcedureCode id-privateMessage ProcedureCode id-e-CIDMeasurementInitiation ProcedureCode id-e-CIDMeasurementFailureIndication ProcedureCode id-e-CIDMeasurementReport ProcedureCode id-e-CIDMeasurementTermination ProcedureCode id-oTDOAInformationExchange ProcedureCode id-assistanceInformationControl ProcedureCode id-assistanceInformationFeedback ProcedureCode id-positioningInformationExchange ProcedureCode id-positioningInformationUpdate ProcedureCode id-Measurement ProcedureCode id-MeasurementReport ProcedureCode id-MeasurementUpdate ProcedureCode id-MeasurementAbort ProcedureCode id-MeasurementFailureIndication ProcedureCode id-tRPInformationExchange ProcedureCode id-positioningActivation ProcedureCode id-positioningDeactivation ProcedureCode id-pRSConfigurationExchange ProcedureCode id-measurementPreconfiguration ProcedureCode id-measurementActivation ProcedureCode # ProtocolIE-ID id-Cause ProtocolIE-ID id-CriticalityDiagnostics ProtocolIE-ID id-LMF-UE-Measurement-ID ProtocolIE-ID id-ReportCharacteristics ProtocolIE-ID id-MeasurementPeriodicity ProtocolIE-ID id-MeasurementQuantities ProtocolIE-ID id-RAN-UE-Measurement-ID ProtocolIE-ID id-E-CID-MeasurementResult ProtocolIE-ID id-OTDOACells ProtocolIE-ID id-OTDOA-Information-Type-Group ProtocolIE-ID id-OTDOA-Information-Type-Item ProtocolIE-ID id-MeasurementQuantities-Item ProtocolIE-ID id-RequestedSRSTransmissionCharacteristics ProtocolIE-ID id-Cell-Portion-ID ProtocolIE-ID id-OtherRATMeasurementQuantities ProtocolIE-ID id-OtherRATMeasurementQuantities-Item ProtocolIE-ID id-OtherRATMeasurementResult ProtocolIE-ID id-WLANMeasurementQuantities ProtocolIE-ID id-WLANMeasurementQuantities-Item ProtocolIE-ID id-WLANMeasurementResult ProtocolIE-ID id-TDD-Config-EUTRA-Item ProtocolIE-ID id-Assistance-Information ProtocolIE-ID id-Broadcast ProtocolIE-ID id-AssistanceInformationFailureList ProtocolIE-ID id-SRSConfiguration ProtocolIE-ID id-MeasurementResult ProtocolIE-ID id-TRP-ID ProtocolIE-ID id-TRPInformationTypeListTRPReq ProtocolIE-ID id-TRPInformationListTRPResp ProtocolIE-ID id-MeasurementBeamInfoRequest ProtocolIE-ID id-ResultSS-RSRP ProtocolIE-ID id-ResultSS-RSRQ ProtocolIE-ID id-ResultCSI-RSRP ProtocolIE-ID id-ResultCSI-RSRQ ProtocolIE-ID id-AngleOfArrivalNR ProtocolIE-ID id-GeographicalCoordinates ProtocolIE-ID id-PositioningBroadcastCells ProtocolIE-ID id-LMF-Measurement-ID ProtocolIE-ID id-RAN-Measurement-ID ProtocolIE-ID id-TRP-MeasurementRequestList ProtocolIE-ID id-TRP-MeasurementResponseList ProtocolIE-ID id-TRP-MeasurementReportList ProtocolIE-ID id-SRSType ProtocolIE-ID id-ActivationTime ProtocolIE-ID id-SRSResourceSetID ProtocolIE-ID id-TRPList ProtocolIE-ID id-SRSSpatialRelation ProtocolIE-ID id-SystemFrameNumber ProtocolIE-ID id-SlotNumber ProtocolIE-ID id-SRSResourceTrigger ProtocolIE-ID id-TRPMeasurementQuantities ProtocolIE-ID id-AbortTransmission ProtocolIE-ID id-SFNInitialisationTime ProtocolIE-ID id-ResultNR ProtocolIE-ID id-ResultEUTRA ProtocolIE-ID id-TRPInformationTypeItem ProtocolIE-ID id-CGI-NR ProtocolIE-ID id-SFNInitialisationTime-NR ProtocolIE-ID id-Cell-ID ProtocolIE-ID id-SrsFrequency ProtocolIE-ID id-TRPType ProtocolIE-ID id-SRSSpatialRelationPerSRSResource ProtocolIE-ID id-MeasurementPeriodicityExtended ProtocolIE-ID id-PRS-Resource-ID ProtocolIE-ID id-PRSTRPList ProtocolIE-ID id-PRSTransmissionTRPList ProtocolIE-ID id-OnDemandPRS ProtocolIE-ID id-AoA-SearchWindow ProtocolIE-ID id-TRP-MeasurementUpdateList ProtocolIE-ID id-ZoA ProtocolIE-ID id-ResponseTime ProtocolIE-ID id-UEReportingInformation ProtocolIE-ID id-MultipleULAoA ProtocolIE-ID id-UL-SRS-RSRPP ProtocolIE-ID id-SRSResourcetype ProtocolIE-ID id-ExtendedAdditionalPathList ProtocolIE-ID id-ARPLocationInfo ProtocolIE-ID id-ARP-ID ProtocolIE-ID id-LoS-NLoSInformation ProtocolIE-ID id-UETxTEGAssociationList ProtocolIE-ID id-NumberOfTRPRxTEG ProtocolIE-ID id-NumberOfTRPRxTxTEG ProtocolIE-ID id-TRPTxTEGAssociation ProtocolIE-ID id-TRPTEGInformation ProtocolIE-ID id-TRP-Rx-TEGInformation ProtocolIE-ID id-TRP-PRS-Information-List ProtocolIE-ID id-PRS-Measurements-Info-List ProtocolIE-ID id-PRSConfigRequestType ProtocolIE-ID id-UE-TEG-Info-Request ProtocolIE-ID id-MeasurementTimeOccasion ProtocolIE-ID id-MeasurementCharacteristicsRequestIndicator ProtocolIE-ID id-TRPBeamAntennaInformation ProtocolIE-ID id-NR-TADV ProtocolIE-ID id-MeasurementAmount ProtocolIE-ID id-pathPower ProtocolIE-ID id-PreconfigurationResult ProtocolIE-ID id-RequestType ProtocolIE-ID id-UE-TEG-ReportingPeriodicity ProtocolIE-ID id-SRSPortIndex ProtocolIE-ID id-procedure-code-101-not-to-be-used ProtocolIE-ID id-procedure-code-102-not-to-be-used ProtocolIE-ID id-procedure-code-103-not-to-be-used ProtocolIE-ID id-UETxTimingErrorMargin ProtocolIE-ID id-MeasurementPeriodicityNR-AoA ProtocolIE-ID id-SRSTransmissionStatus ProtocolIE-ID #.REGISTER #NRPPA-PROTOCOL-IES Cause N nrppa.ies id-Cause CriticalityDiagnostics N nrppa.ies id-CriticalityDiagnostics UE-Measurement-ID N nrppa.ies id-LMF-UE-Measurement-ID ReportCharacteristics N nrppa.ies id-ReportCharacteristics MeasurementPeriodicity N nrppa.ies id-MeasurementPeriodicity MeasurementQuantities N nrppa.ies id-MeasurementQuantities UE-Measurement-ID N nrppa.ies id-RAN-UE-Measurement-ID E-CID-MeasurementResult N nrppa.ies id-E-CID-MeasurementResult OTDOACells N nrppa.ies id-OTDOACells OTDOA-Information-Type N nrppa.ies id-OTDOA-Information-Type-Group OTDOA-Information-Type-Item N nrppa.ies id-OTDOA-Information-Type-Item MeasurementQuantities-Item N nrppa.ies id-MeasurementQuantities-Item RequestedSRSTransmissionCharacteristics N nrppa.ies id-RequestedSRSTransmissionCharacteristics Cell-Portion-ID N nrppa.ies id-Cell-Portion-ID OtherRATMeasurementQuantities N nrppa.ies id-OtherRATMeasurementQuantities OtherRATMeasurementQuantities-Item N nrppa.ies id-OtherRATMeasurementQuantities-Item OtherRATMeasurementResult N nrppa.ies id-OtherRATMeasurementResult WLANMeasurementQuantities N nrppa.ies id-WLANMeasurementQuantities WLANMeasurementQuantities-Item N nrppa.ies id-WLANMeasurementQuantities-Item WLANMeasurementResult N nrppa.ies id-WLANMeasurementResult TDD-Config-EUTRA-Item N nrppa.ies id-TDD-Config-EUTRA-Item Assistance-Information N nrppa.ies id-Assistance-Information Broadcast N nrppa.ies id-Broadcast AssistanceInformationFailureList N nrppa.ies id-AssistanceInformationFailureList SRSConfiguration N nrppa.ies id-SRSConfiguration TRPInformationTypeListTRPReq N nrppa.ies id-TRPInformationTypeListTRPReq TRPInformationListTRPResp N nrppa.ies id-TRPInformationListTRPResp MeasurementBeamInfoRequest N nrppa.ies id-MeasurementBeamInfoRequest ResultSS-RSRP N nrppa.ies id-ResultSS-RSRP ResultSS-RSRQ N nrppa.ies id-ResultSS-RSRQ ResultCSI-RSRP N nrppa.ies id-ResultCSI-RSRP ResultCSI-RSRQ N nrppa.ies id-ResultCSI-RSRQ UL-AoA N nrppa.ies id-AngleOfArrivalNR PositioningBroadcastCells N nrppa.ies id-PositioningBroadcastCells Measurement-ID N nrppa.ies id-LMF-Measurement-ID Measurement-ID N nrppa.ies id-RAN-Measurement-ID TRP-MeasurementRequestList N nrppa.ies id-TRP-MeasurementRequestList TRP-MeasurementResponseList N nrppa.ies id-TRP-MeasurementResponseList SRSType N nrppa.ies id-SRSType RelativeTime1900 N nrppa.ies id-ActivationTime TRPList N nrppa.ies id-TRPList SystemFrameNumber N nrppa.ies id-SystemFrameNumber SlotNumber N nrppa.ies id-SlotNumber TRPMeasurementQuantities N nrppa.ies id-TRPMeasurementQuantities AbortTransmission N nrppa.ies id-AbortTransmission RelativeTime1900 N nrppa.ies id-SFNInitialisationTime ResultNR N nrppa.ies id-ResultNR ResultEUTRA N nrppa.ies id-ResultEUTRA TRPInformationTypeItem N nrppa.ies id-TRPInformationTypeItem CGI-NR N nrppa.ies id-CGI-NR SFNInitialisationTime-EUTRA N nrppa.ies id-SFNInitialisationTime-NR CGI-NR N nrppa.ies id-Cell-ID SrsFrequency N nrppa.ies id-SrsFrequency TRPType N nrppa.ies id-TRPType MeasurementPeriodicityExtended N nrppa.ies id-MeasurementPeriodicityExtended PRSTRPList N nrppa.ies id-PRSTRPList PRSTransmissionTRPList N nrppa.ies id-PRSTransmissionTRPList OnDemandPRS-Info N nrppa.ies id-OnDemandPRS TRP-MeasurementUpdateList N nrppa.ies id-TRP-MeasurementUpdateList ZoA N nrppa.ies id-ZoA ResponseTime N nrppa.ies id-ResponseTime UEReportingInformation N nrppa.ies id-UEReportingInformation MultipleULAoA N nrppa.ies id-MultipleULAoA UL-SRS-RSRPP N nrppa.ies id-UL-SRS-RSRPP UETxTEGAssociationList N nrppa.ies id-UETxTEGAssociationList TRPTxTEGAssociation N nrppa.ies id-TRPTxTEGAssociation TRP-PRS-Information-List N nrppa.ies id-TRP-PRS-Information-List PRS-Measurements-Info-List N nrppa.ies id-PRS-Measurements-Info-List PRSConfigRequestType N nrppa.ies id-PRSConfigRequestType UE-TEG-Info-Request N nrppa.ies id-UE-TEG-Info-Request MeasurementTimeOccasion N nrppa.ies id-MeasurementTimeOccasion MeasurementCharacteristicsRequestIndicator N nrppa.ies id-MeasurementCharacteristicsRequestIndicator TRPBeamAntennaInformation N nrppa.ies id-TRPBeamAntennaInformation NR-TADV N nrppa.ies id-NR-TADV MeasurementAmount N nrppa.ies id-MeasurementAmount PreconfigurationResult N nrppa.ies id-PreconfigurationResult RequestType N nrppa.ies id-RequestType UE-TEG-ReportingPeriodicity N nrppa.ies id-UE-TEG-ReportingPeriodicity MeasurementPeriodicityNR-AoA N nrppa.ies id-MeasurementPeriodicityNR-AoA SRSTransmissionStatus N nrppa.ies id-SRSTransmissionStatus #NRPPA-PROTOCOL-EXTENSION GeographicalCoordinates N nrppa.extension id-GeographicalCoordinates SpatialRelationInfo N nrppa.extension id-SRSSpatialRelation SpatialRelationPerSRSResource N nrppa.extension id-SRSSpatialRelationPerSRSResource PRS-Resource-ID N nrppa.extension id-PRS-Resource-ID AoA-AssistanceInfo N nrppa.extension id-AoA-SearchWindow MultipleULAoA N nrppa.extension id-MultipleULAoA SRSResourcetype N nrppa.extension id-SRSResourcetype ExtendedAdditionalPathList N nrppa.extension id-ExtendedAdditionalPathList ARPLocationInformation N nrppa.extension id-ARPLocationInfo ARP-ID N nrppa.extension id-ARP-ID LoS-NLoSInformation N nrppa.extension id-LoS-NLoSInformation NumberOfTRPRxTEG N nrppa.extension id-NumberOfTRPRxTEG NumberOfTRPRxTxTEG N nrppa.extension id-NumberOfTRPRxTxTEG TRPTEGInformation N nrppa.extension id-TRPTEGInformation TRP-Rx-TEGInformation N nrppa.extension id-TRP-Rx-TEGInformation UL-SRS-RSRPP N nrppa.extension id-pathPower SRSPortIndex N nrppa.extension id-SRSPortIndex TimingErrorMargin N nrppa.extension id-UETxTimingErrorMargin #LPPA-ELEMENTARY-PROCEDURE ErrorIndication N nrppa.proc.imsg id-errorIndication PrivateMessage N nrppa.proc.imsg id-privateMessage E-CIDMeasurementInitiationRequest N nrppa.proc.imsg id-e-CIDMeasurementInitiation E-CIDMeasurementInitiationResponse N nrppa.proc.sout id-e-CIDMeasurementInitiation E-CIDMeasurementInitiationFailure N nrppa.proc.uout id-e-CIDMeasurementInitiation E-CIDMeasurementFailureIndication N nrppa.proc.imsg id-e-CIDMeasurementFailureIndication E-CIDMeasurementReport N nrppa.proc.imsg id-e-CIDMeasurementReport E-CIDMeasurementTerminationCommand N nrppa.proc.imsg id-e-CIDMeasurementTermination OTDOAInformationRequest N nrppa.proc.imsg id-oTDOAInformationExchange OTDOAInformationResponse N nrppa.proc.sout id-oTDOAInformationExchange OTDOAInformationFailure N nrppa.proc.uout id-oTDOAInformationExchange AssistanceInformationControl N nrppa.proc.imsg id-assistanceInformationControl AssistanceInformationFeedback N nrppa.proc.imsg id-assistanceInformationFeedback PositioningInformationRequest N nrppa.proc.imsg id-positioningInformationExchange PositioningInformationResponse N nrppa.proc.sout id-positioningInformationExchange PositioningInformationFailure N nrppa.proc.uout id-positioningInformationExchange PositioningInformationUpdate N nrppa.proc.imsg id-positioningInformationUpdate MeasurementRequest N nrppa.proc.imsg id-Measurement MeasurementResponse N nrppa.proc.sout id-Measurement MeasurementFailure N nrppa.proc.uout id-Measurement MeasurementReport N nrppa.proc.imsg id-MeasurementReport MeasurementUpdate N nrppa.proc.imsg id-MeasurementUpdate MeasurementAbort N nrppa.proc.imsg id-MeasurementAbort MeasurementFailureIndication N nrppa.proc.imsg id-MeasurementFailureIndication TRPInformationRequest N nrppa.proc.imsg id-tRPInformationExchange TRPInformationResponse N nrppa.proc.sout id-tRPInformationExchange TRPInformationFailure N nrppa.proc.uout id-tRPInformationExchange PositioningActivationRequest N nrppa.proc.imsg id-positioningActivation PositioningActivationResponse N nrppa.proc.sout id-positioningActivation PositioningActivationFailure N nrppa.proc.uout id-positioningActivation PositioningDeactivation N nrppa.proc.imsg id-positioningDeactivation PRSConfigurationRequest N nrppa.proc.imsg id-pRSConfigurationExchange PRSConfigurationResponse N nrppa.proc.sout id-pRSConfigurationExchange PRSConfigurationFailure N nrppa.proc.uout id-pRSConfigurationExchange MeasurementPreconfigurationRequired N nrppa.proc.imsg id-measurementPreconfiguration MeasurementPreconfigurationConfirm N nrppa.proc.sout id-measurementPreconfiguration MeasurementPreconfigurationRefuse N nrppa.proc.uout id-measurementPreconfiguration MeasurementActivation N nrppa.proc.imsg id-measurementActivation
C
wireshark/epan/dissectors/asn1/nrppa/packet-nrppa-template.c
/* packet-nrppa.c * Routines for 3GPP NR Positioning Protocol A (NRPPa) packet dissection * Copyright 2019, Anders Broman <[email protected]> * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later * * Ref 3GPP TS 38.455 V17.4.0 (2023-03) * http://www.3gpp.org */ #include "config.h" #include <epan/packet.h> #include <epan/asn1.h> #include "packet-per.h" #include "packet-nrppa.h" #define PNAME "NR Positioning Protocol A (NRPPa)" #define PSNAME "NRPPa" #define PFNAME "nrppa" void proto_register_nrppa(void); void proto_reg_handoff_nrppa(void); /* Initialize the protocol and registered fields */ static int proto_nrppa = -1; #include "packet-nrppa-hf.c" /* Initialize the subtree pointers */ static gint ett_nrppa = -1; #include "packet-nrppa-ett.c" /* Global variables */ static guint32 ProcedureCode; static guint32 ProtocolIE_ID; /* Dissector tables */ static dissector_table_t nrppa_ies_dissector_table; static dissector_table_t nrppa_extension_dissector_table; static dissector_table_t nrppa_proc_imsg_dissector_table; static dissector_table_t nrppa_proc_sout_dissector_table; static dissector_table_t nrppa_proc_uout_dissector_table; /* Include constants */ #include "packet-nrppa-val.h" static int dissect_ProtocolIEFieldValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_ProtocolExtensionFieldExtensionValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_InitiatingMessageValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_SuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); static int dissect_UnsuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *); #include "packet-nrppa-fn.c" static int dissect_ProtocolIEFieldValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { return (dissector_try_uint_new(nrppa_ies_dissector_table, ProtocolIE_ID, tvb, pinfo, tree, FALSE, NULL)) ? tvb_captured_length(tvb) : 0; } static int dissect_ProtocolExtensionFieldExtensionValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { return (dissector_try_uint_new(nrppa_extension_dissector_table, ProtocolIE_ID, tvb, pinfo, tree, FALSE, NULL)) ? tvb_captured_length(tvb) : 0; } static int dissect_InitiatingMessageValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { return (dissector_try_uint_new(nrppa_proc_imsg_dissector_table, ProcedureCode, tvb, pinfo, tree, FALSE, NULL)) ? tvb_captured_length(tvb) : 0; } static int dissect_SuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { return (dissector_try_uint_new(nrppa_proc_sout_dissector_table, ProcedureCode, tvb, pinfo, tree, FALSE, NULL)) ? tvb_captured_length(tvb) : 0; } static int dissect_UnsuccessfulOutcomeValue(tvbuff_t *tvb, packet_info *pinfo, proto_tree *tree, void *data _U_) { return (dissector_try_uint_new(nrppa_proc_uout_dissector_table, ProcedureCode, tvb, pinfo, tree, FALSE, NULL)) ? tvb_captured_length(tvb) : 0; } /*--- proto_register_nrppa -------------------------------------------*/ void proto_register_nrppa(void) { /* List of fields */ static hf_register_info hf[] = { #include "packet-nrppa-hfarr.c" }; /* List of subtrees */ static gint *ett[] = { &ett_nrppa, #include "packet-nrppa-ettarr.c" }; /* Register protocol */ proto_nrppa = proto_register_protocol(PNAME, PSNAME, PFNAME); register_dissector("nrppa", dissect_NRPPA_PDU_PDU, proto_nrppa); /* Register fields and subtrees */ proto_register_field_array(proto_nrppa, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); /* Register dissector tables */ nrppa_ies_dissector_table = register_dissector_table("nrppa.ies", "NRPPA-PROTOCOL-IES", proto_nrppa, FT_UINT32, BASE_DEC); nrppa_extension_dissector_table = register_dissector_table("nrppa.extension", "NRPPA-PROTOCOL-EXTENSION", proto_nrppa, FT_UINT32, BASE_DEC); nrppa_proc_imsg_dissector_table = register_dissector_table("nrppa.proc.imsg", "NRPPA-ELEMENTARY-PROCEDURE InitiatingMessage", proto_nrppa, FT_UINT32, BASE_DEC); nrppa_proc_sout_dissector_table = register_dissector_table("nrppa.proc.sout", "NRPPA-ELEMENTARY-PROCEDURE SuccessfulOutcome", proto_nrppa, FT_UINT32, BASE_DEC); nrppa_proc_uout_dissector_table = register_dissector_table("nrppa.proc.uout", "NRPPA-ELEMENTARY-PROCEDURE UnsuccessfulOutcome", proto_nrppa, FT_UINT32, BASE_DEC); } /*--- proto_reg_handoff_nrppa ---------------------------------------*/ void proto_reg_handoff_nrppa(void) { #include "packet-nrppa-dis-tab.c" }
C/C++
wireshark/epan/dissectors/asn1/nrppa/packet-nrppa-template.h
/* packet-nrppa.h * Routines for 3GPP NR Positioning Protocol A (NRPPa) packet dissection * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #ifndef PACKET_NRPPA_H #define PACKET_NRPPA_H #include "packet-nrppa-exp.h" #endif /* PACKET_NRPPA_H */ /* * Editor modelines * * Local Variables: * c-basic-offset: 2 * tab-width: 8 * indent-tabs-mode: nil * End: * * ex: set shiftwidth=2 tabstop=8 expandtab: * :indentSize=2:tabSize=8:noTabs=true: */
Text
wireshark/epan/dissectors/asn1/ns_cert_exts/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME ns_cert_exts ) set( PROTO_OPT ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST NETSCAPE-CERT-EXTS.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS -b ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/ns_cert_exts/NETSCAPE-CERT-EXTS.asn
-- NetScape Certificate Extensions -- based on information from http://wp.netscape.com/eng/security/cert-exts.html NS-CERT-EXTS { 2 16 840 1 113730 1 } DEFINITIONS EXPLICIT TAGS ::= BEGIN BaseUrl ::= IA5String RevocationUrl ::= IA5String CaRevocationUrl ::= IA5String CaPolicyUrl ::= IA5String Comment ::= IA5String SslServerName ::= IA5String CertRenewalUrl ::= IA5String CertType ::= BIT STRING { ssl-client(0), ssl-server(1), smime(2), object-signing(3), reserved-for-future-use(4), ssl-ca(5), smime-ca(6), object-signing-ca(7) } END -- of NS-CERT-EXTS
Configuration
wireshark/epan/dissectors/asn1/ns_cert_exts/ns_cert_exts.cnf
# NS-CERT-EXT.cnf # NetScape Certificate Extensions conformation file #.MODULE_IMPORT #.EXPORTS #.REGISTER CertType B "2.16.840.1.113730.1.1" "ns_cert_exts.cert_type" BaseUrl B "2.16.840.1.113730.1.2" "ns_cert_exts.base_url" RevocationUrl B "2.16.840.1.113730.1.3" "ns_cert_exts.revocation-url" CaRevocationUrl B "2.16.840.1.113730.1.4" "ns_cert_exts.ca-revocation-url" CertRenewalUrl B "2.16.840.1.113730.1.7" "ns_cert_exts.cert-renewal-url" CaPolicyUrl B "2.16.840.1.113730.1.8" "ns_cert_exts.ca-policy-url" SslServerName B "2.16.840.1.113730.1.12" "ns_cert_exts.ssl-server-name" Comment B "2.16.840.1.113730.1.13" "ns_cert_exts.comment" #.NO_EMIT #.TYPE_RENAME #.FIELD_RENAME #.END
C
wireshark/epan/dissectors/asn1/ns_cert_exts/packet-ns_cert_exts-template.c
/* packet-ns_cert_exts.c * Routines for NetScape Certificate Extensions packet dissection * Ronnie Sahlberg 2004 * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #include "config.h" #include <epan/packet.h> #include "packet-ber.h" #define PNAME "NetScape Certificate Extensions" #define PSNAME "NS_CERT_EXTS" #define PFNAME "ns_cert_exts" void proto_register_ns_cert_exts(void); void proto_reg_handoff_ns_cert_exts(void); /* Initialize the protocol and registered fields */ static int proto_ns_cert_exts = -1; #include "packet-ns_cert_exts-hf.c" /* Initialize the subtree pointers */ #include "packet-ns_cert_exts-ett.c" #include "packet-ns_cert_exts-fn.c" /*--- proto_register_ns_cert_exts -------------------------------------------*/ void proto_register_ns_cert_exts(void) { /* List of fields */ static hf_register_info hf[] = { #include "packet-ns_cert_exts-hfarr.c" }; /* List of subtrees */ static gint *ett[] = { #include "packet-ns_cert_exts-ettarr.c" }; /* Register protocol */ proto_ns_cert_exts = proto_register_protocol(PNAME, PSNAME, PFNAME); /* Register fields and subtrees */ proto_register_field_array(proto_ns_cert_exts, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); } /*--- proto_reg_handoff_ns_cert_exts ---------------------------------------*/ void proto_reg_handoff_ns_cert_exts(void) { #include "packet-ns_cert_exts-dis-tab.c" }
Text
wireshark/epan/dissectors/asn1/ocsp/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME ocsp ) set( PROTO_OPT ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST OCSP.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c packet-${PROTOCOL_NAME}-template.h ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS -b ) set( EXTRA_CNF "${CMAKE_CURRENT_BINARY_DIR}/../x509af/x509af-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../x509ce/x509ce-exp.cnf" ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/ocsp/OCSP.asn
-- Online Certificate Status Protocol -- RFC 2560 -- This definition was taken from RFC2560 and modified to pass through -- asn2wrs. -- The original copyright from RFC2650 follows below -- -- Full Copyright Statement -- -- Copyright (C) The Internet Society (1999). All Rights Reserved. -- -- This document and translations of it may be copied and furnished to -- others, and derivative works that comment on or otherwise explain it -- or assist in its implementation may be prepared, copied, published -- and distributed, in whole or in part, without restriction of any -- kind, provided that the above copyright notice and this paragraph are -- included on all such copies and derivative works. However, this -- document itself may not be modified in any way, such as by removing -- the copyright notice or references to the Internet Society or other -- Internet organizations, except as needed for the purpose of -- developing Internet standards in which case the procedures for -- copyrights defined in the Internet Standards process must be -- followed, or as required to translate it into languages other than -- English. -- -- The limited permissions granted above are perpetual and will not be -- revoked by the Internet Society or its successors or assigns. -- -- This document and the information contained herein is provided on an -- "AS IS" basis and THE INTERNET SOCIETY AND THE INTERNET ENGINEERING -- TASK FORCE DISCLAIMS ALL WARRANTIES, EXPRESS OR IMPLIED, INCLUDING -- BUT NOT LIMITED TO ANY WARRANTY THAT THE USE OF THE INFORMATION -- HEREIN WILL NOT INFRINGE ANY RIGHTS OR ANY IMPLIED WARRANTIES OF -- MERCHANTABILITY OR FITNESS FOR A PARTICULAR PURPOSE. -- OCSP DEFINITIONS EXPLICIT TAGS::= BEGIN IMPORTS authenticationFramework FROM UsefulDefinitions {joint-iso-itu-t ds(5) module(1) usefulDefinitions(0) 5} EXTENSION FROM AuthenticationFramework authenticationFramework -- Directory Authentication Framework (X.509) Certificate, AlgorithmIdentifier FROM AuthenticationFramework { joint-iso-itu-t ds(5) module(1) authenticationFramework(7) 3 } CRLReason FROM CertificateExtensions -- PKIX Certificate Extensions AuthorityInfoAccessSyntax FROM PKIX1Implicit88 {iso(1) identified-organization(3) dod(6) internet(1) security(5) mechanisms(5) pkix(7) id-mod(0) id-pkix1-implicit-88(2)} Name, GeneralName, CertificateSerialNumber, Extensions, id-kp, id-ad-ocsp FROM PKIX1Explicit88 {iso(1) identified-organization(3) dod(6) internet(1) security(5) mechanisms(5) pkix(7) id-mod(0) id-pkix1-explicit-88(1)}; OCSPRequest ::= SEQUENCE { tbsRequest TBSRequest, optionalSignature [0] EXPLICIT Signature OPTIONAL } TBSRequest ::= SEQUENCE { version [0] EXPLICIT Version DEFAULT v1, requestorName [1] EXPLICIT GeneralName OPTIONAL, requestList SEQUENCE OF Request, requestExtensions [2] EXPLICIT Extensions OPTIONAL } Signature ::= SEQUENCE { signatureAlgorithm AlgorithmIdentifier, signature BIT STRING, certs [0] EXPLICIT SEQUENCE OF Certificate OPTIONAL } Version ::= INTEGER { v1(0) } Request ::= SEQUENCE { reqCert CertID, singleRequestExtensions [0] EXPLICIT Extensions OPTIONAL } CertID ::= SEQUENCE { hashAlgorithm AlgorithmIdentifier, issuerNameHash OCTET STRING, -- Hash of Issuer's DN issuerKeyHash OCTET STRING, -- Hash of Issuers public key serialNumber CertificateSerialNumber } OCSPResponse ::= SEQUENCE { responseStatus OCSPResponseStatus, responseBytes [0] EXPLICIT ResponseBytes OPTIONAL } OCSPResponseStatus ::= ENUMERATED { successful (0), --Response has valid confirmations malformedRequest (1), --Illegal confirmation request internalError (2), --Internal error in issuer tryLater (3), --Try again later --(4) is not used sigRequired (5), --Must sign the request unauthorized (6) --Request unauthorized } ResponseBytes ::= SEQUENCE { responseType OBJECT IDENTIFIER, response OCTET STRING } BasicOCSPResponse ::= SEQUENCE { tbsResponseData ResponseData, signatureAlgorithm AlgorithmIdentifier, signature BIT STRING, certs [0] EXPLICIT SEQUENCE OF Certificate OPTIONAL } ResponseData ::= SEQUENCE { version [0] EXPLICIT Version DEFAULT v1, responderID ResponderID, producedAt GeneralizedTime, responses SEQUENCE OF SingleResponse, responseExtensions [1] EXPLICIT Extensions OPTIONAL } ResponderID ::= CHOICE { byName [1] Name, byKey [2] KeyHash } KeyHash ::= OCTET STRING --SHA-1 hash of responder's public key --(excluding the tag and length fields) SingleResponse ::= SEQUENCE { certID CertID, certStatus CertStatus, thisUpdate GeneralizedTime, nextUpdate [0] EXPLICIT GeneralizedTime OPTIONAL, singleExtensions [1] EXPLICIT Extensions OPTIONAL } CertStatus ::= CHOICE { good [0] IMPLICIT NULL, revoked [1] IMPLICIT RevokedInfo, unknown [2] IMPLICIT UnknownInfo } RevokedInfo ::= SEQUENCE { revocationTime GeneralizedTime, revocationReason [0] EXPLICIT CRLReason OPTIONAL } UnknownInfo ::= NULL -- this can be replaced with an enumeration ArchiveCutoff ::= GeneralizedTime AcceptableResponses ::= SEQUENCE OF OBJECT IDENTIFIER ServiceLocator ::= SEQUENCE { issuer Name, locator AuthorityInfoAccessSyntax } CrlID ::= SEQUENCE { crlUrl [0] EXPLICIT IA5String OPTIONAL, crlNum [1] EXPLICIT INTEGER OPTIONAL, crlTime [2] EXPLICIT GeneralizedTime OPTIONAL } re-ocsp-nonce EXTENSION ::= { SYNTAX ReOcspNonce IDENTIFIED BY id-pkix-ocsp-nonce } ReOcspNonce ::= OCTET STRING -- Object Identifiers id-kp-OCSPSigning OBJECT IDENTIFIER ::= { id-kp 9 } id-pkix-ocsp OBJECT IDENTIFIER ::= { id-ad-ocsp } id-pkix-ocsp-basic OBJECT IDENTIFIER ::= { id-pkix-ocsp 1 } id-pkix-ocsp-nonce OBJECT IDENTIFIER ::= { id-pkix-ocsp 2 } id-pkix-ocsp-crl OBJECT IDENTIFIER ::= { id-pkix-ocsp 3 } id-pkix-ocsp-response OBJECT IDENTIFIER ::= { id-pkix-ocsp 4 } id-pkix-ocsp-nocheck OBJECT IDENTIFIER ::= { id-pkix-ocsp 5 } id-pkix-ocsp-archive-cutoff OBJECT IDENTIFIER ::= { id-pkix-ocsp 6 } id-pkix-ocsp-service-locator OBJECT IDENTIFIER ::= { id-pkix-ocsp 7 } END
Configuration
wireshark/epan/dissectors/asn1/ocsp/ocsp.cnf
# ocsp.cnf # OCSP conformation file #.TYPE_ATTR # pkix1explicit also exports the type CertificateSerialNumber. This makes sure asn2wrs uses the locally defined version. CertificateSerialNumber TYPE = FT_BYTES DISPLAY = BASE_NONE STRINGS = NULL BITMASK = 0 #.END #.MODULE_IMPORT PKIX1Implicit88 pkix1implicit PKIX1Explicit88 pkix1explicit #.IMPORT ../x509af/x509af-exp.cnf #.IMPORT ../x509ce/x509ce-exp.cnf #.INCLUDE ../pkix1implicit/pkix1implicit_exp.cnf #.INCLUDE ../pkix1explicit/pkix1explicit_exp.cnf #.EXPORTS OCSPResponse #.PDU #.REGISTER BasicOCSPResponse B "1.3.6.1.5.5.7.48.1.1" "id-pkix-ocsp-basic" ReOcspNonce B "1.3.6.1.5.5.7.48.1.2" "id-pkix-ocsp-nonce" CrlID B "1.3.6.1.5.5.7.48.1.3" "id-pkix-ocsp-crl" AcceptableResponses B "1.3.6.1.5.5.7.48.1.4" "id-pkix-ocsp-response" NULL B "1.3.6.1.5.5.7.48.1.5" "id-pkix-ocsp-nocheck" ArchiveCutoff B "1.3.6.1.5.5.7.48.1.6" "id-pkix-ocsp-archive-cutoff" ServiceLocator B "1.3.6.1.5.5.7.48.1.7" "id-pkix-ocsp-service-locator" #.NO_EMIT ONLY_VALS Version #.TYPE_RENAME #.FIELD_RENAME #.FN_BODY ResponseBytes/responseType FN_VARIANT = _str HF_INDEX = hf_ocsp_responseType_id VAL_PTR = &actx->external.direct_reference %(DEFAULT_BODY)s actx->external.direct_ref_present = (actx->external.direct_reference != NULL) ? TRUE : FALSE; #.FN_BODY ResponseBytes/response gint8 appclass; bool pc, ind; gint32 tag; guint32 len; /* skip past the T and L */ offset = dissect_ber_identifier(actx->pinfo, tree, tvb, offset, &appclass, &pc, &tag); offset = dissect_ber_length(actx->pinfo, tree, tvb, offset, &len, &ind); if (actx->external.direct_ref_present) { offset = call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); } #.END
C
wireshark/epan/dissectors/asn1/ocsp/packet-ocsp-template.c
/* packet-ocsp.c * Routines for Online Certificate Status Protocol (RFC2560) packet dissection * Ronnie Sahlberg 2004 * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #include "config.h" #include <epan/packet.h> #include <asn1.h> #include "packet-ber.h" #include "packet-ocsp.h" #include "packet-x509af.h" #include "packet-x509ce.h" #include "packet-pkix1implicit.h" #include "packet-pkix1explicit.h" #define PNAME "Online Certificate Status Protocol" #define PSNAME "OCSP" #define PFNAME "ocsp" void proto_register_ocsp(void); void proto_reg_handoff_ocsp(void); static dissector_handle_t ocsp_request_handle; static dissector_handle_t ocsp_response_handle; /* Initialize the protocol and registered fields */ int proto_ocsp = -1; static int hf_ocsp_responseType_id = -1; #include "packet-ocsp-hf.c" /* Initialize the subtree pointers */ static gint ett_ocsp = -1; #include "packet-ocsp-ett.c" #include "packet-ocsp-fn.c" static int dissect_ocsp_request(tvbuff_t *tvb, packet_info *pinfo, proto_tree *parent_tree, void *data _U_) { proto_item *item=NULL; proto_tree *tree=NULL; asn1_ctx_t asn1_ctx; asn1_ctx_init(&asn1_ctx, ASN1_ENC_BER, TRUE, pinfo); col_set_str(pinfo->cinfo, COL_PROTOCOL, "OCSP"); col_set_str(pinfo->cinfo, COL_INFO, "Request"); if(parent_tree){ item=proto_tree_add_item(parent_tree, proto_ocsp, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(item, ett_ocsp); } return dissect_ocsp_OCSPRequest(FALSE, tvb, 0, &asn1_ctx, tree, -1); } static int dissect_ocsp_response(tvbuff_t *tvb, packet_info *pinfo, proto_tree *parent_tree, void *data _U_) { proto_item *item=NULL; proto_tree *tree=NULL; asn1_ctx_t asn1_ctx; asn1_ctx_init(&asn1_ctx, ASN1_ENC_BER, TRUE, pinfo); col_set_str(pinfo->cinfo, COL_PROTOCOL, "OCSP"); col_set_str(pinfo->cinfo, COL_INFO, "Response"); if(parent_tree){ item=proto_tree_add_item(parent_tree, proto_ocsp, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(item, ett_ocsp); } return dissect_ocsp_OCSPResponse(FALSE, tvb, 0, &asn1_ctx, tree, -1); } /*--- proto_register_ocsp ----------------------------------------------*/ void proto_register_ocsp(void) { /* List of fields */ static hf_register_info hf[] = { { &hf_ocsp_responseType_id, { "ResponseType Id", "ocsp.responseType.id", FT_STRING, BASE_NONE, NULL, 0, NULL, HFILL }}, #include "packet-ocsp-hfarr.c" }; /* List of subtrees */ static gint *ett[] = { &ett_ocsp, #include "packet-ocsp-ettarr.c" }; /* Register protocol */ proto_ocsp = proto_register_protocol(PNAME, PSNAME, PFNAME); /* Register fields and subtrees */ proto_register_field_array(proto_ocsp, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); /* Register dissectors */ ocsp_request_handle = register_dissector(PFNAME "_req", dissect_ocsp_request, proto_ocsp); ocsp_response_handle = register_dissector(PFNAME "_res", dissect_ocsp_response, proto_ocsp); } /*--- proto_reg_handoff_ocsp -------------------------------------------*/ void proto_reg_handoff_ocsp(void) { dissector_add_string("media_type", "application/ocsp-request", ocsp_request_handle); dissector_add_string("media_type", "application/ocsp-response", ocsp_response_handle); #include "packet-ocsp-dis-tab.c" }
C/C++
wireshark/epan/dissectors/asn1/ocsp/packet-ocsp-template.h
/* packet-ocsp.h * Routines for Online Certificate Status Protocol (RFC2560) packet dissection * Ronnie Sahlberg 2004 * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #ifndef PACKET_OCSP_H #define PACKET_OCSP_H /*#include "packet-ocsp-exp.h"*/ extern int proto_ocsp; int dissect_ocsp_OCSPResponse(bool implicit_tag, tvbuff_t *tvb, int offset, asn1_ctx_t *actx, proto_tree *tree, int hf_index); #endif /* PACKET_OCSP_H */
Text
wireshark/epan/dissectors/asn1/p1/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME p1 ) set( PROTO_OPT ) set( EXPORT_FILES ${PROTOCOL_NAME}-exp.cnf ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST MTAAbstractService.asn MTSAbstractService.asn MTSAccessProtocol.asn MHSProtocolObjectIdentifiers.asn MTSUpperBounds.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c packet-${PROTOCOL_NAME}-template.h ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS -b -C ) set( EXTRA_CNF "${CMAKE_CURRENT_BINARY_DIR}/../x509af/x509af-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../x509ce/x509ce-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../x509if/x509if-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../x509sat/x509sat-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../ros/ros-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../rtse/rtse-exp.cnf" ) set ( EXPORT_DEPENDS "${CMAKE_CURRENT_BINARY_DIR}/../x509af/x509af-exp.cnf" ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/p1/MHSProtocolObjectIdentifiers.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x419/1999/index.html -- Module MHSProtocolObjectIdentifiers (X.419:06/1999) MHSProtocolObjectIdentifiers {joint-iso-itu-t mhs(6) protocols(0) modules(0) object-identifiers(0) version-1994(0)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports Everything IMPORTS -- nothing -- ; ID ::= OBJECT IDENTIFIER -- MHS Protocols id-mhs-protocols ID ::= {joint-iso-itu-t mhs(6) protocols(0)} -- not definitive -- Categories of Object Identifiers id-mhs-mod ID ::= {id-mhs-protocols 0} -- modules id-ac ID ::= {id-mhs-protocols 1} -- application contexts id-as ID ::= {id-mhs-protocols 2} -- abstract syntaxes id-ase ID ::= {id-mhs-protocols 3} -- application service elements (obsolete) -- Modules --id-mod-object-identifiers ID ::= {id-mhs-mod 0}-- -- not definitive id-mod-mts-access-protocol ID ::= {id-mhs-mod 1} -- not definitive id-mod-ms-access-protocol ID ::= {id-mhs-mod 2} -- not definitive id-mod-mts-transfer-protocol ID ::= {id-mhs-mod 3} -- not definitive -- Application Contexts -- MTS Access Protocol id-ac-mts-access-88 ID ::= {id-ac 0} id-ac-mts-forced-access-88 ID ::= {id-ac 1} id-ac-mts-reliable-access-88 ID ::= {id-ac 2} id-ac-mts-forced-reliable-access-88 ID ::= {id-ac 3} id-ac-mts-access-94 ID ::= {id-ac 7} id-ac-mts-forced-access-94 ID ::= {id-ac 8} id-ac-mts-reliable-access-94 ID ::= {id-ac 9} id-ac-mts-forced-reliable-access-94 ID ::= {id-ac 10} -- MS Access Protocol id-ac-ms-access-88 ID ::= {id-ac 4} id-ac-ms-reliable-access-88 ID ::= {id-ac 5} id-ac-ms-access-94 ID ::= {id-ac 11} id-ac-ms-reliable-access-94 ID ::= {id-ac 12} -- MTS Transfer Protocol id-ac-mts-transfer ID ::= {id-ac 6} -- Abstract Syntaxes id-as-msse ID ::= {id-as 1} id-as-mdse-88 ID ::= {id-as 2} id-as-mrse-88 ID ::= {id-as 5} id-as-mase-88 ID ::= {id-as 6} id-as-mtse ID ::= {id-as 7} id-as-mts-rtse ID ::= {id-as 8} id-as-ms-88 ID ::= {id-as 9} id-as-ms-rtse ID ::= {id-as 10} id-as-mts ID ::= {id-as 11} id-as-mta-rtse ID ::= {id-as 12} id-as-ms-msse ID ::= {id-as 13} id-as-mdse-94 ID ::= {id-as 14} id-as-mrse-94 ID ::= {id-as 15} id-as-mase-94 ID ::= {id-as 16} id-as-ms-94 ID ::= {id-as 17} -- Application Service Elements id-ase-msse ID ::= {id-ase 0} id-ase-mdse ID ::= {id-ase 1} id-ase-mrse ID ::= {id-ase 2} id-ase-mase ID ::= {id-ase 3} id-ase-mtse ID ::= {id-ase 4} END --of MHSProtocolObjectIdentifiers -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p1/MTAAbstractService.asn
-- Module MTAAbstractService (X.411:06/1999) MTAAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mta-abstract-service(2) version-1999(1)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything IMPORTS -- Remote Operations CONNECTION-PACKAGE, CONTRACT, OPERATION-PACKAGE --== FROM Remote-Operations-Information-Objects {joint-iso-itu-t remote-operations(4) informationObjects(5) version1(0)} emptyUnbind --== FROM Remote-Operations-Useful-Definitions {joint-iso-itu-t remote-operations(4) useful-definitions(7) version1(0)} -- MTS Abstract Service Parameters ABSTRACT-ERROR, ABSTRACT-OPERATION, administration, AdministrationDomainName, certificate-selectors, certificate-selectors-override, Content, ContentIdentifier, ContentLength, ContentType, content-confidentiality-algorithm-identifier, content-correlator, content-integrity-check, conversion-with-loss-prohibited, ConvertedEncodedInformationTypes, CountryName, DeferredDeliveryTime, delivery, dl-exempted-recipients, dl-expansion-history, dl-expansion-prohibited, ExplicitConversion, EXTENSION, ExtensionField{}, GlobalDomainIdentifier, InitiatorCredentials, latest-delivery-time, message-origin-authentication-check, message-security-label, message-token, MHS-OBJECT, MTAName, MTSIdentifier, multiple-originator-certificates, ORAddressAndOptionalDirectoryName, OriginalEncodedInformationTypes, originator-and-DL-expansion-history, originator-certificate, originator-return-address, PerMessageIndicators, physical-delivery-modes, physical-delivery-report-request, physical-forwarding-address, physical-forwarding-address-request, physical-forwarding-prohibited, physical-rendition-attributes, PORT, Priority, PrivateDomainIdentifier, PrivateExtensions, probe-origin-authentication-check, proof-of-delivery, proof-of-delivery-request, recipient-certificate, recipient-number-for-advice, recipient-reassignment-prohibited, redirection-history, registered-mail-type, reporting-DL-name, reporting-MTA-certificate, reporting-MTA-name, ReportType, report-origin-authentication-check, requested-delivery-method, ResponderCredentials, SecurityContext, submission, SupplementaryInformation, Time, OriginallyIntendedRecipientName --== FROM MTSAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1999(1)} -- IPM Information Objects IPMPerRecipientEnvelopeExtensions --== FROM IPMSInformationObjects {joint-iso-itu-t mhs(6) ipms(1) modules(0) information-objects(2) version-1999(1)} -- Object Identifiers id-cp-mta-connect, id-ct-mta-transfer, id-ot-mta, id-pt-transfer --== FROM MTSObjectIdentifiers {joint-iso-itu-t mhs(6) mts(3) modules(0) object-identifiers(0) version-1999(1)} -- Upper Bounds ub-bit-options, ub-integer-options, ub-recipients, ub-transfers --== FROM MTSUpperBounds {joint-iso-itu-t mhs(6) mts(3) modules(0) upper-bounds(3) version-1999(1)}; -- Objects mta MHS-OBJECT ::= {BOTH {mta-transfer} ID id-ot-mta } -- Contracts mta-transfer CONTRACT ::= { CONNECTION mta-connect OPERATIONS OF {transfer} ID id-ct-mta-transfer } -- Connection package mta-connect CONNECTION-PACKAGE ::= { BIND mta-bind UNBIND mta-unbind ID id-cp-mta-connect } -- Ports PORT ::= OPERATION-PACKAGE transfer PORT ::= { OPERATIONS {message-transfer | probe-transfer | report-transfer} ID id-pt-transfer } -- MTA-bind and MTA-unbind mta-bind ABSTRACT-OPERATION ::= { ARGUMENT MTABindArgument RESULT MTABindResult ERRORS {mta-bind-error} } mta-unbind ABSTRACT-OPERATION ::= emptyUnbind MTABindArgument ::= CHOICE { unauthenticated NULL, -- if no authentication is required authenticated [1] SET {-- if authentication is required--initiator-name [0] MTAName, initiator-credentials [1] InitiatorCredentials (WITH COMPONENTS { ..., protected ABSENT }), security-context [2] SecurityContext OPTIONAL } } MTABindResult ::= CHOICE { unauthenticated NULL, -- if no authentication is required authenticated [1] SET {-- if authentication is required--responder-name [0] MTAName, responder-credentials [1] ResponderCredentials (WITH COMPONENTS { ..., protected ABSENT })} } MTABindError ::= --mta-bind-error ABSTRACT-ERROR ::= { -- PARAMETER INTEGER {busy(0), authentication-error(2), unacceptable-dialogue-mode(3), unacceptable-security-context(4), inadequate-association-confidentiality(5)}(0..ub-integer-options) --} -- Transfer Port message-transfer ABSTRACT-OPERATION ::= {ARGUMENT Message } probe-transfer ABSTRACT-OPERATION ::= {ARGUMENT Probe } report-transfer ABSTRACT-OPERATION ::= {ARGUMENT Report } -- MTS Application Protocol Data Units MTS-APDU ::= CHOICE { message [0] Message, probe [2] Probe, report [1] Report } Message ::= SEQUENCE {envelope MessageTransferEnvelope, content Content } Probe ::= ProbeTransferEnvelope Report ::= SEQUENCE { envelope ReportTransferEnvelope, content ReportTransferContent } -- Message Transfer Envelope MessageTransferEnvelope ::= SET { COMPONENTS OF PerMessageTransferFields, per-recipient-fields [2] SEQUENCE SIZE (1..ub-recipients) OF PerRecipientMessageTransferFields } PerMessageTransferFields ::= SET { message-identifier MessageIdentifier, originator-name MTAOriginatorName, original-encoded-information-types OriginalEncodedInformationTypes OPTIONAL, content-type ContentType, content-identifier ContentIdentifier OPTIONAL, priority Priority DEFAULT normal, per-message-indicators PerMessageIndicators DEFAULT {}, deferred-delivery-time [0] DeferredDeliveryTime OPTIONAL, per-domain-bilateral-information [1] SEQUENCE SIZE (1..ub-transfers) OF PerDomainBilateralInformation OPTIONAL, trace-information TraceInformation, extensions [3] SET OF ExtensionField{{MessageTransferExtensions}} DEFAULT {} } MessageTransferExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: recipient-reassignment-prohibited | dl-expansion-prohibited | conversion-with-loss-prohibited | latest-delivery-time | originator-return-address | originator-certificate | content-confidentiality-algorithm-identifier | message-origin-authentication-check | message-security-label | content-correlator | dl-exempted-recipients | certificate-selectors | multiple-originator-certificates | dl-expansion-history | internal-trace-information | PrivateExtensions, ...} PerRecipientMessageTransferFields ::= SET { recipient-name MTARecipientName, originally-specified-recipient-number [0] OriginallySpecifiedRecipientNumber, per-recipient-indicators [1] PerRecipientIndicators, explicit-conversion [2] ExplicitConversion OPTIONAL, extensions [3] SET OF ExtensionField{{PerRecipientMessageTransferExtensions}} DEFAULT {} } PerRecipientMessageTransferExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: originator-requested-alternate-recipient | requested-delivery-method | physical-forwarding-prohibited | physical-forwarding-address-request | physical-delivery-modes | registered-mail-type | recipient-number-for-advice | physical-rendition-attributes | physical-delivery-report-request | message-token | content-integrity-check | proof-of-delivery-request | certificate-selectors-override | recipient-certificate | redirection-history | IPMPerRecipientEnvelopeExtensions | PrivateExtensions, ...} -- Probe Transfer Envelope ProbeTransferEnvelope ::= SET { COMPONENTS OF PerProbeTransferFields, per-recipient-fields [2] SEQUENCE SIZE (1..ub-recipients) OF PerRecipientProbeTransferFields } PerProbeTransferFields ::= SET { probe-identifier ProbeIdentifier, originator-name MTAOriginatorName, original-encoded-information-types OriginalEncodedInformationTypes OPTIONAL, content-type ContentType, content-identifier ContentIdentifier OPTIONAL, content-length [0] ContentLength OPTIONAL, per-message-indicators PerMessageIndicators DEFAULT {}, per-domain-bilateral-information [1] SEQUENCE SIZE (1..ub-transfers) OF PerDomainBilateralInformation OPTIONAL, trace-information TraceInformation, extensions [3] SET OF ExtensionField{{ProbeTransferExtensions}} DEFAULT {} } ProbeTransferExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: recipient-reassignment-prohibited | dl-expansion-prohibited | conversion-with-loss-prohibited | originator-certificate | message-security-label | content-correlator | probe-origin-authentication-check | internal-trace-information | PrivateExtensions, ...} PerRecipientProbeTransferFields ::= SET { recipient-name MTARecipientName, originally-specified-recipient-number [0] OriginallySpecifiedRecipientNumber, per-recipient-indicators [1] PerRecipientIndicators, explicit-conversion [2] ExplicitConversion OPTIONAL, extensions [3] SET OF ExtensionField{{PerRecipientProbeTransferExtensions}} DEFAULT {} } PerRecipientProbeTransferExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: originator-requested-alternate-recipient | requested-delivery-method | physical-rendition-attributes | redirection-history | PrivateExtensions, ...} -- Report Transfer Envelope ReportTransferEnvelope ::= SET { report-identifier ReportIdentifier, report-destination-name ReportDestinationName, trace-information TraceInformation, extensions [1] SET OF ExtensionField{{ReportTransferEnvelopeExtensions}} DEFAULT {} } ReportTransferEnvelopeExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: message-security-label | redirection-history | originator-and-DL-expansion-history | reporting-DL-name | reporting-MTA-certificate | report-origin-authentication-check | internal-trace-information | reporting-MTA-name | PrivateExtensions, ...} -- Report Transfer Content ReportTransferContent ::= SET { COMPONENTS OF PerReportTransferFields, per-recipient-fields [0] SEQUENCE SIZE (1..ub-recipients) OF PerRecipientReportTransferFields } PerReportTransferFields ::= SET { subject-identifier SubjectIdentifier, subject-intermediate-trace-information SubjectIntermediateTraceInformation OPTIONAL, original-encoded-information-types OriginalEncodedInformationTypes OPTIONAL, content-type ContentType OPTIONAL, content-identifier ContentIdentifier OPTIONAL, returned-content [1] Content OPTIONAL, additional-information [2] AdditionalInformation OPTIONAL, extensions [3] SET OF ExtensionField{{ReportTransferContentExtensions}} DEFAULT {} } ReportTransferContentExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: content-correlator | PrivateExtensions, ...} PerRecipientReportTransferFields ::= SET { actual-recipient-name [0] MTAActualRecipientName, originally-specified-recipient-number [1] OriginallySpecifiedRecipientNumber, per-recipient-indicators [2] PerRecipientIndicators, last-trace-information [3] LastTraceInformation, originally-intended-recipient-name [4] OriginallyIntendedRecipientName OPTIONAL, supplementary-information [5] SupplementaryInformation OPTIONAL, extensions [6] SET OF ExtensionField{{PerRecipientReportTransferExtensions}} DEFAULT {} } PerRecipientReportTransferExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: redirection-history | physical-forwarding-address | recipient-certificate | proof-of-delivery | PrivateExtensions, ...} -- Envelope & Report Content Fields MessageIdentifier ::= MTSIdentifier MTAOriginatorName ::= ORAddressAndOptionalDirectoryName BILATERAL ::= CLASS {&id BilateralDomain UNIQUE, &Type }WITH SYNTAX {&Type, IDENTIFIED BY &id } PerDomainBilateralInformation ::= SEQUENCE { -- COMPONENTS OF BILATERAL.&id, country-name CountryName, domain CHOICE {administration-domain-name AdministrationDomainName, private-domain SEQUENCE {administration-domain-name [0] AdministrationDomainName, private-domain-identifier [1] PrivateDomainIdentifier}}, bilateral-information BILATERAL.&Type } BilateralDomain ::= SEQUENCE { country-name CountryName, domain CHOICE {administration-domain-name AdministrationDomainName, private-domain SEQUENCE {administration-domain-name [0] AdministrationDomainName, private-domain-identifier [1] PrivateDomainIdentifier}} } MTARecipientName ::= ORAddressAndOptionalDirectoryName OriginallySpecifiedRecipientNumber ::= INTEGER(1..ub-recipients) PerRecipientIndicators ::= BIT STRING { responsibility(0), -- responsible 'one', not-responsible 'zero' originating-MTA-report(1), originating-MTA-non-delivery-report(2), -- either originating-MTA-report, or originating-MTA-non-delivery-report, -- or both, shall be 'one': -- originating-MTA-report bit 'one' requests a 'report'; -- originating-MTA-non-delivery-report bit 'one' requests a 'non-delivery-report'; -- both bits 'one' requests an 'audited-report'; -- bits 0 - 2 'don't care' for Report Transfer Content originator-report(3), originator-non-delivery-report(4), -- at most one bit shall be 'one': -- originator-report bit 'one' requests a 'report'; -- originator-non-delivery-report bit 'one' requests a 'non-delivery-report'; -- both bits 'zero' requests 'no-report' reserved-5(5), reserved-6(6), reserved-7(7) -- reserved- bits 5 - 7 shall be 'zero' --}(SIZE (8..ub-bit-options)) ProbeIdentifier ::= MTSIdentifier ReportIdentifier ::= MTSIdentifier ReportDestinationName ::= ORAddressAndOptionalDirectoryName SubjectIdentifier ::= MessageOrProbeIdentifier MessageOrProbeIdentifier ::= MTSIdentifier SubjectIntermediateTraceInformation ::= TraceInformation -- AdditionalInformation is retained for backwards compatibility only, -- and use in new systems is strongly deprecated ADDITIONAL ::= CLASS {&Type } AdditionalInformation ::= ADDITIONAL.&Type -- maximum ub-additional-info octets including all encoding MTAActualRecipientName ::= ORAddressAndOptionalDirectoryName LastTraceInformation ::= SET { arrival-time [0] ArrivalTime, converted-encoded-information-types ConvertedEncodedInformationTypes OPTIONAL, report-type [1] ReportType } --OriginallyIntendedRecipientName ::= ORAddressAndOptionalDirectoryName -- Extension Fields originator-requested-alternate-recipient EXTENSION ::= { MTAOriginatorRequestedAlternateRecipient, IDENTIFIED BY standard-extension:2 } MTAOriginatorRequestedAlternateRecipient ::= ORAddressAndOptionalDirectoryName trace-information EXTENSION ::= { TraceInformation, IDENTIFIED BY standard-extension:37 } internal-trace-information EXTENSION ::= { InternalTraceInformation, IDENTIFIED BY standard-extension:38 } InternalTraceInformation ::= SEQUENCE SIZE (1..ub-transfers) OF InternalTraceInformationElement InternalTraceInformationElement ::= SEQUENCE { global-domain-identifier GlobalDomainIdentifier, mta-name MTAName, mta-supplied-information MTASuppliedInformation } MTASuppliedInformation ::= SET { arrival-time [0] ArrivalTime, routing-action [2] RoutingAction, attempted CHOICE {mta MTAName, domain GlobalDomainIdentifier} OPTIONAL, -- additional-actions --COMPONENTS OF InternalAdditionalActions } InternalAdditionalActions ::= AdditionalActions -- Common Parameter Types TraceInformation ::= [APPLICATION 9] SEQUENCE SIZE (1..ub-transfers) OF TraceInformationElement TraceInformationElement ::= SEQUENCE { global-domain-identifier GlobalDomainIdentifier, domain-supplied-information DomainSuppliedInformation } DomainSuppliedInformation ::= SET { arrival-time [0] ArrivalTime, routing-action [2] RoutingAction, attempted-domain GlobalDomainIdentifier OPTIONAL, -- additional-actions --COMPONENTS OF AdditionalActions } AdditionalActions ::= SET { deferred-time [1] DeferredTime OPTIONAL, converted-encoded-information-types ConvertedEncodedInformationTypes OPTIONAL, other-actions [3] OtherActions DEFAULT {} } RoutingAction ::= ENUMERATED {relayed(0), rerouted(1)} DeferredTime ::= Time ArrivalTime ::= Time OtherActions ::= BIT STRING {redirected(0), dl-operation(1) }(SIZE (0..ub-bit-options)) END -- of MTA Abstract Service -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p1/MTSAbstractService.asn
-- Module MTSAbstractService (X.411:06/1999) MTSAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1999(1)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything IMPORTS -- Remote Operations CONNECTION-PACKAGE, CONTRACT, ERROR, OPERATION, OPERATION-PACKAGE, ROS-OBJECT-CLASS --== FROM Remote-Operations-Information-Objects {joint-iso-itu-t remote-operations(4) informationObjects(5) version1(0)} emptyUnbind --== FROM Remote-Operations-Useful-Definitions {joint-iso-itu-t remote-operations(4) useful-definitions(7) version1(0)} -- MTA Abstract Service internal-trace-information, trace-information --== FROM MTAAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mta-abstract-service(2) version-1999(1)} -- MS Abstract Service Extension forwarding-request --== FROM MSAbstractService {joint-iso-itu-t mhs(6) ms(4) modules(0) abstract-service(1) version-1999(1)} -- IPM Information Objects IPMPerRecipientEnvelopeExtensions --== FROM IPMSInformationObjects {joint-iso-itu-t mhs(6) ipms(1) modules(0) information-objects(2) version-1999(1)} -- Object Identifiers id-att-physicalRendition-basic, id-cp-mts-connect, id-ct-mts-access, id-ct-mts-forced-access, id-ot-mts, id-ot-mts-user, id-pt-administration, id-pt-delivery, id-pt-submission, id-tok-asymmetricToken --== FROM MTSObjectIdentifiers {joint-iso-itu-t mhs(6) mts(3) modules(0) object-identifiers(0) version-1999(1)} -- Operation and Error Codes err-control-violates-registration, err-deferred-delivery-cancellation-rejected, err-delivery-control-violated, err-element-of-service-not-subscribed, err-inconsistent-request, err-message-submission-identifier-invalid, err-new-credentials-unacceptable, err-old-credentials-incorrectly-specified, err-operation-refused, err-originator-invalid, err-recipient-improperly-specified, err-register-rejected, err-remote-bind-error, err-security-error, err-submission-control-violated, err-unsupported-critical-function, op-cancel-deferred-delivery, op-change-credentials, op-delivery-control, op-message-delivery, op-message-submission, op-probe-submission, op-register, op-report-delivery, op-submission-control --== FROM MTSAccessProtocol {joint-iso-itu-t mhs(6) protocols(0) modules(0) mts-access-protocol(1) version-1999(1)} -- Directory Definitions Name --== FROM InformationFramework {joint-iso-itu-t ds(5) module(1) informationFramework(1) 3} PresentationAddress --== FROM SelectedAttributeTypes {joint-iso-itu-t ds(5) module(1) selectedAttributeTypes(5) 3} ALGORITHM, AlgorithmIdentifier, Certificates, ENCRYPTED{} -- , SIGNATURE{}, SIGNED{} --== FROM AuthenticationFramework {joint-iso-itu-t ds(5) module(1) authenticationFramework(7) 3} -- Certificate Extensions CertificateAssertion --== FROM CertificateExtensions {joint-iso-itu-t ds(5) module(1) certificateExtensions(26) 0} -- Upper Bounds ub-bit-options, ub-built-in-content-type, ub-built-in-encoded-information-types, ub-certificates, ub-common-name-length, ub-content-id-length, ub-content-length, ub-content-types, ub-country-name-alpha-length, ub-country-name-numeric-length, ub-deliverable-class, ub-diagnostic-codes, ub-dl-expansions, ub-domain-defined-attributes, ub-domain-defined-attribute-type-length, ub-domain-defined-attribute-value-length, ub-domain-name-length, ub-encoded-information-types, ub-extension-attributes, ub-extension-types, ub-e163-4-number-length, ub-e163-4-sub-address-length, ub-generation-qualifier-length, ub-given-name-length, ub-initials-length, ub-integer-options, ub-local-id-length, ub-mta-name-length, ub-mts-user-types, ub-numeric-user-id-length, ub-organization-name-length, ub-organizational-units, ub-organizational-unit-name-length, ub-orig-and-dl-expansions, ub-password-length, ub-pds-name-length, ub-pds-parameter-length, ub-pds-physical-address-lines, ub-postal-code-length, ub-privacy-mark-length, ub-queue-size, ub-reason-codes, ub-recipients, ub-recipient-number-for-advice-length, ub-redirections, ub-redirection-classes, ub-restrictions, ub-security-categories, ub-security-labels, ub-security-problems, ub-supplementary-info-length, ub-surname-length, ub-terminal-id-length, ub-tsap-id-length, ub-unformatted-address-length, ub-universal-generation-qualifier-length, ub-universal-given-name-length, ub-universal-initials-length, ub-universal-surname-length, ub-x121-address-length --== FROM MTSUpperBounds {joint-iso-itu-t mhs(6) mts(3) modules(0) upper-bounds(3) version-1999(1)}; -- operationObject1 OPERATION ::= {LINKED {operationObject2} -- } -- operationObject2 OPERATION ::= {LINKED {operationObject3} -- } -- operationObject3 OPERATION ::= {LINKED {operationObject4} -- } -- operationObject4 OPERATION ::= {LINKED {...} -- } -- Objects MHS-OBJECT ::= ROS-OBJECT-CLASS mts MHS-OBJECT ::= { INITIATES {mts-forced-access-contract} RESPONDS {mts-access-contract} ID id-ot-mts } mts-user MHS-OBJECT ::= { INITIATES {mts-access-contract} RESPONDS {mts-forced-access-contract} ID id-ot-mts-user } -- Contracts mts-access-contract CONTRACT ::= { CONNECTION mts-connect INITIATOR CONSUMER OF {submission | delivery | administration} ID id-ct-mts-access } mts-forced-access-contract CONTRACT ::= { CONNECTION mts-connect RESPONDER CONSUMER OF {submission | delivery | administration} ID id-ct-mts-forced-access } -- Connection package mts-connect CONNECTION-PACKAGE ::= { BIND mts-bind UNBIND mts-unbind ID id-cp-mts-connect } -- Ports PORT ::= OPERATION-PACKAGE submission PORT ::= { OPERATIONS {operationObject1, ...} CONSUMER INVOKES {message-submission | probe-submission | cancel-deferred-delivery, ...} SUPPLIER INVOKES {submission-control, ...} ID id-pt-submission } delivery PORT ::= { OPERATIONS {operationObject1, ...} CONSUMER INVOKES {delivery-control, ...} SUPPLIER INVOKES {message-delivery | report-delivery, ...} ID id-pt-delivery } administration PORT ::= { OPERATIONS {change-credentials, ...} CONSUMER INVOKES {register, ...} SUPPLIER INVOKES {operationObject1, ...} ID id-pt-administration } -- MTS-bind and MTS-unbind ABSTRACT-OPERATION ::= OPERATION ABSTRACT-ERROR ::= ERROR mts-bind --ABSTRACT- -- OPERATION ::= { ARGUMENT MTSBindArgument RESULT MTSBindResult ERRORS {mts-bind-error} CODE op-ros-bind -- WS: internal operation code } MTSBindArgument ::= SET { initiator-name ObjectName, messages-waiting [1] EXPLICIT MessagesWaiting OPTIONAL, initiator-credentials [2] InitiatorCredentials, security-context [3] SecurityContext OPTIONAL, ..., extensions [5] SET OF ExtensionField{{MTSBindExtensions}} DEFAULT {} } MTSBindExtensions EXTENSION ::= {PrivateExtensions, ...} -- May contain private extensions and future standardised extensions MTSBindResult ::= SET { responder-name ObjectName, messages-waiting [1] EXPLICIT MessagesWaiting OPTIONAL, responder-credentials [2] ResponderCredentials, ..., extensions [5] SET OF ExtensionField{{MTSBindResultExtensions}} DEFAULT {} } MTSBindResultExtensions EXTENSION ::= {PrivateExtensions, ...} -- May contain private extensions and future standardised extensions mts-bind-error -- ABSTRACT- -- ERROR ::= { PARAMETER INTEGER {busy(0), authentication-error(2), unacceptable-dialogue-mode(3), unacceptable-security-context(4), inadequate-association-confidentiality(5)}(0..ub-integer-options) CODE err-ros-bind -- WS: internal error code } mts-unbind ABSTRACT-OPERATION ::= emptyUnbind -- Association Control Parameters ObjectName ::= CHOICE { user-agent ORAddressAndOptionalDirectoryName, mTA [0] MTAName, message-store [4] ORAddressAndOptionalDirectoryName } MessagesWaiting ::= SET { urgent [0] DeliveryQueue, normal [1] DeliveryQueue, non-urgent [2] DeliveryQueue } DeliveryQueue ::= SET { messages [0] INTEGER(0..ub-queue-size), octets [1] INTEGER(0..ub-content-length) OPTIONAL } InitiatorCredentials ::= Credentials ResponderCredentials ::= Credentials Credentials ::= CHOICE { simple Password, strong [0] StrongCredentials, ..., protected [1] ProtectedPassword } Password ::= CHOICE { ia5-string IA5String(SIZE (0..ub-password-length)), octet-string OCTET STRING(SIZE (0..ub-password-length)) } StrongCredentials ::= SET { bind-token [0] Token OPTIONAL, certificate [1] Certificates OPTIONAL, ..., certificate-selector [2] CertificateAssertion OPTIONAL } ProtectedPassword ::= SET { signature -- SIGNATURE{SET {password Password, -- time1 [0] UTCTime OPTIONAL, -- time2 [1] UTCTime OPTIONAL, -- random1 [2] BIT STRING OPTIONAL, -- random2 [3] BIT STRING OPTIONAL}}, Signature, time1 [0] UTCTime OPTIONAL, time2 [1] UTCTime OPTIONAL, random1 [2] BIT STRING OPTIONAL, random2 [3] BIT STRING OPTIONAL } Signature ::= SEQUENCE { algorithmIdentifier AlgorithmIdentifier, encrypted BIT STRING } SecurityContext ::= SET SIZE (1..ub-security-labels) OF SecurityLabel -- Submission Port message-submission -- ABSTRACT- -- OPERATION ::= { ARGUMENT MessageSubmissionArgument RESULT MessageSubmissionResult ERRORS {submission-control-violated | element-of-service-not-subscribed | originator-invalid | recipient-improperly-specified | inconsistent-request | security-error | unsupported-critical-function | remote-bind-error} LINKED {operationObject1, ...} INVOKE PRIORITY {4 -- | 6 | 7 -- } CODE op-message-submission } MessageSubmissionArgument ::= SEQUENCE { envelope MessageSubmissionEnvelope, content Content } MessageSubmissionResult ::= SET { message-submission-identifier MessageSubmissionIdentifier, message-submission-time [0] MessageSubmissionTime, content-identifier ContentIdentifier OPTIONAL, extensions [1] SET OF ExtensionField{{MessageSubmissionResultExtensions}} DEFAULT {} } MessageSubmissionResultExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: originating-MTA-certificate | proof-of-submission | PrivateExtensions, ...} probe-submission -- ABSTRACT- -- OPERATION ::= { ARGUMENT ProbeSubmissionArgument RESULT ProbeSubmissionResult ERRORS {submission-control-violated | element-of-service-not-subscribed | originator-invalid | recipient-improperly-specified | inconsistent-request | security-error | unsupported-critical-function | remote-bind-error} LINKED {operationObject1, ...} INVOKE PRIORITY {5} CODE op-probe-submission } ProbeSubmissionArgument ::= ProbeSubmissionEnvelope ProbeSubmissionResult ::= SET { probe-submission-identifier ProbeSubmissionIdentifier, probe-submission-time [0] ProbeSubmissionTime, content-identifier ContentIdentifier OPTIONAL, extensions [1] SET OF ExtensionField{{ProbeResultExtensions}} DEFAULT {} } ProbeResultExtensions EXTENSION ::= {PrivateExtensions, ...} -- May contain private extensions and future standardised extensions, -- at most one instance of each extension type cancel-deferred-delivery -- ABSTRACT- -- OPERATION ::= { ARGUMENT CancelDeferredDeliveryArgument RESULT CancelDeferredDeliveryResult ERRORS {deferred-delivery-cancellation-rejected | message-submission-identifier-invalid | remote-bind-error} LINKED {operationObject1, ...} INVOKE PRIORITY {3} CODE op-cancel-deferred-delivery } CancelDeferredDeliveryArgument ::= MessageSubmissionIdentifier CancelDeferredDeliveryResult ::= NULL submission-control -- ABSTRACT- -- OPERATION ::= { ARGUMENT SubmissionControlArgument RESULT SubmissionControlResult ERRORS {security-error | remote-bind-error} LINKED {operationObject1, ...} INVOKE PRIORITY {3} CODE op-submission-control } SubmissionControlArgument ::= SubmissionControls SubmissionControlResult ::= Waiting submission-control-violated -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-submission-control-violated } element-of-service-not-subscribed -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-element-of-service-not-subscribed } deferred-delivery-cancellation-rejected -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-deferred-delivery-cancellation-rejected } originator-invalid -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-originator-invalid } recipient-improperly-specified -- ABSTRACT- -- ERROR ::= { PARAMETER ImproperlySpecifiedRecipients CODE err-recipient-improperly-specified } ImproperlySpecifiedRecipients ::= SEQUENCE SIZE (1..ub-recipients) OF RecipientName message-submission-identifier-invalid -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-message-submission-identifier-invalid } inconsistent-request -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-inconsistent-request } security-error -- ABSTRACT- -- ERROR ::= { PARAMETER SecurityProblem CODE err-security-error } SecurityProblem ::= INTEGER { assemby-instructions-conflict-with-security-services(0), authentication-problem(1), authentication-failure-on-subject-message(2), confidentiality-association-problem(3), decryption-failed(4), decryption-key-unobtainable(5), failure-of-proof-of-message(6), forbidden-user-security-label-register(7), incompatible-change-with-original-security-context(8), integrity-failure-on-subject-message(9), invalid-security-label(10), invalid-security-label-update(11), key-failure(12), mandatory-parameter-absence(13), operation-security-failure(14), redirection-prohibited(15), refused-alternate-recipient-name(16), repudiation-failure-of-message(17), responder-credentials-checking-problem(18), security-context-failure(19), security-context-problem(20), security-policy-violation(21), security-services-refusal(22), token-decryption-failed(23), token-error(24), unable-to-aggregate-security-labels(25), unauthorised-dl-name(26), unauthorised-entry-class(27), unauthorised-originally-intended-recipient-name(28), unauthorised-originator-name(29), unauthorised-recipient-name(30), unauthorised-security-label-update(31), unauthorised-user-name(32), unknown-security-label(33), unsupported-algorithm-identifier(34), unsupported-security-policy(35)}(0..ub-security-problems) unsupported-critical-function -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-unsupported-critical-function } remote-bind-error -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-remote-bind-error } -- Submission Port Parameters MessageSubmissionIdentifier ::= MTSIdentifier MessageSubmissionTime ::= Time ProbeSubmissionIdentifier ::= MTSIdentifier ProbeSubmissionTime ::= Time SubmissionControls ::= Controls (WITH COMPONENTS { ..., permissible-content-types ABSENT, permissible-encoded-information-types ABSENT }) Waiting ::= SET { waiting-operations [0] Operations DEFAULT {}, waiting-messages [1] WaitingMessages DEFAULT {}, waiting-content-types [2] SET SIZE (0..ub-content-types) OF ContentType DEFAULT {}, waiting-encoded-information-types EncodedInformationTypes OPTIONAL } Operations ::= BIT STRING { probe-submission-or-report-delivery(0), message-submission-or-message-delivery(1)}(SIZE (0..ub-bit-options)) -- holding 'one', not-holding 'zero' WaitingMessages ::= BIT STRING { long-content(0), low-priority(1), other-security-labels(2) }(SIZE (0..ub-bit-options)) -- Delivery Port message-delivery -- ABSTRACT- -- OPERATION ::= { ARGUMENT MessageDeliveryArgument RESULT MessageDeliveryResult ERRORS {delivery-control-violated | security-error | unsupported-critical-function} LINKED {operationObject1, ...} INVOKE PRIORITY {4 -- | 6 | 7 --} CODE op-message-delivery } MessageDeliveryArgument ::= SEQUENCE { COMPONENTS OF MessageDeliveryEnvelope, content Content } MessageDeliveryResult ::= SET { recipient-certificate [0] RecipientCertificate OPTIONAL, proof-of-delivery [1] IMPLICIT ProofOfDelivery OPTIONAL, ..., extensions [2] SET OF ExtensionField{{MessageDeliveryResultExtensions}} DEFAULT {} } MessageDeliveryResultExtensions EXTENSION ::= {PrivateExtensions, ...} -- May contain private extensions and future standardised extensions report-delivery -- ABSTRACT- -- OPERATION ::= { ARGUMENT ReportDeliveryArgument RESULT ReportDeliveryResult ERRORS {delivery-control-violated | security-error | unsupported-critical-function} LINKED {operationObject1, ...} INVOKE PRIORITY {5} CODE op-report-delivery } ReportDeliveryArgument ::= SET { COMPONENTS OF ReportDeliveryEnvelope, returned-content [0] Content OPTIONAL } ReportDeliveryResult ::= CHOICE { empty-result NULL, ..., extensions SET SIZE (1..MAX) OF ExtensionField{{ReportDeliveryResultExtensions}} } ReportDeliveryResultExtensions EXTENSION ::= {PrivateExtensions, ...} -- May contain private extensions and future standardised extensions delivery-control -- ABSTRACT- -- OPERATION ::= { ARGUMENT DeliveryControlArgument RESULT DeliveryControlResult ERRORS {control-violates-registration | security-error | operation-refused} LINKED {operationObject1, ...} INVOKE PRIORITY {3} CODE op-delivery-control } DeliveryControlArgument ::= SET { -- COMPONENTS OF DeliveryControls, restrict [0] BOOLEAN DEFAULT TRUE, -- update 'TRUE', remove 'FALSE' permissible-operations [1] Operations OPTIONAL, permissible-maximum-content-length [2] ContentLength OPTIONAL, permissible-lowest-priority Priority OPTIONAL, permissible-content-types [4] ContentTypes OPTIONAL, permissible-encoded-information-types PermissibleEncodedInformationTypes OPTIONAL, permissible-security-context [5] SecurityContext OPTIONAL, extensions [6] SET OF ExtensionField{{DeliveryControlExtensions}} DEFAULT {} } DeliveryControlExtensions EXTENSION ::= {PrivateExtensions, ...} -- May contain private extensions and future standardised extensions DeliveryControlResult ::= SET { COMPONENTS OF Waiting, extensions [6] SET OF ExtensionField{{DeliveryControlResultExtensions}} DEFAULT {} } DeliveryControlResultExtensions EXTENSION ::= {PrivateExtensions, ...} -- May contain private extensions and future standardised extensions delivery-control-violated -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-delivery-control-violated } control-violates-registration -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-control-violates-registration } operation-refused -- ABSTRACT- -- ERROR ::= { PARAMETER RefusedOperation CODE err-operation-refused } RefusedOperation ::= SET { refused-argument CHOICE {built-in-argument [1] RefusedArgument, refused-extension EXTENSION.&id}, refusal-reason [2] RefusalReason } RefusedArgument ::= INTEGER { user-name(0), user-address(1), deliverable-content-types(2), deliverable-maximum-content-length(3), deliverable-encoded-information-types-constraints(4), deliverable-security-labels(5), recipient-assigned-redirections(6), restricted-delivery(7), retrieve-registrations(8), -- value 9 reserved for possible future extension to Register arguments restrict(10), permissible-operations(11), permissible-lowest-priority(12), permissible-encoded-information-types(13), permissible-content-types(14), permissible-maximum-content-length(15), permissible-security-context(16) }(0..ub-integer-options) RefusalReason ::= INTEGER { facility-unavailable(0), facility-not-subscribed(1), parameter-unacceptable(2)}(0..ub-integer-options) -- Delivery Port Parameters RecipientCertificate ::= Certificates ProofOfDelivery ::= Signature -- SIGNATURE -- {SEQUENCE {algorithm-identifier -- ProofOfDeliveryAlgorithmIdentifier, -- delivery-time MessageDeliveryTime, -- this-recipient-name ThisRecipientName, -- originally-intended-recipient-name -- OriginallyIntendedRecipientName OPTIONAL, -- content Content, -- content-identifier ContentIdentifier OPTIONAL, -- message-security-label -- MessageSecurityLabel OPTIONAL}} ProofOfDeliveryAlgorithmIdentifier ::= AlgorithmIdentifier DeliveryControls ::= Controls Controls ::= SET { restrict [0] BOOLEAN DEFAULT TRUE, -- update 'TRUE', remove 'FALSE' permissible-operations [1] Operations OPTIONAL, permissible-maximum-content-length [2] ContentLength OPTIONAL, permissible-lowest-priority Priority OPTIONAL, permissible-content-types [4] ContentTypes OPTIONAL, permissible-encoded-information-types PermissibleEncodedInformationTypes OPTIONAL, permissible-security-context [5] SecurityContext OPTIONAL } -- Note - The Tags [0], [1] and [2] are altered for the Register operation only. PermissibleEncodedInformationTypes ::= EncodedInformationTypesConstraints -- Administration Port register -- ABSTRACT- -- OPERATION ::= { ARGUMENT RegisterArgument RESULT RegisterResult ERRORS {register-rejected | remote-bind-error | operation-refused | security-error} LINKED {operationObject1, ...} INVOKE PRIORITY {5} CODE op-register } RegisterArgument ::= SET { user-name UserName OPTIONAL, user-address [0] UserAddress OPTIONAL, deliverable-class SET SIZE (1..ub-deliverable-class) OF DeliverableClass OPTIONAL, default-delivery-controls [2] EXPLICIT DefaultDeliveryControls OPTIONAL, redirections [3] Redirections OPTIONAL, restricted-delivery [4] RestrictedDelivery OPTIONAL, retrieve-registrations [5] RegistrationTypes OPTIONAL, extensions [6] SET OF ExtensionField{{RegisterExtensions}} DEFAULT {} } RegisterExtensions EXTENSION ::= {PrivateExtensions, ...} -- May contain private extensions and future standardised extensions RegisterResult ::= CHOICE { empty-result NULL, non-empty-result SET {registered-information [0] RegisterArgument (WITH COMPONENTS { ..., retrieve-registrations ABSENT }) OPTIONAL, extensions [1] SET OF ExtensionField{{RegisterResultExtensions}} DEFAULT {} } } RegisterResultExtensions EXTENSION ::= {PrivateExtensions, ...} -- May contain private extensions and future standardised extensions change-credentials -- ABSTRACT- -- OPERATION ::= { ARGUMENT ChangeCredentialsArgument RESULT NULL ERRORS {new-credentials-unacceptable | old-credentials-incorrectly-specified | remote-bind-error | security-error} LINKED {operationObject1, ...} INVOKE PRIORITY {5} CODE op-change-credentials } ChangeCredentialsArgument ::= SET { old-credentials [0] Credentials(WITH COMPONENTS { simple }), new-credentials [1] Credentials(WITH COMPONENTS { simple }) } register-rejected -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-register-rejected } new-credentials-unacceptable -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-new-credentials-unacceptable } old-credentials-incorrectly-specified -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-old-credentials-incorrectly-specified } -- Administration Port Parameters UserName ::= ORAddressAndOptionalDirectoryName UserAddress ::= CHOICE { x121 [0] SEQUENCE {x121-address NumericString(SIZE (1..ub-x121-address-length)) OPTIONAL, tsap-id PrintableString(SIZE (1..ub-tsap-id-length)) OPTIONAL }, presentation [1] PSAPAddress } PSAPAddress ::= PresentationAddress DeliverableClass ::= MessageClass (WITH COMPONENTS { ..., priority ABSENT, -- The 'objects' component shall always be defaulted. -- objects ABSENT, -- A component with a DEFAULT clause cannot be ABSENT applies-only-to ABSENT }) DefaultDeliveryControls ::= Controls (WITH COMPONENTS { ..., -- The 'restrict' component shall always be defaulted. -- restrict ABSENT, -- A component with a DEFAULT clause cannot be ABSENT permissible-security-context ABSENT }) Redirections ::= SEQUENCE SIZE (1..ub-redirections) OF RecipientRedirection RecipientRedirection ::= SET { redirection-classes [0] SET SIZE (1..ub-redirection-classes) OF RedirectionClass OPTIONAL, recipient-assigned-alternate-recipient [1] RecipientAssignedAlternateRecipient OPTIONAL } RedirectionClass ::= MessageClass MessageClass ::= SET { content-types [0] ContentTypes OPTIONAL, maximum-content-length [1] ContentLength OPTIONAL, encoded-information-types-constraints [2] EncodedInformationTypesConstraints OPTIONAL, security-labels [3] SecurityContext OPTIONAL, priority [4] SET OF Priority OPTIONAL, objects [5] ENUMERATED {messages(0), reports(1), both(2), ... } DEFAULT both, applies-only-to [6] SEQUENCE OF Restriction OPTIONAL, -- Not considered in the case of Reports extensions [7] SET OF ExtensionField{{MessageClassExtensions}} DEFAULT {} } EncodedInformationTypesConstraints ::= SEQUENCE { unacceptable-eits [0] ExtendedEncodedInformationTypes OPTIONAL, acceptable-eits [1] ExtendedEncodedInformationTypes OPTIONAL, exclusively-acceptable-eits [2] ExtendedEncodedInformationTypes OPTIONAL } MessageClassExtensions EXTENSION ::= {PrivateExtensions, ...} -- May contain private extensions and future standardised extensions RecipientAssignedAlternateRecipient ::= ORAddressAndOrDirectoryName RestrictedDelivery ::= SEQUENCE SIZE (1..ub-restrictions) OF Restriction Restriction ::= SET { permitted BOOLEAN DEFAULT TRUE, source-type BIT STRING {originated-by(0), redirected-by(1), dl-expanded-by(2)} DEFAULT {originated-by, redirected-by, dl-expanded-by}, source-name ExactOrPattern OPTIONAL } ExactOrPattern ::= CHOICE { exact-match [0] ORName, pattern-match [1] ORName } RegistrationTypes ::= SEQUENCE { standard-parameters [0] BIT STRING {user-name(0), user-address(1), deliverable-class(2), default-delivery-controls(3), redirections(4), restricted-delivery(5)} OPTIONAL, extensions [1] SET OF EXTENSION.&id({RegisterExtensions}) OPTIONAL } -- Message Submission Envelope MessageSubmissionEnvelope ::= SET { COMPONENTS OF PerMessageSubmissionFields, per-recipient-fields [1] SEQUENCE SIZE (1..ub-recipients) OF PerRecipientMessageSubmissionFields } PerMessageSubmissionFields ::= SET { originator-name OriginatorName, original-encoded-information-types OriginalEncodedInformationTypes OPTIONAL, content-type ContentType, content-identifier ContentIdentifier OPTIONAL, priority Priority DEFAULT normal, per-message-indicators PerMessageIndicators DEFAULT {}, deferred-delivery-time [0] DeferredDeliveryTime OPTIONAL, extensions [2] SET OF ExtensionField{{PerMessageSubmissionExtensions}} DEFAULT {} } PerMessageSubmissionExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: recipient-reassignment-prohibited | dl-expansion-prohibited | conversion-with-loss-prohibited | latest-delivery-time | originator-return-address | originator-certificate | content-confidentiality-algorithm-identifier | message-origin-authentication-check | message-security-label | proof-of-submission-request | content-correlator | dl-exempted-recipients | certificate-selectors | multiple-originator-certificates | forwarding-request -- for MS Abstract Service only -- | PrivateExtensions, ...} PerRecipientMessageSubmissionFields ::= SET { recipient-name RecipientName, originator-report-request [0] OriginatorReportRequest, explicit-conversion [1] ExplicitConversion OPTIONAL, extensions [2] SET OF ExtensionField{{PerRecipientMessageSubmissionExtensions}} DEFAULT {} } PerRecipientMessageSubmissionExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: originator-requested-alternate-recipient | requested-delivery-method | physical-forwarding-prohibited | physical-forwarding-address-request | physical-delivery-modes | registered-mail-type | recipient-number-for-advice | physical-rendition-attributes | physical-delivery-report-request | message-token | content-integrity-check | proof-of-delivery-request | certificate-selectors-override | recipient-certificate | IPMPerRecipientEnvelopeExtensions | PrivateExtensions, ...} -- Probe Submission Envelope ProbeSubmissionEnvelope ::= SET { COMPONENTS OF PerProbeSubmissionFields, per-recipient-fields [3] SEQUENCE SIZE (1..ub-recipients) OF PerRecipientProbeSubmissionFields } PerProbeSubmissionFields ::= SET { originator-name OriginatorName, original-encoded-information-types OriginalEncodedInformationTypes OPTIONAL, content-type ContentType, content-identifier ContentIdentifier OPTIONAL, content-length [0] ContentLength OPTIONAL, per-message-indicators PerMessageIndicators DEFAULT {}, extensions [2] SET OF ExtensionField{{PerProbeSubmissionExtensions}} DEFAULT {} } PerProbeSubmissionExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: recipient-reassignment-prohibited | dl-expansion-prohibited | conversion-with-loss-prohibited | originator-certificate | message-security-label | content-correlator | probe-origin-authentication-check | PrivateExtensions, ...} PerRecipientProbeSubmissionFields ::= SET { recipient-name RecipientName, originator-report-request [0] OriginatorReportRequest, explicit-conversion [1] ExplicitConversion OPTIONAL, extensions [2] SET OF ExtensionField{{PerRecipientProbeSubmissionExtensions}} DEFAULT {} } PerRecipientProbeSubmissionExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: originator-requested-alternate-recipient | requested-delivery-method | physical-rendition-attributes | PrivateExtensions, ...} -- Message Delivery Envelope MessageDeliveryEnvelope ::= SEQUENCE { message-delivery-identifier MessageDeliveryIdentifier, message-delivery-time MessageDeliveryTime, other-fields OtherMessageDeliveryFields } OtherMessageDeliveryFields ::= SET { content-type DeliveredContentType, originator-name DeliveredOriginatorName, original-encoded-information-types [1] OriginalEncodedInformationTypes OPTIONAL, priority Priority DEFAULT normal, delivery-flags [2] DeliveryFlags OPTIONAL, other-recipient-names [3] OtherRecipientNames OPTIONAL, this-recipient-name [4] ThisRecipientName, originally-intended-recipient-name [5] OriginallyIntendedRecipientName OPTIONAL, converted-encoded-information-types [6] ConvertedEncodedInformationTypes OPTIONAL, message-submission-time [7] MessageSubmissionTime, content-identifier [8] ContentIdentifier OPTIONAL, extensions [9] SET OF ExtensionField{{MessageDeliveryExtensions}} DEFAULT {} } MessageDeliveryExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: conversion-with-loss-prohibited | requested-delivery-method | physical-forwarding-prohibited | physical-forwarding-address-request | physical-delivery-modes | registered-mail-type | recipient-number-for-advice | physical-rendition-attributes | originator-return-address | physical-delivery-report-request | originator-certificate | message-token | content-confidentiality-algorithm-identifier | content-integrity-check | message-origin-authentication-check | message-security-label | proof-of-delivery-request | dl-exempted-recipients | certificate-selectors | certificate-selectors-override | multiple-originator-certificates | recipient-certificate | IPMPerRecipientEnvelopeExtensions | redirection-history | dl-expansion-history | trace-information | internal-trace-information | PrivateExtensions, ...} -- Report Delivery Envelope ReportDeliveryEnvelope ::= SET { COMPONENTS OF PerReportDeliveryFields, per-recipient-fields SEQUENCE SIZE (1..ub-recipients) OF PerRecipientReportDeliveryFields } PerReportDeliveryFields ::= SET { subject-submission-identifier SubjectSubmissionIdentifier, content-identifier ContentIdentifier OPTIONAL, content-type ContentType OPTIONAL, original-encoded-information-types OriginalEncodedInformationTypes OPTIONAL, extensions [1] SET OF ExtensionField{{ReportDeliveryExtensions}} DEFAULT {} } ReportDeliveryExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: message-security-label | content-correlator | redirection-history | originator-and-DL-expansion-history | reporting-DL-name | reporting-MTA-certificate | report-origin-authentication-check | trace-information | internal-trace-information | reporting-MTA-name | PrivateExtensions, ...} PerRecipientReportDeliveryFields ::= SET { actual-recipient-name [0] ActualRecipientName, report-type [1] ReportType, converted-encoded-information-types ConvertedEncodedInformationTypes OPTIONAL, originally-intended-recipient-name [2] OriginallyIntendedRecipientName OPTIONAL, supplementary-information [3] SupplementaryInformation OPTIONAL, extensions [4] SET OF ExtensionField{{PerRecipientReportDeliveryExtensions}} DEFAULT {} } PerRecipientReportDeliveryExtensions EXTENSION ::= {-- May contain the following extensions, private extensions, and future standardised extensions, -- at most one instance of each extension type: redirection-history | physical-forwarding-address | recipient-certificate | proof-of-delivery | PrivateExtensions, ...} ReportType ::= CHOICE { delivery [0] DeliveryReport, non-delivery [1] NonDeliveryReport } DeliveryReport ::= SET { message-delivery-time [0] MessageDeliveryTime, type-of-MTS-user [1] TypeOfMTSUser DEFAULT public } NonDeliveryReport ::= SET { non-delivery-reason-code [0] NonDeliveryReasonCode, non-delivery-diagnostic-code [1] NonDeliveryDiagnosticCode OPTIONAL } -- Envelope Fields OriginatorName ::= ORAddressAndOrDirectoryName DeliveredOriginatorName ::= ORAddressAndOptionalDirectoryName OriginalEncodedInformationTypes ::= EncodedInformationTypes ContentTypes ::= SET SIZE (1..ub-content-types) OF ContentType ContentType ::= CHOICE { built-in BuiltInContentType, extended ExtendedContentType } BuiltInContentType ::= [APPLICATION 6] INTEGER { unidentified(0), external(1), -- identified by the object-identifier of the EXTERNAL content interpersonal-messaging-1984(2), interpersonal-messaging-1988(22), edi-messaging(35), voice-messaging(40)}(0..ub-built-in-content-type) ExtendedContentType ::= OBJECT IDENTIFIER -- RELATIVE-OID DeliveredContentType ::= CHOICE { built-in [0] BuiltInContentType, extended ExtendedContentType } ContentIdentifier ::= [APPLICATION 10] PrintableString(SIZE (1..ub-content-id-length)) PerMessageIndicators ::= [APPLICATION 8] BIT STRING { disclosure-of-other-recipients(0), -- disclosure-of-other-recipients-requested 'one', -- disclosure-of-other-recipients-prohibited 'zero'; -- ignored for Probe-submission implicit-conversion-prohibited(1), -- implicit-conversion-prohibited 'one', -- implicit-conversion-allowed 'zero' alternate-recipient-allowed(2), -- alternate-recipient-allowed 'one', -- alternate-recipient-prohibited 'zero' content-return-request(3), -- content-return-requested 'one', -- content-return-not-requested 'zero'; -- ignored for Probe-submission reserved(4), -- bit reserved by MOTIS 1986 bit-5(5), bit-6(6), -- notification type-1 : bit 5 'zero' and bit 6 'one' -- notification type-2 : bit 5 'one' and bit 6 'zero' -- notification type-3 : bit 5 'one' and bit 6 'one' -- the mapping between notification type 1, 2, 3 -- and the content specific notification types are defined -- in relevant content specifications service-message(7) -- the message content is for service purposes; -- it may be a notification related to a service message; -- used only by bilateral agreement --}(SIZE (0..ub-bit-options)) RecipientName ::= ORAddressAndOrDirectoryName OriginatorReportRequest ::= BIT STRING {report(3), non-delivery-report(4) -- at most one bit shall be 'one': -- report bit 'one' requests a 'report'; -- non-delivery-report bit 'one' requests a 'non-delivery-report'; -- both bits 'zero' requests 'no-report' --}(SIZE (0..ub-bit-options)) ExplicitConversion ::= INTEGER { ia5-text-to-teletex(0), -- values 1 to 7 are no longer defined ia5-text-to-g3-facsimile(8), ia5-text-to-g4-class-1(9), ia5-text-to-videotex(10), teletex-to-ia5-text(11), teletex-to-g3-facsimile(12), teletex-to-g4-class-1(13), teletex-to-videotex(14), -- value 15 is no longer defined videotex-to-ia5-text(16), videotex-to-teletex(17)}(0..ub-integer-options) DeferredDeliveryTime ::= Time Priority ::= [APPLICATION 7] ENUMERATED {normal(0), non-urgent(1), urgent(2)} ContentLength ::= INTEGER(0..ub-content-length) MessageDeliveryIdentifier ::= MTSIdentifier MessageDeliveryTime ::= Time DeliveryFlags ::= BIT STRING { implicit-conversion-prohibited(1) -- implicit-conversion-prohibited 'one', -- implicit-conversion-allowed 'zero' --}(SIZE (0..ub-bit-options)) OtherRecipientNames ::= SEQUENCE SIZE (1..ub-recipients) OF OtherRecipientName OtherRecipientName ::= ORAddressAndOptionalDirectoryName ThisRecipientName ::= ORAddressAndOptionalDirectoryName OriginallyIntendedRecipientName ::= ORAddressAndOptionalDirectoryName ConvertedEncodedInformationTypes ::= EncodedInformationTypes SubjectSubmissionIdentifier ::= MTSIdentifier ActualRecipientName ::= ORAddressAndOrDirectoryName TypeOfMTSUser ::= INTEGER { public(0), private(1), ms(2), dl(3), pdau(4), physical-recipient(5), other(6) }(0..ub-mts-user-types) NonDeliveryReasonCode ::= INTEGER { transfer-failure(0), unable-to-transfer(1), conversion-not-performed(2), physical-rendition-not-performed(3), physical-delivery-not-performed(4), restricted-delivery(5), directory-operation-unsuccessful(6), deferred-delivery-not-performed(7), transfer-failure-for-security-reason(8) }(0..ub-reason-codes) NonDeliveryDiagnosticCode ::= INTEGER { unrecognised-OR-name(0), ambiguous-OR-name(1), mts-congestion(2), loop-detected(3), recipient-unavailable(4), maximum-time-expired(5), encoded-information-types-unsupported(6), content-too-long(7), conversion-impractical(8), implicit-conversion-prohibited(9), implicit-conversion-not-subscribed(10), invalid-arguments(11), content-syntax-error(12), size-constraint-violation(13), protocol-violation(14), content-type-not-supported(15), too-many-recipients(16), no-bilateral-agreement(17), unsupported-critical-function(18), conversion-with-loss-prohibited(19), line-too-long(20), page-split(21), pictorial-symbol-loss(22), punctuation-symbol-loss(23), alphabetic-character-loss(24), multiple-information-loss(25), recipient-reassignment-prohibited(26), redirection-loop-detected(27), dl-expansion-prohibited(28), no-dl-submit-permission(29), dl-expansion-failure(30), physical-rendition-attributes-not-supported(31), undeliverable-mail-physical-delivery-address-incorrect(32), undeliverable-mail-physical-delivery-office-incorrect-or-invalid(33), undeliverable-mail-physical-delivery-address-incomplete(34), undeliverable-mail-recipient-unknown(35), undeliverable-mail-recipient-deceased(36), undeliverable-mail-organization-expired(37), undeliverable-mail-recipient-refused-to-accept(38), undeliverable-mail-recipient-did-not-claim(39), undeliverable-mail-recipient-changed-address-permanently(40), undeliverable-mail-recipient-changed-address-temporarily(41), undeliverable-mail-recipient-changed-temporary-address(42), undeliverable-mail-new-address-unknown(43), undeliverable-mail-recipient-did-not-want-forwarding(44), undeliverable-mail-originator-prohibited-forwarding(45), secure-messaging-error(46), unable-to-downgrade(47), unable-to-complete-transfer(48), transfer-attempts-limit-reached(49), incorrect-notification-type(50), dl-expansion-prohibited-by-security-policy(51), forbidden-alternate-recipient(52), security-policy-violation(53), security-services-refusal(54), unauthorised-dl-member(55), unauthorised-dl-name(56), unauthorised-originally-intended-recipient-name(57), unauthorised-originator-name(58), unauthorised-recipient-name(59), unreliable-system(60), authentication-failure-on-subject-message(61), decryption-failed(62), decryption-key-unobtainable(63), double-envelope-creation-failure(64), double-enveloping-message-restoring-failure(65), failure-of-proof-of-message(66), integrity-failure-on-subject-message(67), invalid-security-label(68), key-failure(69), mandatory-parameter-absence(70), operation-security-failure(71), repudiation-failure-of-message(72), security-context-failure(73), token-decryption-failed(74), token-error(75), unknown-security-label(76), unsupported-algorithm-identifier(77), unsupported-security-policy(78)}(0..ub-diagnostic-codes) SupplementaryInformation ::= PrintableString(SIZE (1..ub-supplementary-info-length)) -- Extension Fields EXTENSION ::= CLASS { &id ExtensionType UNIQUE, &Type OPTIONAL, &absent &Type OPTIONAL, &recommended Criticality DEFAULT {} } WITH SYNTAX { [&Type [IF ABSENT &absent],] [RECOMMENDED CRITICALITY &recommended,] IDENTIFIED BY &id } ExtensionType ::= CHOICE { standard-extension [0] --INTEGER(0..ub-extension-types)-- StandardExtension, private-extension [3] OBJECT IDENTIFIER } StandardExtension ::= INTEGER { recipient-reassignment-prohibited (1), originator-requested-alternate-recipient (2), dl-expansion-prohibited (3), conversion-with-loss-prohibited (4), latest-delivery-time (5), requested-delivery-method (6), physical-forwarding-prohibited (7), physical-forwarding-address-request (8), physical-delivery-modes (9), registered-mail-type (10), recipient-number-for-advice (11), physical-rendition-attributes (12), originator-return-address (13), physical-delivery-report-request (14), originator-certificate (15), message-token (16), content-confidentiality-algorithm-identifier (17), content-integrity-check (18), message-origin-authentication-check (19), message-security-label (20), proof-of-submission-request (21), proof-of-delivery-request (22), content-correlator (23), probe-origin-authentication-check (24), redirection-history (25), dl-expansion-history (26), physical-forwarding-address (27), recipient-certificate (28), proof-of-delivery (29), originator-and-DL-expansion-history (30), reporting-DL-name (31), reporting-MTA-certificate (32), report-origin-authentication-check (33), originating-MTA-certificate (34), proof-of-submission (35), forwarding-request (36), trace-information (37), internal-trace-information (38), reporting-MTA-name (39), multiple-originator-certificates (40), blind-copy-recipients (41), dl-exempted-recipients (42), body-part-encryption-token (43), forwarded-content-token (44), certificate-selectors (45) } Criticality ::= BIT STRING {for-submission(0), for-transfer(1), for-delivery(2) }(SIZE (0..ub-bit-options)) -- critical 'one', non-critical 'zero' ExtensionField{EXTENSION:ChosenFrom} ::= SEQUENCE { type EXTENSION.&id({ChosenFrom}), criticality [1] Criticality DEFAULT {}, value [2] EXTENSION.&Type({ChosenFrom}{@type}) DEFAULT NULL:NULL } PrivateExtensions EXTENSION ::= {-- Any value shall be relayed and delivered if not Critical (see Table 27) -- except those values whose semantics the MTA obeys which are defined to be removed when obeyed. -- Shall be IDENTIFIED BY ExtensionType.private-extension --...} recipient-reassignment-prohibited EXTENSION ::= { RecipientReassignmentProhibited IF ABSENT recipient-reassignment-allowed, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:1 } RecipientReassignmentProhibited ::= ENUMERATED { recipient-reassignment-allowed(0), recipient-reassignment-prohibited(1) } originator-requested-alternate-recipient EXTENSION ::= { OriginatorRequestedAlternateRecipient, RECOMMENDED CRITICALITY {for-submission}, IDENTIFIED BY standard-extension:2 } OriginatorRequestedAlternateRecipient ::= ORAddressAndOrDirectoryName -- OriginatorRequestedAlternateRecipient as defined here differs from the field of the same name -- defined in Figure 4, since on submission the OR-address need not be present, but on -- transfer the OR-address must be present. dl-expansion-prohibited EXTENSION ::= { DLExpansionProhibited IF ABSENT dl-expansion-allowed, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:3 } DLExpansionProhibited ::= ENUMERATED { dl-expansion-allowed(0), dl-expansion-prohibited(1)} conversion-with-loss-prohibited EXTENSION ::= { ConversionWithLossProhibited IF ABSENT conversion-with-loss-allowed, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:4 } ConversionWithLossProhibited ::= ENUMERATED { conversion-with-loss-allowed(0), conversion-with-loss-prohibited(1) } latest-delivery-time EXTENSION ::= { LatestDeliveryTime, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:5 } LatestDeliveryTime ::= Time requested-delivery-method EXTENSION ::= { RequestedDeliveryMethod IF ABSENT {any-delivery-method}, IDENTIFIED BY standard-extension:6 } RequestedDeliveryMethod ::= SEQUENCE OF INTEGER { -- each different in order of preference, -- most preferred first any-delivery-method(0), mhs-delivery(1), physical-delivery(2), telex-delivery(3), teletex-delivery(4), g3-facsimile-delivery(5), g4-facsimile-delivery(6), ia5-terminal-delivery(7), videotex-delivery(8), telephone-delivery(9)}(0..ub-integer-options) physical-forwarding-prohibited EXTENSION ::= { PhysicalForwardingProhibited IF ABSENT physical-forwarding-allowed, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:7 } PhysicalForwardingProhibited ::= ENUMERATED { physical-forwarding-allowed(0), physical-forwarding-prohibited(1)} physical-forwarding-address-request EXTENSION ::= { PhysicalForwardingAddressRequest IF ABSENT physical-forwarding-address-not-requested, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:8 } PhysicalForwardingAddressRequest ::= ENUMERATED { physical-forwarding-address-not-requested(0), physical-forwarding-address-requested(1)} physical-delivery-modes EXTENSION ::= { PhysicalDeliveryModes IF ABSENT {ordinary-mail}, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:9 } PhysicalDeliveryModes ::= BIT STRING { ordinary-mail(0), special-delivery(1), express-mail(2), counter-collection(3), counter-collection-with-telephone-advice(4), counter-collection-with-telex-advice(5), counter-collection-with-teletex-advice(6), bureau-fax-delivery(7) -- bits 0 to 6 are mutually exclusive -- bit 7 can be set independently of any of bits 0 to 6 --} (SIZE (0..ub-bit-options)) registered-mail-type EXTENSION ::= { RegisteredMailType IF ABSENT non-registered-mail, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:10 } RegisteredMailType ::= INTEGER { non-registered-mail(0), registered-mail(1), registered-mail-to-addressee-in-person(2)}(0..ub-integer-options) recipient-number-for-advice EXTENSION ::= { RecipientNumberForAdvice, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:11 } RecipientNumberForAdvice ::= TeletexString(SIZE (1..ub-recipient-number-for-advice-length)) physical-rendition-attributes EXTENSION ::= { PhysicalRenditionAttributes IF ABSENT id-att-physicalRendition-basic, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:12 } PhysicalRenditionAttributes ::= OBJECT IDENTIFIER originator-return-address EXTENSION ::= { OriginatorReturnAddress, IDENTIFIED BY standard-extension:13 } OriginatorReturnAddress ::= ORAddress physical-delivery-report-request EXTENSION ::= { PhysicalDeliveryReportRequest IF ABSENT return-of-undeliverable-mail-by-PDS, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:14 } PhysicalDeliveryReportRequest ::= INTEGER { return-of-undeliverable-mail-by-PDS(0), return-of-notification-by-PDS(1), return-of-notification-by-MHS(2), return-of-notification-by-MHS-and-PDS(3) }(0..ub-integer-options) originator-certificate EXTENSION ::= { OriginatorCertificate, IDENTIFIED BY standard-extension:15 } OriginatorCertificate ::= Certificates message-token EXTENSION ::= { MessageToken, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:16 } MessageToken ::= Token content-confidentiality-algorithm-identifier EXTENSION ::= { ContentConfidentialityAlgorithmIdentifier, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:17 } ContentConfidentialityAlgorithmIdentifier ::= AlgorithmIdentifier content-integrity-check EXTENSION ::= { ContentIntegrityCheck, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:18 } ContentIntegrityCheck ::= Signature -- SIGNATURE -- {SEQUENCE {algorithm-identifier -- ContentIntegrityAlgorithmIdentifier OPTIONAL, -- content Content}} ContentIntegrityAlgorithmIdentifier ::= AlgorithmIdentifier message-origin-authentication-check EXTENSION ::= { MessageOriginAuthenticationCheck, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:19 } MessageOriginAuthenticationCheck ::= Signature -- SIGNATURE -- {SEQUENCE {algorithm-identifier -- MessageOriginAuthenticationAlgorithmIdentifier, -- content Content, -- content-identifier ContentIdentifier OPTIONAL, -- message-security-label MessageSecurityLabel OPTIONAL}} MessageOriginAuthenticationAlgorithmIdentifier ::= AlgorithmIdentifier message-security-label EXTENSION ::= { MessageSecurityLabel, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:20 } MessageSecurityLabel ::= SecurityLabel proof-of-submission-request EXTENSION ::= { ProofOfSubmissionRequest IF ABSENT proof-of-submission-not-requested, RECOMMENDED CRITICALITY {for-submission}, IDENTIFIED BY standard-extension:21 } ProofOfSubmissionRequest ::= ENUMERATED { proof-of-submission-not-requested(0), proof-of-submission-requested(1) } proof-of-delivery-request EXTENSION ::= { ProofOfDeliveryRequest IF ABSENT proof-of-delivery-not-requested, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:22 } ProofOfDeliveryRequest ::= ENUMERATED { proof-of-delivery-not-requested(0), proof-of-delivery-requested(1)} content-correlator EXTENSION ::= { ContentCorrelator, IDENTIFIED BY standard-extension:23 } ContentCorrelator ::= CHOICE {ia5text IA5String, octets OCTET STRING } probe-origin-authentication-check EXTENSION ::= { ProbeOriginAuthenticationCheck, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:24 } ProbeOriginAuthenticationCheck ::= Signature -- SIGNATURE -- {SEQUENCE {algorithm-identifier -- ProbeOriginAuthenticationAlgorithmIdentifier, -- content-identifier ContentIdentifier OPTIONAL, -- message-security-label MessageSecurityLabel OPTIONAL}} ProbeOriginAuthenticationAlgorithmIdentifier ::= AlgorithmIdentifier redirection-history EXTENSION ::= { RedirectionHistory, IDENTIFIED BY standard-extension:25 } RedirectionHistory ::= SEQUENCE SIZE (1..ub-redirections) OF Redirection Redirection ::= SEQUENCE { intended-recipient-name IntendedRecipientName, redirection-reason RedirectionReason } IntendedRecipientName ::= SEQUENCE { intended-recipient ORAddressAndOptionalDirectoryName, redirection-time Time } RedirectionReason ::= ENUMERATED { recipient-assigned-alternate-recipient(0), originator-requested-alternate-recipient(1), recipient-MD-assigned-alternate-recipient(2), -- The following values may not be supported by implementations of earlier versions of this Service Definition directory-look-up(3), alias(4), ... } dl-expansion-history EXTENSION ::= { DLExpansionHistory, IDENTIFIED BY standard-extension:26 } DLExpansionHistory ::= SEQUENCE SIZE (1..ub-dl-expansions) OF DLExpansion DLExpansion ::= SEQUENCE { dl ORAddressAndOptionalDirectoryName, dl-expansion-time Time } physical-forwarding-address EXTENSION ::= { PhysicalForwardingAddress, IDENTIFIED BY standard-extension:27 } PhysicalForwardingAddress ::= ORAddressAndOptionalDirectoryName recipient-certificate EXTENSION ::= { RecipientCertificate, IDENTIFIED BY standard-extension:28 } proof-of-delivery EXTENSION ::= { ProofOfDelivery, IDENTIFIED BY standard-extension:29 } originator-and-DL-expansion-history EXTENSION ::= { OriginatorAndDLExpansionHistory, IDENTIFIED BY standard-extension:30 } OriginatorAndDLExpansionHistory ::= SEQUENCE SIZE (2..ub-orig-and-dl-expansions) OF OriginatorAndDLExpansion OriginatorAndDLExpansion ::= SEQUENCE { originator-or-dl-name ORAddressAndOptionalDirectoryName, origination-or-expansion-time Time } reporting-DL-name EXTENSION ::= { ReportingDLName, IDENTIFIED BY standard-extension:31 } ReportingDLName ::= ORAddressAndOptionalDirectoryName reporting-MTA-certificate EXTENSION ::= { ReportingMTACertificate, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:32 } ReportingMTACertificate ::= Certificates report-origin-authentication-check EXTENSION ::= { ReportOriginAuthenticationCheck, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:33 } ReportOriginAuthenticationCheck ::= Signature -- SIGNATURE -- {SEQUENCE {algorithm-identifier -- ReportOriginAuthenticationAlgorithmIdentifier, -- content-identifier ContentIdentifier OPTIONAL, -- message-security-label MessageSecurityLabel OPTIONAL, -- per-recipient -- SEQUENCE SIZE (1..ub-recipients) OF PerRecipientReportFields -- }} ReportOriginAuthenticationAlgorithmIdentifier ::= AlgorithmIdentifier PerRecipientReportFields ::= SEQUENCE { actual-recipient-name ActualRecipientName, originally-intended-recipient-name OriginallyIntendedRecipientName OPTIONAL, report-type CHOICE {delivery [0] PerRecipientDeliveryReportFields, non-delivery [1] PerRecipientNonDeliveryReportFields} } PerRecipientDeliveryReportFields ::= SEQUENCE { message-delivery-time MessageDeliveryTime, type-of-MTS-user TypeOfMTSUser, recipient-certificate [0] RecipientCertificate OPTIONAL, proof-of-delivery [1] ProofOfDelivery OPTIONAL } PerRecipientNonDeliveryReportFields ::= SEQUENCE { non-delivery-reason-code NonDeliveryReasonCode, non-delivery-diagnostic-code NonDeliveryDiagnosticCode OPTIONAL } originating-MTA-certificate EXTENSION ::= { OriginatingMTACertificate, IDENTIFIED BY standard-extension:34 } OriginatingMTACertificate ::= Certificates proof-of-submission EXTENSION ::= { ProofOfSubmission, IDENTIFIED BY standard-extension:35 } ProofOfSubmission ::= Signature -- SIGNATURE -- {SEQUENCE {algorithm-identifier -- ProofOfSubmissionAlgorithmIdentifier, -- message-submission-envelope MessageSubmissionEnvelope, -- content Content, -- message-submission-identifier MessageSubmissionIdentifier, -- message-submission-time MessageSubmissionTime}} ProofOfSubmissionAlgorithmIdentifier ::= AlgorithmIdentifier reporting-MTA-name EXTENSION ::= { ReportingMTAName, IDENTIFIED BY standard-extension:39 } ReportingMTAName ::= SEQUENCE { domain GlobalDomainIdentifier, mta-name MTAName, mta-directory-name [0] Name OPTIONAL } multiple-originator-certificates EXTENSION ::= { ExtendedCertificates, IDENTIFIED BY standard-extension:40 } ExtendedCertificates ::= SET SIZE (1..ub-certificates) OF ExtendedCertificate ExtendedCertificate ::= CHOICE { directory-entry [0] Name, -- Name of a Directory entry where the certificate can be found certificate [1] Certificates } dl-exempted-recipients EXTENSION ::= { DLExemptedRecipients, IDENTIFIED BY standard-extension:42 } DLExemptedRecipients ::= SET OF ORAddressAndOrDirectoryName certificate-selectors EXTENSION ::= { CertificateSelectors, IDENTIFIED BY standard-extension:45 } CertificateSelectors ::= SET { encryption-recipient [0] CertificateAssertion OPTIONAL, encryption-originator [1] CertificateAssertion OPTIONAL, content-integrity-check [2] CertificateAssertion OPTIONAL, token-signature [3] CertificateAssertion OPTIONAL, message-origin-authentication [4] CertificateAssertion OPTIONAL } certificate-selectors-override EXTENSION ::= { CertificateSelectors (WITH COMPONENTS { ..., message-origin-authentication ABSENT }), IDENTIFIED BY standard-extension:46 } -- Some standard-extensions are defined elsewhere: -- 36 (forwarding-request) in ITU-T Rec. X.413 | ISO/IEC 10021-5; -- 37 (trace-information), and 38 (internal-trace-information) in Figure 4; -- 41 (blind-copy-recipients), 43 (body-part-encryption-token), and 44 (forwarded-content-token) in -- ITU-T Rec. X.420 | ISO/IEC 10021-7 -- Common Parameter Types Content ::= OCTET STRING -- when the content-type has the integer value external, the value of the -- content octet string is the ASN.1 encoding of the external-content; -- an external-content is a data type EXTERNAL MTSIdentifier ::= [APPLICATION 4] SEQUENCE { global-domain-identifier GlobalDomainIdentifier, local-identifier LocalIdentifier } LocalIdentifier ::= IA5String(SIZE (1..ub-local-id-length)) GlobalDomainIdentifier ::= [APPLICATION 3] SEQUENCE { country-name CountryName, administration-domain-name AdministrationDomainName, private-domain-identifier PrivateDomainIdentifier OPTIONAL } PrivateDomainIdentifier ::= CHOICE { numeric NumericString(SIZE (1..ub-domain-name-length)), printable PrintableString(SIZE (1..ub-domain-name-length)) } MTAName ::= IA5String(SIZE (1..ub-mta-name-length)) Time ::= UTCTime -- OR Names ORAddressAndOrDirectoryName ::= ORName ORAddressAndOptionalDirectoryName ::= ORName ORName ::= [APPLICATION 0] SEQUENCE { -- address --COMPONENTS OF ORAddress, directory-name [0] Name OPTIONAL } ORAddress ::= SEQUENCE { built-in-standard-attributes BuiltInStandardAttributes, built-in-domain-defined-attributes BuiltInDomainDefinedAttributes OPTIONAL, -- see also teletex-domain-defined-attributes extension-attributes ExtensionAttributes OPTIONAL } -- The OR-address is semantically absent from the OR-name if the built-in-standard-attribute -- sequence is empty and the built-in-domain-defined-attributes and extension-attributes are both omitted. -- Built-in Standard Attributes BuiltInStandardAttributes ::= SEQUENCE { country-name CountryName OPTIONAL, administration-domain-name AdministrationDomainName OPTIONAL, network-address [0] NetworkAddress OPTIONAL, -- see also extended-network-address terminal-identifier [1] TerminalIdentifier OPTIONAL, private-domain-name [2] PrivateDomainName OPTIONAL, organization-name [3] OrganizationName OPTIONAL, -- see also teletex-organization-name numeric-user-identifier [4] NumericUserIdentifier OPTIONAL, personal-name [5] PersonalName OPTIONAL, -- see also teletex-personal-name organizational-unit-names [6] OrganizationalUnitNames OPTIONAL -- see also teletex-organizational-unit-names } CountryName ::= [APPLICATION 1] CHOICE { x121-dcc-code NumericString(SIZE (ub-country-name-numeric-length)), iso-3166-alpha2-code PrintableString(SIZE (ub-country-name-alpha-length)) } AdministrationDomainName ::= [APPLICATION 2] CHOICE { numeric NumericString(SIZE (0..ub-domain-name-length)), printable PrintableString(SIZE (0..ub-domain-name-length)) } NetworkAddress ::= X121Address -- see also extended-network-address X121Address ::= NumericString(SIZE (1..ub-x121-address-length)) TerminalIdentifier ::= PrintableString(SIZE (1..ub-terminal-id-length)) PrivateDomainName ::= CHOICE { numeric NumericString(SIZE (1..ub-domain-name-length)), printable PrintableString(SIZE (1..ub-domain-name-length)) } OrganizationName ::= PrintableString(SIZE (1..ub-organization-name-length)) -- see also teletex-organization-name NumericUserIdentifier ::= NumericString(SIZE (1..ub-numeric-user-id-length)) PersonalName ::= SET { surname [0] PrintableString(SIZE (1..ub-surname-length)), given-name [1] PrintableString(SIZE (1..ub-given-name-length)) OPTIONAL, initials [2] PrintableString(SIZE (1..ub-initials-length)) OPTIONAL, generation-qualifier [3] PrintableString(SIZE (1..ub-generation-qualifier-length)) OPTIONAL } -- see also teletex-personal-name OrganizationalUnitNames ::= SEQUENCE SIZE (1..ub-organizational-units) OF OrganizationalUnitName -- see also teletex-organizational-unit-names OrganizationalUnitName ::= PrintableString(SIZE (1..ub-organizational-unit-name-length)) -- Built-in Domain-defined Attributes BuiltInDomainDefinedAttributes ::= SEQUENCE SIZE (1..ub-domain-defined-attributes) OF BuiltInDomainDefinedAttribute BuiltInDomainDefinedAttribute ::= SEQUENCE { type PrintableString(SIZE (1..ub-domain-defined-attribute-type-length)), value PrintableString(SIZE (1..ub-domain-defined-attribute-value-length)) } -- Extension Attributes ExtensionAttributes ::= SET SIZE (1..ub-extension-attributes) OF ExtensionAttribute ExtensionAttribute ::= SEQUENCE { extension-attribute-type [0] --EXTENSION-ATTRIBUTE.&id({ExtensionAttributeTable})-- ExtensionAttributeType, extension-attribute-value [1] EXTENSION-ATTRIBUTE.&Type ({ExtensionAttributeTable}{@extension-attribute-type}) } ExtensionAttributeType ::= INTEGER { common-name (1), teletex-common-name (2), teletex-organization-name (3), teletex-personal-name (4), teletex-organizational-unit-names (5), teletex-domain-defined-attributes (6), pds-name (7), physical-delivery-country-name (8), postal-code (9), physical-delivery-office-name (10), physical-delivery-office-number (11), extension-OR-address-components (12), physical-delivery-personal-name (13), physical-delivery-organization-name (14), extension-physical-delivery-address-components (15), unformatted-postal-address (16), street-address (17), post-office-box-address (18), poste-restante-address (19), unique-postal-name (20), local-postal-attributes (21), extended-network-address (22), terminal-type (23), universal-common-name (24), universal-organization-name (25), universal-personal-name (26), universal-organizational-unit-names (27), universal-domain-defined-attributes (28), universal-physical-delivery-office-name (29), universal-physical-delivery-office-number (30), universal-extension-OR-address-components (31), universal-physical-delivery-personal-name (32), universal-physical-delivery-organization-name (33), universal-extension-physical-delivery-address-components (34), universal-unformatted-postal-address (35), universal-street-address (36), universal-post-office-box-address (37), universal-poste-restante-address (38), universal-unique-postal-name (39), universal-local-postal-attributes (40) } EXTENSION-ATTRIBUTE ::= CLASS { &id INTEGER(0..ub-extension-attributes) UNIQUE, &Type }WITH SYNTAX {&Type IDENTIFIED BY &id } ExtensionAttributeTable EXTENSION-ATTRIBUTE ::= {common-name | teletex-common-name | universal-common-name | teletex-organization-name | universal-organization-name | teletex-personal-name | universal-personal-name | teletex-organizational-unit-names | universal-organizational-unit-names | teletex-domain-defined-attributes | universal-domain-defined-attributes | pds-name | physical-delivery-country-name | postal-code | physical-delivery-office-name | universal-physical-delivery-office-name | physical-delivery-office-number | universal-physical-delivery-office-number | extension-OR-address-components | universal-extension-OR-address-components | physical-delivery-personal-name | universal-physical-delivery-personal-name | physical-delivery-organization-name | universal-physical-delivery-organization-name | extension-physical-delivery-address-components | universal-extension-physical-delivery-address-components | unformatted-postal-address | universal-unformatted-postal-address | street-address | universal-street-address | post-office-box-address | universal-post-office-box-address | poste-restante-address | universal-poste-restante-address | unique-postal-name | universal-unique-postal-name | local-postal-attributes | universal-local-postal-attributes | extended-network-address | terminal-type } -- Extension Standard Attributes common-name EXTENSION-ATTRIBUTE ::= {CommonName IDENTIFIED BY 1 } CommonName ::= PrintableString(SIZE (1..ub-common-name-length)) teletex-common-name EXTENSION-ATTRIBUTE ::= {TeletexCommonName IDENTIFIED BY 2 } TeletexCommonName ::= TeletexString(SIZE (1..ub-common-name-length)) universal-common-name EXTENSION-ATTRIBUTE ::= { UniversalCommonName IDENTIFIED BY 24 } UniversalCommonName ::= UniversalOrBMPString{ub-common-name-length} teletex-organization-name EXTENSION-ATTRIBUTE ::= { TeletexOrganizationName IDENTIFIED BY 3 } TeletexOrganizationName ::= TeletexString(SIZE (1..ub-organization-name-length)) universal-organization-name EXTENSION-ATTRIBUTE ::= { UniversalOrganizationName IDENTIFIED BY 25 } UniversalOrganizationName ::= UniversalOrBMPString{ub-organization-name-length} teletex-personal-name EXTENSION-ATTRIBUTE ::= { TeletexPersonalName IDENTIFIED BY 4 } TeletexPersonalName ::= SET { surname [0] TeletexString(SIZE (1..ub-surname-length)), given-name [1] TeletexString(SIZE (1..ub-given-name-length)) OPTIONAL, initials [2] TeletexString(SIZE (1..ub-initials-length)) OPTIONAL, generation-qualifier [3] TeletexString(SIZE (1..ub-generation-qualifier-length)) OPTIONAL } universal-personal-name EXTENSION-ATTRIBUTE ::= { UniversalPersonalName IDENTIFIED BY 26 } UniversalPersonalName ::= SET { surname [0] UniversalOrBMPString{ub-universal-surname-length}, -- If a language is specified within surname, then that language applies to each of the following -- optional components unless the component specifies another language. given-name [1] UniversalOrBMPString{ub-universal-given-name-length} OPTIONAL, initials [2] UniversalOrBMPString{ub-universal-initials-length} OPTIONAL, generation-qualifier [3] UniversalOrBMPString{ub-universal-generation-qualifier-length} OPTIONAL } teletex-organizational-unit-names EXTENSION-ATTRIBUTE ::= { TeletexOrganizationalUnitNames IDENTIFIED BY 5 } TeletexOrganizationalUnitNames ::= SEQUENCE SIZE (1..ub-organizational-units) OF TeletexOrganizationalUnitName TeletexOrganizationalUnitName ::= TeletexString(SIZE (1..ub-organizational-unit-name-length)) universal-organizational-unit-names EXTENSION-ATTRIBUTE ::= { UniversalOrganizationalUnitNames IDENTIFIED BY 27 } UniversalOrganizationalUnitNames ::= SEQUENCE SIZE (1..ub-organizational-units) OF UniversalOrganizationalUnitName -- If a unit name specifies a language, then that language applies to subordinate unit names unless -- the subordinate specifies another language. UniversalOrganizationalUnitName ::= UniversalOrBMPString{ub-organizational-unit-name-length} UniversalOrBMPString{INTEGER:ub-string-length} ::= SET { character-encoding CHOICE {two-octets BMPString(SIZE (1..ub-string-length)), four-octets UniversalString(SIZE (1..ub-string-length))}, iso-639-language-code PrintableString(SIZE (2 | 5)) OPTIONAL } pds-name EXTENSION-ATTRIBUTE ::= {PDSName IDENTIFIED BY 7 } PDSName ::= PrintableString(SIZE (1..ub-pds-name-length)) physical-delivery-country-name EXTENSION-ATTRIBUTE ::= { PhysicalDeliveryCountryName IDENTIFIED BY 8 } PhysicalDeliveryCountryName ::= CHOICE { x121-dcc-code NumericString(SIZE (ub-country-name-numeric-length)), iso-3166-alpha2-code PrintableString(SIZE (ub-country-name-alpha-length)) } postal-code EXTENSION-ATTRIBUTE ::= {PostalCode IDENTIFIED BY 9 } PostalCode ::= CHOICE { numeric-code NumericString(SIZE (1..ub-postal-code-length)), printable-code PrintableString(SIZE (1..ub-postal-code-length)) } physical-delivery-office-name EXTENSION-ATTRIBUTE ::= { PhysicalDeliveryOfficeName IDENTIFIED BY 10 } PhysicalDeliveryOfficeName ::= PDSParameter universal-physical-delivery-office-name EXTENSION-ATTRIBUTE ::= { UniversalPhysicalDeliveryOfficeName IDENTIFIED BY 29 } UniversalPhysicalDeliveryOfficeName ::= UniversalPDSParameter physical-delivery-office-number EXTENSION-ATTRIBUTE ::= { PhysicalDeliveryOfficeNumber IDENTIFIED BY 11 } PhysicalDeliveryOfficeNumber ::= PDSParameter universal-physical-delivery-office-number EXTENSION-ATTRIBUTE ::= { UniversalPhysicalDeliveryOfficeNumber IDENTIFIED BY 30 } UniversalPhysicalDeliveryOfficeNumber ::= UniversalPDSParameter extension-OR-address-components EXTENSION-ATTRIBUTE ::= { ExtensionORAddressComponents IDENTIFIED BY 12 } ExtensionORAddressComponents ::= PDSParameter universal-extension-OR-address-components EXTENSION-ATTRIBUTE ::= { UniversalExtensionORAddressComponents IDENTIFIED BY 31 } UniversalExtensionORAddressComponents ::= UniversalPDSParameter physical-delivery-personal-name EXTENSION-ATTRIBUTE ::= { PhysicalDeliveryPersonalName IDENTIFIED BY 13 } PhysicalDeliveryPersonalName ::= PDSParameter universal-physical-delivery-personal-name EXTENSION-ATTRIBUTE ::= { UniversalPhysicalDeliveryPersonalName IDENTIFIED BY 32 } UniversalPhysicalDeliveryPersonalName ::= UniversalPDSParameter physical-delivery-organization-name EXTENSION-ATTRIBUTE ::= { PhysicalDeliveryOrganizationName IDENTIFIED BY 14 } PhysicalDeliveryOrganizationName ::= PDSParameter universal-physical-delivery-organization-name EXTENSION-ATTRIBUTE ::= {UniversalPhysicalDeliveryOrganizationName IDENTIFIED BY 33 } UniversalPhysicalDeliveryOrganizationName ::= UniversalPDSParameter extension-physical-delivery-address-components EXTENSION-ATTRIBUTE ::= {ExtensionPhysicalDeliveryAddressComponents IDENTIFIED BY 15 } ExtensionPhysicalDeliveryAddressComponents ::= PDSParameter universal-extension-physical-delivery-address-components EXTENSION-ATTRIBUTE ::= {UniversalExtensionPhysicalDeliveryAddressComponents IDENTIFIED BY 34 } UniversalExtensionPhysicalDeliveryAddressComponents ::= UniversalPDSParameter unformatted-postal-address EXTENSION-ATTRIBUTE ::= { UnformattedPostalAddress IDENTIFIED BY 16 } UnformattedPostalAddress ::= SET { printable-address SEQUENCE SIZE (1..ub-pds-physical-address-lines) OF PrintableString(SIZE (1..ub-pds-parameter-length)) OPTIONAL, teletex-string TeletexString(SIZE (1..ub-unformatted-address-length)) OPTIONAL } universal-unformatted-postal-address EXTENSION-ATTRIBUTE ::= { UniversalUnformattedPostalAddress IDENTIFIED BY 35 } UniversalUnformattedPostalAddress ::= UniversalOrBMPString{ub-unformatted-address-length} street-address EXTENSION-ATTRIBUTE ::= {StreetAddress IDENTIFIED BY 17 } StreetAddress ::= PDSParameter universal-street-address EXTENSION-ATTRIBUTE ::= { UniversalStreetAddress IDENTIFIED BY 36 } UniversalStreetAddress ::= UniversalPDSParameter post-office-box-address EXTENSION-ATTRIBUTE ::= { PostOfficeBoxAddress IDENTIFIED BY 18 } PostOfficeBoxAddress ::= PDSParameter universal-post-office-box-address EXTENSION-ATTRIBUTE ::= { UniversalPostOfficeBoxAddress IDENTIFIED BY 37 } UniversalPostOfficeBoxAddress ::= UniversalPDSParameter poste-restante-address EXTENSION-ATTRIBUTE ::= { PosteRestanteAddress IDENTIFIED BY 19 } PosteRestanteAddress ::= PDSParameter universal-poste-restante-address EXTENSION-ATTRIBUTE ::= { UniversalPosteRestanteAddress IDENTIFIED BY 38 } UniversalPosteRestanteAddress ::= UniversalPDSParameter unique-postal-name EXTENSION-ATTRIBUTE ::= {UniquePostalName IDENTIFIED BY 20 } UniquePostalName ::= PDSParameter universal-unique-postal-name EXTENSION-ATTRIBUTE ::= { UniversalUniquePostalName IDENTIFIED BY 39 } UniversalUniquePostalName ::= UniversalPDSParameter local-postal-attributes EXTENSION-ATTRIBUTE ::= { LocalPostalAttributes IDENTIFIED BY 21 } LocalPostalAttributes ::= PDSParameter universal-local-postal-attributes EXTENSION-ATTRIBUTE ::= { UniversalLocalPostalAttributes IDENTIFIED BY 40 } UniversalLocalPostalAttributes ::= UniversalPDSParameter PDSParameter ::= SET { printable-string PrintableString(SIZE (1..ub-pds-parameter-length)) OPTIONAL, teletex-string TeletexString(SIZE (1..ub-pds-parameter-length)) OPTIONAL } UniversalPDSParameter ::= UniversalOrBMPString{ub-pds-parameter-length} extended-network-address EXTENSION-ATTRIBUTE ::= { ExtendedNetworkAddress IDENTIFIED BY 22 } ExtendedNetworkAddress ::= CHOICE { e163-4-address SEQUENCE {number [0] NumericString(SIZE (1..ub-e163-4-number-length)), sub-address [1] NumericString(SIZE (1..ub-e163-4-sub-address-length)) OPTIONAL}, psap-address [0] PresentationAddress } terminal-type EXTENSION-ATTRIBUTE ::= {TerminalType IDENTIFIED BY 23 } TerminalType ::= INTEGER { telex(3), teletex(4), g3-facsimile(5), g4-facsimile(6), ia5-terminal(7), videotex(8)}(0..ub-integer-options) -- Extension Domain-defined Attributes teletex-domain-defined-attributes EXTENSION-ATTRIBUTE ::= { TeletexDomainDefinedAttributes IDENTIFIED BY 6 } TeletexDomainDefinedAttributes ::= SEQUENCE SIZE (1..ub-domain-defined-attributes) OF TeletexDomainDefinedAttribute TeletexDomainDefinedAttribute ::= SEQUENCE { type TeletexString(SIZE (1..ub-domain-defined-attribute-type-length)), value TeletexString(SIZE (1..ub-domain-defined-attribute-value-length)) } universal-domain-defined-attributes EXTENSION-ATTRIBUTE ::= { UniversalDomainDefinedAttributes IDENTIFIED BY 28 } UniversalDomainDefinedAttributes ::= SEQUENCE SIZE (1..ub-domain-defined-attributes) OF UniversalDomainDefinedAttribute UniversalDomainDefinedAttribute ::= SEQUENCE { type UniversalOrBMPString{ub-domain-defined-attribute-type-length}, value UniversalOrBMPString{ub-domain-defined-attribute-value-length} } -- Encoded Information Types EncodedInformationTypes ::= [APPLICATION 5] SET { built-in-encoded-information-types [0] BuiltInEncodedInformationTypes, -- non-basic-parameters --COMPONENTS OF NonBasicParameters, extended-encoded-information-types [4] ExtendedEncodedInformationTypes OPTIONAL } -- Built-in Encoded Information Types BuiltInEncodedInformationTypes ::= BIT STRING { unknown(0), telex(1), ia5-text(2), g3-facsimile(3), g4-class-1(4), teletex(5), videotex(6), voice(7), sfd(8), mixed-mode(9) }(SIZE (0..ub-built-in-encoded-information-types)) -- Extended Encoded Information Types ExtendedEncodedInformationTypes ::= SET SIZE (1..ub-encoded-information-types) OF ExtendedEncodedInformationType ExtendedEncodedInformationType ::= OBJECT IDENTIFIER -- Non-basic Parameters NonBasicParameters ::= SET { g3-facsimile [1] G3FacsimileNonBasicParameters DEFAULT {}, teletex [2] TeletexNonBasicParameters DEFAULT {} } G3FacsimileNonBasicParameters ::= BIT STRING { two-dimensional(8), -- As defined in ITU-T Recommendation T.30 fine-resolution(9), -- unlimited-length(20), -- These bit values are chosen such that when b4-length(21), -- encoded using ASN.1 Basic Encoding Rules a3-width(22), -- the resulting octets have the same values b4-width(23), -- as for T.30 encoding t6-coding(25), -- uncompressed(30), -- Trailing zero bits are not significant. width-middle-864-of-1728(37), -- It is recommended that implementations width-middle-1216-of-1728(38), -- should not encode more than 32 bits unless resolution-type(44), -- higher numbered bits are non-zero. resolution-400x400(45), resolution-300x300(46), resolution-8x15(47), edi(49), dtm(50), bft(51), mixed-mode(58), character-mode(60), twelve-bits(65), preferred-huffmann(66), full-colour(67), jpeg(68), processable-mode-26(71)} TeletexNonBasicParameters ::= SET { graphic-character-sets [0] TeletexString OPTIONAL, control-character-sets [1] TeletexString OPTIONAL, page-formats [2] OCTET STRING OPTIONAL, miscellaneous-terminal-capabilities [3] TeletexString OPTIONAL, private-use [4] OCTET STRING OPTIONAL -- maximum ub-teletex-private-use-length octets -- } TOKEN ::= TYPE-IDENTIFIER -- as defined in CCITT Recommendation T.62 -- Token Token ::= SEQUENCE { token-type-identifier [0] -- TOKEN.&id({TokensTable})-- TokenTypeIdentifier, token [1] --TOKEN.&Type({TokensTable}{@token-type-identifier})-- TokenTypeData } TokenTypeIdentifier ::= OBJECT IDENTIFIER TokenTypeData ::= ANY TokensTable TOKEN ::= {asymmetric-token, ...} asymmetric-token TOKEN ::= { AsymmetricToken IDENTIFIED BY id-tok-asymmetricToken } AsymmetricTokenData ::= -- SIGNED -- {--SEQUENCE {signature-algorithm-identifier AlgorithmIdentifier, name CHOICE {recipient-name RecipientName, mta [3] MTANameAndOptionalGDI }, time Time, signed-data [0] TokenData OPTIONAL, encryption-algorithm-identifier [1] AlgorithmIdentifier OPTIONAL, encrypted-data [2] --ENCRYPTED{TokenData}-- BIT STRING OPTIONAL} --} MTANameAndOptionalGDI ::= SEQUENCE { global-domain-identifier GlobalDomainIdentifier OPTIONAL, mta-name MTAName } AsymmetricToken ::= SEQUENCE { asymmetric-token-data AsymmetricTokenData, algorithm-identifier AlgorithmIdentifier, encrypted BIT STRING } TokenData ::= SEQUENCE { type [0] -- TOKEN-DATA.&id({TokenDataTable})-- TokenDataType, value [1] TOKEN-DATA.&Type({TokenDataTable}{@type}) } TokenDataType ::= INTEGER { bind-token-signed-data (1), message-token-signed-data (2), message-token-encrypted-data (3), bind-token-encrypted-data(4) } TOKEN-DATA ::= CLASS {&id INTEGER UNIQUE, &Type }WITH SYNTAX {&Type IDENTIFIED BY &id } TokenDataTable TOKEN-DATA ::= {bind-token-signed-data | message-token-signed-data | message-token-encrypted-data | bind-token-encrypted-data, ...} bind-token-signed-data TOKEN-DATA ::= {BindTokenSignedData IDENTIFIED BY 1 } BindTokenSignedData ::= RandomNumber RandomNumber ::= BIT STRING message-token-signed-data TOKEN-DATA ::= { MessageTokenSignedData IDENTIFIED BY 2 } MessageTokenSignedData ::= SEQUENCE { content-confidentiality-algorithm-identifier [0] ContentConfidentialityAlgorithmIdentifier OPTIONAL, content-integrity-check [1] ContentIntegrityCheck OPTIONAL, message-security-label [2] MessageSecurityLabel OPTIONAL, proof-of-delivery-request [3] ProofOfDeliveryRequest OPTIONAL, message-sequence-number [4] INTEGER OPTIONAL } message-token-encrypted-data TOKEN-DATA ::= { MessageTokenEncryptedData IDENTIFIED BY 3 } MessageTokenEncryptedData ::= SEQUENCE { content-confidentiality-key [0] EncryptionKey OPTIONAL, content-integrity-check [1] ContentIntegrityCheck OPTIONAL, message-security-label [2] MessageSecurityLabel OPTIONAL, content-integrity-key [3] EncryptionKey OPTIONAL, message-sequence-number [4] INTEGER OPTIONAL } EncryptionKey ::= BIT STRING bind-token-encrypted-data TOKEN-DATA ::= { BindTokenEncryptedData IDENTIFIED BY 4 } BindTokenEncryptedData ::= EXTERNAL -- Security Label SecurityLabel ::= SET { security-policy-identifier SecurityPolicyIdentifier OPTIONAL, security-classification SecurityClassification OPTIONAL, privacy-mark PrivacyMark OPTIONAL, security-categories SecurityCategories OPTIONAL } SecurityPolicyIdentifier ::= OBJECT IDENTIFIER SecurityClassification ::= INTEGER { unmarked(0), unclassified(1), restricted(2), confidential(3), secret(4), top-secret(5)}(0..ub-integer-options) PrivacyMark ::= PrintableString(SIZE (1..ub-privacy-mark-length)) SecurityCategories ::= SET SIZE (1..ub-security-categories) OF SecurityCategory SECURITY-CATEGORY ::= TYPE-IDENTIFIER SecurityCategory ::= SEQUENCE { type [0] --SECURITY-CATEGORY.&id({SecurityCategoriesTable})-- SecurityCategoryIdentifier, value [1] --SECURITY-CATEGORY.&Type({SecurityCategoriesTable}{@type})-- SecurityCategoryValue } SecurityCategoryIdentifier ::= OBJECT IDENTIFIER SecurityCategoryValue ::= ANY SecurityCategoriesTable SECURITY-CATEGORY ::= {...} END -- of MTSAbstractService -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p1/MTSAccessProtocol.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x411/1999/index.html -- Module MTSAccessProtocol (X.419:06/1999) MTSAccessProtocol {joint-iso-itu-t mhs(6) protocols(0) modules(0) mts-access-protocol(1) version-1999(1)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue IMPORTS -- MTS Abstract Service administration, delivery, mts-access-contract, mts-connect, mts-forced-access-contract, submission --== FROM MTSAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1999(1)} -- MTS Abstract Service (1988) administration-88, delivery-88, mts-access-contract-88, mts-forced-access-contract-88 --== FROM MTSAbstractService88 {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1988(1988)} -- Remote Operations APPLICATION-CONTEXT --== FROM Remote-Operations-Information-Objects-extensions {joint-iso-itu-t remote-operations(4) informationObjects-extensions(8) version1(0)} Code --== FROM Remote-Operations-Information-Objects {joint-iso-itu-t remote-operations(4) informationObjects(5) version1(0)} -- Bind{} ,-- InvokeId --, Unbind{} -- --== FROM Remote-Operations-Generic-ROS-PDUs {joint-iso-itu-t remote-operations(4) generic-ROS-PDUs(6) version1(0)} -- ROS-SingleAS{} --== -- FROM Remote-Operations-Useful-Definitions {joint-iso-itu-t -- remote-operations(4) useful-definitions(7) version1(0)} acse, association-by-RTSE, pData, transfer-by-RTSE --== FROM Remote-Operations-Realizations {joint-iso-itu-t remote-operations(4) realizations(9) version1(0)} acse-abstract-syntax --== FROM Remote-Operations-Abstract-Syntaxes {joint-iso-itu-t remote-operations(4) remote-operations-abstract-syntaxes(12) version1(0)} -- Reliable Transfer RTORQapdu, RTOACapdu, RTORJapdu FROM Reliable-Transfer-APDU {joint-iso-itu-t reliable-transfer(3) apdus(0)} -- Object Identifiers id-ac-mts-access-88, id-ac-mts-access-94, id-ac-mts-forced-access-88, id-ac-mts-forced-access-94, id-ac-mts-forced-reliable-access-88, id-ac-mts-forced-reliable-access-94, id-ac-mts-reliable-access-88, id-ac-mts-reliable-access-94, id-as-mase-88, id-as-mase-94, id-as-mdse-88, id-as-mdse-94, id-as-msse, id-as-mts, id-as-mts-rtse --== FROM MHSProtocolObjectIdentifiers {joint-iso-itu-t mhs(6) protocols(0) modules(0) object-identifiers(0) version-1994(0)}; RTSE-apdus ::= CHOICE { rtorq-apdu [16] IMPLICIT RTORQapdu, rtoac-apdu [17] IMPLICIT RTOACapdu, rtorj-apdu [18] IMPLICIT RTORJapdu, rttp-apdu RTTPapdu, rttr-apdu RTTRapdu, rtab-apdu [22] IMPLICIT RTABapdu } RTTPapdu ::= -- priority-- INTEGER RTTRapdu ::= OCTET STRING RTABapdu ::= SET { abortReason [0] IMPLICIT AbortReason OPTIONAL, reflectedParameter [1] IMPLICIT BIT STRING OPTIONAL, -- 8 bits maximum, only if abortReason is invalidParameter userdataAB [2] --TYPE-IDENTIFIER.&Type-- OBJECT IDENTIFIER OPTIONAL -- only in normal mode and if abortReason-- -- is userError } AbortReason ::= INTEGER { localSystemProblem(0), invalidParameter(1), -- reflectedParameter supplied unrecognizedActivity(2), temporaryProblem(3), -- the RTSE cannot accept a session for a period of time protocolError(4), -- RTSE level protocol error permanentProblem(5), --provider-abort solely in normal mode userError(6), -- user-abort solely in normal mode transferCompleted(7) -- activity can't be discarded--} -- APPLICATION CONTEXTS -- 1994 Application Contexts omitting RTSE -- MTS-user initiated mts-access-94 APPLICATION-CONTEXT ::= { CONTRACT mts-access-contract ESTABLISHED BY acse INFORMATION TRANSFER BY pData ABSTRACT SYNTAXES {acse-abstract-syntax | message-submission-abstract-syntax | message-delivery-abstract-syntax | message-administration-abstract-syntax-94 | mts-bind-unbind-abstract-syntax} APPLICATION CONTEXT NAME id-ac-mts-access-94 } -- MTS initiated mts-forced-access-94 APPLICATION-CONTEXT ::= { CONTRACT mts-forced-access-contract ESTABLISHED BY acse INFORMATION TRANSFER BY pData ABSTRACT SYNTAXES {acse-abstract-syntax | message-submission-abstract-syntax | message-delivery-abstract-syntax | message-administration-abstract-syntax-94 | mts-bind-unbind-abstract-syntax} APPLICATION CONTEXT NAME id-ac-mts-forced-access-94 } -- 1994 Application Contexts including RTSE in normal mode -- MTS-user initiated mts-reliable-access-94 APPLICATION-CONTEXT ::= { CONTRACT mts-access-contract ESTABLISHED BY association-by-RTSE INFORMATION TRANSFER BY transfer-by-RTSE ABSTRACT SYNTAXES {acse-abstract-syntax | message-submission-abstract-syntax | message-delivery-abstract-syntax | message-administration-abstract-syntax-94 | mts-bind-unbind-rtse-abstract-syntax} APPLICATION CONTEXT NAME id-ac-mts-reliable-access-94 } -- MTS initiated mts-forced-reliable-access-94 APPLICATION-CONTEXT ::= { CONTRACT mts-forced-access-contract ESTABLISHED BY association-by-RTSE INFORMATION TRANSFER BY transfer-by-RTSE ABSTRACT SYNTAXES {acse-abstract-syntax | message-submission-abstract-syntax | message-delivery-abstract-syntax | message-administration-abstract-syntax-94 | mts-bind-unbind-rtse-abstract-syntax} APPLICATION CONTEXT NAME id-ac-mts-forced-reliable-access-94 } -- 1988 Application Contexts omitting RTSE -- MTS-user initiated mts-access-88 APPLICATION-CONTEXT ::= { CONTRACT mts-access-contract-88 ESTABLISHED BY acse INFORMATION TRANSFER BY pData ABSTRACT SYNTAXES {acse-abstract-syntax | message-submission-abstract-syntax | message-delivery-abstract-syntax-88 | message-administration-abstract-syntax-88 | mts-bind-unbind-abstract-syntax} APPLICATION CONTEXT NAME id-ac-mts-access-88 } -- MTS initiated mts-forced-access-88 APPLICATION-CONTEXT ::= { CONTRACT mts-forced-access-contract-88 ESTABLISHED BY acse INFORMATION TRANSFER BY pData ABSTRACT SYNTAXES {acse-abstract-syntax | message-submission-abstract-syntax | message-delivery-abstract-syntax-88 | message-administration-abstract-syntax-88 | mts-bind-unbind-abstract-syntax} APPLICATION CONTEXT NAME id-ac-mts-forced-access-88 } -- 1988 Application Contexts including RTSE in normal mode -- MTS-user initiated mts-reliable-access-88 APPLICATION-CONTEXT ::= { CONTRACT mts-access-contract-88 ESTABLISHED BY association-by-RTSE INFORMATION TRANSFER BY transfer-by-RTSE ABSTRACT SYNTAXES {acse-abstract-syntax | message-submission-abstract-syntax | message-delivery-abstract-syntax-88 | message-administration-abstract-syntax-88 | mts-bind-unbind-rtse-abstract-syntax} APPLICATION CONTEXT NAME id-ac-mts-reliable-access-88 } -- MTS initiated mts-forced-reliable-access-88 APPLICATION-CONTEXT ::= { CONTRACT mts-forced-access-contract-88 ESTABLISHED BY association-by-RTSE INFORMATION TRANSFER BY transfer-by-RTSE ABSTRACT SYNTAXES {acse-abstract-syntax | message-submission-abstract-syntax | message-delivery-abstract-syntax-88 | message-administration-abstract-syntax-88 | mts-bind-unbind-rtse-abstract-syntax} APPLICATION CONTEXT NAME id-ac-mts-forced-reliable-access-88 } -- ABSTRACT-SYNTAXES -- Abstract Syntax for MTS-Bind and MTS-Unbind mts-bind-unbind-abstract-syntax ABSTRACT-SYNTAX ::= { MTSBindUnbindPDUs IDENTIFIED BY id-as-mts } --MTSBindUnbindPDUs ::= CHOICE { -- bind Bind{mts-connect.&bind}, -- unbind Unbind{mts-connect.&unbind} --} -- Abstract Syntax for MTS-Bind and MTS-Unbind with RTSE mts-bind-unbind-rtse-abstract-syntax ABSTRACT-SYNTAX ::= { RTSE-apdus -- With MTS Bind and MTS Unbind -- IDENTIFIED BY id-as-mts-rtse } -- Abstract Syntax for Message Submission Service Element message-submission-abstract-syntax ABSTRACT-SYNTAX ::= { MessageSubmissionPDUs IDENTIFIED BY id-as-msse } --MessageSubmissionPDUs ::= ROS-SingleAS{{MTSInvokeIds}, submission} MTSInvokeIds ::= InvokeId -- (ALL EXCEPT absent:NULL) -- Remote Operations op-message-submission Code ::= local:3 op-probe-submission Code ::= local:4 op-cancel-deferred-delivery Code ::= local:7 op-submission-control Code ::= local:2 -- Remote Errors err-submission-control-violated Code ::= local:1 err-element-of-service-not-subscribed Code ::= local:4 err-deferred-delivery-cancellation-rejected Code ::= local:8 err-originator-invalid Code ::= local:2 err-recipient-improperly-specified Code ::= local:3 err-message-submission-identifier-invalid Code ::= local:7 err-inconsistent-request Code ::= local:11 err-security-error Code ::= local:12 err-unsupported-critical-function Code ::= local:13 err-remote-bind-error Code ::= local:15 -- Abstract Syntax for Message Delivery Service Element 1994 message-delivery-abstract-syntax ABSTRACT-SYNTAX ::= { MessageDeliveryPDUs IDENTIFIED BY id-as-mdse-94 } --MessageDeliveryPDUs ::= ROS-SingleAS{{MTSInvokeIds}, delivery} -- Abstract Syntax for Message Delivery Service Element 1988 message-delivery-abstract-syntax-88 ABSTRACT-SYNTAX ::= { MessageDeliveryPDUs88 IDENTIFIED BY id-as-mdse-88 } --MessageDeliveryPDUs88 ::= ROS-SingleAS{{MTSInvokeIds}, delivery-88} -- Remote Operations op-message-delivery Code ::= local:5 op-report-delivery Code ::= local:6 op-delivery-control Code ::= local:2 -- Remote Errors err-delivery-control-violated Code ::= local:1 err-control-violates-registration Code ::= local:14 err-operation-refused Code ::= local:16 -- Abstract Syntax for Message Administration Service Element 1994 message-administration-abstract-syntax-94 ABSTRACT-SYNTAX ::= { MessageAdministrationPDUs IDENTIFIED BY id-as-mase-94 } --MessageAdministrationPDUs ::= ROS-SingleAS{{MTSInvokeIds}, administration} -- Abstract Syntax for Message Administration Service Element 1988 message-administration-abstract-syntax-88 ABSTRACT-SYNTAX ::= { MessageAdministrationPDUs88 IDENTIFIED BY id-as-mase-88 } --MessageAdministrationPDUs88 ::= ROS-SingleAS{{MTSInvokeIds}, administration-88} -- Remote Operations op-register Code ::= local:1 op-change-credentials Code ::= local:8 -- Remote Errors err-register-rejected Code ::= local:10 err-new-credentials-unacceptable Code ::= local:6 err-old-credentials-incorrectly-specified Code ::= local:5 END -- of MTSAccessProtocol -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p1/MTSUpperBounds.asn
-- Module MTSUpperBounds (X.411:06/1999) -- See also ITU-T X.411 (06/1999) -- See also the index of all ASN.1 assignments needed in this document MTSUpperBounds {joint-iso-itu-t mhs(6) mts(3) modules(0) upper-bounds(3) version-1999(1)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything IMPORTS -- nothing -- ; -- Upper Bounds ub-additional-info INTEGER ::= 1024 ub-bilateral-info INTEGER ::= 1024 ub-bit-options INTEGER ::= 16 ub-built-in-content-type INTEGER ::= 32767 ub-built-in-encoded-information-types INTEGER ::= 32 ub-certificates INTEGER ::= 64 ub-common-name-length INTEGER ::= 64 ub-content-correlator-length INTEGER ::= 512 ub-content-id-length INTEGER ::= 16 ub-content-length INTEGER ::= 2147483647 -- the largest integer in 32 bits ub-content-types INTEGER ::= 1024 ub-country-name-alpha-length INTEGER ::= 2 ub-country-name-numeric-length INTEGER ::= 3 ub-diagnostic-codes INTEGER ::= 32767 ub-deliverable-class INTEGER ::= 256 ub-dl-expansions INTEGER ::= 512 ub-domain-defined-attributes INTEGER ::= 4 ub-domain-defined-attribute-type-length INTEGER ::= 8 ub-domain-defined-attribute-value-length INTEGER ::= 128 ub-domain-name-length INTEGER ::= 16 ub-encoded-information-types INTEGER ::= 1024 ub-extension-attributes INTEGER ::= 256 ub-extension-types INTEGER ::= 256 ub-e163-4-number-length INTEGER ::= 15 ub-e163-4-sub-address-length INTEGER ::= 40 ub-generation-qualifier-length INTEGER ::= 3 ub-given-name-length INTEGER ::= 16 ub-initials-length INTEGER ::= 5 ub-integer-options INTEGER ::= 256 ub-labels-and-redirections INTEGER ::= 256 ub-local-id-length INTEGER ::= 32 ub-mta-name-length INTEGER ::= 32 ub-mts-user-types INTEGER ::= 256 ub-numeric-user-id-length INTEGER ::= 32 ub-organization-name-length INTEGER ::= 64 ub-organizational-unit-name-length INTEGER ::= 32 ub-organizational-units INTEGER ::= 4 ub-orig-and-dl-expansions INTEGER ::= 513 -- ub-dl-expansions plus one ub-password-length INTEGER ::= 62 ub-pds-name-length INTEGER ::= 16 ub-pds-parameter-length INTEGER ::= 30 ub-pds-physical-address-lines INTEGER ::= 6 ub-postal-code-length INTEGER ::= 16 ub-privacy-mark-length INTEGER ::= 128 ub-queue-size INTEGER ::= 2147483647 -- the largest integer in 32 bits ub-reason-codes INTEGER ::= 32767 ub-recipient-number-for-advice-length INTEGER ::= 32 ub-recipients INTEGER ::= 32767 ub-redirection-classes INTEGER ::= 256 ub-redirections INTEGER ::= 512 ub-restrictions INTEGER ::= 1024 ub-security-categories INTEGER ::= 64 ub-security-labels INTEGER ::= 256 ub-security-problems INTEGER ::= 256 ub-string-length INTEGER ::= 2147483647 -- TODO: find the correct value ub-supplementary-info-length INTEGER ::= 256 ub-surname-length INTEGER ::= 40 ub-teletex-private-use-length INTEGER ::= 128 ub-terminal-id-length INTEGER ::= 24 ub-transfers INTEGER ::= 512 ub-tsap-id-length INTEGER ::= 16 ub-unformatted-address-length INTEGER ::= 180 ub-universal-generation-qualifier-length INTEGER ::= 16 ub-universal-given-name-length INTEGER ::= 40 ub-universal-initials-length INTEGER ::= 16 ub-universal-surname-length INTEGER ::= 64 ub-x121-address-length INTEGER ::= 16 END -- of MTSUpperBounds -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
Configuration
wireshark/epan/dissectors/asn1/p1/p1.cnf
# p1.cnf # X.411 (MTA Access and Transfer) conformance file #.TYPE_ATTR CountryName TYPE = FT_UINT32 DISPLAY = BASE_DEC STRINGS = VALS(p1_CountryName_U_vals) BITMASK = 0 Time TYPE = FT_STRING DISPLAY = BASE_NONE STRING = NULL BITMASK = 0 #.IMPORT ../x509ce/x509ce-exp.cnf #.IMPORT ../x509if/x509if-exp.cnf #.IMPORT ../x509sat/x509sat-exp.cnf #.IMPORT ../x509af/x509af-exp.cnf #.IMPORT ../ros/ros-exp.cnf #.IMPORT ../rtse/rtse-exp.cnf #.OMIT_ASSIGNMENT # These gives unused code warnings MTAOriginatorRequestedAlternateRecipient #The following are only referenced through the SIGNATURE MACRO #and so have no representation on the wire. ProofOfDeliveryAlgorithmIdentifier ContentIntegrityAlgorithmIdentifier MessageOriginAuthenticationAlgorithmIdentifier ProbeOriginAuthenticationAlgorithmIdentifier ReportOriginAuthenticationAlgorithmIdentifier ProofOfSubmissionAlgorithmIdentifier BilateralDomain DeliveryControls RTSE-apdus MTSInvokeIds ID RTTPapdu RTTRapdu RTABapdu AbortReason #.END #.OMIT_ASSIGNMENT PerRecipientReportFields #PerRecipientReportFields/report-type #.NO_EMIT # These fields are only used through COMPONENTS OF, # and consequently generate unused code warnings PerMessageTransferFields PerProbeTransferFields PerReportTransferFields PerMessageSubmissionFields PerProbeSubmissionFields PerReportDeliveryFields PerRecipientDeliveryReportFields PerRecipientNonDeliveryReportFields InternalAdditionalActions AdditionalActions NonBasicParameters #.END #.EXPORTS EXTENSION Content ContentIdentifier ContentIntegrityCheck ContentLength ContentType Credentials EncodedInformationTypes EncodedInformationTypesConstraints ExtendedCertificates ExtendedContentType ExtensionField G3FacsimileNonBasicParameters ImproperlySpecifiedRecipients InitiatorCredentials MessageDeliveryIdentifier MessageDeliveryTime MessageOriginAuthenticationCheck MessageSecurityLabel MessageSecurityLabel_PDU MessageSubmissionEnvelope MessageSubmissionIdentifier MessageSubmissionTime MessageToken ORAddress ORAddressAndOrDirectoryName OriginatorName ORName OriginalEncodedInformationTypes OriginatingMTACertificate OtherMessageDeliveryFields PerMessageIndicators PerRecipientProbeSubmissionFields ProbeSubmissionEnvelope ProbeSubmissionIdentifier ProbeSubmissionTime ProofOfSubmission RequestedDeliveryMethod ResponderCredentials SecurityContext SecurityLabel SecurityProblem SupplementaryInformation TeletexNonBasicParameters UniversalOrBMPString NonDeliveryReasonCode NonDeliveryDiagnosticCode #.SYNTAX ORAddress ORName # Forward declaration of Classes # CONNECTION-PACKAGE CONTRACT from ROS #.CLASS CONNECTION-PACKAGE &bind ClassReference OPERATION &unbind ClassReference OPERATION &responderCanUnbind BooleanType &unbindCanFail BooleanType &id ObjectIdentifierType #.END #.CLASS APPLICATION-CONTEXT &associationContract ClassReference CONTRACT &associationRealization &transferRealization &AbstractSyntaxes ClassReference ABSTRACT-SYNTAX &applicationContextName ObjectIdentifierType #.END #.CLASS CONTRACT &connection ClassReference CONNECTION-PACKAGE &OperationsOf ClassReference OPERATION-PACKAGE &InitiatorConsumerOf ClassReference OPERATION-PACKAGE &InitiatorSupplierOf ClassReference OPERATION-PACKAGE &id ObjectIdentifierType #.END #.CLASS MHS-OBJECT &Is ClassReference MHS-OBJECT &Initiates ClassReference CONTRACT &Responds ClassReference CONTRACT &InitiatesAndResponds ClassReference CONTRACT &id ObjectIdentifierType #.END # Ros OPERATION #.CLASS ABSTRACT-OPERATION &ArgumentType &argumentTypeOptional BooleanType &returnResult BooleanType &ResultType &resultTypeOptional BooleanType &Errors ClassReference ERROR &Linked ClassReference OPERATION &synchronous BooleanType &alwaysReturns BooleanType &InvokePriority _FixedTypeValueSetFieldSpec &ResultPriority _FixedTypeValueSetFieldSpec &operationCode TypeReference Code #.END # ros ERROR #.CLASS ABSTRACT-ERROR &ParameterType &parameterTypeOptional BooleanType &ErrorPriority _FixedTypeValueSetFieldSpec &errorCode TypeReference Code #.END #.CLASS EXTENSION &id TypeReference ExtensionType &Type &absent _VariableTypeValueSetFieldSpec &recommended TypeReference Criticality #.END #.CLASS EXTENSION-ATTRIBUTE &id IntegerType &Type #.END #.CLASS TOKEN-DATA &id IntegerType &Type #.END #.TYPE_RENAME MTABindArgument/authenticated AuthenticatedArgument MTABindResult/authenticated AuthenticatedResult ExtensionField/value ExtensionValue SecurityCategory/value CategoryValue #.FIELD_RENAME PrivateDomainName/printable printable-private-domain-name PrivateDomainName/numeric numeric-private-domain-name PrivateDomainIdentifier/printable printable-private-domain-identifier PrivateDomainIdentifier/numeric numeric-private-domain-identifier TeletexPersonalName/surname teletex-surname PersonalName/surname printable-surname UniversalPersonalName/surname universal-surname TeletexPersonalName/given-name teletex-given-name PersonalName/given-name printable-given-name UniversalPersonalName/given-name universal-given-name TeletexPersonalName/initials teletex-initials PersonalName/initials printable-initials UniversalPersonalName/initials universal-initials TeletexPersonalName/generation-qualifier teletex-generation-qualifier PersonalName/generation-qualifier printable-generation-qualifier UniversalPersonalName/generation-qualifier universal-generation-qualifier BuiltInDomainDefinedAttribute/type printable-type UniversalDomainDefinedAttribute/type universal-type SecurityCategory/type category-type ExtensionField/type extension-type TeletexDomainDefinedAttribute/value teletex-value BuiltInDomainDefinedAttribute/value printable-value UniversalDomainDefinedAttribute/value universal-value SecurityCategory/value category-value ExtensionField/value extension-value LastTraceInformation/report-type trace-report-type PerRecipientReportDeliveryFields/report-type delivery-report-type #PerRecipientReportFields/report-type/delivery report-type-delivery PerRecipientMessageSubmissionFields/recipient-name submission-recipient-name PerRecipientProbeSubmissionFields/recipient-name probe-recipient-name PerRecipientReportTransferFields/actual-recipient-name mta-actual-recipient-name MessageClass/priority class-priority DeliveryQueue/octets delivery-queue-octets #PerRecipientReportFields/report-type/non-delivery non-delivery-report MTABindResult/authenticated authenticated-result MTABindArgument/authenticated authenticated-argument MTABindResult/authenticated/responder-name authenticated-responder-name MTABindArgument/authenticated/initiator-name authenticated-initiator-name RegistrationTypes/extensions type-extensions RegistrationTypes/extensions/_item type-extensions-item MessageSubmissionArgument/envelope message-submission-envelope OtherMessageDeliveryFields/content-type delivered-content-type Report/content report-content ReportDeliveryResult/extensions max-extensions OtherMessageDeliveryFields/originator-name delivered-originator-name PDSParameter/teletex-string pds-teletex-string PerDomainBilateralInformation/domain bilateral-domain Report/envelope report-envelope Message/envelope message-envelope PerRecipientReportTransferFields/originally-intended-recipient-name report-originally-intended-recipient-name MessageSubmissionEnvelope/originator-name mts-originator-name ProbeSubmissionEnvelope/originator-name mts-originator-name MessageTransferEnvelope/originator-name mta-originator-name ProbeTransferEnvelope/originator-name mta-originator-name MessageSubmissionEnvelope/per-recipient-fields per-recipient-message-submission-fields ProbeTransferEnvelope/per-recipient-fields per-recipient-probe-transfer-fields ProbeSubmissionEnvelope/per-recipient-fields per-recipient-probe-submission-fields ReportDeliveryArgument/per-recipient-fields per-recipient-report-delivery-fields ReportDeliveryEnvelope/per-recipient-fields per-recipient-report-delivery-fields MessageSubmissionEnvelope/per-recipient-fields/_item per-recipient-message-submission-fields-item ProbeTransferEnvelope/per-recipient-fields/_item per-recipient-probe-transfer-fields-item ProbeSubmissionEnvelope/per-recipient-fields/_item per-recipient-probe-submission-fields-item ReportDeliveryArgument/per-recipient-fields/_item per-recipient-report-delivery-fields-item ReportDeliveryEnvelope/per-recipient-fields/_item per-recipient-report-delivery-fields-item MessageTransferEnvelope/per-recipient-fields/_item per-recipient-message-fields-item MessageTransferEnvelope/per-recipient-fields per-recipient-message-fields ReportTransferContent/per-recipient-fields per-recipient-report-fields AsymmetricTokenData/name/mta token-mta AsymmetricTokenData/name/recipient-name token-recipient-name TokenData/type token-data-type CertificateSelectors/content-integrity-check selectors-content-integrity-check PerMessageTransferFields/originator-name perMessageTransferFields_originator-name PerProbeTransferFields/originator-name perProbeTransferFields_originator-name PerMessageSubmissionFields/originator-name perMessageSubmissionFields_originator-name PerProbeSubmissionFields/originator-name perProbeSubmissionFields_originator-name #.FIELD_ATTR PerMessageTransferFields/originator-name ABBREV=perMessageTransferFields.originator-name PerProbeTransferFields/originator-name ABBREV=perProbeTransferFields.originator-name PerMessageSubmissionFields/originator-name ABBREV=perMessageSubmissionFields.originator-name PerProbeSubmissionFields/originator-name ABBREV=perProbeSubmissionFields.originator-name MTABindArgument/authenticated/initiator-name ABBREV=authenticated.initiator-name MTABindResult/authenticated/responder-name ABBREV=authenticated.responder-name DeliveryQueue/octets ABBREV=delivery-queue.octets BuiltInDomainDefinedAttribute/type ABBREV=printable.type UniversalDomainDefinedAttribute/type ABBREV=universal.type SecurityCategory/type ABBREV=category.type ExtensionField/type ABBREV=extension.type TokenData/type ABBREV=token-data-type # This table creates the value_sting to name P3 operation codes and errors # in file packet-p3-table.c which is included in the template file # #.TABLE_HDR /* P3 ABSTRACT-OPERATIONS */ const value_string p3_opr_code_string_vals[] = { #.TABLE_BODY OPERATION { %(&operationCode)s, "%(_ident)s" }, #.TABLE_FTR { 0, NULL } }; #.END #.TABLE_HDR /* P3 ERRORS */ static const value_string p3_err_code_string_vals[] = { #.TABLE_BODY ERROR { %(&errorCode)s, "%(_ident)s" }, #.TABLE_FTR { 0, NULL } }; #.END # Create a table of opcode and corresponding args and res #.TABLE11_HDR static const ros_opr_t p3_opr_tab[] = { #.TABLE11_BODY OPERATION /* %(_name)s */ { %(&operationCode)-25s, %(_argument_pdu)s, %(_result_pdu)s }, #.TABLE11_FTR { 0, (dissector_t)(-1), (dissector_t)(-1) }, }; #.END #.TABLE21_HDR static const ros_err_t p3_err_tab[] = { #.TABLE21_BODY ERROR /* %(_name)s*/ { %(&errorCode)s, %(_parameter_pdu)s }, #.TABLE21_FTR { 0, (dissector_t)(-1) }, }; #.END #.PDU ERROR.&ParameterType OPERATION.&ArgumentType OPERATION.&ResultType #.END #.REGISTER RecipientReassignmentProhibited N p1.extension 1 OriginatorRequestedAlternateRecipient N p1.extension 2 DLExpansionProhibited N p1.extension 3 ConversionWithLossProhibited N p1.extension 4 LatestDeliveryTime N p1.extension 5 RequestedDeliveryMethod N p1.extension 6 PhysicalForwardingProhibited N p1.extension 7 PhysicalForwardingAddressRequest N p1.extension 8 PhysicalDeliveryModes N p1.extension 9 RegisteredMailType N p1.extension 10 RecipientNumberForAdvice N p1.extension 11 PhysicalRenditionAttributes N p1.extension 12 OriginatorReturnAddress N p1.extension 13 PhysicalDeliveryReportRequest N p1.extension 14 OriginatorCertificate N p1.extension 15 MessageToken N p1.extension 16 ContentConfidentialityAlgorithmIdentifier N p1.extension 17 ContentIntegrityCheck N p1.extension 18 MessageOriginAuthenticationCheck N p1.extension 19 MessageSecurityLabel N p1.extension 20 ProofOfSubmissionRequest N p1.extension 21 ProofOfDeliveryRequest N p1.extension 22 ContentCorrelator N p1.extension 23 ProbeOriginAuthenticationCheck N p1.extension 24 RedirectionHistory N p1.extension 25 DLExpansionHistory N p1.extension 26 PhysicalForwardingAddress N p1.extension 27 RecipientCertificate N p1.extension 28 ProofOfDelivery N p1.extension 29 OriginatorAndDLExpansionHistory N p1.extension 30 ReportingDLName N p1.extension 31 ReportingMTACertificate N p1.extension 32 ReportOriginAuthenticationCheck N p1.extension 33 OriginatingMTACertificate N p1.extension 34 ProofOfSubmission N p1.extension 35 TraceInformation N p1.extension 37 InternalTraceInformation N p1.extension 38 ReportingMTAName N p1.extension 39 ExtendedCertificates N p1.extension 40 DLExemptedRecipients N p1.extension 42 CertificateSelectors N p1.extension 45 CommonName N p1.extension-attribute 1 TeletexCommonName N p1.extension-attribute 2 TeletexOrganizationName N p1.extension-attribute 3 TeletexPersonalName N p1.extension-attribute 4 TeletexOrganizationalUnitNames N p1.extension-attribute 5 TeletexDomainDefinedAttributes N p1.extension-attribute 6 PDSName N p1.extension-attribute 7 PhysicalDeliveryCountryName N p1.extension-attribute 8 PostalCode N p1.extension-attribute 9 PhysicalDeliveryOfficeName N p1.extension-attribute 10 PhysicalDeliveryOfficeNumber N p1.extension-attribute 11 ExtensionORAddressComponents N p1.extension-attribute 12 PhysicalDeliveryPersonalName N p1.extension-attribute 13 PhysicalDeliveryOrganizationName N p1.extension-attribute 14 ExtensionPhysicalDeliveryAddressComponents N p1.extension-attribute 15 UnformattedPostalAddress N p1.extension-attribute 16 StreetAddress N p1.extension-attribute 17 PostOfficeBoxAddress N p1.extension-attribute 18 PosteRestanteAddress N p1.extension-attribute 19 UniquePostalName N p1.extension-attribute 20 LocalPostalAttributes N p1.extension-attribute 21 ExtendedNetworkAddress N p1.extension-attribute 22 TerminalType N p1.extension-attribute 23 UniversalCommonName N p1.extension-attribute 24 UniversalOrganizationName N p1.extension-attribute 25 UniversalPersonalName N p1.extension-attribute 26 UniversalOrganizationalUnitNames N p1.extension-attribute 27 UniversalDomainDefinedAttributes N p1.extension-attribute 28 UniversalPhysicalDeliveryOfficeName N p1.extension-attribute 29 UniversalPhysicalDeliveryOfficeNumber N p1.extension-attribute 30 UniversalExtensionORAddressComponents N p1.extension-attribute 31 UniversalPhysicalDeliveryPersonalName N p1.extension-attribute 32 UniversalPhysicalDeliveryOrganizationName N p1.extension-attribute 33 UniversalExtensionPhysicalDeliveryAddressComponents N p1.extension-attribute 34 UniversalUnformattedPostalAddress N p1.extension-attribute 35 UniversalStreetAddress N p1.extension-attribute 36 UniversalPostOfficeBoxAddress N p1.extension-attribute 37 UniversalPosteRestanteAddress N p1.extension-attribute 38 UniversalUniquePostalName N p1.extension-attribute 39 UniversalLocalPostalAttributes N p1.extension-attribute 40 #ReportDeliveryArgument B "2.6.1.4.14" "id-et-report" AsymmetricToken B "2.6.3.6.0" "id-tok-asymmetricToken" MTANameAndOptionalGDI B "2.6.5.6.0" "id-on-mtaName" BindTokenSignedData N p1.tokendata 1 MessageTokenSignedData N p1.tokendata 2 # the next two are unlikely to ever be seen (unless in a bad encoding) MessageTokenEncryptedData N p1.tokendata 3 BindTokenEncryptedData N p1.tokendata 4 # X402 - see master list in acp133.cnf ContentLength B "2.6.5.2.0" "id-at-mhs-maximum-content-length" ExtendedContentType B "2.6.5.2.1" "id-at-mhs-deliverable-content-types" ExtendedEncodedInformationType B "2.6.5.2.2" "id-at-mhs-exclusively-acceptable-eits" ORName B "2.6.5.2.3" "id-at-mhs-dl-members" ORAddress B "2.6.5.2.6" "id-at-mhs-or-addresses" ExtendedContentType B "2.6.5.2.9" "id-at-mhs-supported-content-types" ORName B "2.6.5.2.12" "id-at-mhs-dl-archive-service" ORName B "2.6.5.2.15" "id-at-mhs-dl-subscription-service" ExtendedEncodedInformationType B "2.6.5.2.17" "id-at-mhs-acceptable-eits" ExtendedEncodedInformationType B "2.6.5.2.18" "id-at-mhs-unacceptable-eits" # ACP133 - see master list in acp133.cnf ORName B "2.16.840.1.101.2.1.5.47" "id-at-aLExemptedAddressProcessor" ORAddress B "2.16.840.1.101.2.2.1.134.1" "id-at-collective-mhs-or-addresses" # MSGeneralAttributeTypes - see master list in p7.cnf CertificateSelectors B "2.6.4.3.80" "id-att-certificate-selectors" Content B "2.6.4.3.1" "id-att-content" ContentCorrelator B "2.6.4.3.3" "id-att-content-correlator" ContentIdentifier B "2.6.4.3.4" "id-att-content-identifier" ContentIntegrityCheck B "2.6.4.3.5" "id-att-content-inetgrity-check" ContentLength B "2.6.4.3.6" "id-att-content-length" ExtendedContentType B "2.6.4.3.8" "id-att-content-type" ConversionWithLossProhibited B "2.6.4.3.9" "id-att-conversion-with-loss-prohibited" DeferredDeliveryTime B "2.6.4.3.51" "id-att-deferred-delivery-time" DeliveryFlags B "2.6.4.3.13" "id-att-delivery-flags" ORName B "2.6.4.3.78" "id-att-dl-exempted-recipients" DLExpansion B "2.6.4.3.14" "id-att-dl-expansion-history" DLExpansionProhibited B "2.6.4.3.53" "id-att-dl-expansion-prohibited" InternalTraceInformationElement B "2.6.4.3.54" "id-att-internal-trace-information" LatestDeliveryTime B "2.6.4.3.55" "id-att-latest-delivery-time" MessageDeliveryEnvelope B "2.6.4.3.18" "id-att-message-delivery-envelope" MessageDeliveryTime B "2.6.4.3.20" "id-att-message-delivery-time" MTSIdentifier B "2.6.4.3.19" "id-att-message-identifier" MessageOriginAuthenticationCheck B "2.6.4.3.21" "id-at-message-orgin-authentication-check" MessageSecurityLabel B "2.6.4.3.22" "id-att-message-security-label" MessageSubmissionEnvelope B "2.6.4.3.59" "id-att-message-submission-envelope" MessageSubmissionTime B "2.6.4.3.23" "id-att-message-submission-time" MessageToken B "2.6.4.3.24" "id-att-message-token" ExtendedCertificates B "2.6.4.3.81" "id-att-multiple-originator-certificates" ORName B "2.6.4.3.17" "id-att-originally-intended-recipient-name" OriginatingMTACertificate B "2.6.4.3.62" "id-att-originating-MTA-certificate" OriginatorCertificate B "2.6.4.3.26" "id-att-originator-certificate" ORName B "2.6.4.3.27" "id-att-originator-name" OriginatorReportRequest B "2.6.4.3.63" "id-att-originator-report-request" OriginatorReturnAddress B "2.6.4.3.64" "id-att-originator-return-address" ORName B "2.6.4.3.28" "id-att-other-recipient-names" PerMessageIndicators B "2.6.4.3.65" "id-att-per-message-indicators" PerRecipientMessageSubmissionFields B "2.6.4.3.66" "id-att-per-recipient-message-submission-fields" PerRecipientProbeSubmissionFields B "2.6.4.3.67" "id-att-per-recipient-probe-submission-fields" PerRecipientReportDeliveryFields B "2.6.4.3.30" "id-att-per-recipient-report-delivery-fields" Priority B "2.6.4.3.31" "id-att-priority" ProbeOriginAuthenticationCheck B "2.6.4.3.68" "id-att-probe-origin-authentication-check" ProbeSubmissionEnvelope B "2.6.4.3.69" "id-att-probe-submission-envelope" ProofOfDeliveryRequest B "2.6.4.3.32" "id-att-proof-of-delivery-request" ProofOfSubmission B "2.6.4.3.70" "id-att-proof-of-submission" ExtendedCertificates B "2.6.4.3.82" "id-att-recipient-certificate" ORName B "2.6.4.3.71" "id-att-recipient-names" RecipientReassignmentProhibited B "2.6.4.3.72" "id-att-recipient-reassignment-prohibited" Redirection B "2.6.4.3.33" "id-at-redirection-history" ReportDeliveryEnvelope B "2.6.4.3.34" "id-att-report-delivery-envelope" ReportingDLName B "2.6.4.3.35" "id-att-reporting-DL-name" ReportingMTACertificate B "2.6.4.3.36" "id-att-reporting-MTA-certificate" ReportOriginAuthenticationCheck B "2.6.4.3.37" "id-att-report-origin-authentication-check" SecurityClassification B "2.6.4.3.38" "id-att-security-classification" SubjectSubmissionIdentifier B "2.6.4.3.40" "id-att-subject-submission-identifier" ORName B "2.6.4.3.41" "id-att-this-recipient-name" TraceInformationElement B "2.6.4.3.75" "id-att-trace-information" # IPMSMessageStoreAttributes - see master list in p22.cnf MessageToken B "2.6.1.7.36" "id-hat-forwarded-token" #.FN_BODY AdditionalInformation proto_item *item = NULL; int loffset = 0; guint32 len = 0; /* work out the length */ loffset = dissect_ber_identifier(actx->pinfo, tree, tvb, offset, NULL, NULL, NULL); (void) dissect_ber_length(actx->pinfo, tree, tvb, loffset, &len, NULL); item = proto_tree_add_item(tree, hf_index, tvb, offset, len, ENC_BIG_ENDIAN); tree = proto_item_add_subtree(item, ett_p1_additional_information); proto_item_append_text(tree, " (The use of this field is \"strongly deprecated\".)"); offset = dissect_unknown_ber(actx->pinfo, tvb, offset, tree); #.FN_BODY RegistrationTypes/extensions/_item /*XXX not implemented yet */ #.FN_BODY ExtensionField/value const char *name; if(actx->external.indirect_ref_present) { proto_item_append_text(tree, " (%%s)", val_to_str(actx->external.indirect_reference, p1_StandardExtension_vals, "standard-extension %%d")); if (dissector_try_uint(p1_extension_dissector_table, actx->external.indirect_reference, tvb, actx->pinfo, tree)) { offset = tvb_reported_length(tvb); } else { proto_item *item; proto_tree *next_tree; next_tree = proto_tree_add_subtree_format(tree, tvb, 0, -1, ett_p1_unknown_standard_extension, &item, "Dissector for standard-extension %%d not implemented. Contact Wireshark developers if you want this supported", actx->external.indirect_reference); offset = dissect_unknown_ber(actx->pinfo, tvb, offset, next_tree); expert_add_info(actx->pinfo, item, &ei_p1_unknown_standard_extension); } } else if (actx->external.direct_ref_present) { offset = call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, actx->private_data); name = oid_resolved_from_string(actx->pinfo->pool, actx->external.direct_reference); proto_item_append_text(tree, " (%%s)", name ? name : actx->external.direct_reference); } #.FN_PARS SecurityCategoryIdentifier FN_VARIANT = _str VAL_PTR = &actx->external.direct_reference #.FN_BODY SecurityCategoryValue const char *name; if (actx->external.direct_reference) { offset = call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, actx->private_data); name = oid_resolved_from_string(actx->pinfo->pool, actx->external.direct_reference); proto_item_append_text(tree, " (%%s)", name ? name : actx->external.direct_reference); } else { offset = dissect_unknown_ber(actx->pinfo, tvb, offset, tree); } #.FN_PARS ExtensionAttributeType VAL_PTR = &actx->external.indirect_reference #.FN_BODY ExtensionAttribute/extension-attribute-value proto_item_append_text(tree, " (%%s)", val_to_str(actx->external.indirect_reference, p1_ExtensionAttributeType_vals, "extension-attribute-type %%d")); p_add_proto_data(actx->pinfo->pool, actx->pinfo, proto_p1, 0, actx->subtree.tree_ctx); if (dissector_try_uint(p1_extension_attribute_dissector_table, actx->external.indirect_reference, tvb, actx->pinfo, tree)) { offset =tvb_reported_length(tvb); } else { proto_item *item; proto_tree *next_tree; next_tree = proto_tree_add_subtree_format(tree, tvb, 0, -1, ett_p1_unknown_extension_attribute_type, &item, "Dissector for extension-attribute-type %%d not implemented. Contact Wireshark developers if you want this supported", actx->external.indirect_reference); offset = dissect_unknown_ber(actx->pinfo, tvb, offset, next_tree); expert_add_info(actx->pinfo, item, &ei_p1_unknown_extension_attribute_type); } p_remove_proto_data(actx->pinfo->pool, actx->pinfo, proto_p1, 0); #.FN_BODY RefusedOperation/refused-argument/refused-extension /*XXX not implemented yet */ #.FN_BODY CountryName do_address("/C=", NULL, actx); %(DEFAULT_BODY)s #.FN_BODY AdministrationDomainName do_address("/A=", NULL, actx); %(DEFAULT_BODY)s #.FN_PARS StandardExtension VAL_PTR = &actx->external.indirect_reference #.FN_BODY StandardExtension actx->external.indirect_ref_present = TRUE; actx->external.direct_ref_present = FALSE; %(DEFAULT_BODY)s #.FN_BODY ExtensionType/private-extension FN_VARIANT = _str VAL_PTR = &actx->external.direct_reference actx->external.indirect_ref_present = FALSE; actx->external.direct_reference = NULL; %(DEFAULT_BODY)s actx->external.direct_ref_present = (actx->external.direct_reference != NULL) ? TRUE : FALSE; #.FN_PARS ExtendedContentType FN_VARIANT = _str VAL_PTR = &ctx->content_type_id #.FN_BODY ExtendedContentType const char *name = NULL; p1_address_ctx_t* ctx; if (actx->subtree.tree_ctx == NULL) actx->subtree.tree_ctx = wmem_new0(actx->pinfo->pool, p1_address_ctx_t); ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; %(DEFAULT_BODY)s if(ctx->content_type_id) { name = oid_resolved_from_string(actx->pinfo->pool, ctx->content_type_id); if(!name) name = ctx->content_type_id; proto_item_append_text(tree, " (%%s)", name); } #.FN_PARS BuiltInContentType/_untag VAL_PTR = &ict #.FN_BODY BuiltInContentType/_untag static guint32 ict = -1; p1_address_ctx_t* ctx; if (actx->subtree.tree_ctx == NULL) actx->subtree.tree_ctx = wmem_new0(actx->pinfo->pool, p1_address_ctx_t); ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; %(DEFAULT_BODY)s /* convert integer content type to oid for dispatch when the content is found */ switch(ict) { case 2: ctx->content_type_id = wmem_strdup(actx->pinfo->pool, "2.6.1.10.0"); break; case 22: ctx->content_type_id = wmem_strdup(actx->pinfo->pool, "2.6.1.10.1"); break; default: ctx->content_type_id = NULL; break; } #.FN_BODY Content VAL_PTR = &next_tvb tvbuff_t *next_tvb; p1_address_ctx_t* ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; %(DEFAULT_BODY)s if (next_tvb) { proto_item_set_text(actx->created_item, "content (%%u bytes)", tvb_reported_length (next_tvb)); if (ctx && ctx->content_type_id) { (void) call_ber_oid_callback(ctx->content_type_id, next_tvb, 0, actx->pinfo, actx->subtree.top_tree ? actx->subtree.top_tree : tree, actx->private_data); } else if (ctx && ctx->report_unknown_content_type) { proto_item *item; proto_tree *next_tree; item = proto_tree_add_expert(actx->subtree.top_tree ? actx->subtree.top_tree : tree, actx->pinfo, &ei_p1_unknown_built_in_content_type, next_tvb, 0, tvb_reported_length_remaining(tvb, offset)); next_tree=proto_item_add_subtree(item, ett_p1_content_unknown); dissect_unknown_ber(actx->pinfo, next_tvb, 0, next_tree); } else { proto_item_append_text (actx->created_item, " (unknown content-type)"); } } #.FN_PARS MTAName VAL_PTR = &mtaname #.FN_BODY MTAName tvbuff_t *mtaname = NULL; p1_address_ctx_t* ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; %(DEFAULT_BODY)s if (ctx && ctx->do_address) { proto_item_append_text(actx->subtree.tree, " %%s", tvb_format_text(actx->pinfo->pool, mtaname, 0, tvb_reported_length(mtaname))); } else { if (mtaname) { col_append_fstr(actx->pinfo->cinfo, COL_INFO, " %%s", tvb_format_text(actx->pinfo->pool, mtaname, 0, tvb_reported_length(mtaname))); } } #.FN_PARS X121Address VAL_PTR=&string #.FN_BODY X121Address tvbuff_t *string = NULL; %(DEFAULT_BODY)s do_address("/PX121=", string, actx); #.FN_PARS TerminalIdentifier VAL_PTR=&string #.FN_BODY TerminalIdentifier tvbuff_t *string = NULL; %(DEFAULT_BODY)s do_address("/UA-ID=", string, actx); #.FN_BODY PrivateDomainName do_address("/P=", NULL, actx); %(DEFAULT_BODY)s #.FN_BODY PrivateDomainIdentifier do_address("/P=", NULL, actx); %(DEFAULT_BODY)s #.FN_PARS OrganizationName VAL_PTR=&string #.FN_BODY OrganizationName tvbuff_t *string = NULL; %(DEFAULT_BODY)s do_address("/O=", string, actx); #.FN_PARS TeletexOrganizationName VAL_PTR=&string #.FN_BODY TeletexOrganizationName tvbuff_t *string = NULL; %(DEFAULT_BODY)s do_address("/O=", string, actx); #.FN_PARS OrganizationalUnitName VAL_PTR=&string #.FN_BODY OrganizationalUnitName tvbuff_t *string = NULL; %(DEFAULT_BODY)s do_address("/OU=", string, actx); #.FN_PARS TeletexOrganizationalUnitName VAL_PTR=&string #.FN_BODY TeletexOrganizationalUnitName tvbuff_t *string = NULL; %(DEFAULT_BODY)s do_address("/OU=", string, actx); #.FN_PARS CommonName VAL_PTR=&string #.FN_BODY CommonName tvbuff_t *string = NULL; %(DEFAULT_BODY)s do_address("/CN=", string, actx); #.FN_PARS TeletexCommonName VAL_PTR=&string #.FN_BODY TeletexCommonName tvbuff_t *string = NULL; %(DEFAULT_BODY)s do_address("/CN=", string, actx); #.FN_BODY CountryName/_untag/iso-3166-alpha2-code VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY AdministrationDomainName/_untag/printable VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY PrivateDomainName/printable VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY PrivateDomainIdentifier/printable VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY PhysicalDeliveryCountryName/iso-3166-alpha2-code VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY UserAddress/x121/x121-address VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY CountryName/_untag/x121-dcc-code VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY AdministrationDomainName/_untag/numeric VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY PrivateDomainName/numeric VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY PrivateDomainIdentifier/numeric VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY PhysicalDeliveryCountryName/x121-dcc-code VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY PostalCode/numeric-code VAL_PTR=&nstring tvbuff_t *nstring = NULL; %(DEFAULT_BODY)s do_address(NULL, nstring, actx); #.FN_BODY TeletexDomainDefinedAttribute/type VAL_PTR=&tstring tvbuff_t *tstring = NULL; %(DEFAULT_BODY)s do_address_str("/DD.", tstring, actx); #.FN_BODY TeletexDomainDefinedAttribute/value VAL_PTR=&tstring tvbuff_t *tstring = NULL; %(DEFAULT_BODY)s do_address_str_tree("=", tstring, actx, tree); #.FN_BODY TeletexDomainDefinedAttribute actx->value_ptr = wmem_strbuf_new(actx->pinfo->pool, ""); %(DEFAULT_BODY)s #.FN_BODY PersonalName/surname VAL_PTR=&pstring tvbuff_t *pstring = NULL; %(DEFAULT_BODY)s do_address("/S=", pstring, actx); #.FN_BODY PersonalName/given-name VAL_PTR=&pstring tvbuff_t *pstring = NULL; %(DEFAULT_BODY)s do_address("/G=", pstring, actx); #.FN_BODY PersonalName/initials VAL_PTR=&pstring tvbuff_t *pstring = NULL; %(DEFAULT_BODY)s do_address("/I=", pstring, actx); #.FN_BODY PersonalName/generation-qualifier VAL_PTR=&pstring tvbuff_t *pstring = NULL; %(DEFAULT_BODY)s do_address("/Q=", pstring, actx); #.FN_BODY TeletexPersonalName/surname VAL_PTR=&tstring tvbuff_t *tstring = NULL; %(DEFAULT_BODY)s do_address("/S=", tstring, actx); #.FN_BODY TeletexPersonalName/given-name VAL_PTR=&tstring tvbuff_t *tstring = NULL; %(DEFAULT_BODY)s do_address("/G=", tstring, actx); #.FN_BODY TeletexPersonalName/initials VAL_PTR=&tstring tvbuff_t *tstring = NULL; %(DEFAULT_BODY)s do_address("/I=", tstring, actx); #.FN_BODY TeletexPersonalName/generation-qualifier VAL_PTR=&tstring tvbuff_t *tstring = NULL; %(DEFAULT_BODY)s do_address("/Q=", tstring, actx); #.FN_BODY BuiltInDomainDefinedAttribute/type VAL_PTR=&pstring tvbuff_t *pstring = NULL; %(DEFAULT_BODY)s do_address_str("/DD.", pstring, actx); #.FN_BODY BuiltInDomainDefinedAttribute/value VAL_PTR=&pstring tvbuff_t *pstring = NULL; %(DEFAULT_BODY)s do_address_str_tree("=", pstring, actx, tree); #.FN_BODY BuiltInDomainDefinedAttribute actx->value_ptr = wmem_strbuf_new(actx->pinfo->pool, ""); %(DEFAULT_BODY)s #.FN_BODY ORAddress p1_address_ctx_t* ctx; if (actx->subtree.tree_ctx == NULL) { actx->subtree.tree_ctx = wmem_new0(actx->pinfo->pool, p1_address_ctx_t); } ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; ctx->oraddress = wmem_strbuf_new(actx->pinfo->pool, ""); actx->subtree.tree = NULL; set_do_address(actx, TRUE); %(DEFAULT_BODY)s if (ctx->oraddress && (wmem_strbuf_get_len(ctx->oraddress) > 0) && actx->subtree.tree) proto_item_append_text(actx->subtree.tree, " (%%s/)", wmem_strbuf_get_str(ctx->oraddress)); set_do_address(actx, FALSE); #.FN_BODY ORName p1_address_ctx_t* ctx; if (actx->subtree.tree_ctx == NULL) { actx->subtree.tree_ctx = wmem_new0(actx->pinfo->pool, p1_address_ctx_t); } ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; ctx->oraddress = wmem_strbuf_new(actx->pinfo->pool, ""); actx->subtree.tree = NULL; set_do_address(actx, TRUE); %(DEFAULT_BODY)s if (ctx->oraddress && (wmem_strbuf_get_len(ctx->oraddress) > 0) && actx->subtree.tree) proto_item_append_text(actx->subtree.tree, " (%%s/)", wmem_strbuf_get_str(ctx->oraddress)); set_do_address(actx, FALSE); #.FN_BODY MessageIdentifier actx->subtree.tree = NULL; %(DEFAULT_BODY)s #.FN_BODY GlobalDomainIdentifier p1_address_ctx_t* ctx; if (actx->subtree.tree_ctx == NULL) { actx->subtree.tree_ctx = wmem_new0(actx->pinfo->pool, p1_address_ctx_t); } ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; ctx->oraddress = wmem_strbuf_new(actx->pinfo->pool, ""); actx->subtree.tree = tree; %(DEFAULT_BODY)s if (ctx->oraddress && (wmem_strbuf_get_len(ctx->oraddress) > 0)) { proto_item_append_text(actx->subtree.tree, " (%%s/", wmem_strbuf_get_str(ctx->oraddress)); if (hf_index == hf_p1_subject_identifier) { col_append_fstr(actx->pinfo->cinfo, COL_INFO, " (%%s/", wmem_strbuf_get_str(ctx->oraddress)); } } #.FN_PARS LocalIdentifier VAL_PTR=&id #.FN_BODY LocalIdentifier tvbuff_t *id = NULL; p1_address_ctx_t* ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; %(DEFAULT_BODY)s if(id) { if (ctx && ctx->do_address) proto_item_append_text(actx->subtree.tree, " $ %%s)", tvb_format_text(actx->pinfo->pool, id, 0, tvb_reported_length(id))); if (hf_index == hf_p1_subject_identifier) col_append_fstr(actx->pinfo->cinfo, COL_INFO, " $ %%s)", tvb_format_text(actx->pinfo->pool, id, 0, tvb_reported_length(id))); } #.FN_BODY MTSIdentifier set_do_address(actx, TRUE); %(DEFAULT_BODY)s set_do_address(actx, FALSE); #.FN_BODY MTANameAndOptionalGDI set_do_address(actx, TRUE); %(DEFAULT_BODY)s set_do_address(actx, FALSE); proto_item_append_text(tree, ")"); #.FN_BODY BuiltInStandardAttributes actx->subtree.tree = tree; %(DEFAULT_BODY)s #.FN_BODY TraceInformationElement set_do_address(actx, TRUE); %(DEFAULT_BODY)s set_do_address(actx, FALSE); #.FN_BODY InternalTraceInformationElement set_do_address(actx, TRUE); %(DEFAULT_BODY)s set_do_address(actx, FALSE); #.FN_BODY DomainSuppliedInformation set_do_address(actx, FALSE); %(DEFAULT_BODY)s set_do_address(actx, TRUE); proto_item_append_text(tree, ")"); #.FN_BODY MTASuppliedInformation set_do_address(actx, FALSE); %(DEFAULT_BODY)s set_do_address(actx, TRUE); proto_item_append_text(tree, ")"); #.FN_PARS Time VAL_PTR = &arrival #.FN_BODY Time tvbuff_t *arrival = NULL; p1_address_ctx_t* ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; %(DEFAULT_BODY)s if(arrival && ctx && ctx->do_address) proto_item_append_text(actx->subtree.tree, " %%s", tvb_format_text(actx->pinfo->pool, arrival, 0, tvb_reported_length(arrival))); #.FN_PARS RoutingAction VAL_PTR = &action #.FN_BODY RoutingAction int action = 0; %(DEFAULT_BODY)s proto_item_append_text(actx->subtree.tree, " %%s", val_to_str(action, p1_RoutingAction_vals, "action(%%d)")); #.FN_PARS MTABindError VAL_PTR=&error #.FN_BODY MTABindError int error = -1; %(DEFAULT_BODY)s if((error != -1)) col_append_fstr(actx->pinfo->cinfo, COL_INFO, " (%%s)", val_to_str(error, p1_MTABindError_vals, "error(%%d)")); #.FN_PARS TokenTypeIdentifier FN_VARIANT = _str VAL_PTR = &actx->external.direct_reference #.FN_BODY TokenTypeData if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, actx->private_data); #.FN_PARS Credentials VAL_PTR = &credentials #.FN_BODY Credentials gint credentials = -1; %(DEFAULT_BODY)s if( (credentials!=-1) && p1_Credentials_vals[credentials].strptr ){ col_append_fstr(actx->pinfo->cinfo, COL_INFO, " %%s", p1_Credentials_vals[credentials].strptr); } #.FN_PARS TokenDataType VAL_PTR = &actx->external.indirect_reference #.FN_BODY TokenData/value proto_item_append_text(tree, " (%%s)", val_to_str(actx->external.indirect_reference, p1_TokenDataType_vals, "tokendata-type %%d")); if (dissector_try_uint(p1_tokendata_dissector_table, actx->external.indirect_reference, tvb, actx->pinfo, tree)) { offset = tvb_reported_length(tvb); } else { proto_item *item; proto_tree *next_tree; next_tree = proto_tree_add_subtree_format(tree, tvb, 0, -1, ett_p1_unknown_tokendata_type, &item, "Dissector for tokendata-type %%d not implemented. Contact Wireshark developers if you want this supported", actx->external.indirect_reference); offset = dissect_unknown_ber(actx->pinfo, tvb, offset, next_tree); expert_add_info(actx->pinfo, item, &ei_p1_unknown_tokendata_type); } #.FN_BODY PerDomainBilateralInformation/bilateral-information proto_item *item = NULL; int loffset = 0; guint32 len = 0; /* work out the length */ loffset = dissect_ber_identifier(actx->pinfo, tree, tvb, offset, NULL, NULL, NULL); (void) dissect_ber_length(actx->pinfo, tree, tvb, loffset, &len, NULL); /* create some structure so we can tell what this unknown ASN.1 represents */ item = proto_tree_add_item(tree, hf_index, tvb, offset, len, ENC_BIG_ENDIAN); tree = proto_item_add_subtree(item, ett_p1_bilateral_information); offset = dissect_unknown_ber(actx->pinfo, tvb, offset, tree); #.FN_PARS MTS-APDU VAL_PTR = &apdu #.FN_BODY MTS-APDU gint apdu = -1; %(DEFAULT_BODY)s if( (apdu!=-1) && p1_MTS_APDU_vals[apdu].strptr ){ if(apdu != 0) { /* we don't show "message" - sub-dissectors have better idea */ col_append_fstr(actx->pinfo->cinfo, COL_INFO, " %%s", p1_MTS_APDU_vals[apdu].strptr); } } #.FN_PARS ReportType VAL_PTR = &report #.FN_BODY ReportType gint report = -1; %(DEFAULT_BODY)s if( (report!=-1) && p1_ReportType_vals[report].strptr ){ col_append_fstr(actx->pinfo->cinfo, COL_INFO, " %%s", p1_ReportType_vals[report].strptr); } #.FN_BODY MessageSubmissionArgument p1_initialize_content_globals(actx, tree, TRUE); %(DEFAULT_BODY)s p1_initialize_content_globals(actx, NULL, FALSE); #.FN_BODY MessageDeliveryArgument p1_initialize_content_globals(actx, tree, TRUE); %(DEFAULT_BODY)s p1_initialize_content_globals(actx, NULL, FALSE); #.FN_BODY ReportDeliveryArgument p1_initialize_content_globals(actx, tree, TRUE); %(DEFAULT_BODY)s p1_initialize_content_globals(actx, NULL, FALSE); #.FN_HDR MTSBindResult /* TODO: there may be other entry points where this global should be initialized... */ actx->subtree.tree = NULL; #.TYPE_ATTR RecipientNumberForAdvice DISPLAY = BASE_NONE TeletexCommonName DISPLAY = BASE_NONE TeletexOrganizationName DISPLAY = BASE_NONE TeletexPersonalName/surname DISPLAY = BASE_NONE TeletexPersonalName/given-name DISPLAY = BASE_NONE TeletexPersonalName/initials DISPLAY = BASE_NONE TeletexPersonalName/generation-qualifier DISPLAY = BASE_NONE TeletexOrganizationalUnitName DISPLAY = BASE_NONE UnformattedPostalAddress/teletex-string DISPLAY = BASE_NONE PDSParameter/teletex-string DISPLAY = BASE_NONE TeletexDomainDefinedAttribute/type DISPLAY = BASE_NONE TeletexDomainDefinedAttribute/value DISPLAY = BASE_NONE TeletexNonBasicParameters/graphic-character-sets DISPLAY = BASE_NONE TeletexNonBasicParameters/control-character-sets DISPLAY = BASE_NONE TeletexNonBasicParameters/miscellaneous-terminal-capabilities DISPLAY = BASE_NONE #.END
C
wireshark/epan/dissectors/asn1/p1/packet-p1-template.c
/* packet-p1.c * Routines for X.411 (X.400 Message Transfer) packet dissection * Graeme Lunt 2005 * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #include "config.h" #include <epan/packet.h> #include <epan/prefs.h> #include <epan/oids.h> #include <epan/asn1.h> #include <epan/expert.h> #include <epan/strutil.h> #include <epan/proto_data.h> #include "packet-ber.h" #include "packet-acse.h" #include "packet-ros.h" #include "packet-rtse.h" #include "packet-x509af.h" #include "packet-x509ce.h" #include "packet-x509if.h" #include "packet-x509sat.h" #include "packet-p1.h" #define PNAME "X.411 Message Transfer Service" #define PSNAME "P1" #define PFNAME "p1" /* Initialize the protocol and registered fields */ static int proto_p1 = -1; static int proto_p3 = -1; static int hf_p1_MTS_APDU_PDU = -1; static int hf_p1_MTABindArgument_PDU = -1; static int hf_p1_MTABindResult_PDU = -1; static int hf_p1_MTABindError_PDU = -1; #include "packet-p1-hf.c" /* Initialize the subtree pointers */ static gint ett_p1 = -1; static gint ett_p3 = -1; static gint ett_p1_content_unknown = -1; static gint ett_p1_bilateral_information = -1; static gint ett_p1_additional_information = -1; static gint ett_p1_unknown_standard_extension = -1; static gint ett_p1_unknown_extension_attribute_type = -1; static gint ett_p1_unknown_tokendata_type = -1; #include "packet-p1-ett.c" static expert_field ei_p1_unknown_extension_attribute_type = EI_INIT; static expert_field ei_p1_unknown_standard_extension = EI_INIT; static expert_field ei_p1_unknown_built_in_content_type = EI_INIT; static expert_field ei_p1_unknown_tokendata_type = EI_INIT; static expert_field ei_p1_unsupported_pdu = EI_INIT; static expert_field ei_p1_zero_pdu = EI_INIT; /* Dissector tables */ static dissector_table_t p1_extension_dissector_table; static dissector_table_t p1_extension_attribute_dissector_table; static dissector_table_t p1_tokendata_dissector_table; static dissector_handle_t p1_handle; #include "packet-p1-table.c" /* operation and error codes */ typedef struct p1_address_ctx { gboolean do_address; const char *content_type_id; gboolean report_unknown_content_type; wmem_strbuf_t* oraddress; } p1_address_ctx_t; static void set_do_address(asn1_ctx_t* actx, gboolean do_address) { p1_address_ctx_t* ctx; if (actx->subtree.tree_ctx == NULL) { actx->subtree.tree_ctx = wmem_new0(actx->pinfo->pool, p1_address_ctx_t); } ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; ctx->do_address = do_address; } static p1_address_ctx_t *get_do_address_ctx(asn1_ctx_t* actx) { p1_address_ctx_t* ctx = NULL; /* First check if called from an extension attribute */ ctx = (p1_address_ctx_t *)p_get_proto_data(actx->pinfo->pool, actx->pinfo, proto_p1, 0); if (!ctx) { ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; } return ctx; } static void do_address(const char* addr, tvbuff_t* tvb_string, asn1_ctx_t* actx) { p1_address_ctx_t* ctx = get_do_address_ctx(actx); if (ctx && ctx->do_address) { if (addr) { wmem_strbuf_append(ctx->oraddress, addr); } if (tvb_string) { wmem_strbuf_append(ctx->oraddress, tvb_format_text(actx->pinfo->pool, tvb_string, 0, tvb_captured_length(tvb_string))); } } } static void do_address_str(const char* addr, tvbuff_t* tvb_string, asn1_ctx_t* actx) { wmem_strbuf_t *ddatype = (wmem_strbuf_t *)actx->value_ptr; p1_address_ctx_t* ctx = get_do_address_ctx(actx); do_address(addr, tvb_string, actx); if (ctx && ctx->do_address && ddatype && tvb_string) wmem_strbuf_append(ddatype, tvb_format_text(actx->pinfo->pool, tvb_string, 0, tvb_captured_length(tvb_string))); } static void do_address_str_tree(const char* addr, tvbuff_t* tvb_string, asn1_ctx_t* actx, proto_tree* tree) { wmem_strbuf_t *ddatype = (wmem_strbuf_t *)actx->value_ptr; p1_address_ctx_t* ctx = get_do_address_ctx(actx); do_address(addr, tvb_string, actx); if (ctx && ctx->do_address && tvb_string && ddatype) { if (wmem_strbuf_get_len(ddatype) > 0) { proto_item_append_text (tree, " (%s=%s)", wmem_strbuf_get_str(ddatype), tvb_format_text(actx->pinfo->pool, tvb_string, 0, tvb_captured_length(tvb_string))); } } } #include "packet-p1-fn.c" #include "packet-p1-table11.c" /* operation argument/result dissectors */ #include "packet-p1-table21.c" /* error dissector */ static const ros_info_t p3_ros_info = { "P3", &proto_p3, &ett_p3, p3_opr_code_string_vals, p3_opr_tab, p3_err_code_string_vals, p3_err_tab }; void p1_initialize_content_globals (asn1_ctx_t* actx, proto_tree *tree, gboolean report_unknown_cont_type) { p1_address_ctx_t* ctx; if (actx->subtree.tree_ctx == NULL) { actx->subtree.tree_ctx = wmem_new0(actx->pinfo->pool, p1_address_ctx_t); } ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; actx->subtree.top_tree = tree; actx->external.direct_reference = NULL; ctx->content_type_id = NULL; ctx->report_unknown_content_type = report_unknown_cont_type; } const char* p1_get_last_oraddress (asn1_ctx_t* actx) { p1_address_ctx_t* ctx; if ((actx == NULL) || (actx->subtree.tree_ctx == NULL)) return ""; ctx = (p1_address_ctx_t*)actx->subtree.tree_ctx; if (wmem_strbuf_get_len(ctx->oraddress) <= 0) return ""; return wmem_strbuf_get_str(ctx->oraddress); } /* * Dissect P1 MTS APDU */ int dissect_p1_mts_apdu (tvbuff_t *tvb, packet_info *pinfo, proto_tree *parent_tree, void* data _U_) { proto_item *item=NULL; proto_tree *tree=NULL; asn1_ctx_t asn1_ctx; asn1_ctx_init(&asn1_ctx, ASN1_ENC_BER, TRUE, pinfo); /* save parent_tree so subdissectors can create new top nodes */ p1_initialize_content_globals (&asn1_ctx, parent_tree, TRUE); if (parent_tree) { item = proto_tree_add_item(parent_tree, proto_p1, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(item, ett_p1); } col_set_str(pinfo->cinfo, COL_PROTOCOL, "P1"); col_set_str(pinfo->cinfo, COL_INFO, "Transfer"); dissect_p1_MTS_APDU (FALSE, tvb, 0, &asn1_ctx, tree, hf_p1_MTS_APDU_PDU); p1_initialize_content_globals (&asn1_ctx, NULL, FALSE); return tvb_captured_length(tvb); } /* * Dissect P1 PDUs inside a PPDU. */ static int dissect_p1(tvbuff_t *tvb, packet_info *pinfo, proto_tree *parent_tree, void* data) { int offset = 0; int old_offset; proto_item *item; proto_tree *tree; struct SESSION_DATA_STRUCTURE* session; int (*p1_dissector)(bool implicit_tag _U_, tvbuff_t *tvb, int offset, asn1_ctx_t *actx _U_, proto_tree *tree, int hf_index _U_) = NULL; const char *p1_op_name; int hf_p1_index = -1; asn1_ctx_t asn1_ctx; asn1_ctx_init(&asn1_ctx, ASN1_ENC_BER, TRUE, pinfo); /* do we have operation information from the ROS dissector? */ if (data == NULL) return 0; session = (struct SESSION_DATA_STRUCTURE*)data; /* save parent_tree so subdissectors can create new top nodes */ p1_initialize_content_globals (&asn1_ctx, parent_tree, TRUE); asn1_ctx.private_data = session; item = proto_tree_add_item(parent_tree, proto_p1, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(item, ett_p1); col_set_str(pinfo->cinfo, COL_PROTOCOL, "P1"); col_clear(pinfo->cinfo, COL_INFO); switch(session->ros_op & ROS_OP_MASK) { case (ROS_OP_BIND | ROS_OP_ARGUMENT): /* BindInvoke */ p1_dissector = dissect_p1_MTABindArgument; p1_op_name = "Bind-Argument"; hf_p1_index = hf_p1_MTABindArgument_PDU; break; case (ROS_OP_BIND | ROS_OP_RESULT): /* BindResult */ p1_dissector = dissect_p1_MTABindResult; p1_op_name = "Bind-Result"; hf_p1_index = hf_p1_MTABindResult_PDU; break; case (ROS_OP_BIND | ROS_OP_ERROR): /* BindError */ p1_dissector = dissect_p1_MTABindError; p1_op_name = "Bind-Error"; hf_p1_index = hf_p1_MTABindError_PDU; break; case (ROS_OP_INVOKE | ROS_OP_ARGUMENT): /* Invoke Argument */ p1_dissector = dissect_p1_MTS_APDU; p1_op_name = "Transfer"; hf_p1_index = hf_p1_MTS_APDU_PDU; break; default: proto_tree_add_expert(tree, pinfo, &ei_p1_unsupported_pdu, tvb, offset, -1); return tvb_captured_length(tvb); } col_set_str(pinfo->cinfo, COL_INFO, p1_op_name); while (tvb_reported_length_remaining(tvb, offset) > 0) { old_offset=offset; offset=(*p1_dissector)(FALSE, tvb, offset, &asn1_ctx , tree, hf_p1_index); if (offset == old_offset) { proto_tree_add_expert(tree, pinfo, &ei_p1_zero_pdu, tvb, offset, -1); break; } } p1_initialize_content_globals (&asn1_ctx, NULL, FALSE); return tvb_captured_length(tvb); } /*--- proto_register_p1 -------------------------------------------*/ void proto_register_p1(void) { /* List of fields */ static hf_register_info hf[] = { /* "Created by defining PDU in .cnf */ { &hf_p1_MTABindArgument_PDU, { "MTABindArgument", "p1.MTABindArgument", FT_UINT32, BASE_DEC, VALS(p1_MTABindArgument_vals), 0, "p1.MTABindArgument", HFILL }}, { &hf_p1_MTABindResult_PDU, { "MTABindResult", "p1.MTABindResult", FT_UINT32, BASE_DEC, VALS(p1_MTABindResult_vals), 0, "p1.MTABindResult", HFILL }}, { &hf_p1_MTABindError_PDU, { "MTABindError", "p1.MTABindError", FT_UINT32, BASE_DEC, VALS(p1_MTABindError_vals), 0, "p1.MTABindError", HFILL }}, { &hf_p1_MTS_APDU_PDU, { "MTS-APDU", "p1.MTS_APDU", FT_UINT32, BASE_DEC, VALS(p1_MTS_APDU_vals), 0, "p1.MTS_APDU", HFILL }}, #include "packet-p1-hfarr.c" }; /* List of subtrees */ static gint *ett[] = { &ett_p1, &ett_p3, &ett_p1_content_unknown, &ett_p1_bilateral_information, &ett_p1_additional_information, &ett_p1_unknown_standard_extension, &ett_p1_unknown_extension_attribute_type, &ett_p1_unknown_tokendata_type, #include "packet-p1-ettarr.c" }; static ei_register_info ei[] = { { &ei_p1_unknown_extension_attribute_type, { "p1.unknown.extension_attribute_type", PI_UNDECODED, PI_WARN, "Unknown extension-attribute-type", EXPFILL }}, { &ei_p1_unknown_standard_extension, { "p1.unknown.standard_extension", PI_UNDECODED, PI_WARN, "Unknown standard-extension", EXPFILL }}, { &ei_p1_unknown_built_in_content_type, { "p1.unknown.built_in_content_type", PI_UNDECODED, PI_WARN, "P1 Unknown Content (unknown built-in content-type)", EXPFILL }}, { &ei_p1_unknown_tokendata_type, { "p1.unknown.tokendata_type", PI_UNDECODED, PI_WARN, "Unknown tokendata-type", EXPFILL }}, { &ei_p1_unsupported_pdu, { "p1.unsupported_pdu", PI_UNDECODED, PI_WARN, "Unsupported P1 PDU", EXPFILL }}, { &ei_p1_zero_pdu, { "p1.zero_pdu", PI_PROTOCOL, PI_ERROR, "Internal error, zero-byte P1 PDU", EXPFILL }}, }; expert_module_t* expert_p1; module_t *p1_module; /* Register protocol */ proto_p1 = proto_register_protocol(PNAME, PSNAME, PFNAME); p1_handle = register_dissector("p1", dissect_p1, proto_p1); proto_p3 = proto_register_protocol("X.411 Message Access Service", "P3", "p3"); /* Register fields and subtrees */ proto_register_field_array(proto_p1, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); expert_p1 = expert_register_protocol(proto_p1); expert_register_field_array(expert_p1, ei, array_length(ei)); p1_extension_dissector_table = register_dissector_table("p1.extension", "P1-EXTENSION", proto_p1, FT_UINT32, BASE_DEC); p1_extension_attribute_dissector_table = register_dissector_table("p1.extension-attribute", "P1-EXTENSION-ATTRIBUTE", proto_p1, FT_UINT32, BASE_DEC); p1_tokendata_dissector_table = register_dissector_table("p1.tokendata", "P1-TOKENDATA", proto_p1, FT_UINT32, BASE_DEC); /* Register our configuration options for P1, particularly our port */ p1_module = prefs_register_protocol_subtree("OSI/X.400", proto_p1, NULL); /* For reading older preference files with "x411." preferences */ prefs_register_module_alias("x411", p1_module); prefs_register_obsolete_preference(p1_module, "tcp.port"); prefs_register_static_text_preference(p1_module, "tcp_port_info", "The TCP ports used by the P1 protocol should be added to the TPKT preference \"TPKT TCP ports\", or by selecting \"TPKT\" as the \"Transport\" protocol in the \"Decode As\" dialog.", "P1 TCP Port preference moved information"); register_ber_syntax_dissector("P1 Message", proto_p1, dissect_p1_mts_apdu); #include "packet-p1-syn-reg.c" } /*--- proto_reg_handoff_p1 --- */ void proto_reg_handoff_p1(void) { #include "packet-p1-dis-tab.c" /* APPLICATION CONTEXT */ oid_add_from_string("id-ac-mts-transfer","2.6.0.1.6"); /* ABSTRACT SYNTAXES */ register_rtse_oid_dissector_handle("2.6.0.2.12", p1_handle, 0, "id-as-mta-rtse", TRUE); register_rtse_oid_dissector_handle("2.6.0.2.7", p1_handle, 0, "id-as-mtse", FALSE); register_rtse_oid_dissector_handle("applicationProtocol.1", p1_handle, 0, "mts-transfer-protocol-1984", FALSE); register_rtse_oid_dissector_handle("applicationProtocol.12", p1_handle, 0, "mta-transfer-protocol", FALSE); /* the ROS dissector will use the registered P3 ros info */ register_rtse_oid_dissector_handle(id_as_mts_rtse, NULL, 0, "id-as-mts-rtse", TRUE); register_rtse_oid_dissector_handle(id_as_msse, NULL, 0, "id-as-msse", TRUE); /* APPLICATION CONTEXT */ oid_add_from_string("id-ac-mts-access-88", id_ac_mts_access_88); oid_add_from_string("id-ac-mts-forced-access-88", id_ac_mts_forced_access_88); oid_add_from_string("id-ac-mts-access-94", id_ac_mts_access_94); oid_add_from_string("id-ac-mts-forced-access-94", id_ac_mts_forced_access_94); /* Register P3 with ROS */ register_ros_protocol_info(id_as_msse, &p3_ros_info, 0, "id-as-msse", FALSE); register_ros_protocol_info(id_as_mdse_88, &p3_ros_info, 0, "id-as-mdse-88", FALSE); register_ros_protocol_info(id_as_mdse_94, &p3_ros_info, 0, "id-as-mdse-94", FALSE); register_ros_protocol_info(id_as_mase_88, &p3_ros_info, 0, "id-as-mase-88", FALSE); register_ros_protocol_info(id_as_mase_94, &p3_ros_info, 0, "id-as-mase-94", FALSE); register_ros_protocol_info(id_as_mts, &p3_ros_info, 0, "id-as-mts", FALSE); register_ros_protocol_info(id_as_mts_rtse, &p3_ros_info, 0, "id-as-mts-rtse", TRUE); } /* * Editor modelines - https://www.wireshark.org/tools/modelines.html * * Local variables: * c-basic-offset: 4 * tab-width: 8 * indent-tabs-mode: nil * End: * * vi: set shiftwidth=4 tabstop=8 expandtab: * :indentSize=4:tabSize=8:noTabs=true: */
C/C++
wireshark/epan/dissectors/asn1/p1/packet-p1-template.h
/* packet-p3.h * Routines for X.411 (X.400 Message Transfer) packet dissection * Graeme Lunt 2005 * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #ifndef PACKET_P1_H #define PACKET_P1_H #include "packet-p1-val.h" void p1_initialize_content_globals (asn1_ctx_t* actx, proto_tree *tree, gboolean report_unknown_cont_type); const char* p1_get_last_oraddress(asn1_ctx_t* actx); int dissect_p1_mts_apdu (tvbuff_t *tvb, packet_info *pinfo, proto_tree *parent_tree, void* data); #include "packet-p1-exp.h" void proto_reg_handoff_p1(void); void proto_register_p1(void); #endif /* PACKET_P1_H */
Text
wireshark/epan/dissectors/asn1/p22/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME p22 ) set( PROTO_OPT ) set( EXPORT_FILES ${PROTOCOL_NAME}-exp.cnf ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST IPMSInformationObjects.asn IPMSHeadingExtensions.asn IPMSExtendedBodyPartTypes2.asn IPMSFileTransferBodyPartType.asn IPMSExtendedVoiceBodyPartType.asn IPMSForwardedContentBodyPartType.asn IPMSMessageStoreAttributes.asn IPMSSecurityExtensions.asn IPMSObjectIdentifiers.asn IPMSUpperBounds.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c packet-${PROTOCOL_NAME}-template.h ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS -b -C ) set( EXTRA_CNF "${CMAKE_CURRENT_BINARY_DIR}/../acse/acse-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../ftam/ftam-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../p7/p7-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../p1/p1-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../x509af/x509af-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../x509ce/x509ce-exp.cnf" ) set( EXPORT_DEPENDS "${CMAKE_CURRENT_BINARY_DIR}/../p1/p1-exp.cnf" ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/p22/IPMSExtendedBodyPartTypes2.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x420/1999/index.html -- Module IPMSExtendedBodyPartTypes2 (X.420:06/1999) IPMSExtendedBodyPartTypes2 {iso standard mhs(10021) ipms(7) modules(0) extended-body-part-types-2(1)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything. IMPORTS -- IPMS Information Objects EXTENDED-BODY-PART-TYPE --== FROM IPMSInformationObjects {joint-iso-itu-t mhs(6) ipms(1) modules(0) information-objects(2) version-1999(1)} -- IPMS Object Identifiers id-ep-general-text, id-et-general-text --== FROM IPMSObjectIdentifiers {joint-iso-itu-t mhs(6) ipms(1) modules(0) object-identifiers(0) version-1999(1)}; -- General Text body part general-text-body-part EXTENDED-BODY-PART-TYPE ::= { PARAMETERS {GeneralTextParameters IDENTIFIED BY id-ep-general-text}, DATA {GeneralTextData IDENTIFIED BY id-et-general-text} } GeneralTextParameters ::= SET OF CharacterSetRegistration GeneralTextData ::= GeneralString CharacterSetRegistration ::= INTEGER(1..32767) END -- of IPMSExtendedBodyPartTypes2 -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p22/IPMSExtendedVoiceBodyPartType.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x420/1999/index.html -- Module IPMSExtendedVoiceBodyPartType (X.420:06/1999) IPMSExtendedVoiceBodyPartType {joint-iso-itu-t mhs(6) ipms(1) modules(0) extended-voice-body-part-type(11)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything. IMPORTS -- IPMS Information Objects EXTENDED-BODY-PART-TYPE --== FROM IPMSInformationObjects {joint-iso-itu-t mhs(6) ipms(1) modules(0) information-objects(2) version-1999(1)} -- IPMS Object Identifiers id-ep-voice, id-et-voice --== FROM IPMSObjectIdentifiers {joint-iso-itu-t mhs(6) ipms(1) modules(0) object-identifiers(0) version-1999(1)}; -- Extended Voice body part voice-body-part EXTENDED-BODY-PART-TYPE ::= { PARAMETERS {VoiceParameters IDENTIFIED BY id-ep-voice}, DATA {VoiceData IDENTIFIED BY id-et-voice} } VoiceParameters ::= SEQUENCE { voice-message-duration [0] INTEGER OPTIONAL, -- In seconds voice-encoding-type [1] OBJECT IDENTIFIER, supplementary-information [2] IA5String OPTIONAL } VoiceData ::= OCTET STRING END -- of IPMSExtendedVoiceBodyPartType -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p22/IPMSFileTransferBodyPartType.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x420/1999/index.html -- Module IPMSFileTransferBodyPartType (X.420:06/1999) IPMSFileTransferBodyPartType {joint-iso-itu-t mhs(6) ipms(1) modules(0) file-transfer-body-part-type(9)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything. IMPORTS -- FTAM Attribute Types Attribute-Extensions, Concurrency-Access, Date-and-Time-Attribute, Legal-Qualification-Attribute, Object-Availability-Attribute, Object-Size-Attribute, Pathname, Permitted-Actions-Attribute, Private-Use-Attribute --== FROM ISO8571-FTAM {iso standard 8571 application-context(1) iso-ftam(1)} -- ACSE definitions of AP-title and AE-qualifier AE-qualifier, AP-title --== FROM ACSE-1 {joint-iso-itu-t association-control(2) modules(0) apdus(0) version1(1)} -- IPMS Information Objects EXTENDED-BODY-PART-TYPE, ExtensionsField --== FROM IPMSInformationObjects {joint-iso-itu-t mhs(6) ipms(1) modules(0) information-objects(2) version-1999(1)} -- IPMS Object Identifiers id-ep-file-transfer, id-et-file-transfer --== FROM IPMSObjectIdentifiers {joint-iso-itu-t mhs(6) ipms(1) modules(0) object-identifiers(0) version-1999(1)} -- MTS Abstract Service ORName --== FROM MTSAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1999(1)}; -- File Transfer body part file-transfer-body-part EXTENDED-BODY-PART-TYPE ::= { PARAMETERS {FileTransferParameters IDENTIFIED BY id-ep-file-transfer}, DATA {FileTransferData IDENTIFIED BY id-et-file-transfer} } FileTransferParameters ::= SEQUENCE { related-stored-file [0] RelatedStoredFile OPTIONAL, contents-type [1] ContentsTypeParameter OPTIONAL, -- WS: asn2wrs does not handle DEFAULT, so we make the parameters OPTIONAL -- DEFAULT -- document-type: -- {document-type-name -- {iso standard 8571 document-type(5) unstructured-binary(3)}}, environment [2] EnvironmentParameter OPTIONAL, compression [3] CompressionParameter OPTIONAL, file-attributes [4] FileAttributes OPTIONAL, extensions [5] ExtensionsField OPTIONAL } FileTransferData ::= SEQUENCE OF EXTERNAL -- This conveys a sequence of data values representing file contents; -- The rules for generating this sequence are implied by the value of the contents-type parameter. RelatedStoredFile ::= SET OF SEQUENCE {file-identifier FileIdentifier, relationship Relationship DEFAULT explicit-relationship:unspecified } FileIdentifier ::= CHOICE { pathname-and-version [0] PathnameandVersion, cross-reference [1] CrossReference } PathnameandVersion ::= SEQUENCE { pathname [0] Pathname-Attribute, file-version [1] GraphicString OPTIONAL } CrossReference ::= SEQUENCE { application-cross-reference [0] OCTET STRING, message-reference [1] MessageReference OPTIONAL, body-part-reference [2] INTEGER OPTIONAL } MessageReference ::= SET { user [0] ORName OPTIONAL, -- Defined in 8.5.5 of ITU-T Rec. X.411 | ISO/IEC 10021-4 user-relative-identifier [1] PrintableString } Relationship ::= CHOICE { explicit-relationship [0] ExplicitRelationship, descriptive-relationship [1] GraphicString } ExplicitRelationship ::= INTEGER { unspecified(0), new-file(1), replacement(2), extension(3)} ContentsTypeParameter ::= Contents-Type-Attribute DOCUMENT-PARAMETER ::= CLASS {&Type } Contents-Type-Attribute ::= CHOICE { document-type [0] SEQUENCE {document-type-name Document-Type-Name, parameter [0] DOCUMENT-PARAMETER.&Type OPTIONAL }, -- The actual types to be used for values of the parameter field -- are defined in the named document type. constraint-set-and-abstract-syntax [1] SEQUENCE {constraint-set-name Constraint-Set-Name, abstract-syntax-name Abstract-Syntax-Name} } Document-Type-Name ::= OBJECT IDENTIFIER -- WS: Moved to before used --DOCUMENT-PARAMETER ::= CLASS {&Type --} Constraint-Set-Name ::= OBJECT IDENTIFIER Abstract-Syntax-Name ::= OBJECT IDENTIFIER EnvironmentParameter ::= SEQUENCE { application-reference [0] GeneralIdentifier OPTIONAL, machine [1] GeneralIdentifier OPTIONAL, operating-system [2] OBJECT IDENTIFIER OPTIONAL, user-visible-string [3] SEQUENCE OF GraphicString OPTIONAL } GeneralIdentifier ::= CHOICE { registered-identifier [0] OBJECT IDENTIFIER, descriptive-identifier [1] SEQUENCE OF GraphicString } COMPRESSION-ALGORITHM ::= TYPE-IDENTIFIER CompressionParameter ::= SEQUENCE { compression-algorithm-id [0] TYPE-IDENTIFIER.&id({CompressionAlgorithmTable}), compression-algorithm-param [1] TYPE-IDENTIFIER.&Type ({CompressionAlgorithmTable}{@compression-algorithm-id}) } -- WS: Moved to before where used --COMPRESSION-ALGORITHM ::= TYPE-IDENTIFIER CompressionAlgorithmTable COMPRESSION-ALGORITHM ::= {...} FileAttributes ::= SEQUENCE { pathname Pathname-Attribute OPTIONAL, permitted-actions [1] Permitted-Actions-Attribute OPTIONAL, storage-account [3] Account-Attribute OPTIONAL, date-and-time-of-creation [4] Date-and-Time-Attribute OPTIONAL, date-and-time-of-last-modification [5] Date-and-Time-Attribute OPTIONAL, date-and-time-of-last-read-access [6] Date-and-Time-Attribute OPTIONAL, date-and-time-of-last-attribute-modification [7] Date-and-Time-Attribute OPTIONAL, identity-of-creator [8] User-Identity-Attribute OPTIONAL, identity-of-last-modifier [9] User-Identity-Attribute OPTIONAL, identity-of-last-reader [10] User-Identity-Attribute OPTIONAL, identity-of-last-attribute-modifier [11] User-Identity-Attribute OPTIONAL, object-availability [12] Object-Availability-Attribute OPTIONAL, object-size [13] Object-Size-Attribute OPTIONAL, future-object-size [14] Object-Size-Attribute OPTIONAL, access-control [15] Access-Control-Attribute OPTIONAL, legal-qualifications [16] Legal-Qualification-Attribute OPTIONAL, private-use [17] Private-Use-Attribute OPTIONAL, attribute-extensions [22] Attribute-Extensions OPTIONAL } Pathname-Attribute ::= CHOICE { incomplete-pathname [0] Pathname, complete-pathname [23] Pathname } Account-Attribute ::= CHOICE { no-value-available [0] NULL, -- Indicates partial support of this attribute actual-values Account } Account ::= GraphicString User-Identity-Attribute ::= CHOICE { no-value-available [0] NULL, -- Indicates partial support of this attribute. actual-values User-Identity } User-Identity ::= GraphicString Access-Control-Attribute ::= CHOICE { no-value-available [0] NULL, -- Indicates partial support of this attribute. actual-values [1] SET OF Access-Control-Element } -- The semantics of this attribute are described in ISO 8571-2 Access-Control-Element ::= SEQUENCE { action-list [0] Access-Request, concurrency-access [1] Concurrency-Access OPTIONAL, identity [2] User-Identity OPTIONAL, passwords [3] Access-Passwords OPTIONAL, location [4] Application-Entity-Title OPTIONAL } Access-Request ::= BIT STRING { read(0), insert(1), replace(2), extend(3), erase(4), read-attribute(5), change-attribute(6), delete-object(7)} Access-Passwords ::= SEQUENCE { read-password [0] Password, insert-password [1] Password, replace-password [2] Password, extend-password [3] Password, erase-password [4] Password, read-attribute-password [5] Password, change-attribute-password [6] Password, delete-password [7] Password, pass-passwords [8] Pass-Passwords, link-password [9] Password } Password ::= CHOICE { graphic-string GraphicString, octet-string OCTET STRING } Pass-Passwords ::= SEQUENCE OF Password Application-Entity-Title ::= SEQUENCE { ap-title AP-title, ae-qualifier AE-qualifier } END -- of IPMSFileTransferBodyPartType -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p22/IPMSForwardedContentBodyPartType.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x420/1999/index.html -- Module IPMSForwardedContentBodyPartType (X.420:06/1999) IPMSForwardedContentBodyPartType {joint-iso-itu-t mhs(6) ipms(1) modules(0) forwarded-content-body-part-type(15)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything. IMPORTS -- MTS Abstract Service Content, ExtendedContentType, MessageDeliveryIdentifier, MessageDeliveryTime, MessageSubmissionEnvelope, OriginatingMTACertificate, OtherMessageDeliveryFields, ProofOfSubmission --== FROM MTSAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1999(1)} -- IPMS Information Objects EXTENDED-BODY-PART-TYPE --== FROM IPMSInformationObjects {joint-iso-itu-t mhs(6) ipms(1) modules(0) information-objects(2) version-1999(1)} -- IPMS Object Identifiers id-ep-content, id-et-content --== FROM IPMSObjectIdentifiers {joint-iso-itu-t mhs(6) ipms(1) modules(0) object-identifiers(0) version-1999(1)}; -- Forwarded Content body part content-body-part{ExtendedContentType:content-type} EXTENDED-BODY-PART-TYPE ::= { PARAMETERS {ForwardedContentParameters IDENTIFIED BY {id-ep-content content-type}}, DATA {Content IDENTIFIED BY {id-et-content content-type}} } ForwardedContentParameters ::= SET { delivery-time [0] MessageDeliveryTime OPTIONAL, delivery-envelope [1] OtherMessageDeliveryFields OPTIONAL, mts-identifier [2] MessageDeliveryIdentifier OPTIONAL, submission-proof [3] SubmissionProof OPTIONAL } SubmissionProof ::= SET { proof-of-submission [0] ProofOfSubmission, originating-MTA-certificate [1] OriginatingMTACertificate, message-submission-envelope MessageSubmissionEnvelope } END -- of IPMSForwardedContentBodyPartType -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p22/IPMSHeadingExtensions.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x420/1999/index.html -- Module IPMSHeadingExtensions (X.420:06/1999) IPMSHeadingExtensions {joint-iso-itu-t mhs(6) ipms(1) modules(0) heading-extensions(6) version-1999(1)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything. IMPORTS -- IPMS Information Objects IPMS-EXTENSION, ORDescriptor, RecipientSpecifier, ThisIPMField, BodyPart, BodyPartNumber --== FROM IPMSInformationObjects {joint-iso-itu-t mhs(6) ipms(1) modules(0) information-objects(2) version-1999(1)} -- MTS Abstract Service ExtendedCertificates, SecurityLabel, UniversalOrBMPString{} --== FROM MTSAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1999(1)} -- Directory Authentication Framework AlgorithmIdentifier, SIGNATURE{}, SIGNED{} --== FROM AuthenticationFramework {joint-iso-itu-t ds(5) module(1) authenticationFramework(7) 3} -- Directory Certificate Extensions CertificateAssertion --== FROM CertificateExtensions {joint-iso-itu-t ds(5) module(1) certificateExtensions(26) 0} -- IPMS upper bounds ub-alpha-code-length, ub-circulation-list-members, ub-distribution-codes, ub-extended-subject-length, ub-information-categories, ub-information-category-length, ub-manual-handling-instruction-length, ub-manual-handling-instructions, ub-originators-reference-length, ub-precedence --== FROM IPMSUpperBounds {joint-iso-itu-t mhs(6) ipms(1) modules(0) upper-bounds(10) version-1999(1)} -- IPMS Object Identifiers id-hex-authorization-time, id-hex-auto-submitted, id-hex-body-part-signatures, id-hex-circulation-list-recipients, id-hex-distribution-codes, id-hex-extended-subject, id-hex-incomplete-copy, id-hex-information-category, id-hex-ipm-security-label, id-hex-languages, id-hex-manual-handling-instructions, id-hex-originators-reference, id-hex-precedence-policy-id, id-rex-circulation-list-indicator, id-rex-precedence --== FROM IPMSObjectIdentifiers {joint-iso-itu-t mhs(6) ipms(1) modules(0) object-identifiers(0) version-1999(1)}; -- Incomplete Copy incomplete-copy IPMS-EXTENSION ::= { VALUE IncompleteCopy, IDENTIFIED BY id-hex-incomplete-copy } IncompleteCopy ::= NULL -- Languages languages IPMS-EXTENSION ::= { VALUE --SET OF Language-- Languages, IDENTIFIED BY id-hex-languages } --WS: Support dissection of extension Languages ::= SET OF Language Language ::= PrintableString(SIZE (2 | 5)) -- Auto-submitted auto-submitted IPMS-EXTENSION ::= { VALUE AutoSubmitted, IDENTIFIED BY id-hex-auto-submitted } AutoSubmitted ::= ENUMERATED { not-auto-submitted(0), auto-generated(1), auto-replied(2)} body-part-signatures IPMS-EXTENSION ::= { VALUE BodyPartSignatures, IDENTIFIED BY id-hex-body-part-signatures } BodyPartSignatures ::= SET OF SET {body-part-number BodyPartNumber, body-part-signature BodyPartSignature, originator-certificate-selector [1] CertificateAssertion OPTIONAL, originator-certificates [0] ExtendedCertificates OPTIONAL, ...} --BodyPartNumber ::= INTEGER(1..MAX) -- WS: Import Signature definition Signature ::= SEQUENCE { algorithmIdentifier AlgorithmIdentifier, encrypted BIT STRING } BodyPartSignature ::= Signature -- SIGNATURE -- {SEQUENCE {signature-algorithm-identifier AlgorithmIdentifier, -- body-part BodyPart, -- body-part-security-label SecurityLabel OPTIONAL -- }} ipm-security-label IPMS-EXTENSION ::= { VALUE IPMSecurityLabel, IDENTIFIED BY id-hex-ipm-security-label } IPMSecurityLabel ::= SEQUENCE { content-security-label [0] SecurityLabel, heading-security-label [1] SecurityLabel OPTIONAL, body-part-security-labels [2] SEQUENCE OF BodyPartSecurityLabel OPTIONAL } BodyPartSecurityLabel ::= CHOICE { body-part-unlabelled [0] NULL, body-part-security-label [1] SecurityLabel } -- Authorization Time authorization-time IPMS-EXTENSION ::= { VALUE AuthorizationTime, IDENTIFIED BY id-hex-authorization-time } AuthorizationTime ::= GeneralizedTime -- Circulation List circulation-list-recipients IPMS-EXTENSION ::= { VALUE CirculationList, IDENTIFIED BY id-hex-circulation-list-recipients } CirculationList ::= SEQUENCE (SIZE (2..ub-circulation-list-members)) OF CirculationMember CirculationMember ::= SET { circulation-recipient RecipientSpecifier (WITH COMPONENTS { ..., recipient (WITH COMPONENTS { ..., formal-name PRESENT }) }), checked Checkmark OPTIONAL } Checkmark ::= CHOICE { simple NULL, timestamped CirculationTime, signed CirculationSignature } CirculationTime ::= GeneralizedTime --WS: expand SIGNED MACRO manually CirculationSignatureData ::= -- SIGNED -- {-- SEQUENCE {algorithm-identifier CirculationSignatureAlgorithmIdentifier, this-IPM ThisIPMField, timestamp CirculationTime}--} CirculationSignature ::= SEQUENCE { circulation-signature-data CirculationSignatureData, algorithm-identifier AlgorithmIdentifier, encrypted BIT STRING } CirculationSignatureAlgorithmIdentifier ::= AlgorithmIdentifier -- Circulation List Indicator circulation-list-indicator IPMS-EXTENSION ::= { VALUE NULL, IDENTIFIED BY id-rex-circulation-list-indicator } --WS: Allow dissection. CirculationListIndicator ::= NULL -- Distribution Codes distribution-codes IPMS-EXTENSION ::= { VALUE DistributionCodes, IDENTIFIED BY id-hex-distribution-codes } DistributionCodes ::= SEQUENCE (SIZE (1..ub-distribution-codes)) OF DistributionCode DistributionCode ::= SEQUENCE { oid-code OBJECT IDENTIFIER OPTIONAL, alphanumeric-code AlphaCode OPTIONAL, or-descriptor [0] ORDescriptor OPTIONAL } AlphaCode ::= UniversalOrBMPString{ub-alpha-code-length} -- Extended Subject extended-subject IPMS-EXTENSION ::= { VALUE ExtendedSubject, IDENTIFIED BY id-hex-extended-subject } ExtendedSubject ::= UniversalOrBMPString{ub-extended-subject-length} -- Information category information-category IPMS-EXTENSION ::= { VALUE InformationCategories, IDENTIFIED BY id-hex-information-category } InformationCategories ::= SEQUENCE (SIZE (1..ub-information-categories)) OF InformationCategory InformationCategory ::= SEQUENCE { reference [0] OBJECT IDENTIFIER OPTIONAL, description [1] DescriptionString OPTIONAL } DescriptionString ::= UniversalOrBMPString{ub-information-category-length} -- Manual handling Instructions manual-handling-instructions IPMS-EXTENSION ::= { VALUE ManualHandlingInstructions, IDENTIFIED BY id-hex-manual-handling-instructions } ManualHandlingInstructions ::= SEQUENCE (SIZE (1..ub-manual-handling-instructions)) OF ManualHandlingInstruction ManualHandlingInstruction ::= UniversalOrBMPString{ub-manual-handling-instruction-length} -- Originator's Reference originators-reference IPMS-EXTENSION ::= { VALUE OriginatorsReference, IDENTIFIED BY id-hex-originators-reference } OriginatorsReference ::= UniversalOrBMPString{ub-originators-reference-length} -- Precedence Policy Identifier precedence-policy-identifier IPMS-EXTENSION ::= { VALUE PrecedencePolicyIdentifier, IDENTIFIED BY id-hex-precedence-policy-id } PrecedencePolicyIdentifier ::= OBJECT IDENTIFIER -- Precedence precedence IPMS-EXTENSION ::= { VALUE Precedence, IDENTIFIED BY id-rex-precedence } Precedence ::= INTEGER(0..ub-precedence) END -- of IPMSHeadingExtensions -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p22/IPMSInformationObjects.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x420/1999/index.html -- Module IPMSInformationObjects (X.420:06/1999) IPMSInformationObjects {joint-iso-itu-t mhs(6) ipms(1) modules(0) information-objects(2) version-1999(1)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything. IMPORTS -- IPMS Extended Body Parts bilaterally-defined-body-part, encrypted-body-part, g3-facsimile-body-part, g4-class1-body-part, ia5-text-body-part, message-body-part, mixed-mode-body-part, nationally-defined-body-part, teletex-body-part, videotex-body-part --== FROM IPMSExtendedBodyPartTypes {joint-iso-itu-t mhs(6) ipms(1) modules(0) extended-body-part-types(7) version-1994(0)} general-text-body-part --== FROM IPMSExtendedBodyPartTypes2 {iso standard mhs(10021) ipms(7) modules(0) extended-body-part-types-2(1)} file-transfer-body-part --== FROM IPMSFileTransferBodyPartType {joint-iso-itu-t mhs(6) ipms(1) modules(0) file-transfer-body-part-type(9)} voice-body-part --== FROM IPMSExtendedVoiceBodyPartType {joint-iso-itu-t mhs(6) ipms(1) modules(0) extended-voice-body-part-type(11)} notification-body-part, report-body-part --== FROM IPMSForwardedReportBodyPartType {joint-iso-itu-t mhs(6) ipms(1) modules(0) forwarded-report-body-part-type(12)} content-body-part{} --== FROM IPMSForwardedContentBodyPartType {joint-iso-itu-t mhs(6) ipms(1) modules(0) forwarded-content-body-part-type(15)} pkcs7-body-part --== FROM PKCS7BodyPartType {joint-iso-itu-t mhs(6) ipms(1) modules(0) pkcs7-body-part-type(16)} -- IPMS Heading Extensions authorization-time, auto-submitted, body-part-signatures, circulation-list-indicator, circulation-list-recipients, distribution-codes, extended-subject, incomplete-copy, information-category, ipm-security-label, languages, manual-handling-instructions, originators-reference, precedence, precedence-policy-identifier --== FROM IPMSHeadingExtensions {joint-iso-itu-t mhs(6) ipms(1) modules(0) heading-extensions(6) version-1999(1)} -- IPMS Security Extensions body-part-encryption-token, BodyPartTokens, forwarded-content-token, ForwardedContentToken, ipn-security-response, recipient-security-request --== FROM IPMSSecurityExtensions {joint-iso-itu-t mhs(6) ipms(1) modules(0) ipm-security-extensions(14) version-1999(1)} -- IPMS Upper bounds ub-auto-forward-comment, ub-free-form-name, ub-local-ipm-identifier, ub-subject-field, ub-telephone-number --== FROM IPMSUpperBounds {joint-iso-itu-t mhs(6) ipms(1) modules(0) upper-bounds(10) version-1999(1)} -- ODIF -- Interchange-Data-Element --== -- FROM Interchange-Data-Elements {2 8 1 5 5} -- MTS Abstract Service EncodedInformationTypes, ExtendedCertificates, EXTENSION, G3FacsimileNonBasicParameters, MessageDeliveryTime, ORName, OtherMessageDeliveryFields, SupplementaryInformation, TeletexNonBasicParameters --== FROM MTSAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1999(1)} -- MS Abstract Service MS-EXTENSION, SequenceNumber --== FROM MSAbstractService {joint-iso-itu-t mhs(6) ms(4) modules(0) abstract-service(1) version-1999(1)} -- Directory Authentication Framework AlgorithmIdentifier, ENCRYPTED{} --== FROM AuthenticationFramework {joint-iso-itu-t ds(5) module(1) authenticationFramework(7) 3} -- IPMS Object Identifiers id-mst-assembly-capability, id-mst-assembly-instructions, id-mst-invalid-assembly-instructions, id-mst-invalid-ipn, id-mst-originator-body-part-encryption-token, id-mst-originator-forwarded-content-token, id-mst-suspend-auto-acknowledgement, id-mst-prevent-nrn-generation, id-on-absence-advice, id-on-change-of-address-advice --== FROM IPMSObjectIdentifiers {joint-iso-itu-t mhs(6) ipms(1) modules(0) object-identifiers(0) version-1999(1)}; Time ::= UTCTime -- Information object InformationObject ::= CHOICE {ipm [0] IPM, ipn [1] IPN } -- IPM IPM ::= SEQUENCE {heading Heading, body Body } -- MTS Extensions IPMPerRecipientEnvelopeExtensions EXTENSION ::= {blind-copy-recipients | body-part-encryption-token | forwarded-content-token, ...} -- IPMS Extensions IPMS-EXTENSION ::= CLASS {&id OBJECT IDENTIFIER UNIQUE, &Type DEFAULT NULL }WITH SYNTAX {[VALUE &Type,] IDENTIFIED BY &id } IPMSExtension{IPMS-EXTENSION:ChosenFrom} ::= SEQUENCE { type IPMS-EXTENSION.&id({ChosenFrom}), value IPMS-EXTENSION.&Type({ChosenFrom}{@type}) DEFAULT NULL:NULL } -- WS: Moved earlier --IPMS-EXTENSION ::= CLASS {&id OBJECT IDENTIFIER UNIQUE, -- &Type DEFAULT NULL --}WITH SYNTAX {[VALUE &Type,] -- IDENTIFIED BY &id --} PrivateIPMSExtensions IPMS-EXTENSION ::= {...} -- Heading Heading ::= SET { this-IPM ThisIPMField, originator [0] OriginatorField OPTIONAL, authorizing-users [1] AuthorizingUsersField OPTIONAL, primary-recipients [2] PrimaryRecipientsField DEFAULT {}, copy-recipients [3] CopyRecipientsField DEFAULT {}, blind-copy-recipients [4] BlindCopyRecipientsField OPTIONAL, replied-to-IPM [5] RepliedToIPMField OPTIONAL, obsoleted-IPMs [6] ObsoletedIPMsField DEFAULT {}, related-IPMs [7] RelatedIPMsField DEFAULT {}, subject [8] EXPLICIT SubjectField OPTIONAL, expiry-time [9] ExpiryTimeField OPTIONAL, reply-time [10] ReplyTimeField OPTIONAL, reply-recipients [11] ReplyRecipientsField OPTIONAL, importance [12] ImportanceField DEFAULT normal, sensitivity [13] SensitivityField OPTIONAL, auto-forwarded [14] AutoForwardedField DEFAULT FALSE, extensions [15] ExtensionsField DEFAULT {} } -- Heading component types IPMIdentifier ::= [APPLICATION 11] SET { user ORName OPTIONAL, user-relative-identifier LocalIPMIdentifier } LocalIPMIdentifier ::= PrintableString(SIZE (0..ub-local-ipm-identifier)) RecipientSpecifier ::= SET { recipient [0] ORDescriptor, notification-requests [1] NotificationRequests DEFAULT {}, reply-requested [2] BOOLEAN DEFAULT FALSE, recipient-extensions [3] RecipientExtensionsField OPTIONAL } ORDescriptor ::= SET { formal-name ORName OPTIONAL, free-form-name [0] FreeFormName OPTIONAL, telephone-number [1] TelephoneNumber OPTIONAL } FreeFormName ::= TeletexString(SIZE (0..ub-free-form-name)) TelephoneNumber ::= PrintableString(SIZE (0..ub-telephone-number)) NotificationRequests ::= BIT STRING { rn(0), nrn(1), ipm-return(2), an-supported(3), suppress-an(4)} RecipientExtensionsField ::= SET OF IPMSExtension{{RecipientExtensions}} RecipientExtensions IPMS-EXTENSION ::= {circulation-list-indicator | precedence | recipient-security-request | PrivateIPMSExtensions, ...} -- This IPM heading field ThisIPMField ::= IPMIdentifier -- Originator heading field OriginatorField ::= ORDescriptor -- Authorizing Users heading field AuthorizingUsersField ::= SEQUENCE OF AuthorizingUsersSubfield AuthorizingUsersSubfield ::= ORDescriptor -- Primary Recipients heading field PrimaryRecipientsField ::= SEQUENCE OF PrimaryRecipientsSubfield PrimaryRecipientsSubfield ::= RecipientSpecifier -- Copy Recipients heading field CopyRecipientsField ::= SEQUENCE OF CopyRecipientsSubfield CopyRecipientsSubfield ::= RecipientSpecifier -- Blind Copy Recipients heading field BlindCopyRecipientsField ::= SEQUENCE OF BlindCopyRecipientsSubfield BlindCopyRecipientsSubfield ::= RecipientSpecifier -- Blind Copy Recipients envelope field blind-copy-recipients EXTENSION ::= { BlindCopyRecipientsField, IDENTIFIED BY standard-extension:41 } -- Replied-to IPM heading field RepliedToIPMField ::= IPMIdentifier -- Obsoleted IPMs heading field ObsoletedIPMsField ::= SEQUENCE OF ObsoletedIPMsSubfield ObsoletedIPMsSubfield ::= IPMIdentifier -- Related IPMs heading field RelatedIPMsField ::= SEQUENCE OF RelatedIPMsSubfield RelatedIPMsSubfield ::= IPMIdentifier -- Subject heading field SubjectField ::= TeletexString(SIZE (0..ub-subject-field)) -- Expiry Time heading field ExpiryTimeField ::= Time -- Reply Time heading field ReplyTimeField ::= Time -- Reply Recipients heading field ReplyRecipientsField ::= SEQUENCE OF ReplyRecipientsSubfield ReplyRecipientsSubfield ::= ORDescriptor(WITH COMPONENTS { ..., formal-name PRESENT }) -- Importance heading field ImportanceField ::= ENUMERATED {low(0), normal(1), high(2)} -- Sensitivity heading field SensitivityField ::= ENUMERATED { personal(1), private(2), company-confidential(3)} -- Auto-forwarded heading field AutoForwardedField ::= BOOLEAN -- Extensions heading field ExtensionsField ::= SET OF IPMSExtension{{HeadingExtensions}} HeadingExtensions IPMS-EXTENSION ::= {authorization-time | auto-submitted | body-part-signatures | circulation-list-recipients | distribution-codes | extended-subject | incomplete-copy | information-category | ipm-security-label | languages | manual-handling-instructions | originators-reference | precedence-policy-identifier | PrivateIPMSExtensions, ...} -- Body Body ::= SEQUENCE OF BodyPart BodyPart ::= CHOICE { basic CHOICE {ia5-text [0] IA5TextBodyPart, g3-facsimile [3] G3FacsimileBodyPart, g4-class1 [4] G4Class1BodyPart, teletex [5] TeletexBodyPart, videotex [6] VideotexBodyPart, encrypted [8] EncryptedBodyPart, message [9] MessageBodyPart, mixed-mode [11] MixedModeBodyPart, bilaterally-defined [14] BilaterallyDefinedBodyPart, nationally-defined [7] NationallyDefinedBodyPart}, extended [15] ExtendedBodyPart{{IPMBodyPartTable}} } -- Extended body part ExtendedBodyPart{EXTENDED-BODY-PART-TYPE:IPMBodyPartTable} ::= SEQUENCE { parameters [0] INSTANCE OF TYPE-IDENTIFIER OPTIONAL, data INSTANCE OF TYPE-IDENTIFIER } (CONSTRAINED BY { -- must correspond to the &parameters field and &data field of a member of -- IPMBodyPartTable}) IPMBodyPartTable EXTENDED-BODY-PART-TYPE ::= {StandardBodyParts | ApplicationSpecificBodyParts} StandardBodyParts EXTENDED-BODY-PART-TYPE ::= {ia5-text-body-part | g3-facsimile-body-part | g4-class1-body-part | teletex-body-part | videotex-body-part | encrypted-body-part | message-body-part | mixed-mode-body-part | bilaterally-defined-body-part | nationally-defined-body-part | general-text-body-part | file-transfer-body-part | voice-body-part | report-body-part | notification-body-part | content-body-part{{1 2 3 -- RELATIVE-OID to be provided --}} | pkcs7-body-part, ...} ApplicationSpecificBodyParts EXTENDED-BODY-PART-TYPE ::= {--any body part defined in other Specifications, or for proprietary or private use ...} EXTENDED-BODY-PART-TYPE ::= CLASS { &parameters TYPE-IDENTIFIER OPTIONAL, &data TYPE-IDENTIFIER }WITH SYNTAX {[PARAMETERS &parameters,] DATA &data } -- IA5 Text body part IA5TextBodyPart ::= SEQUENCE { parameters IA5TextParameters, data IA5TextData } IA5TextParameters ::= SET {repertoire [0] Repertoire DEFAULT ia5 } IA5TextData ::= IA5String Repertoire ::= ENUMERATED {ita2(2), ia5(5)} -- G3 Facsimile body part G3FacsimileBodyPart ::= SEQUENCE { parameters G3FacsimileParameters, data G3FacsimileData } G3FacsimileParameters ::= SET { number-of-pages [0] INTEGER OPTIONAL, non-basic-parameters [1] G3FacsimileNonBasicParameters OPTIONAL } G3FacsimileData ::= SEQUENCE OF BIT STRING -- G4 Class 1 and Mixed-mode body parts G4Class1BodyPart ::= SEQUENCE OF Interchange-Data-Element MixedModeBodyPart ::= SEQUENCE OF Interchange-Data-Element --WS: We don't have an IMPORT for this, so we make it an ANY. Interchange-Data-Element ::= ANY -- Teletex body part TeletexBodyPart ::= SEQUENCE { parameters TeletexParameters, data TeletexData } TeletexParameters ::= SET { number-of-pages [0] INTEGER OPTIONAL, telex-compatible [1] BOOLEAN DEFAULT FALSE, non-basic-parameters [2] TeletexNonBasicParameters OPTIONAL } TeletexData ::= SEQUENCE OF TeletexString -- Videotex body part VideotexBodyPart ::= SEQUENCE { parameters VideotexParameters, data VideotexData } VideotexParameters ::= SET {syntax [0] VideotexSyntax OPTIONAL } VideotexSyntax ::= INTEGER { ids(0), data-syntax1(1), data-syntax2(2), data-syntax3(3)} VideotexData ::= VideotexString -- Encrypted body part EncryptedBodyPart ::= SEQUENCE { parameters EncryptedParameters, data EncryptedData } EncryptedParameters ::= SET { algorithm-identifier AlgorithmIdentifier, originator-certificates ExtendedCertificates OPTIONAL, ... } EncryptedData ::= BIT STRING(CONSTRAINED BY {BodyPart}) -- Message body part MessageBodyPart ::= SEQUENCE { parameters MessageParameters, data MessageData } MessageParameters ::= SET { delivery-time [0] MessageDeliveryTime OPTIONAL, delivery-envelope [1] OtherMessageDeliveryFields OPTIONAL } MessageData ::= IPM -- Bilaterally Defined body part BilaterallyDefinedBodyPart ::= OCTET STRING -- Nationally Defined body part NATIONAL-BODY-PARTS ::= CLASS {&Type } NationallyDefinedBodyPart ::= NATIONAL-BODY-PARTS.&Type -- Provided for Historic reasons. Use is strongly deprecated. -- IPN IPN ::= SET { -- common-fields --COMPONENTS OF CommonFields, choice [0] CHOICE {non-receipt-fields [0] NonReceiptFields, receipt-fields [1] ReceiptFields, other-notification-type-fields [2] OtherNotificationTypeFields} } RN ::= IPN (WITH COMPONENTS { ..., choice (WITH COMPONENTS { receipt-fields PRESENT }) }) NRN ::= IPN (WITH COMPONENTS { ..., choice (WITH COMPONENTS { non-receipt-fields PRESENT }) }) ON ::= IPN (WITH COMPONENTS { ..., choice (WITH COMPONENTS { other-notification-type-fields PRESENT }) }) CommonFields ::= SET { subject-ipm SubjectIPMField, ipn-originator [1] IPNOriginatorField OPTIONAL, ipm-intended-recipient [2] IPMIntendedRecipientField OPTIONAL, conversion-eits ConversionEITsField OPTIONAL, notification-extensions [3] NotificationExtensionsField OPTIONAL } NonReceiptFields ::= SET { non-receipt-reason [0] NonReceiptReasonField, discard-reason [1] DiscardReasonField OPTIONAL, auto-forward-comment [2] AutoForwardCommentField OPTIONAL, returned-ipm [3] ReturnedIPMField OPTIONAL, nrn-extensions [4] NRNExtensionsField OPTIONAL } ReceiptFields ::= SET { receipt-time [0] ReceiptTimeField, acknowledgment-mode [1] AcknowledgmentModeField DEFAULT manual, suppl-receipt-info [2] SupplReceiptInfoField OPTIONAL, rn-extensions [3] RNExtensionsField OPTIONAL } -- Common fields SubjectIPMField ::= IPMIdentifier IPNOriginatorField ::= ORDescriptor IPMIntendedRecipientField ::= ORDescriptor ConversionEITsField ::= EncodedInformationTypes NotificationExtensionsField ::= SET OF IPMSExtension{{NotificationExtensions}} NotificationExtensions IPMS-EXTENSION ::= {ipn-security-response | PrivateIPMSExtensions, ...} -- Non-receipt fields NonReceiptReasonField ::= ENUMERATED { ipm-discarded(0), ipm-auto-forwarded(1), ... } -- ITU-T version: DiscardReasonField ::= ENUMERATED { ipm-expired(0), ipm-obsoleted(1), user-subscription-terminated(2), not-used(3)} -- ISO/IEC version: --DiscardReasonField ::= ENUMERATED { -- ipm-expired (0), -- ipm-obsoleted (1), -- user-subscription-terminated (2), -- The following value may not be supported by implementations of earlier versions of this Specification -- ipm-deleted (3), -- ... } AutoForwardCommentField ::= AutoForwardComment AutoForwardComment ::= PrintableString(SIZE (0..ub-auto-forward-comment)) ReturnedIPMField ::= IPM NRNExtensionsField ::= SET OF IPMSExtension{{NRNExtensions}} NRNExtensions IPMS-EXTENSION ::= {PrivateIPMSExtensions, ...} -- Receipt fields ReceiptTimeField ::= Time AcknowledgmentModeField ::= ENUMERATED {manual(0), automatic(1)} SupplReceiptInfoField ::= SupplementaryInformation RNExtensionsField ::= SET OF IPMSExtension{{RNExtensions}} RNExtensions IPMS-EXTENSION ::= {PrivateIPMSExtensions, ...} -- Other Notification Type fields OtherNotificationTypeFields ::= SET OF IPMSExtension{{OtherNotifications}} OtherNotifications IPMS-EXTENSION ::= {AdviceNotifications | PrivateIPMSExtensions, ...} AdviceNotifications IPMS-EXTENSION ::= {absence-advice | change-of-address-advice, ...} -- Advice Notification fields absence-advice IPMS-EXTENSION ::= { VALUE AbsenceAdvice, IDENTIFIED BY id-on-absence-advice } AbsenceAdvice ::= SEQUENCE { advice BodyPart OPTIONAL, next-available Time OPTIONAL } -- at least one component shall be present change-of-address-advice IPMS-EXTENSION ::= { VALUE ChangeOfAddressAdvice, IDENTIFIED BY id-on-change-of-address-advice } ChangeOfAddressAdvice ::= SEQUENCE { new-address [0] ORDescriptor(WITH COMPONENTS { ..., formal-name PRESENT }), effective-from [1] Time OPTIONAL } -- Message Store Realization -- WS: Manually import MACRO MS-EXTENSION ::= TYPE-IDENTIFIER prevent-nrn-generation MS-EXTENSION ::= { NULL IDENTIFIED BY id-mst-prevent-nrn-generation } suspend-auto-acknowledgement MS-EXTENSION ::= { NULL IDENTIFIED BY id-mst-suspend-auto-acknowledgement } assembly-capability MS-EXTENSION ::= { NULL IDENTIFIED BY id-mst-assembly-capability } IPMSubmissionOptions MS-EXTENSION ::= {ipm-assembly-instructions | originator-body-part-encryption-token | originator-forwarded-content-token, ...} -- For future extension additions ipm-assembly-instructions MS-EXTENSION ::= { IPMAssemblyInstructions IDENTIFIED BY id-mst-assembly-instructions } IPMAssemblyInstructions ::= SET {assembly-instructions [0] BodyPartReferences } BodyPartReferences ::= SEQUENCE OF BodyPartReference BodyPartReference ::= CHOICE { stored-entry [0] SequenceNumber, stored-content [1] SequenceNumber, submitted-body-part [2] INTEGER(1..MAX), stored-body-part [3] SEQUENCE {message-entry SequenceNumber, body-part-number BodyPartNumber} } BodyPartNumber ::= INTEGER(1..MAX) originator-body-part-encryption-token MS-EXTENSION ::= { BodyPartTokens IDENTIFIED BY id-mst-originator-body-part-encryption-token } originator-forwarded-content-token MS-EXTENSION ::= { ForwardedContentToken IDENTIFIED BY id-mst-originator-forwarded-content-token } IPMSubmissionErrors MS-EXTENSION ::= {invalid-assembly-instructions | invalid-ipn, ... } -- For future extension additions invalid-assembly-instructions MS-EXTENSION ::= { BodyPartReferences IDENTIFIED BY id-mst-invalid-assembly-instructions } invalid-ipn MS-EXTENSION ::= {NULL IDENTIFIED BY id-mst-invalid-ipn } END -- of IPMSInformationObjects -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p22/IPMSMessageStoreAttributes.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x420/1999/index.html -- Module IPMSMessageStoreAttributes (X.420:06/1999) IPMSMessageStoreAttributes {joint-iso-itu-t mhs(6) ipms(1) modules(0) message-store-attributes(8) version-1999(1)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything. IMPORTS -- IPMS Heading Extensions AuthorizationTime, AutoSubmitted, --BodyPartNumber,-- BodyPartSecurityLabel, BodyPartSignatures, CirculationMember, DistributionCode, ExtendedSubject, IncompleteCopy, InformationCategory, IPMSecurityLabel, Language, ManualHandlingInstruction, OriginatorsReference, Precedence, PrecedencePolicyIdentifier --== FROM IPMSHeadingExtensions {joint-iso-itu-t mhs(6) ipms(1) modules(0) heading-extensions(6) version-1999(1)} -- IPMS Security Extensions BodyPartTokens, ForwardedContentToken --== FROM IPMSSecurityExtensions {joint-iso-itu-t mhs(6) ipms(1) modules(0) ipm-security-extensions(14) version-1999(1)} -- IPMS Information Objects AcknowledgmentModeField, AuthorizingUsersSubfield, AutoForwardCommentField, AutoForwardedField, BilaterallyDefinedBodyPart, BlindCopyRecipientsSubfield, Body, BodyPartNumber, ConversionEITsField, CopyRecipientsSubfield, DiscardReasonField, EncryptedBodyPart, EncryptedData, EncryptedParameters, ExpiryTimeField, EXTENDED-BODY-PART-TYPE, G3FacsimileBodyPart, G3FacsimileData, G3FacsimileParameters, G4Class1BodyPart, Heading, IA5TextBodyPart, IA5TextData, IA5TextParameters, ImportanceField, IPMIdentifier, IPMIntendedRecipientField, IPMSExtension{}, IPNOriginatorField, MessageBodyPart, MessageData, MessageParameters, MixedModeBodyPart, NationallyDefinedBodyPart, NonReceiptReasonField, NotificationExtensions, NRNExtensions, ObsoletedIPMsSubfield, ORDescriptor, OriginatorField, OtherNotifications, PrimaryRecipientsSubfield, ReceiptTimeField, RecipientSpecifier, RelatedIPMsSubfield, RepliedToIPMField, ReplyRecipientsSubfield, ReplyTimeField, ReturnedIPMField, RNExtensions, SensitivityField, SubjectField, SubjectIPMField, SupplReceiptInfoField, TeletexBodyPart, TeletexData, TeletexParameters, ThisIPMField, VideotexBodyPart, VideotexData, VideotexParameters --== FROM IPMSInformationObjects {joint-iso-itu-t mhs(6) ipms(1) modules(0) information-objects(2) version-1999(1)} -- IPMS Object Identifiers id-bat-bilaterally-defined-body-parts, id-bat-body, id-bat-encrypted-body-parts, id-bat-encrypted-data, id-bat-encrypted-parameters, id-bat-extended-body-part-types, id-bat-g3-facsimile-body-parts, id-bat-g3-facsimile-data, id-bat-g3-facsimile-parameters, id-bat-g4-class1-body-parts, id-bat-ia5-text-body-parts, id-bat-ia5-text-data, id-bat-ia5-text-parameters, id-bat-message-body-parts, id-bat-message-data, id-bat-message-parameters, id-bat-mixed-mode-body-parts, id-bat-nationally-defined-body-parts, id-bat-teletex-body-parts, id-bat-teletex-data, id-bat-teletex-parameters, id-bat-videotex-body-parts, id-bat-videotex-data, id-bat-videotex-parameters, id-cat-correlated-delivered-ipns, id-cat-correlated-delivered-replies, id-cat-delivered-ipn-summary, id-cat-delivered-replies-summary, id-cat-forwarded-ipms, id-cat-forwarding-ipms, id-cat-ipm-recipients, id-cat-obsoleted-ipms, id-cat-obsoleting-ipms, id-cat-related-ipms, id-cat-relating-ipms, id-cat-replied-to-ipm, id-cat-recipient-category, id-cat-replying-ipms, id-cat-revised-reply-time, id-cat-subject-ipm, id-cat-submitted-ipn-status, id-cat-submitted-ipns, id-cat-submitted-reply-status, id-hat-authorization-time, id-hat-authorizing-users, id-hat-auto-forwarded, id-hat-auto-submitted, id-hat-blind-copy-recipients, id-hat-body-part-encryption-token, id-hat-body-part-security-label, id-hat-body-part-signature-verification-status, id-hat-body-part-signatures, id-hat-circulation-list-recipients, id-hat-copy-recipients, id-hat-distribution-codes, id-hat-expiry-time, id-hat-extended-subject, id-hat-forwarded-content-token, id-hat-forwarding-token, id-hat-heading, id-hat-importance, id-hat-incomplete-copy, id-hat-information-category, id-hat-ipm-security-label, id-hat-languages, id-hat-manual-handling-instructions, id-hat-nrn-requestors, id-hat-obsoleted-IPMs, id-hat-originator, id-hat-originators-reference, id-hat-precedence, id-hat-precedence-policy-id, id-hat-primary-recipients, id-hat-related-IPMs, id-hat-replied-to-IPM, id-hat-reply-recipients, id-hat-reply-requestors, id-hat-reply-time, id-hat-rn-requestors, id-hat-sensitivity, id-hat-subject, id-hat-this-ipm, id-mr-ipm-identifier, id-mr-ipm-location, id-mr-or-descriptor, id-mr-or-descriptor-elements, id-mr-or-descriptor-single-element, id-mr-or-descriptor-substring-elements, id-mr-circulation-member, id-mr-circulation-member-checkmark, id-mr-circulation-member-elements, id-mr-circulation-member-single-element, id-mr-circulation-member-substring-elements, id-mr-distribution-code, id-mr-information-category, id-mr-recipient-specifier, id-mr-recipient-specifier-elements, id-mr-recipient-specifier-single-element, id-mr-recipient-specifier-substring-elements, id-nat-acknowledgment-mode, id-nat-auto-forward-comment, id-nat-conversion-eits, id-nat-discard-reason, id-nat-ipm-intended-recipient, id-nat-ipn-originator, id-nat-non-receipt-reason, id-nat-notification-extensions, id-nat-nrn-extensions, id-nat-other-notification-type-fields, id-nat-receipt-time, id-nat-returned-ipm, id-nat-rn-extensions, id-nat-subject-ipm, id-nat-suppl-receipt-info, id-sat-body-parts-summary, id-sat-ipm-auto-discarded, id-sat-ipm-entry-type, id-sat-ipm-synopsis --== FROM IPMSObjectIdentifiers {joint-iso-itu-t mhs(6) ipms(1) modules(0) object-identifiers(0) version-1999(1)} -- MS Abstract Service X413ATTRIBUTE, MS-EIT, SequenceNumber --== FROM MSAbstractService {joint-iso-itu-t mhs(6) ms(4) modules(0) abstract-service(1) version-1999(1)} -- MS General Attribute Types SignatureStatus --== FROM MSGeneralAttributeTypes {joint-iso-itu-t mhs(6) ms(4) modules(0) general-attribute-types(2) version-1999(1)} -- MS matching-rules MSString{}, mSStringMatch, mSSubstringsMatch --== FROM MSMatchingRules {joint-iso-itu-t mhs(6) ms(4) modules(0) general-matching-rules(5) version-1999(1)} -- MTS Abstract Service EncodedInformationTypes, MessageToken --== FROM MTSAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1999(1)} -- Directory Information Framework objectIdentifierMatch, MATCHING-RULE --== FROM InformationFramework {joint-iso-itu-t ds(5) module(1) informationFramework(1) 3} -- Directory Abstract Service booleanMatch, generalizedTimeMatch, generalizedTimeOrderingMatch, integerMatch, integerOrderingMatch, uTCTimeMatch, uTCTimeOrderingMatch --== FROM SelectedAttributeTypes {joint-iso-itu-t ds(5) module(1) selectedAttributeTypes(5) 3} ub-msstring-match FROM MSUpperBounds {joint-iso-itu-t mhs(6) ms(4) modules(0) upper-bounds(4) version-1994(0)}; -- IPMS attribute table information object set IPMSAttributeTable X413ATTRIBUTE ::= {acknowledgment-mode | authorizing-users | auto-forward-comment | auto-forwarded | auto-submitted | bilaterally-defined-body-parts | blind-copy-recipients | body | conversion-eits | copy-recipients | discard-reason | encrypted-body-parts | encrypted-data | encrypted-parameters | expiry-time | extended-body-part-types | g3-facsimile-body-parts | g3-facsimile-data | g3-facsimile-parameters | g4-class1-body-parts | heading | ia5-text-body-parts | ia5-text-data | ia5-text-parameters | importance | incomplete-copy | ipm-entry-type | ipm-intended-recipient | ipm-synopsis | ipn-originator | languages | message-body-parts | message-data | message-parameters | mixed-mode-body-parts | nationally-defined-body-parts | non-receipt-reason | nrn-requestors | obsoleted-IPMs | originator | primary-recipients | receipt-time | related-IPMs | replied-to-IPM | reply-recipients | reply-requestors | reply-time | returned-ipm | rn-requestors | sensitivity | subject | subject-ipm | suppl-receipt-info | teletex-body-parts | teletex-data | teletex-parameters | this-ipm | videotex-body-parts | videotex-data | videotex-parameters, ... -- 1994 extension additions --, ac-correlated-delivered-ipns | ac-correlated-delivered-replies | ac-delivered-ipn-summary | ac-delivered-replies-summary | ac-forwarded-ipms | ac-forwarding-ipms | ac-ipm-recipients | ac-obsoleted-ipms | ac-obsoleting-ipms | ac-related-ipms | ac-relating-ipms | ac-replied-to-ipm | ac-replying-ipms | ac-subject-ipm | ac-submitted-ipn-status | ac-submitted-ipns | ac-submitted-reply-status | authorization-time | body-part-encryption-token | body-part-security-label | body-part-signature-verification-status | body-part-signatures | body-parts-summary | circulation-list-recipients | distribution-codes | extended-subject | forwarded-content-token | forwarding-token | information-category | ipm-auto-discarded | ipm-security-label | manual-handling-instructions | notification-extensions | nrn-extensions | originators-reference | other-notification-type-fields | precedence | precedence-policy-identifier | recipient-category | revised-reply-time | rn-extensions} -- WS: asn2wrs does not import the macro definitions so we redeclare here -- X413ATTRIBUTE information object class X413ATTRIBUTE ::= CLASS { &id AttributeType UNIQUE, &Type , &equalityMatch MATCHING-RULE OPTIONAL, &substringsMatch MATCHING-RULE OPTIONAL, &orderingMatch MATCHING-RULE OPTIONAL, &numeration ENUMERATED {single-valued(0), multi-valued(1)}, -- 1994 extension &OtherMatches MATCHING-RULE OPTIONAL } WITH SYNTAX { WITH ATTRIBUTE-SYNTAX &Type, [EQUALITY MATCHING-RULE &equalityMatch,] [SUBSTRINGS MATCHING-RULE &substringsMatch,] [ORDERING MATCHING-RULE &orderingMatch,] [OTHER MATCHING-RULES &OtherMatches,] NUMERATION &numeration, ID &id } -- MATCHING-RULE information object class specification MATCHING-RULE ::= CLASS { -- WS: asn2wrs cannot handle the self-reference (use before declaration) &ParentMatchingRules --MATCHING-RULE.&id-- OBJECT IDENTIFIER OPTIONAL, &AssertionType OPTIONAL, &uniqueMatchIndicator AttributeId OPTIONAL, &id OBJECT IDENTIFIER UNIQUE } WITH SYNTAX { [PARENT &ParentMatchingRules] [SYNTAX &AssertionType] [UNIQUE-MATCH-INDICATOR &uniqueMatchIndicator] ID &id } -- SUMMARY ATTRIBUTES -- IPM entry type ipm-entry-type X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IPMEntryType, EQUALITY MATCHING-RULE integerMatch, NUMERATION single-valued, ID id-sat-ipm-entry-type } IPMEntryType ::= ENUMERATED {ipm(0), rn(1), nrn(2), on(3)} -- IPM synopsis ipm-synopsis X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IPMSynopsis, NUMERATION single-valued, ID id-sat-ipm-synopsis } IPMSynopsis ::= SEQUENCE OF BodyPartSynopsis BodyPartSynopsis ::= CHOICE { message [0] MessageBodyPartSynopsis, non-message [1] NonMessageBodyPartSynopsis } MessageBodyPartSynopsis ::= SEQUENCE { number [0] SequenceNumber, synopsis [1] IPMSynopsis } NonMessageBodyPartSynopsis ::= SEQUENCE { type [0] OBJECT IDENTIFIER, parameters [1] INSTANCE OF TYPE-IDENTIFIER OPTIONAL, size [2] INTEGER, processed [3] BOOLEAN DEFAULT FALSE } -- Body part summary body-parts-summary X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX BodyPartDescriptor, NUMERATION multi-valued, ID id-sat-body-parts-summary } BodyPartDescriptor ::= SEQUENCE { data [0] OBJECT IDENTIFIER, parameters [1] OBJECT IDENTIFIER OPTIONAL, this-child-entry [2] SequenceNumber OPTIONAL, position [3] INTEGER, size [4] INTEGER, processed [5] BOOLEAN DEFAULT FALSE } -- IPM auto discarded ipm-auto-discarded X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX BOOLEAN, EQUALITY MATCHING-RULE booleanMatch, NUMERATION single-valued, ID id-sat-ipm-auto-discarded } -- Body part signature verification status body-part-signature-verification-status X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX BodyPartSignatureVerification, NUMERATION single-valued, ID id-hat-body-part-signature-verification-status } BodyPartSignatureVerification ::= SET OF SET {body-part-sequence-number [0] BodyPartNumber, body-part-signature [1] SignatureStatus} -- HEADING ATTRIBUTES -- Heading heading X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX Heading, NUMERATION single-valued, ID id-hat-heading } -- Heading analyses rn-requestors X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ORDescriptor, EQUALITY MATCHING-RULE oRDescriptorMatch, NUMERATION multi-valued, ID id-hat-rn-requestors } nrn-requestors X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ORDescriptor, EQUALITY MATCHING-RULE oRDescriptorMatch, NUMERATION multi-valued, ID id-hat-nrn-requestors } reply-requestors X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ORDescriptor, EQUALITY MATCHING-RULE oRDescriptorMatch, NUMERATION multi-valued, ID id-hat-reply-requestors } -- Heading fields this-ipm X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ThisIPMField, EQUALITY MATCHING-RULE iPMIdentifierMatch, NUMERATION single-valued, ID id-hat-this-ipm } originator X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX OriginatorField, EQUALITY MATCHING-RULE oRDescriptorMatch, OTHER MATCHING-RULES {oRDescriptorElementsMatch | oRDescriptorSingleElementMatch | oRDescriptorSubstringElementsMatch, ...}, NUMERATION single-valued, ID id-hat-originator } replied-to-IPM X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX RepliedToIPMField, EQUALITY MATCHING-RULE iPMIdentifierMatch, NUMERATION single-valued, ID id-hat-replied-to-IPM } subject X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SubjectField, EQUALITY MATCHING-RULE mSStringMatch, SUBSTRINGS MATCHING-RULE mSSubstringsMatch, NUMERATION single-valued, ID id-hat-subject } expiry-time X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ExpiryTimeField, EQUALITY MATCHING-RULE uTCTimeMatch, ORDERING MATCHING-RULE uTCTimeOrderingMatch, NUMERATION single-valued, ID id-hat-expiry-time } reply-time X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ReplyTimeField, EQUALITY MATCHING-RULE uTCTimeMatch, ORDERING MATCHING-RULE uTCTimeOrderingMatch, NUMERATION single-valued, ID id-hat-reply-time } importance X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ImportanceField, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, -- not defined for 1988 Application Contexts NUMERATION single-valued, ID id-hat-importance } sensitivity X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SensitivityField, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, -- not defined for 1988 Application Contexts NUMERATION single-valued, ID id-hat-sensitivity } auto-forwarded X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX AutoForwardedField, EQUALITY MATCHING-RULE booleanMatch, NUMERATION single-valued, ID id-hat-auto-forwarded } -- Heading sub-fields authorizing-users X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX AuthorizingUsersSubfield, EQUALITY MATCHING-RULE oRDescriptorMatch, OTHER MATCHING-RULES {oRDescriptorElementsMatch | oRDescriptorSingleElementMatch | oRDescriptorSubstringElementsMatch, ...}, NUMERATION multi-valued, ID id-hat-authorizing-users } primary-recipients X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX PrimaryRecipientsSubfield, EQUALITY MATCHING-RULE recipientSpecifierMatch, OTHER MATCHING-RULES {recipientSpecifierElementsMatch | recipientSpecifierSubstringElementsMatch | recipientSpecifierSingleElementMatch, ...}, NUMERATION multi-valued, ID id-hat-primary-recipients } copy-recipients X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX CopyRecipientsSubfield, EQUALITY MATCHING-RULE recipientSpecifierMatch, OTHER MATCHING-RULES {recipientSpecifierElementsMatch | recipientSpecifierSubstringElementsMatch | recipientSpecifierSingleElementMatch, ...}, NUMERATION multi-valued, ID id-hat-copy-recipients } -- WS: added "-att" to prevent asn2wrs conflict blind-copy-recipients-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX BlindCopyRecipientsSubfield, EQUALITY MATCHING-RULE recipientSpecifierMatch, OTHER MATCHING-RULES {recipientSpecifierElementsMatch | recipientSpecifierSubstringElementsMatch | recipientSpecifierSingleElementMatch, ...}, NUMERATION multi-valued, ID id-hat-blind-copy-recipients } obsoleted-IPMs X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ObsoletedIPMsSubfield, EQUALITY MATCHING-RULE iPMIdentifierMatch, NUMERATION multi-valued, ID id-hat-obsoleted-IPMs } related-IPMs X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX RelatedIPMsSubfield, EQUALITY MATCHING-RULE iPMIdentifierMatch, NUMERATION multi-valued, ID id-hat-related-IPMs } reply-recipients X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ReplyRecipientsSubfield, EQUALITY MATCHING-RULE oRDescriptorMatch, OTHER MATCHING-RULES {oRDescriptorElementsMatch | oRDescriptorSingleElementMatch | oRDescriptorSubstringElementsMatch, ...}, NUMERATION multi-valued, ID id-hat-reply-recipients } -- Heading extensions -- WS: added "-att" to prevent asn2wrs conflict incomplete-copy-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IncompleteCopy, NUMERATION single-valued, -- An equality match is specified for 1988 -- Application Contexts ID id-hat-incomplete-copy } -- WS: added "-att" to prevent asn2wrs conflict languages-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX Language, EQUALITY MATCHING-RULE mSStringMatch, SUBSTRINGS MATCHING-RULE mSSubstringsMatch, -- Not defined for 1988 Application Contexts NUMERATION multi-valued, ID id-hat-languages } -- WS: added "-att" to prevent asn2wrs conflict auto-submitted-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX AutoSubmitted, EQUALITY MATCHING-RULE integerMatch, NUMERATION single-valued, ID id-hat-auto-submitted } -- WS: added "-att" to prevent asn2wrs conflict body-part-signatures-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX BodyPartSignatures, NUMERATION single-valued, ID id-hat-body-part-signatures } -- WS: added "-att" to prevent asn2wrs conflict ipm-security-label-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IPMSecurityLabel, NUMERATION single-valued, ID id-hat-ipm-security-label } body-part-security-label X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX BodyPartSecurityLabel, NUMERATION multi-valued, ID id-hat-body-part-security-label } -- WS: added "-att" to prevent asn2wrs conflict authorization-time-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX AuthorizationTime, EQUALITY MATCHING-RULE generalizedTimeMatch, ORDERING MATCHING-RULE generalizedTimeOrderingMatch, NUMERATION single-valued, ID id-hat-authorization-time } -- WS: added "-att" to prevent asn2wrs conflict circulation-list-recipients-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX CirculationMember, EQUALITY MATCHING-RULE circulationMemberMatch, OTHER MATCHING-RULES {circulationMemberElementsMatch | circulationMemberSubstringElementsMatch | circulationMemberSingleElementMatch | circulationMemberCheckmarkMatch, ...}, NUMERATION multi-valued, ID id-hat-circulation-list-recipients } -- WS: added "-att" to prevent asn2wrs conflict distribution-codes-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX DistributionCode, EQUALITY MATCHING-RULE distributionCodeMatch, NUMERATION multi-valued, ID id-hat-distribution-codes } -- WS: added "-att" to prevent asn2wrs conflict extended-subject-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ExtendedSubject, EQUALITY MATCHING-RULE mSStringMatch, SUBSTRINGS MATCHING-RULE mSSubstringsMatch, NUMERATION single-valued, ID id-hat-extended-subject } -- WS: added "-att" to prevent asn2wrs conflict information-category-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX InformationCategory, EQUALITY MATCHING-RULE informationCategoryMatch, NUMERATION multi-valued, ID id-hat-information-category } -- WS: added "-att" to prevent asn2wrs conflict manual-handling-instructions-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ManualHandlingInstruction, EQUALITY MATCHING-RULE mSStringMatch, NUMERATION multi-valued, ID id-hat-manual-handling-instructions } -- WS: added "-att" to prevent asn2wrs conflict originators-reference-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX OriginatorsReference, EQUALITY MATCHING-RULE mSStringMatch, NUMERATION single-valued, ID id-hat-originators-reference } -- WS: added "-att" to prevent asn2wrs conflict precedence-policy-identifier-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX PrecedencePolicyIdentifier, EQUALITY MATCHING-RULE objectIdentifierMatch, NUMERATION single-valued, ID id-hat-precedence-policy-id } -- Recipient extensions -- WS: added "-att" to prevent asn2wrs conflict precedence-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX Precedence, EQUALITY MATCHING-RULE integerMatch, NUMERATION single-valued, ID id-hat-precedence } -- Envelope extensions -- WS: added "-att" to prevent asn2wrs conflict body-part-encryption-token-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX BodyPartTokens, NUMERATION single-valued, ID id-hat-body-part-encryption-token } -- WS: added "-att" to prevent asn2wrs conflict forwarded-content-token-att X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ForwardedContentToken, NUMERATION single-valued, ID id-hat-forwarded-content-token } forwarding-token X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX MessageToken, NUMERATION single-valued, ID id-hat-forwarding-token } -- BODY ATTRIBUTES -- Body body X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX Body, NUMERATION single-valued, ID id-bat-body } -- Extended body part types extended-body-part-types X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX OBJECT IDENTIFIER, EQUALITY MATCHING-RULE objectIdentifierMatch, NUMERATION multi-valued, ID id-bat-extended-body-part-types } -- Extended body parts -- (These attributes cannot be enumerated. See 19.6.3.3.) -- (They may be derived using the following parameterized object assignments:) extended-body-part-data-attribute{EXTENDED-BODY-PART-TYPE:ebpt} X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX [0] EXPLICIT ebpt.&data.&Type, NUMERATION multi-valued, ID ebpt.&data.&id } extended-body-part-parameters-attribute{EXTENDED-BODY-PART-TYPE:ebpt} X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX [0] EXPLICIT ebpt.&parameters.&Type, NUMERATION multi-valued, ID ebpt.&parameters.&id } -- Basic body parts ia5-text-body-parts X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IA5TextBodyPart, NUMERATION multi-valued, ID id-bat-ia5-text-body-parts } g3-facsimile-body-parts X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX G3FacsimileBodyPart, NUMERATION multi-valued, ID id-bat-g3-facsimile-body-parts } g4-class1-body-parts X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX G4Class1BodyPart, NUMERATION multi-valued, ID id-bat-g4-class1-body-parts } teletex-body-parts X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX TeletexBodyPart, NUMERATION multi-valued, ID id-bat-teletex-body-parts } videotex-body-parts X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX VideotexBodyPart, NUMERATION multi-valued, ID id-bat-videotex-body-parts } encrypted-body-parts X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX EncryptedBodyPart, NUMERATION multi-valued, ID id-bat-encrypted-body-parts } message-body-parts X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SequenceNumber, NUMERATION multi-valued, ID id-bat-message-body-parts } mixed-mode-body-parts X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX MixedModeBodyPart, NUMERATION multi-valued, ID id-bat-mixed-mode-body-parts } bilaterally-defined-body-parts X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX BilaterallyDefinedBodyPart, NUMERATION multi-valued, ID id-bat-bilaterally-defined-body-parts } nationally-defined-body-parts X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX NationallyDefinedBodyPart, NUMERATION multi-valued, ID id-bat-nationally-defined-body-parts } -- Basic body part parameters components ia5-text-parameters X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IA5TextParameters, NUMERATION multi-valued, ID id-bat-ia5-text-parameters } g3-facsimile-parameters X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX G3FacsimileParameters, NUMERATION multi-valued, ID id-bat-g3-facsimile-parameters } teletex-parameters X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX TeletexParameters, NUMERATION multi-valued, ID id-bat-teletex-parameters } videotex-parameters X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX VideotexParameters, NUMERATION multi-valued, ID id-bat-videotex-parameters } encrypted-parameters X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX EncryptedParameters, NUMERATION multi-valued, ID id-bat-encrypted-parameters } message-parameters X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX MessageParameters, NUMERATION multi-valued, ID id-bat-message-parameters } -- Basic body part data components ia5-text-data X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IA5TextData, NUMERATION multi-valued, ID id-bat-ia5-text-data } g3-facsimile-data X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX G3FacsimileData, NUMERATION multi-valued, ID id-bat-g3-facsimile-data } teletex-data X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX TeletexData, NUMERATION multi-valued, ID id-bat-teletex-data } videotex-data X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX VideotexData, NUMERATION multi-valued, ID id-bat-videotex-data } encrypted-data X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX EncryptedData, NUMERATION multi-valued, ID id-bat-encrypted-data } message-data X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX MessageData, NUMERATION multi-valued, ID id-bat-message-data } -- NOTIFICATION ATTRIBUTES -- Common fields subject-ipm X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SubjectIPMField, EQUALITY MATCHING-RULE iPMIdentifierMatch, NUMERATION single-valued, ID id-nat-subject-ipm } ipn-originator X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IPNOriginatorField, EQUALITY MATCHING-RULE oRDescriptorMatch, OTHER MATCHING-RULES {oRDescriptorElementsMatch | oRDescriptorSingleElementMatch | oRDescriptorSubstringElementsMatch, ...}, NUMERATION single-valued, ID id-nat-ipn-originator } ipm-intended-recipient X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IPMIntendedRecipientField, EQUALITY MATCHING-RULE oRDescriptorMatch, OTHER MATCHING-RULES {oRDescriptorElementsMatch | oRDescriptorSingleElementMatch | oRDescriptorSubstringElementsMatch, ...}, NUMERATION single-valued, ID id-nat-ipm-intended-recipient } conversion-eits X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX MS-EIT, EQUALITY MATCHING-RULE objectIdentifierMatch, NUMERATION multi-valued, ID id-nat-conversion-eits } notification-extensions X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IPMSExtension {{NotificationExtensions}}, NUMERATION multi-valued, ID id-nat-notification-extensions } -- Non-receipt fields non-receipt-reason X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX NonReceiptReasonField, EQUALITY MATCHING-RULE integerMatch, NUMERATION single-valued, ID id-nat-non-receipt-reason } discard-reason X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX DiscardReasonField, EQUALITY MATCHING-RULE integerMatch, NUMERATION single-valued, ID id-nat-discard-reason } auto-forward-comment X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX AutoForwardCommentField, EQUALITY MATCHING-RULE mSStringMatch, SUBSTRINGS MATCHING-RULE mSSubstringsMatch, NUMERATION single-valued, ID id-nat-auto-forward-comment } returned-ipm X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ReturnedIPMField, NUMERATION single-valued, ID id-nat-returned-ipm } nrn-extensions X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IPMSExtension {{NRNExtensions}}, NUMERATION multi-valued, ID id-nat-nrn-extensions } -- Receipt fields receipt-time X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ReceiptTimeField, EQUALITY MATCHING-RULE uTCTimeMatch, ORDERING MATCHING-RULE uTCTimeOrderingMatch, NUMERATION single-valued, ID id-nat-receipt-time } acknowledgment-mode X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX AcknowledgmentModeField, EQUALITY MATCHING-RULE integerMatch, NUMERATION single-valued, ID id-nat-acknowledgment-mode } suppl-receipt-info X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SupplReceiptInfoField, EQUALITY MATCHING-RULE mSStringMatch, SUBSTRINGS MATCHING-RULE mSSubstringsMatch, NUMERATION single-valued, ID id-nat-suppl-receipt-info } rn-extensions X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IPMSExtension {{RNExtensions}}, NUMERATION multi-valued, ID id-nat-rn-extensions } -- Other notification type fields other-notification-type-fields X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IPMSExtension {{OtherNotifications}}, NUMERATION multi-valued, ID id-nat-other-notification-type-fields } -- CORRELATION ATTRIBUTES -- Common attributes ac-forwarding-ipms X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SequenceNumber, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION multi-valued, ID id-cat-forwarding-ipms } ac-forwarded-ipms X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SequenceNumber, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION multi-valued, ID id-cat-forwarded-ipms } ac-obsoleting-ipms X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SequenceNumber, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION multi-valued, ID id-cat-obsoleting-ipms } ac-obsoleted-ipms X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IPMLocation, OTHER MATCHING-RULES {iPMLocationMatch, ...}, NUMERATION multi-valued, ID id-cat-obsoleted-ipms } IPMLocation ::= CHOICE {stored SET OF SequenceNumber, absent NULL, ... } ac-relating-ipms X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SequenceNumber, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION multi-valued, ID id-cat-relating-ipms } ac-related-ipms X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX IPMLocation, OTHER MATCHING-RULES {iPMLocationMatch, ...}, NUMERATION multi-valued, ID id-cat-related-ipms } ac-replied-to-ipm X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SequenceNumber, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION multi-valued, ID id-cat-replied-to-ipm } ac-replying-ipms X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SequenceNumber, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION multi-valued, ID id-cat-replying-ipms } ac-subject-ipm X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SequenceNumber, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION multi-valued, ID id-cat-subject-ipm } -- Submitted message correlation ac-ipm-recipients X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ORDescriptor, EQUALITY MATCHING-RULE oRDescriptorMatch, OTHER MATCHING-RULES {oRDescriptorElementsMatch | oRDescriptorSingleElementMatch | oRDescriptorSubstringElementsMatch, ...}, NUMERATION multi-valued, ID id-cat-ipm-recipients } ac-delivered-replies-summary X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX DeliveredReplyStatus, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION multi-valued, ID id-cat-delivered-replies-summary } DeliveredReplyStatus ::= INTEGER { no-reply-requested(0) -- reply not requested --, reply-outstanding(1) -- reply requested --, reply-received(2)} ac-correlated-delivered-replies X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX CorrelatedDeliveredReplies, NUMERATION multi-valued, ID id-cat-correlated-delivered-replies } CorrelatedDeliveredReplies ::= CHOICE { no-reply-received [0] NULL, received-replies [1] SEQUENCE OF SequenceNumber } ac-delivered-ipn-summary X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX DeliveredIPNStatus, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION multi-valued, ID id-cat-delivered-ipn-summary } DeliveredIPNStatus ::= INTEGER { no-ipn-requested(0), an-requested(3), nrn-requested(5), rn-requested(10), an-received(13), ipm-auto-forwarded(15), ipm-discarded(20), rn-received(25) } ac-correlated-delivered-ipns X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX CorrelatedDeliveredIPNs, NUMERATION multi-valued, ID id-cat-correlated-delivered-ipns } CorrelatedDeliveredIPNs ::= CHOICE { no-ipn-received [0] NULL, ipns-received [1] SEQUENCE OF SequenceNumber } -- Delivered message correlation ac-submitted-reply-status X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SubmittedReplyStatus, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION single-valued, ID id-cat-submitted-reply-status } SubmittedReplyStatus ::= INTEGER { no-reply-requested(0), no-reply-intended(1), reply-pending(2), reply-sent(3) } ac-submitted-ipn-status X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SubmittedIPNStatus, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION single-valued, ID id-cat-submitted-ipn-status } SubmittedIPNStatus ::= INTEGER { no-ipn-requested(0), nrn-requested(5), nrn-with-ipm-return-requested(10), rn-requested(15), rn-with-ipm-return-requested(20), ipm-auto-forwarded(25), ipm-discarded(30), rn-sent(35)} ac-submitted-ipns X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX SequenceNumber, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION multi-valued, ID id-cat-submitted-ipns } recipient-category X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX RecipientCategory, EQUALITY MATCHING-RULE integerMatch, ORDERING MATCHING-RULE integerOrderingMatch, NUMERATION single-valued, ID id-cat-recipient-category } RecipientCategory ::= INTEGER { primary-recipient(0), copy-recipient(1), blind-copy-recipient(2), category-unknown(3), circulation-list(4)} revised-reply-time X413ATTRIBUTE ::= { WITH ATTRIBUTE-SYNTAX ReplyTimeField, EQUALITY MATCHING-RULE uTCTimeMatch, ORDERING MATCHING-RULE uTCTimeOrderingMatch, NUMERATION single-valued, ID id-cat-revised-reply-time } -- MATCHING-RULES IPMMatchingRuleTable MATCHING-RULE ::= {iPMIdentifierMatch | oRDescriptorMatch | recipientSpecifierMatch, ... -- 1994 extension additions --, circulationMemberCheckmarkMatch | circulationMemberElementsMatch | circulationMemberMatch | circulationMemberSingleElementMatch | circulationMemberSubstringElementsMatch | distributionCodeMatch | informationCategoryMatch | iPMLocationMatch | oRDescriptorElementsMatch | oRDescriptorSingleElementMatch | oRDescriptorSubstringElementsMatch | recipientSpecifierElementsMatch | recipientSpecifierSingleElementMatch | recipientSpecifierSubstringElementsMatch} iPMIdentifierMatch MATCHING-RULE ::= { SYNTAX IPMIdentifier ID id-mr-ipm-identifier } iPMLocationMatch MATCHING-RULE ::= { SYNTAX SequenceNumber ID id-mr-ipm-location } oRDescriptorMatch MATCHING-RULE ::= { SYNTAX ORDescriptor ID id-mr-or-descriptor } oRDescriptorElementsMatch MATCHING-RULE ::= { SYNTAX ORDescriptor ID id-mr-or-descriptor-elements } oRDescriptorSubstringElementsMatch MATCHING-RULE ::= { SYNTAX ORDescriptor ID id-mr-or-descriptor-substring-elements } oRDescriptorSingleElementMatch MATCHING-RULE ::= { SYNTAX MSString {ub-msstring-match} ID id-mr-or-descriptor-single-element } recipientSpecifierMatch MATCHING-RULE ::= { SYNTAX RecipientSpecifier ID id-mr-recipient-specifier } recipientSpecifierElementsMatch MATCHING-RULE ::= { SYNTAX RecipientSpecifier ID id-mr-recipient-specifier-elements } recipientSpecifierSubstringElementsMatch MATCHING-RULE ::= { SYNTAX RecipientSpecifier ID id-mr-recipient-specifier-substring-elements } recipientSpecifierSingleElementMatch MATCHING-RULE ::= { SYNTAX MSString {ub-msstring-match} ID id-mr-recipient-specifier-single-element } circulationMemberMatch MATCHING-RULE ::= { SYNTAX CirculationMember ID id-mr-circulation-member } circulationMemberElementsMatch MATCHING-RULE ::= { SYNTAX CirculationMember ID id-mr-circulation-member-elements } circulationMemberSubstringElementsMatch MATCHING-RULE ::= { SYNTAX CirculationMember ID id-mr-circulation-member-substring-elements } circulationMemberSingleElementMatch MATCHING-RULE ::= { SYNTAX MSString {ub-msstring-match} ID id-mr-circulation-member-single-element } circulationMemberCheckmarkMatch MATCHING-RULE ::= { SYNTAX CirculationMember ID id-mr-circulation-member-checkmark } distributionCodeMatch MATCHING-RULE ::= { SYNTAX DistributionCode ID id-mr-distribution-code } informationCategoryMatch MATCHING-RULE ::= { SYNTAX InformationCategory ID id-mr-information-category } END -- of IPMSMessageStoreAttributes -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p22/IPMSObjectIdentifiers.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x420/1999/index.html -- Module IPMSObjectIdentifiers (X.420:06/1999) IPMSObjectIdentifiers {joint-iso-itu-t mhs(6) ipms(1) modules(0) object-identifiers(0) version-1999(1)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything. IMPORTS -- nothing -- ; ID ::= OBJECT IDENTIFIER -- Interpersonal Messaging (not definitive) id-ipms ID ::= {joint-iso-itu-t mhs(6) ipms(1)} -- not definitive -- Categories id-mod ID ::= {id-ipms 0} -- modules; not definitive id-ot ID ::= {id-ipms 1} -- object types id-pt ID ::= {id-ipms 2} -- port types id-et ID ::= {id-ipms 4} -- extended body part types id-hex ID ::= {id-ipms 5} -- heading extensions id-sat ID ::= {id-ipms 6} -- summary attributes id-hat ID ::= {id-ipms 7} -- heading attributes id-bat ID ::= {id-ipms 8} -- body attributes id-nat ID ::= {id-ipms 9} -- notification attributes id-mct ID ::= {id-ipms 10} -- message content types id-ep ID ::= {id-ipms 11} -- extended body part parameters id-eit ID ::= {id-ipms 12} -- encoded information types id-cat ID ::= {id-ipms 13} -- correlation attributes id-mr ID ::= {id-ipms 14} -- matching-rules id-aa ID ::= {id-ipms 15} -- auto-actions id-aae ID ::= {id-ipms 16} -- auto-action errors id-mst ID ::= {id-ipms 17} -- message store types id-sec ID ::= {id-ipms 18} -- ipm security extensions id-on ID ::= {id-ipms 19} -- other notification type extensions id-rex ID ::= {id-ipms 20} -- recipient extensions -- Modules id-mod-object-identifiers ID ::= {id-mod 0} -- not definitive id-mod-functional-objects ID ::= {id-mod 1} -- not definitive id-mod-information-objects ID ::= {id-mod 2} -- not definitive id-mod-abstract-service ID ::= {id-mod 3} -- not definitive id-mod-heading-extensions ID ::= {id-mod 6} -- not definitive id-mod-extended-body-part-types ID ::= {id-mod 7} -- not definitive id-mod-message-store-attributes ID ::= {id-mod 8} -- not definitive id-mod-file-transfer-body-part-type ID ::= {id-mod 9} -- not definitive id-mod-upper-bounds ID ::= {id-mod 10} -- not definitive id-mod-extended-voice-body-part-type ID ::= {id-mod 11} -- not definitive id-mod-forwarded-report-body-part-type ID ::= {id-mod 12} -- not definitive id-mod-auto-actions ID ::= {id-mod 13} -- not definitive id-mod-ipm-security-extensions ID ::= {id-mod 14} -- not definitive id-mod-forwarded-content-body-part-type ID ::= {id-mod 15} -- not definitive id-mod-pkcs7-body-part-type ID ::= {id-mod 16} -- not definitive -- Object types id-ot-ipms-user ID ::= {id-ot 1} id-ot-ipms ID ::= {id-ot 2} -- Port types id-pt-origination ID ::= {id-pt 0} id-pt-reception ID ::= {id-pt 1} id-pt-management ID ::= {id-pt 2} -- Extended body part types id-et-ia5-text ID ::= {id-et 0} id-et-g3-facsimile ID ::= {id-et 2} id-et-g4-class1 ID ::= {id-et 3} id-et-teletex ID ::= {id-et 4} id-et-videotex ID ::= {id-et 5} id-et-encrypted ID ::= {id-et 6} id-et-message ID ::= {id-et 7} id-et-mixed-mode ID ::= {id-et 8} id-et-bilaterally-defined ID ::= {id-et 9} id-et-nationally-defined ID ::= {id-et 10} id-et-general-text ID ::= {id-et 11} id-et-file-transfer ID ::= {id-et 12} -- Value {id-et 13} is no longer defined id-et-report ID ::= {id-et 14} id-et-notification ID ::= {id-et 15} id-et-voice ID ::= {id-et 16} id-et-content ID ::= {id-et 17} -- This value is not used directly, only as a prefix id-et-pkcs7 ID ::= {id-et 18} -- Heading extensions id-hex-incomplete-copy ID ::= {id-hex 0} id-hex-languages ID ::= {id-hex 1} id-hex-auto-submitted ID ::= {id-hex 2} id-hex-body-part-signatures ID ::= {id-hex 3} id-hex-ipm-security-label ID ::= {id-hex 4} id-hex-authorization-time ID ::= {id-hex 5} id-hex-circulation-list-recipients ID ::= {id-hex 6} id-hex-distribution-codes ID ::= {id-hex 7} id-hex-extended-subject ID ::= {id-hex 8} id-hex-information-category ID ::= {id-hex 9} id-hex-manual-handling-instructions ID ::= {id-hex 10} id-hex-originators-reference ID ::= {id-hex 11} id-hex-precedence-policy-id ID ::= {id-hex 12} -- Summary attributes id-sat-ipm-entry-type ID ::= {id-sat 0} id-sat-ipm-synopsis ID ::= {id-sat 1} id-sat-body-parts-summary ID ::= {id-sat 2} id-sat-ipm-auto-discarded ID ::= {id-sat 3} -- Heading attributes id-hat-heading ID ::= {id-hat 0} id-hat-this-ipm ID ::= {id-hat 1} id-hat-originator ID ::= {id-hat 2} id-hat-replied-to-IPM ID ::= {id-hat 3} id-hat-subject ID ::= {id-hat 4} id-hat-expiry-time ID ::= {id-hat 5} id-hat-reply-time ID ::= {id-hat 6} id-hat-importance ID ::= {id-hat 7} id-hat-sensitivity ID ::= {id-hat 8} id-hat-auto-forwarded ID ::= {id-hat 9} id-hat-authorizing-users ID ::= {id-hat 10} id-hat-primary-recipients ID ::= {id-hat 11} id-hat-copy-recipients ID ::= {id-hat 12} id-hat-blind-copy-recipients ID ::= {id-hat 13} id-hat-obsoleted-IPMs ID ::= {id-hat 14} id-hat-related-IPMs ID ::= {id-hat 15} id-hat-reply-recipients ID ::= {id-hat 16} id-hat-incomplete-copy ID ::= {id-hat 17} id-hat-languages ID ::= {id-hat 18} id-hat-rn-requestors ID ::= {id-hat 19} id-hat-nrn-requestors ID ::= {id-hat 20} id-hat-reply-requestors ID ::= {id-hat 21} id-hat-auto-submitted ID ::= {id-hat 22} id-hat-body-part-signatures ID ::= {id-hat 23} id-hat-ipm-security-label ID ::= {id-hat 24} id-hat-body-part-security-label ID ::= {id-hat 25} id-hat-body-part-encryption-token ID ::= {id-hat 26} id-hat-authorization-time ID ::= {id-hat 27} id-hat-circulation-list-recipients ID ::= {id-hat 28} id-hat-distribution-codes ID ::= {id-hat 29} id-hat-extended-subject ID ::= {id-hat 30} id-hat-information-category ID ::= {id-hat 31} id-hat-manual-handling-instructions ID ::= {id-hat 32} id-hat-originators-reference ID ::= {id-hat 33} id-hat-precedence-policy-id ID ::= {id-hat 34} id-hat-forwarded-content-token ID ::= {id-hat 35} id-hat-forwarding-token ID ::= {id-hat 36} id-hat-precedence ID ::= {id-hat 37} id-hat-body-part-signature-verification-status ID ::= {id-hat 38} -- Body attributes id-bat-body ID ::= {id-bat 0} id-bat-ia5-text-body-parts ID ::= {id-bat 1} id-bat-g3-facsimile-body-parts ID ::= {id-bat 3} id-bat-g4-class1-body-parts ID ::= {id-bat 4} id-bat-teletex-body-parts ID ::= {id-bat 5} id-bat-videotex-body-parts ID ::= {id-bat 6} id-bat-encrypted-body-parts ID ::= {id-bat 7} id-bat-message-body-parts ID ::= {id-bat 8} id-bat-mixed-mode-body-parts ID ::= {id-bat 9} id-bat-bilaterally-defined-body-parts ID ::= {id-bat 10} id-bat-nationally-defined-body-parts ID ::= {id-bat 11} id-bat-extended-body-part-types ID ::= {id-bat 12} id-bat-ia5-text-parameters ID ::= {id-bat 13} id-bat-g3-facsimile-parameters ID ::= {id-bat 15} id-bat-teletex-parameters ID ::= {id-bat 16} id-bat-videotex-parameters ID ::= {id-bat 17} id-bat-encrypted-parameters ID ::= {id-bat 18} id-bat-message-parameters ID ::= {id-bat 19} id-bat-ia5-text-data ID ::= {id-bat 20} id-bat-g3-facsimile-data ID ::= {id-bat 22} id-bat-teletex-data ID ::= {id-bat 23} id-bat-videotex-data ID ::= {id-bat 24} id-bat-encrypted-data ID ::= {id-bat 25} id-bat-message-data ID ::= {id-bat 26} -- Notification attributes id-nat-subject-ipm ID ::= {id-nat 0} id-nat-ipn-originator ID ::= {id-nat 1} id-nat-ipm-intended-recipient ID ::= {id-nat 2} id-nat-conversion-eits ID ::= {id-nat 3} id-nat-non-receipt-reason ID ::= {id-nat 4} id-nat-discard-reason ID ::= {id-nat 5} id-nat-auto-forward-comment ID ::= {id-nat 6} id-nat-returned-ipm ID ::= {id-nat 7} id-nat-receipt-time ID ::= {id-nat 8} id-nat-acknowledgment-mode ID ::= {id-nat 9} id-nat-suppl-receipt-info ID ::= {id-nat 10} id-nat-notification-extensions ID ::= {id-nat 11} id-nat-nrn-extensions ID ::= {id-nat 12} id-nat-rn-extensions ID ::= {id-nat 13} id-nat-other-notification-type-fields ID ::= {id-nat 14} -- Correlation attributes id-cat-correlated-delivered-ipns ID ::= {id-cat 0} id-cat-correlated-delivered-replies ID ::= {id-cat 1} id-cat-delivered-ipn-summary ID ::= {id-cat 2} id-cat-delivered-replies-summary ID ::= {id-cat 3} id-cat-forwarded-ipms ID ::= {id-cat 4} id-cat-forwarding-ipms ID ::= {id-cat 5} id-cat-ipm-recipients ID ::= {id-cat 6} id-cat-obsoleted-ipms ID ::= {id-cat 7} id-cat-obsoleting-ipms ID ::= {id-cat 8} id-cat-related-ipms ID ::= {id-cat 9} id-cat-relating-ipms ID ::= {id-cat 10} id-cat-replied-to-ipm ID ::= {id-cat 11} id-cat-replying-ipms ID ::= {id-cat 12} id-cat-revised-reply-time ID ::= {id-cat 13} id-cat-submitted-ipn-status ID ::= {id-cat 14} id-cat-submitted-ipns ID ::= {id-cat 15} id-cat-submitted-reply-status ID ::= {id-cat 16} id-cat-subject-ipm ID ::= {id-cat 17} id-cat-recipient-category ID ::= {id-cat 18} -- Message content types (for use by MS and Directory) id-mct-p2-1984 ID ::= {id-mct 0} -- P2 1984 id-mct-p2-1988 ID ::= {id-mct 1} -- P2 1988 -- Extended body part parameters id-ep-ia5-text ID ::= {id-ep 0} id-ep-g3-facsimile ID ::= {id-ep 2} id-ep-teletex ID ::= {id-ep 4} id-ep-videotex ID ::= {id-ep 5} id-ep-encrypted ID ::= {id-ep 6} id-ep-message ID ::= {id-ep 7} id-ep-general-text ID ::= {id-ep 11} id-ep-file-transfer ID ::= {id-ep 12} -- Value {id-ep 13} is no longer defined id-ep-notification ID ::= {id-ep 15} id-ep-voice ID ::= {id-ep 16} id-ep-content ID ::= {id-ep 17} -- This value is not used directly, only as a prefix -- Encoded Information Types id-eit-file-transfer ID ::= {id-eit 0} id-eit-voice ID ::= {id-eit 1} -- Voice Encoded Information Types id-voice-11khz-sample ID ::= {id-eit-voice 0} id-voice-22khz-sample ID ::= {id-eit-voice 1} id-voice-cd-quality ID ::= {id-eit-voice 2} id-voice-g711-mu-law ID ::= {id-eit-voice 3} id-voice-g726-32k-adpcm ID ::= {id-eit-voice 4} id-voice-g728-16k-ld-celp ID ::= {id-eit-voice 5} -- Matching-rules id-mr-ipm-identifier ID ::= {id-mr 0} id-mr-or-descriptor ID ::= {id-mr 1} id-mr-or-descriptor-elements ID ::= {id-mr 2} id-mr-or-descriptor-substring-elements ID ::= {id-mr 3} id-mr-recipient-specifier ID ::= {id-mr 4} id-mr-recipient-specifier-elements ID ::= {id-mr 5} id-mr-recipient-specifier-substring-elements ID ::= {id-mr 6} id-mr-ipm-location ID ::= {id-mr 7} id-mr-or-descriptor-single-element ID ::= {id-mr 8} id-mr-recipient-specifier-single-element ID ::= {id-mr 9} id-mr-circulation-member ID ::= {id-mr 10} id-mr-circulation-member-elements ID ::= {id-mr 11} id-mr-circulation-member-substring-elements ID ::= {id-mr 12} id-mr-circulation-member-single-element ID ::= {id-mr 13} id-mr-circulation-member-checkmark ID ::= {id-mr 14} id-mr-distribution-code ID ::= {id-mr 15} id-mr-information-category ID ::= {id-mr 16} -- Auto-actions id-aa-ipm-auto-acknowledgement ID ::= {id-aa 0} id-aa-ipm-auto-correlate ID ::= {id-aa 1} id-aa-ipm-auto-discard ID ::= {id-aa 2} id-aa-ipm-auto-advise ID ::= {id-aa 3} -- Auto-action-errors id-aae-auto-discard-error ID ::= {id-aae 0} id-aae-auto-forwarding-loop ID ::= {id-aae 1} id-aae-duplicate-ipn ID ::= {id-aae 2} -- Message Store types id-mst-invalid-assembly-instructions ID ::= {id-mst 0} id-mst-invalid-ipn ID ::= {id-mst 1} id-mst-assembly-instructions ID ::= {id-mst 2} id-mst-suspend-auto-acknowledgement ID ::= {id-mst 3} id-mst-prevent-nrn-generation ID ::= {id-mst 4} id-mst-originator-body-part-encryption-token ID ::= {id-mst 5} id-mst-originator-forwarded-content-token ID ::= {id-mst 6} id-mst-assembly-capability ID ::= {id-mst 7} -- Security extensions id-sec-ipm-security-request ID ::= {id-sec 0} id-sec-security-common-fields ID ::= {id-sec 1} -- Other notification types id-on-absence-advice ID ::= {id-on 0} id-on-change-of-address-advice ID ::= {id-on 1} -- Recipient extensions id-rex-circulation-list-indicator ID ::= {id-rex 0} id-rex-precedence ID ::= {id-rex 1} END -- of IPMSObjectIdentifiers -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p22/IPMSSecurityExtensions.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x420/1999/index.html -- Module IPMSSecurityExtensions (X.420:06/1999) IPMSSecurityExtensions {joint-iso-itu-t mhs(6) ipms(1) modules(0) ipm-security-extensions(14) version-1999(1)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything IMPORTS -- MTS Abstract Service --Certificates,-- Content, ContentIntegrityCheck, ExtendedCertificates, EXTENSION, MessageOriginAuthenticationCheck, MessageToken, EncryptionKey --== FROM MTSAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1999(1)} --WS: asn2wrs can't import a type through a intermediate module - so we import directly Certificates --== FROM AuthenticationFramework {joint-iso-itu-t ds(5) module(1) authenticationFramework(7) 3} -- IPMS Information Objects IPMS-EXTENSION, BodyPartNumber --== FROM IPMSInformationObjects {joint-iso-itu-t mhs(6) ipms(1) modules(0) information-objects(2) version-1999(1)} -- IPMS Heading Extensions -- BodyPartNumber --== -- FROM IPMSHeadingExtensions {joint-iso-itu-t mhs(6) ipms(1) modules(0) -- heading-extensions(6) version-1999(1)} -- Directory Authentication Framework AlgorithmIdentifier, ENCRYPTED{} --== FROM AuthenticationFramework {joint-iso-itu-t ds(5) module(1) authenticationFramework(7) 3} -- Directory Certificate Extensions CertificateAssertion --== FROM CertificateExtensions {joint-iso-itu-t ds(5) module(1) certificateExtensions(26) 0} -- IPMS Object Identifiers id-sec-ipm-security-request, id-sec-security-common-fields --== FROM IPMSObjectIdentifiers {joint-iso-itu-t mhs(6) ipms(1) modules(0) object-identifiers(0) version-1999(1)}; -- Recipient Security Request recipient-security-request IPMS-EXTENSION ::= { VALUE RecipientSecurityRequest, IDENTIFIED BY id-sec-ipm-security-request } RecipientSecurityRequest ::= BIT STRING { content-non-repudiation(0), content-proof(1), ipn-non-repudiation(2), ipn-proof(3)} -- IPN Security Response ipn-security-response IPMS-EXTENSION ::= { VALUE IpnSecurityResponse, IDENTIFIED BY id-sec-security-common-fields } IpnSecurityResponse ::= SET { content-or-arguments CHOICE {original-content OriginalContent, original-security-arguments SET {original-content-integrity-check [0] OriginalContentIntegrityCheck OPTIONAL, original-message-origin-authentication-check [1] OriginalMessageOriginAuthenticationCheck OPTIONAL, original-message-token [2] OriginalMessageToken OPTIONAL}}, security-diagnostic-code SecurityDiagnosticCode OPTIONAL } -- MTS security fields OriginalContent ::= Content OriginalContentIntegrityCheck ::= ContentIntegrityCheck OriginalMessageOriginAuthenticationCheck ::= MessageOriginAuthenticationCheck OriginalMessageToken ::= MessageToken -- Security Diagnostic Codes SecurityDiagnosticCode ::= INTEGER { integrity-failure-on-subject-message(0), integrity-failure-on-forwarded-message(1), moac-failure-on-subject-message(2), unsupported-security-policy(3), unsupported-algorithm-identifier(4), decryption-failed(5), token-error(6), unable-to-sign-notification(7), unable-to-sign-message-receipt(8), authentication-failure-on-subject-message(9), security-context-failure-message(10), message-sequence-failure(11), message-security-labelling-failure(12), repudiation-failure-of-message(13), failure-of-proof-of-message(14), signature-key-unobtainable(15), decryption-key-unobtainable(16), key-failure(17), unsupported-request-for-security-service(18), inconsistent-request-for-security-service(19), ipn-non-repudiation-provided-instead-of-content-proof(20), token-decryption-failed(21), double-enveloping-message-restoring-failure(22), unauthorised-dl-member(23), reception-security-failure(24), unsuitable-alternate-recipient(25), security-services-refusal(26), unauthorised-recipient(27), unknown-certification-authority-name(28), unknown-dl-name(29), unknown-originator-name(30), unknown-recipient-name(31), security-policy-violation(32)} -- Security Envelope Extensions body-part-encryption-token EXTENSION ::= { BodyPartTokens, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:43 } BodyPartTokens ::= SET OF SET {body-part-number BodyPartNumber, body-part-choice CHOICE {encryption-token EncryptionToken, message-or-content-body-part [0] BodyPartTokens} } EncryptionToken ::= SET { encryption-algorithm-identifier AlgorithmIdentifier, encrypted-key --ENCRYPTED{EncryptionKey}-- BIT STRING, recipient-certificate-selector [0] CertificateAssertion OPTIONAL, recipient-certificate [1] Certificates OPTIONAL, originator-certificate-selector [2] CertificateAssertion OPTIONAL, originator-certificates [3] ExtendedCertificates OPTIONAL, ... } forwarded-content-token EXTENSION ::= { ForwardedContentToken, RECOMMENDED CRITICALITY {for-delivery}, IDENTIFIED BY standard-extension:44 } ForwardedContentToken ::= SET OF SET {body-part-number BodyPartNumber, body-part-choice CHOICE {forwarding-token MessageToken, message-or-content-body-part ForwardedContentToken }} END -- of IPMSSecurityExtensions -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p22/IPMSUpperBounds.asn
-- Module IPMSUpperBounds (X.420:06/1999) -- See also ITU-T X.420 (06/1999) -- See also the index of all ASN.1 assignments needed in this document IPMSUpperBounds {joint-iso-itu-t mhs(6) ipms(1) modules(0) upper-bounds(10) version-1999(1)} DEFINITIONS IMPLICIT TAGS ::= BEGIN -- Prologue -- Exports everything. IMPORTS -- nothing -- ; -- Upper bounds ub-alpha-code-length INTEGER ::= 16 ub-auto-forward-comment INTEGER ::= 256 ub-circulation-list-members INTEGER ::= 256 ub-distribution-codes INTEGER ::= 16 ub-extended-subject-length INTEGER ::= 256 ub-free-form-name INTEGER ::= 64 ub-information-categories INTEGER ::= 16 ub-information-category-length INTEGER ::= 64 ub-ipm-identifier-suffix INTEGER ::= 2 ub-local-ipm-identifier INTEGER ::= 64 ub-manual-handling-instruction-length INTEGER ::= 128 ub-manual-handling-instructions INTEGER ::= 16 ub-originators-reference-length INTEGER ::= 64 ub-precedence INTEGER ::= 127 ub-subject-field INTEGER ::= 128 ub-telephone-number INTEGER ::= 32 END -- of IPMSUpperBounds -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
Configuration
wireshark/epan/dissectors/asn1/p22/p22.cnf
# p22.cnf # X.420 (InterPersonal Messaging) conformance file #.TYPE_ATTR Time TYPE = FT_STRING DISPLAY = BASE_NONE STRING = NULL BITMASK = 0 # Permitted-Actions-Attribute is exported from FTAM as DISPLAY = BASE_HEX - # but this causes a runtime error. # We override the definition here until we can identify the fix correct fix Permitted-Actions-Attribute TYPE = FT_BYTES DISPLAY = BASE_NONE STRINGS = NULL BITMASK = 0 #.IMPORT ../ftam/ftam-exp.cnf #.IMPORT ../p1/p1-exp.cnf #.IMPORT ../p7/p7-exp.cnf #.IMPORT ../x509af/x509af-exp.cnf #.IMPORT ../x509ce/x509ce-exp.cnf #.IMPORT ../acse/acse-exp.cnf #.OMIT_ASSIGNMENT # These gives unused code warnings RN NRN ON ID #.END #.NO_EMIT # These fields are only used through COMPONENTS OF, # and consequently generate unused code warnings CommonFields #.END #.EXPORTS ORDescriptor InformationObject ExtensionsField IPM IPN MessageParameters NonReceiptReasonField DiscardReasonField ReceiptTimeField #.FIELD_RENAME G3FacsimileBodyPart/data g3facsimile_data VideotexBodyPart/data videotex_data ExtendedBodyPart/data extended_data TeletexBodyPart/data teletex_data IA5TextBodyPart/data ia5text_data MessageBodyPart/data message_data EncryptedBodyPart/data encrypted_data G3FacsimileBodyPart/parameters g3facsimile_parameters VideotexBodyPart/parameters videotex_parameters ExtendedBodyPart/parameters extended_parameters TeletexBodyPart/parameters teletex_parameters IA5TextBodyPart/parameters ia5text_parameters MessageBodyPart/parameters message_parameters EncryptedBodyPart/parameters encrypted_parameters TeletexParameters/non-basic-parameters teletex_non_basic_parameters G3FacsimileParameters/non-basic-parameters g3facsimile_non_basic_parameters CirculationSignatureData/algorithm-identifier circulation-signature-algorithm-identifier Account-Attribute/actual-values account-actual-values User-Identity-Attribute/actual-values identity-actual-values MessageReference/user-relative-identifier user-relative-identifier-ref BodyPartSignatureVerification/_item/body-part-signature body-part-signature-status BodyPart/basic/encrypted encrypted-bp BodyPartSynopsis/message message-synopsis NonMessageBodyPartSynopsis/type bp-type NonMessageBodyPartSynopsis/parameters bp-parameters ForwardedContentToken/_item/body-part-choice body-part-token-choice ForwardedContentToken/_item/body-part-choice/message-or-content-body-part forwarded-content-token #.TYPE_RENAME ForwardedContentToken/_item/body-part-choice T_body_part_token_choice #.FIELD_ATTR G3FacsimileBodyPart/data ABBREV=g3facsimile.data VideotexBodyPart/data ABBREV=videotex.data ExtendedBodyPart/data ABBREV=extended.data TeletexBodyPart/data ABBREV=teletex.data IA5TextBodyPart/data ABBREV=ia5text.data MessageBodyPart/data ABBREV=message.data EncryptedBodyPart/data ABBREV=encrypted.data Account-Attribute/actual-values ABBREV=account.actual-values User-Identity-Attribute/actual-values ABBREV=identity.actual-values #.REGISTER AbsenceAdvice B "2.6.1.19.0" "id-on-absence-advice" ChangeOfAddressAdvice B "2.6.1.19.1" "id-on-change-of-address-advice" IPMAssemblyInstructions B "2.6.1.17.2" "id-mst-assembly-instructions" IncompleteCopy B "2.6.1.5.0" "id-hex-incomplete-copy" Languages B "2.6.1.5.1" "id-hex-languages" AutoSubmitted B "2.6.1.5.2" "id-hex-auto-submitted" BodyPartSignatures B "2.6.1.5.3" "id-hex-body-part-signatures" IPMSecurityLabel B "2.6.1.5.4" "id-hex-ipm-security-label" AuthorizationTime B "2.6.1.5.5" "id-hex-authorization-time" CirculationList B "2.6.1.5.6" "id-hex-circulation-list-recipients" CirculationListIndicator B "2.6.1.20.0" "id-rex-circulation-list-indicator" DistributionCodes B "2.6.1.5.7" "id-hex-distribution-codes" ExtendedSubject B "2.6.1.5.8" "id-hex-extended-subject" InformationCategories B "2.6.1.5.9" "id-hex-information-categories" ManualHandlingInstructions B "2.6.1.5.10" "id-hex-manual-handling-instructions" OriginatorsReference B "2.6.1.5.11" "id-hex-originators-reference" PrecedencePolicyIdentifier B "2.6.1.5.12" "id-hex-precedence-policy-id" Precedence B "2.6.1.20.1" "id-rex-precedence" IA5TextData B "2.6.1.4.0" "id-et-ia5-text" IA5TextParameters B "2.6.1.11.0" "id-ep-ia5-text" G3FacsimileData B "2.6.1.4.2" "id-et-g3-facsimile" G3FacsimileParameters B "2.6.1.11.2" "id-ep-g3-facsimile" G4Class1BodyPart B "2.6.1.4.3" "id-et-g4-class1" TeletexData B "2.6.1.4.4" "id-et-teletex" TeletexParameters B "2.6.1.11.4" "id-ep-teletex" VideotexData B "2.6.1.4.5" "id-et-videotex" VideotexParameters B "2.6.1.11.5" "id-ep-videotex" EncryptedData B "2.6.1.4.6" "id-et-encrypted" EncryptedParameters B "2.6.1.11.6" "id-ep-encrypted" MessageData B "2.6.1.4.7" "id-et-message" MessageParameters B "2.6.1.11.7" "id-ep-message" MixedModeBodyPart B "2.6.1.4.8" "id-et-mixed-mode" BilaterallyDefinedBodyPart B "2.6.1.4.9" "id-et-bilaterally-defined" GeneralTextParameters B "2.6.1.11.11" "id-ep-general-text" GeneralTextData B "2.6.1.4.11" "id-et-general-text" FileTransferParameters B "2.6.1.11.12" "id-ep-file-transfer" FileTransferData B "2.6.1.4.12" "id-et-file-transfer" # {id-et 13} is no longer defined # ForwardedReportBodyPart {id-et 14} defined in p1.cnf MessageParameters B "2.6.1.11.15" "id-ep-notification" IPN B "2.6.1.4.15" "id-et-notification" VoiceParameters B "2.6.1.11.16" "id-ep-voice" VoiceData B "2.6.1.4.16" "id-et-voice" # P22 ForwardedContentParameters B "2.6.1.11.17.2.6.1.10.1" "id-ep-content-p22" InformationObject B "2.6.1.4.17.2.6.1.10.1" "id-et-content-p22" #p2 ForwardedContentParameters B "2.6.1.11.17.2.6.1.10.0" "id-ep-content-p2" InformationObject B "2.6.1.4.17.2.6.1.10.0" "id-et-content-p2" #p722 ForwardedContentParameters B "2.6.1.11.17.1.3.26.0.4406.0.4.1" "id-ep-content-p772" # PKCS#7Bodypart {id-et 18} defined in cms.cnf # Message Store Attributes IPMEntryType B "2.6.1.6.0" "id-sat-ipm-entry-type" IPMSynopsis B "2.6.1.6.1" "id-sat-ipm-synopsis" BodyPartDescriptor B "2.6.1.6.2" "id-sat-body-parts-summary" #Boolean B "2.6.1.6.3" "id-sat-ipm-auto-discarded" - see x509sat.cnf Heading B "2.6.1.7.0" "id-hat-heading" ThisIPMField B "2.6.1.7.1" "id-hat-this-ipm" OriginatorField B "2.6.1.7.2" "id-hat-originator" RepliedToIPMField B "2.6.1.7.3" "id-hat-replied-to-IPM" SubjectField B "2.6.1.7.4" "id-hat-subject" ExpiryTimeField B "2.6.1.7.5" "id-hat-expiry-time" ReplyTimeField B "2.6.1.7.6" "id-hat-reply-time" ImportanceField B "2.6.1.7.7" "id-hat-importance" SensitivityField B "2.6.1.7.8" "id-hat-sensitivity" AutoForwardedField B "2.6.1.7.9" "id-hat-auto-forwarded" AuthorizingUsersSubfield B "2.6.1.7.10" "id-hat-authorizing-users" PrimaryRecipientsSubfield B "2.6.1.7.11" "id-hat-primary-recipients" CopyRecipientsSubfield B "2.6.1.7.12" "id-hat-copy-recipients" BlindCopyRecipientsSubfield B "2.6.1.7.13" "id-hat-blind-copy-recipients" ObsoletedIPMsSubfield B "2.6.1.7.14" "id-hat-obsoleted-IPMs" RelatedIPMsSubfield B "2.6.1.7.15" "id-hat-related-IPMs" ReplyRecipientsSubfield B "2.6.1.7.16" "id-hat-reply-recipients" IncompleteCopy B "2.6.1.7.17" "id-hat-incomplete-copy" Language B "2.6.1.7.18" "id-hat-languages" ORDescriptor B "2.6.1.7.19" "id-hat-rn-requestors" ORDescriptor B "2.6.1.7.20" "id-hat-nrn-requestors" ORDescriptor B "2.6.1.7.21" "id-hat-reply-requestors" AutoSubmitted B "2.6.1.7.22" "id-hat-auto-submitted" BodyPartSignatures B "2.6.1.7.23" "id-hat-body-part-signatures" IPMSecurityLabel B "2.6.1.7.24" "id-hat-ipm-security-label" BodyPartSecurityLabel B "2.6.1.7.25" "id-hat-body-part-security-label" BodyPartTokens B "2.6.1.7.26" "id-hat-body-part-encryption-token" AuthorizationTime B "2.6.1.7.27" "id-hat-authorization-time" CirculationMember B "2.6.1.7.28" "id-hat-circulation-list-recipients" DistributionCode B "2.6.1.7.29" "id-hat-distribution-codes" ExtendedSubject B "2.6.1.7.30" "id-hat-extended-subject" InformationCategory B "2.6.1.7.31" "id-hat-information-category" ManualHandlingInstruction B "2.6.1.7.32" "id-hat-manual-handling-instructions" OriginatorsReference B "2.6.1.7.33" "id-hat-originators-reference" PrecedencePolicyIdentifier B "2.6.1.7.34" "id-hat-precedence-policy-id" ForwardedContentToken B "2.6.1.7.35" "id-hat-forwarded-content-token" #MessageToken B "2.6.1.7.36" "id-hat-forwarded-token" - see p1.cnf Precedence B "2.6.1.7.37" "id-hat-precedence" BodyPartSignatureVerification B "2.6.1.7.38" "id-hat-body-part-signature-verification-status" Body B "2.6.1.8.0" "id-bat-body" # id-cat ID ::= {id-ipms 13} -- correlation attributes CorrelatedDeliveredIPNs B "2.6.1.13.0" "id-cat-correlated-delivered-ipns" CorrelatedDeliveredReplies B "2.6.1.13.1" "id-cat-correlated-delivered-replies" DeliveredIPNStatus B "2.6.1.13.2" "id-cat-delivered-ipn-summary" DeliveredReplyStatus B "2.6.1.13.3" "id-cat-delivered-replies-summary" #SequenceNumber B "2.6.1.13.4" "id-cat-forwarded-ipms" #SequenceNumber B "2.6.1.13.5" "id-cat-forwarding-ipms" #ORDescriptor B "2.6.1.13.6" "id-cat-ipm-recipients" IPMLocation B "2.6.1.13.7" "id-cat-obsoleted-ipms" #SequenceNumber B "2.6.1.13.8" "id-cat-obsoleting-ipms" #IPMLocation B "2.6.1.13.9" "id-cat-related-ipms" #SequenceNumber B "2.6.1.13.10" "id-cat-relating-ipms" #SequenceNumber B "2.6.1.13.11" "id-cat-replied-to-ipm" #id-cat-replying-ipms B "2.6.1.13.12" "id-cat-replying-ipms" #ReplyTimeField B "2.6.1.13.13" "id-cat-revised-reply-time" SubmittedIPNStatus B "2.6.1.13.14" "id-cat-submitted-ipn-status" #SequenceNumber B "2.6.1.13.15" "id-cat-submitted-ipns" SubmittedReplyStatus B "2.6.1.13.16" "id-cat-submitted-reply-status" #SequenceNumber B "2.6.1.13.17" "id-cat-subject-ipm" RecipientCategory B "2.6.1.13.18" "id-cat-recipient-category" # id-sec ID ::= {id-ipms 18} -- ipm security extensions RecipientSecurityRequest B "2.6.1.18.0" "id-sec-ipm-security-request" IpnSecurityResponse B "2.6.1.18.1" "id-sec-security-common-fields" #.FN_PARS IPMSExtension/type FN_VARIANT = _str VAL_PTR = &actx->external.direct_reference #.FN_BODY IPMSExtension/type const char *name = NULL; %(DEFAULT_BODY)s name = oid_resolved_from_string(actx->pinfo->pool, actx->external.direct_reference); proto_item_append_text(tree, " (%%s)", name ? name : actx->external.direct_reference); #.FN_BODY IPMSExtension/value offset=call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_BODY IPM col_append_str(actx->pinfo->cinfo, COL_INFO, " Message"); %(DEFAULT_BODY)s #.FN_BODY IPN col_append_str(actx->pinfo->cinfo, COL_INFO, " Notification"); %(DEFAULT_BODY)s #.FN_PARS SubjectField VAL_PTR=&subject #.FN_BODY SubjectField tvbuff_t *subject=NULL; %(DEFAULT_BODY)s if(subject) col_append_fstr(actx->pinfo->cinfo, COL_INFO, " (%%s)", tvb_get_string_enc(actx->pinfo->pool, subject, 0, tvb_reported_length(subject), ENC_T61)); #.TYPE_ATTR SubjectField DISPLAY = BASE_NONE #.TYPE_ATTR TeletexData/_item DISPLAY = BASE_NONE #.TYPE_ATTR FreeFormName DISPLAY = BASE_NONE #.TYPE_ATTR VideotexData DISPLAY = BASE_NONE #.FN_PARS CharacterSetRegistration VAL_PTR=&crs #.FN_BODY CharacterSetRegistration guint32 crs; %(DEFAULT_BODY)s if(actx->created_item) proto_item_append_text(actx->created_item, " (%%s)", val_to_str(crs, charsetreg_vals, "unknown")); #.FN_BODY Interchange-Data-Element /* XXX Not implemented yet */ #.FN_BODY NationallyDefinedBodyPart /* XXX Not implemented yet */ #.FN_BODY Contents-Type-Attribute/document-type/parameter /* XXX: Not implemented yet */ #.FN_BODY CompressionParameter/compression-algorithm-id offset = dissect_ber_object_identifier_str(implicit_tag, actx, tree, tvb, offset, hf_index, &actx->external.direct_reference); #.FN_BODY CompressionParameter/compression-algorithm-param /* XXX: Not implemented yet */ #.END
C
wireshark/epan/dissectors/asn1/p22/packet-p22-template.c
/* packet-p22.c * Routines for X.420 (X.400 Message Transfer) packet dissection * Graeme Lunt 2005 * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #include "config.h" #include <epan/packet.h> #include <epan/oids.h> #include <epan/asn1.h> #include "packet-ber.h" #include "packet-acse.h" #include "packet-ros.h" #include "packet-x509af.h" #include "packet-x509ce.h" #include "packet-ftam.h" #include "packet-p1.h" #include "packet-p7.h" #include "packet-p22.h" #define PNAME "X.420 Information Object" #define PSNAME "P22" #define PFNAME "p22" /* Initialize the protocol and registered fields */ static int proto_p22 = -1; static const value_string charsetreg_vals [] = { { 1, "C0: (ISO/IEC 6429)"}, { 6, "G0: ASCII (ISO/IEC 646)"}, { 77, "C1: (ISO/IEC 6429)"}, { 100, "Gn: Latin Alphabet No.1, Western European Supplementary Set (GR area of ISO-8859-1)"}, { 101, "Gn: Latin Alphabet No.2, Central EuropeanSupplementary Set (GR area of ISO-8859-2)"}, { 104, "C0: (ISO/IEC 4873)"}, { 105, "C1: (ISO/IEC 4873)"}, { 106, "C0: Teletex (CCITT T.61)"}, { 107, "C1: Teletex (CCITT T.61)"}, { 109, "Gn: Latin Alphabet No.3, Southern European Supplementary Set (GR area of ISO-8859-3)"}, { 110, "Gn: Latin Alphabet No.4, Baltic Supplementary Set (GR area of ISO-8859-4)"}, { 126, "Gn: Greek Supplementary Set (GR area of ISO-8859-7)"}, { 127, "Gn: Arabic Supplementary Set (GR area of ISO-8859-6)"}, { 138, "Gn: Hebrew Supplementary Set (GR area of ISO-8859-8)"}, { 144, "Gn: Cyrillic Supplementary Set (GR area of ISO-8859-5)"}, { 148, "Gn: Latin Alphabet No.5, Cyrillic Supplementary Set (GR area of ISO-8859-9)"}, { 154, "Gn: Supplementary Set for Latin Alphabets No.1 or No.5, and No.2"}, { 157, "Gn: Latin Alphabet No.6, Arabic Supplementary Set (GR area of ISO-8859-10)"}, { 158, "Gn: Supplementary Set for Sami (Lappish) to complement Latin Alphabet No.6 (from Annex A of ISO-8859-10)"}, { 166, "Gn: Thai Supplementary Set (GR area of ISO-8859-11)"}, { 179, "Gn: Latin Alphabet No.7, Baltic Rim Supplementary Set (GR area of ISO-8859-13)"}, { 182, "Gn: Welsh Variant of Latin Alphabet No.1, Supplementary Set (GR area of ISO-8859-1)"}, { 197, "Gn: Supplementary Set for Sami to complement Latin Alphabet No.6 (from Annex A of ISO-8859-10)"}, { 199, "Gn: Latin Alphabet No.8, Celtic Supplementary Set (GR area of ISO-8859-14)"}, { 203, "Gn: Latin Alphabet No.9, European Rim Supplementary Set (GR area of ISO-8859-15)"}, { 0, NULL} }; #include "packet-p22-val.h" #include "packet-p22-hf.c" /* Initialize the subtree pointers */ static gint ett_p22 = -1; #include "packet-p22-ett.c" #include "packet-p22-fn.c" /* * Dissect P22 PDUs inside a PPDU. */ static int dissect_p22(tvbuff_t *tvb, packet_info *pinfo, proto_tree *parent_tree, void* data _U_) { int offset = 0; proto_item *item=NULL; proto_tree *tree=NULL; asn1_ctx_t asn1_ctx; asn1_ctx_init(&asn1_ctx, ASN1_ENC_BER, TRUE, pinfo); if (parent_tree) { item = proto_tree_add_item(parent_tree, proto_p22, tvb, 0, -1, ENC_NA); tree = proto_item_add_subtree(item, ett_p22); } col_set_str(pinfo->cinfo, COL_PROTOCOL, "P22"); col_set_str(pinfo->cinfo, COL_INFO, "InterPersonal"); dissect_p22_InformationObject(TRUE, tvb, offset, &asn1_ctx , tree, -1); return tvb_captured_length(tvb); } /*--- proto_register_p22 -------------------------------------------*/ void proto_register_p22(void) { /* List of fields */ static hf_register_info hf[] = { #include "packet-p22-hfarr.c" }; /* List of subtrees */ static gint *ett[] = { &ett_p22, #include "packet-p22-ettarr.c" }; /* Register protocol */ proto_p22 = proto_register_protocol(PNAME, PSNAME, PFNAME); register_dissector("p22", dissect_p22, proto_p22); /* Register fields and subtrees */ proto_register_field_array(proto_p22, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); } /*--- proto_reg_handoff_p22 --- */ void proto_reg_handoff_p22(void) { #include "packet-p22-dis-tab.c" register_ber_oid_dissector("2.6.1.10.0", dissect_p22, proto_p22, "InterPersonal Message (1984)"); register_ber_oid_dissector("2.6.1.10.1", dissect_p22, proto_p22, "InterPersonal Message (1988)"); }
C/C++
wireshark/epan/dissectors/asn1/p22/packet-p22-template.h
/* packet-p22.h * Routines for X.420 (X.400 Message Transfer) packet dissection * Graeme Lunt 2005 * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #ifndef PACKET_P22_H #define PACKET_P22_H #include "packet-p22-exp.h" void proto_reg_handoff_p22(void); void proto_register_p22(void); #endif /* PACKET_P22_H */
Text
wireshark/epan/dissectors/asn1/p7/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME p7 ) set( PROTO_OPT ) set( EXPORT_FILES ${PROTOCOL_NAME}-exp.cnf ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST MSAbstractService.asn MSGeneralAttributeTypes.asn MSAccessProtocol.asn MSUpperBounds.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c packet-${PROTOCOL_NAME}-template.h ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS -b -C ) set( EXTRA_CNF "${CMAKE_CURRENT_BINARY_DIR}/../p1/p1-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../ros/ros-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../rtse/rtse-exp.cnf" ) set( EXPORT_DEPENDS "${CMAKE_CURRENT_BINARY_DIR}/../p1/p1-exp.cnf" ) ASN2WRS()
ASN.1
wireshark/epan/dissectors/asn1/p7/MSAbstractService.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x413/1999/index.html -- Module MSAbstractService (X.413:06/1999) MSAbstractService {joint-iso-itu-t mhs(6) ms(4) modules(0) abstract-service(1) version-1999(1)} DEFINITIONS ::= BEGIN -- Prologue -- Exports everything IMPORTS -- MTS information object classes operationObject1, ABSTRACT-ERROR, ABSTRACT-OPERATION, EXTENSION, MHS-OBJECT, PORT, -- MTS objects and ports administration, delivery, mts-user, submission, -- MTS abstract-operations and abstract-errors cancel-deferred-delivery, element-of-service-not-subscribed, inconsistent-request, new-credentials-unacceptable, old-credentials-incorrectly-specified, originator-invalid, recipient-improperly-specified, remote-bind-error, security-error, submission-control, submission-control-violated, unsupported-critical-function, -- MTS abstract-service data-types CertificateSelectors, Credentials, InitiatorCredentials, MessageSubmissionArgument, MessageSubmissionResult, MessageToken, ORAddressAndOrDirectoryName, ProbeSubmissionArgument, ProbeSubmissionResult, ResponderCredentials, SecurityContext, SecurityLabel, -- WS added imports because of expansion of COMPONENTS OF MessageSubmissionIdentifier, ExtensionField, OriginatorName, OriginalEncodedInformationTypes, ContentType, ProbeSubmissionIdentifier, ProbeSubmissionTime FROM MTSAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1999(1)} -- MTS abstract-service 1988 ports OPERATION, ERROR FROM Remote-Operations-Information-Objects administration-88 --== FROM MTSAbstractService88 {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1988(1988)} -- MTS abstract-service upper bounds ub-content-types, ub-encoded-information-types, ub-labels-and-redirections --== FROM MTSUpperBounds {joint-iso-itu-t mhs(6) mts(3) modules(0) upper-bounds(3) version-1999(1)} -- MS X413ATTRIBUTE table AttributeTable --== FROM MSGeneralAttributeTypes {joint-iso-itu-t mhs(6) ms(4) modules(0) general-attribute-types(2) version-1999(1)} -- MS matching rule table MatchingRuleTable --== FROM MSMatchingRules {joint-iso-itu-t mhs(6) ms(4) modules(0) general-matching-rules(5) version-1999(1)} -- MS auto-action-table and auto-action-error table AutoActionTable, AutoActionErrorTable --== FROM MSGeneralAutoActionTypes {joint-iso-itu-t mhs(6) ms(4) modules(0) general-auto-action-types(3) version-1994(0)} -- MS object-identifiers id-cp-ms-connection, id-crt-ms-access-88, id-crt-ms-access-94, id-ext-modify-capability, id-ext-modify-retrieval-status-capability, id-ext-originator-token, id-ext-originator-certificate-selectors-override, id-ext-protected-change-credentials, id-ext-protected-change-credentials-capability, id-ot-ms, id-ot-ms-user, id-pt-retrieval-88, id-pt-retrieval-94, id-pt-ms-submission --== FROM MSObjectIdentifiers {joint-iso-itu-t mhs(6) ms(4) modules(0) object-identifiers(0) version-1999(1)} -- MS Access abstract-operation and error codes err-attribute-error, err-auto-action-request-error, err-ms-extension-error, err-delete-error, err-entry-class-error, err-fetch-restriction-error, err-invalid-parameters-error, err-message-group-error, err-modify-error, err-range-error, err-security-error, err-sequence-number-error, err-service-error, err-register-ms-error, op-alert, op-delete, op-fetch, op-list, op-modify, op-ms-message-submission, op-ms-probe-submission, op-register-ms, op-summarize --== FROM MSAccessProtocol {joint-iso-itu-t mhs(6) protocols(0) modules(0) ms-access-protocol(2) version-1999(1)} -- MS abstract-service upper bounds ub-attributes-supported, ub-attribute-values, ub-auto-action-errors, ub-auto-actions, ub-auto-registrations, ub-default-registrations, ub-entry-classes, ub-error-reasons, ub-extensions, ub-group-depth, ub-group-descriptor-length, ub-group-part-length, ub-matching-rules, ub-message-groups, ub-messages, ub-modifications, ub-per-entry, ub-per-auto-action, ub-service-information-length, ub-summaries, ub-supplementary-info-length, ub-ua-registration-identifier-length, ub-ua-registrations, ub-ua-restrictions --== FROM MSUpperBounds {joint-iso-itu-t mhs(6) ms(4) modules(0) upper-bounds(4) version-1994(0)} -- MATCHING-RULE information object class MATCHING-RULE --== FROM InformationFramework {joint-iso-itu-t ds(5) module(1) informationFramework(1) 3} -- Remote Operations CONTRACT, CONNECTION-PACKAGE --== FROM Remote-Operations-Information-Objects {joint-iso-itu-t remote-operations(4) informationObjects(5) version1(0)} emptyUnbind FROM Remote-Operations-Useful-Definitions {joint-iso-itu-t remote-operations(4) useful-definitions(7) version1(0)}; -- MS Abstract Objects ms MHS-OBJECT ::= { IS {mts-user} RESPONDS {ms-access-contract-88 | ms-access-contract-94} ID id-ot-ms } ms-user MHS-OBJECT ::= { INITIATES {ms-access-contract-88 | ms-access-contract-94} ID id-ot-ms-user } -- Contracts ms-access-contract-94 CONTRACT ::= { CONNECTION ms-connect INITIATOR CONSUMER OF {retrieval | ms-submission | administration} ID id-crt-ms-access-94 } ms-access-contract-88 CONTRACT ::= { CONNECTION ms-connect -- with all 1994 extensions omitted INITIATOR CONSUMER OF {retrieval-88 | submission | administration-88} ID id-crt-ms-access-88 } -- Connection-package ms-connect CONNECTION-PACKAGE ::= { BIND ms-bind UNBIND ms-unbind ID id-cp-ms-connection } -- MS Ports --retrieval PORT ::= { -- OPERATIONS {operationObject1, ...} -- CONSUMER INVOKES -- {summarize | list | fetch | delete | register-MS, -- ... - 1994 extension addition -, modify} -- SUPPLIER INVOKES {alert} -- ID id-pt-retrieval-94 --} --retrieval-88 PORT ::= { -- - With all 1994 extensions to the abstract-operations absent -- OPERATIONS {operationObject1, ...} -- CONSUMER INVOKES {summarize | list | fetch | delete | register-MS} -- SUPPLIER INVOKES {alert} -- ID id-pt-retrieval-88 --} --ms-submission PORT ::= { -- OPERATIONS {operationObject1, ...} -- CONSUMER INVOKES -- {ms-message-submission | ms-probe-submission | ms-cancel-deferred-delivery} -- SUPPLIER INVOKES {ms-submission-control} -- ID id-pt-ms-submission --} -- X413ATTRIBUTE information object class X413ATTRIBUTE ::= CLASS { &id AttributeType UNIQUE, &Type , &equalityMatch MATCHING-RULE OPTIONAL, &substringsMatch MATCHING-RULE OPTIONAL, &orderingMatch MATCHING-RULE OPTIONAL, &numeration ENUMERATED {single-valued(0), multi-valued(1)}, -- 1994 extension &OtherMatches MATCHING-RULE OPTIONAL } WITH SYNTAX { WITH ATTRIBUTE-SYNTAX &Type, [EQUALITY MATCHING-RULE &equalityMatch,] [SUBSTRINGS MATCHING-RULE &substringsMatch,] [ORDERING MATCHING-RULE &orderingMatch,] [OTHER MATCHING-RULES &OtherMatches,] NUMERATION &numeration, ID &id } Attribute ::= SEQUENCE { attribute-type X413ATTRIBUTE.&id({AttributeTable}), attribute-values SEQUENCE SIZE (1..ub-attribute-values) OF X413ATTRIBUTE.&Type({AttributeTable}{@attribute-type}) } AttributeType ::= OBJECT IDENTIFIER -- AUTO-ACTION information object class AUTO-ACTION ::= CLASS { &id AutoActionType UNIQUE, &RegistrationParameter OPTIONAL, &Errors AUTO-ACTION-ERROR OPTIONAL } WITH SYNTAX { [REGISTRATION PARAMETER IS &RegistrationParameter] [ERRORS &Errors] IDENTIFIED BY &id } AutoActionType ::= OBJECT IDENTIFIER AutoActionRegistration ::= SEQUENCE { auto-action-type AUTO-ACTION.&id({AutoActionTable}), registration-identifier [0] INTEGER(1..ub-per-auto-action) DEFAULT 1, registration-parameter [1] AUTO-ACTION.&RegistrationParameter ({AutoActionTable}{@auto-action-type}) OPTIONAL } -- AUTO-ACTION-ERROR information object class AUTO-ACTION-ERROR ::= ABSTRACT-ERROR AutoActionError ::= SET { error-code [0] AUTO-ACTION-ERROR.&errorCode({AutoActionErrorTable}), error-parameter [1] AUTO-ACTION-ERROR.&ParameterType({AutoActionErrorTable}{@error-code}) OPTIONAL } -- MS-EXTENSION information object class MS-EXTENSION ::= TYPE-IDENTIFIER MSExtensionItem ::= INSTANCE OF MS-EXTENSION MSExtensions ::= SEQUENCE SIZE (1..ub-extensions) OF MSExtensionItem -- Common data-types related to the information model EntryClass ::= INTEGER { delivery(0), -- 1994 extensions submission(1), draft(2), stored-message(3), delivery-log(4), submission-log(5), message-log(6), auto-action-log(7)}(0..ub-entry-classes) EntryType ::= INTEGER { delivered-message(0), delivered-report(1), returned-content(2), -- 1994 extensions submitted-message(3), submitted-probe(4), draft-message(5), auto-action-event(6)} SequenceNumber ::= INTEGER(0..ub-messages) RetrievalStatus ::= INTEGER {new(0), listed(1), processed(2)} MessageGroupName ::= SEQUENCE SIZE (1..ub-group-depth) OF GroupNamePart GroupNamePart ::= GeneralString(SIZE (1..ub-group-part-length)) -- MS-bind abstract-operation ms-bind -- ABSTRACT- -- OPERATION ::= { ARGUMENT MSBindArgument RESULT MSBindResult ERRORS {ms-bind-error} CODE op-ros-bind -- WS: internal operation code } MSBindArgument ::= SET { initiator-name ORAddressAndOrDirectoryName, initiator-credentials [2] InitiatorCredentials, security-context [3] IMPLICIT SecurityContext OPTIONAL, fetch-restrictions [4] Restrictions OPTIONAL -- default is none--, ms-configuration-request [5] BOOLEAN DEFAULT FALSE, -- 1994 extensions ua-registration-identifier [6] RegistrationIdentifier OPTIONAL, bind-extensions [7] MSExtensions OPTIONAL } Restrictions ::= SET { allowed-content-types [0] SET SIZE (1..ub-content-types) OF OBJECT IDENTIFIER OPTIONAL--default is no restriction--, allowed-EITs [1] MS-EITs OPTIONAL --default is no restriction--, maximum-attribute-length [2] INTEGER OPTIONAL --default is no restriction-- } MS-EITs ::= SET SIZE (1..ub-encoded-information-types) OF MS-EIT MS-EIT ::= OBJECT IDENTIFIER RegistrationIdentifier ::= PrintableString(SIZE (1..ub-ua-registration-identifier-length)) MSBindResult ::= SET { responder-credentials [2] ResponderCredentials, available-auto-actions [3] SET SIZE (1..ub-auto-actions) OF AUTO-ACTION.&id({AutoActionTable}) OPTIONAL, available-attribute-types [4] SET SIZE (1..ub-attributes-supported) OF X413ATTRIBUTE.&id({AttributeTable}) OPTIONAL, alert-indication [5] BOOLEAN DEFAULT FALSE, content-types-supported [6] SET SIZE (1..ub-content-types) OF OBJECT IDENTIFIER OPTIONAL, -- 1994 extensions entry-classes-supported [7] SET SIZE (1..ub-entry-classes) OF EntryClass OPTIONAL, matching-rules-supported [8] SET SIZE (1..ub-matching-rules) OF OBJECT IDENTIFIER OPTIONAL, bind-result-extensions [9] MSExtensions OPTIONAL, message-group-depth [10] INTEGER(1..ub-group-depth) OPTIONAL, auto-action-error-indication [11] AutoActionErrorIndication OPTIONAL, unsupported-extensions [12] SET SIZE (1..ub-extensions) OF OBJECT IDENTIFIER OPTIONAL, ua-registration-id-unknown [13] BOOLEAN DEFAULT FALSE, service-information [14] GeneralString(SIZE (1..ub-service-information-length)) OPTIONAL } modify-capability MS-EXTENSION ::= { NULL IDENTIFIED BY id-ext-modify-capability } modify-retrieval-status-capability MS-EXTENSION ::= { NULL IDENTIFIED BY id-ext-modify-retrieval-status-capability } protected-change-credentials-capability MS-EXTENSION ::= { ChangeCredentialsAlgorithms IDENTIFIED BY id-ext-protected-change-credentials-capability } ChangeCredentialsAlgorithms ::= SET OF OBJECT IDENTIFIER AutoActionErrorIndication ::= CHOICE { indication-only [0] NULL, auto-action-log-entry [1] SequenceNumber } ms-bind-error -- ABSTRACT- -- ERROR ::= { PARAMETER CHOICE {unqualified-error BindProblem, -- 1994 extension qualified-error SET {bind-problem [0] BindProblem, supplementary-information [1] GeneralString(SIZE (1..ub-supplementary-info-length)) OPTIONAL, bind-extension-errors [2] SET SIZE (1..ub-extensions) OF OBJECT IDENTIFIER OPTIONAL}} CODE err-ros-bind -- WS: internal error code } BindProblem ::= ENUMERATED { authentication-error(0), unacceptable-security-context(1), unable-to-establish-association(2), ... -- 1994 extension addition --, bind-extension-problem(3), inadequate-association-confidentiality(4) } -- MS Unbind abstract-operation ms-unbind ABSTRACT-OPERATION ::= emptyUnbind -- Common data-types Range ::= CHOICE { sequence-number-range [0] NumberRange, creation-time-range [1] TimeRange } NumberRange ::= SEQUENCE { from [0] SequenceNumber OPTIONAL -- omitted means no lower bound--, to [1] SequenceNumber OPTIONAL -- omitted means no upper bound-- } TimeRange ::= SEQUENCE { from [0] CreationTime OPTIONAL -- omitted means no lower bound--, to [1] CreationTime OPTIONAL -- omitted means no upper bound-- } CreationTime ::= UTCTime Filter ::= CHOICE { item [0] FilterItem, and [1] SET OF Filter, or [2] SET OF Filter, not [3] Filter } FilterItem ::= CHOICE { equality [0] AttributeValueAssertion, substrings [1] SEQUENCE {type X413ATTRIBUTE.&id({AttributeTable}), strings SEQUENCE OF CHOICE {initial [0] X413ATTRIBUTE.&Type ({AttributeTable}{@substrings.type}), any [1] X413ATTRIBUTE.&Type ({AttributeTable}{@substrings.type}), final [2] X413ATTRIBUTE.&Type ({AttributeTable}{@substrings.type}) }}, greater-or-equal [2] AttributeValueAssertion, less-or-equal [3] AttributeValueAssertion, present [4] X413ATTRIBUTE.&id({AttributeTable}), approximate-match [5] AttributeValueAssertion, -- 1994 extension other-match [6] MatchingRuleAssertion } MatchingRuleAssertion ::= SEQUENCE { matching-rule [0] MATCHING-RULE.&id({MatchingRuleTable}), attribute-type [1] X413ATTRIBUTE.&id, match-value [2] MATCHING-RULE.&AssertionType({MatchingRuleTable}{@matching-rule}) } AttributeValueAssertion ::= SEQUENCE { attribute-type X413ATTRIBUTE.&id({AttributeTable}), attribute-value X413ATTRIBUTE.&Type({AttributeTable}{@attribute-type}) } Selector ::= SET { child-entries [0] BOOLEAN DEFAULT FALSE, range [1] Range OPTIONAL -- default is unbounded --, filter [2] Filter OPTIONAL -- default is all entries within the specified range --, limit [3] INTEGER(1..ub-messages) OPTIONAL, override [4] OverrideRestrictions OPTIONAL -- by default, -- -- any fetch-restrictions in force apply } OverrideRestrictions ::= BIT STRING { override-content-types-restriction(0), override-EITs-restriction(1), override-attribute-length-restriction(2)}(SIZE (1..ub-ua-restrictions)) EntryInformationSelection ::= SET SIZE (0..ub-per-entry) OF AttributeSelection AttributeSelection ::= SET { type X413ATTRIBUTE.&id({AttributeTable}), from [0] INTEGER(1..ub-attribute-values) OPTIONAL --used if type is multi valued--, count [1] INTEGER(0..ub-attribute-values) OPTIONAL --used if type is multi valued-- } EntryInformation ::= SEQUENCE { sequence-number SequenceNumber, attributes SET SIZE (1..ub-per-entry) OF Attribute OPTIONAL, -- 1994 extension value-count-exceeded [0] SET SIZE (1..ub-per-entry) OF AttributeValueCount OPTIONAL } AttributeValueCount ::= SEQUENCE { type [0] X413ATTRIBUTE.&id({AttributeTable}), total [1] INTEGER } MSSubmissionOptions ::= SET { object-entry-class [0] EntryClass(submission | submission-log | draft) OPTIONAL, disable-auto-modify [1] BOOLEAN DEFAULT FALSE, add-message-group-names [2] SET SIZE (1..ub-message-groups) OF MessageGroupName OPTIONAL, ms-submission-extensions [3] MSExtensions OPTIONAL } originator-token MS-EXTENSION ::= { OriginatorToken IDENTIFIED BY id-ext-originator-token } OriginatorToken ::= MessageToken (CONSTRAINED BY { -- Must contain an asymmetric-token with an encrypted-data component --}) originator-certificate-selectors-override MS-EXTENSION ::= { CertificateSelectors (WITH COMPONENTS { ..., message-origin-authentication ABSENT }) IDENTIFIED BY id-ext-originator-certificate-selectors-override } CommonSubmissionResults ::= SET { created-entry [0] SequenceNumber OPTIONAL, auto-action-error-indication [1] AutoActionErrorIndication OPTIONAL, ms-submission-result-extensions [2] MSExtensions OPTIONAL } -- Retrieval Port abstract-operations summarize -- ABSTRACT- -- OPERATION ::= { ARGUMENT SummarizeArgument RESULT SummarizeResult ERRORS {attribute-error | invalid-parameters-error | range-error | security-error | service-error, ... -- 1994 extension additions --, entry-class-error | ms-extension-error} LINKED {operationObject1, ...} CODE op-summarize } SummarizeArgument ::= SET { entry-class [0] EntryClass DEFAULT delivery, selector [1] Selector, summary-requests [2] SEQUENCE SIZE (1..ub-summaries) OF X413ATTRIBUTE.&id({AttributeTable}) OPTIONAL -- absent if no summaries are requested--, -- 1994 extension summarize-extensions [3] MSExtensions OPTIONAL } SummarizeResult ::= SET { next [0] SequenceNumber OPTIONAL, count [1] INTEGER(0..ub-messages)-- of the entries selected-- , span [2] Span OPTIONAL -- of the entries selected,---- omitted if count is zero --, summaries [3] SEQUENCE SIZE (1..ub-summaries) OF Summary OPTIONAL, -- 1994 extension summarize-result-extensions [4] MSExtensions OPTIONAL } Span ::= SEQUENCE {lowest [0] SequenceNumber, highest [1] SequenceNumber } Summary ::= SET { absent [0] INTEGER(1..ub-messages) OPTIONAL --count of entries where X413ATTRIBUTE is absent--, present [1] SET SIZE (1..ub-attribute-values) OF--one for each X413ATTRIBUTE value present-- SEQUENCE {type X413ATTRIBUTE.&id({AttributeTable}), value X413ATTRIBUTE.&Type({AttributeTable}{@.type}), count INTEGER(1..ub-messages)} OPTIONAL } -- list -- ABSTRACT- -- OPERATION ::= { ARGUMENT ListArgument RESULT ListResult ERRORS {attribute-error | invalid-parameters-error | range-error | security-error | service-error, ... -- 1994 extension additions --, entry-class-error | ms-extension-error} LINKED {operationObject1, ...} CODE op-list } ListArgument ::= SET { entry-class [0] EntryClass DEFAULT delivery, selector [1] Selector, requested-attributes [3] EntryInformationSelection OPTIONAL, -- 1994 extension list-extensions [4] MSExtensions OPTIONAL } ListResult ::= SET { next [0] SequenceNumber OPTIONAL, requested [1] SEQUENCE SIZE (1..ub-messages) OF EntryInformation OPTIONAL--omitted if none found--, -- 1994 extension list-result-extensions [2] MSExtensions OPTIONAL } -- fetch -- ABSTRACT- -- OPERATION ::= { ARGUMENT FetchArgument RESULT FetchResult ERRORS {attribute-error | fetch-restriction-error | invalid-parameters-error | range-error | security-error | sequence-number-error | service-error, ... -- 1994 extension additions --, entry-class-error | ms-extension-error} LINKED {operationObject1, ...} CODE op-fetch } FetchArgument ::= SET { entry-class [0] EntryClass DEFAULT delivery, item CHOICE {search [1] Selector, precise [2] SequenceNumber}, requested-attributes [3] EntryInformationSelection OPTIONAL, -- 1994 extension fetch-extensions [4] MSExtensions OPTIONAL } FetchResult ::= SET { entry-information [0] EntryInformation OPTIONAL --if an entry was selected--, list [1] SEQUENCE SIZE (1..ub-messages) OF SequenceNumber OPTIONAL, next [2] SequenceNumber OPTIONAL, -- 1994 extension fetch-result-extensions [3] MSExtensions OPTIONAL } -- delete -- ABSTRACT- -- OPERATION ::= { ARGUMENT DeleteArgument RESULT DeleteResult ERRORS {delete-error | invalid-parameters-error | range-error | security-error | sequence-number-error | service-error, ... -- 1994 extension additions --, entry-class-error | ms-extension-error} LINKED {operationObject1, ...} CODE op-delete } DeleteArgument ::= SET { entry-class [0] EntryClass DEFAULT delivery, items CHOICE {selector [1] Selector, sequence-numbers [2] SET SIZE (1..ub-messages) OF SequenceNumber }, -- 1994 extension delete-extensions [3] MSExtensions OPTIONAL } DeleteResult ::= CHOICE { delete-result-88 NULL, -- 1994 extension delete-result-94 SET {entries-deleted [0] SEQUENCE SIZE (1..ub-messages) OF SequenceNumber OPTIONAL, delete-result-extensions [1] MSExtensions OPTIONAL} } -- register-MS -- ABSTRACT- -- OPERATION ::= { ARGUMENT Register-MSArgument RESULT Register-MSResult ERRORS {attribute-error | auto-action-request-error | invalid-parameters-error | security-error | service-error | old-credentials-incorrectly-specified | new-credentials-unacceptable, ... -- 1994 extension additions --, message-group-error | ms-extension-error | register-ms-error} LINKED {operationObject1, ...} CODE op-register-ms } Register-MSArgument ::= SET { auto-action-registrations [0] SET SIZE (1..ub-auto-registrations) OF AutoActionRegistration OPTIONAL, auto-action-deregistrations [1] SET SIZE (1..ub-auto-registrations) OF AutoActionDeregistration OPTIONAL, list-attribute-defaults [2] SET SIZE (0..ub-default-registrations) OF X413ATTRIBUTE.&id({AttributeTable}) OPTIONAL, fetch-attribute-defaults [3] SET SIZE (0..ub-default-registrations) OF X413ATTRIBUTE.&id({AttributeTable}) OPTIONAL, change-credentials [4] SEQUENCE {old-credentials [0] Credentials(WITH COMPONENTS { simple }), new-credentials [1] Credentials(WITH COMPONENTS { simple })} OPTIONAL, user-security-labels [5] SET SIZE (1..ub-labels-and-redirections) OF SecurityLabel OPTIONAL, -- 1994 extensions ua-registrations [6] SET SIZE (1..ub-ua-registrations) OF UARegistration OPTIONAL, submission-defaults [7] MSSubmissionOptions OPTIONAL, message-group-registrations [8] MessageGroupRegistrations OPTIONAL, registration-status-request [9] RegistrationTypes OPTIONAL, register-ms-extensions [10] MSExtensions OPTIONAL } AutoActionDeregistration ::= SEQUENCE { auto-action-type AUTO-ACTION.&id({AutoActionTable}), registration-identifier [0] INTEGER(1..ub-per-auto-action) DEFAULT 1 } UARegistration ::= SET { ua-registration-identifier [0] RegistrationIdentifier, ua-list-attribute-defaults [1] SET SIZE (0..ub-default-registrations) OF X413ATTRIBUTE.&id({AttributeTable}) OPTIONAL, ua-fetch-attribute-defaults [2] SET SIZE (0..ub-default-registrations) OF X413ATTRIBUTE.&id({AttributeTable}) OPTIONAL, ua-submission-defaults [3] MSSubmissionOptions OPTIONAL, content-specific-defaults [4] MSExtensions OPTIONAL } MessageGroupRegistrations ::= SEQUENCE SIZE (1..ub-default-registrations) OF CHOICE {register-group [0] MessageGroupNameAndDescriptor, deregister-group [1] MessageGroupName, change-descriptors [2] MessageGroupNameAndDescriptor} MessageGroupNameAndDescriptor ::= SET { message-group-name [0] MessageGroupName, message-group-descriptor [1] GeneralString(SIZE (1..ub-group-descriptor-length)) OPTIONAL } RegistrationTypes ::= SET { registrations [0] BIT STRING {auto-action-registrations(0), list-attribute-defaults(1), fetch-attribute-defaults(2), ua-registrations(3), submission-defaults(4), message-group-registrations(5)} OPTIONAL, extended-registrations [1] SET OF MS-EXTENSION.&id OPTIONAL, restrict-message-groups [2] MessageGroupsRestriction OPTIONAL } MessageGroupsRestriction ::= SET { parent-group [0] MessageGroupName OPTIONAL, immediate-descendants-only [1] BOOLEAN DEFAULT TRUE, omit-descriptors [2] BOOLEAN DEFAULT TRUE } protected-change-credentials MS-EXTENSION ::= { ProtectedChangeCredentials IDENTIFIED BY id-ext-protected-change-credentials } ProtectedChangeCredentials ::= SEQUENCE { algorithm-identifier [0] IMPLICIT OBJECT IDENTIFIER, old-credentials InitiatorCredentials(WITH COMPONENTS { protected PRESENT }), password-delta [2] IMPLICIT BIT STRING } Register-MSResult ::= CHOICE { no-status-information NULL, -- 1994 extension registered-information SET {auto-action-registrations [0] SET SIZE (1..ub-auto-registrations) OF AutoActionRegistration OPTIONAL, list-attribute-defaults [1] SET SIZE (1..ub-default-registrations) OF X413ATTRIBUTE.&id({AttributeTable}) OPTIONAL, fetch-attribute-defaults [2] SET SIZE (1..ub-default-registrations) OF X413ATTRIBUTE.&id({AttributeTable}) OPTIONAL, ua-registrations [3] SET SIZE (1..ub-ua-registrations) OF UARegistration OPTIONAL, submission-defaults [4] MSSubmissionOptions OPTIONAL, message-group-registrations [5] SET SIZE (1..ub-message-groups) OF MessageGroupNameAndDescriptor OPTIONAL, register-ms-result-extensions [6] MSExtensions OPTIONAL} } -- alert -- ABSTRACT- -- OPERATION ::= { ARGUMENT AlertArgument RESULT AlertResult ERRORS {security-error} LINKED {operationObject1, ...} CODE op-alert } AlertArgument ::= SET { alert-registration-identifier [0] INTEGER(1..ub-auto-actions), new-entry [2] EntryInformation OPTIONAL } AlertResult ::= NULL -- modify -- ABSTRACT- -- OPERATION ::= { ARGUMENT ModifyArgument RESULT ModifyResult ERRORS {attribute-error | invalid-parameters-error | security-error | sequence-number-error | service-error | modify-error | message-group-error | entry-class-error | ms-extension-error, ... -- For future extension additions --} LINKED {operationObject1, ...} CODE op-modify } ModifyArgument ::= SET { entry-class [0] EntryClass DEFAULT delivery, entries CHOICE {selector [1] Selector, specific-entries [2] SEQUENCE SIZE (1..ub-messages) OF SequenceNumber}, modifications [3] SEQUENCE SIZE (1..ub-modifications) OF EntryModification, modify-extensions [4] MSExtensions OPTIONAL } EntryModification ::= SET { strict [0] BOOLEAN DEFAULT FALSE, modification CHOICE {add-attribute [1] Attribute, remove-attribute [2] X413ATTRIBUTE.&id({AttributeTable}), add-values [3] OrderedAttribute, remove-values [4] OrderedAttribute} } OrderedAttribute ::= SEQUENCE { attribute-type X413ATTRIBUTE.&id({AttributeTable}), attribute-values SEQUENCE SIZE (1..ub-attribute-values) OF SEQUENCE {-- at least one must be specified value [0] X413ATTRIBUTE.&Type({AttributeTable}{@attribute-type}) OPTIONAL, position [1] INTEGER(1..ub-attribute-values) OPTIONAL } } ModifyResult ::= SET { entries-modified [0] SEQUENCE SIZE (1..ub-messages) OF SequenceNumber OPTIONAL, modify-result-extensions [1] MSExtensions OPTIONAL } -- MS-submission Port abstract-operations ms-message-submission -- ABSTRACT- -- OPERATION ::= { ARGUMENT MSMessageSubmissionArgument RESULT MSMessageSubmissionResult ERRORS {submission-control-violated | element-of-service-not-subscribed | originator-invalid | recipient-improperly-specified | inconsistent-request | security-error | unsupported-critical-function | remote-bind-error, ... -- 1994 extension additions --, ms-extension-error | message-group-error | entry-class-error | service-error} LINKED {operationObject1, ...} CODE op-ms-message-submission } MSMessageSubmissionArgument ::= SEQUENCE { -- COMPONENTS OF -- MessageSubmissionArgument - This imported type has IMPLICIT tags -, -- WS expanded here envelope MessageSubmissionEnvelope, content Content, -- 1994 extension submission-options [4] MSSubmissionOptions OPTIONAL } forwarding-request EXTENSION ::= { SequenceNumber, IDENTIFIED BY standard-extension:36 } MSMessageSubmissionResult ::= CHOICE { mts-result SET {--COMPONENTS OF -- MessageSubmissionResult- This imported type has IMPLICIT tags - , -- WS extended here message-submission-identifier MessageSubmissionIdentifier, message-submission-time [0] IMPLICIT MessageSubmissionTime, content-identifier ContentIdentifier OPTIONAL, extensions [1] SET OF ExtensionField --{{MessageSubmissionResultExtensions}}-- DEFAULT {}, -- 1994 extension ms-message-result [4] CommonSubmissionResults OPTIONAL}, -- 1994 extension store-draft-result [4] CommonSubmissionResults } -- ms-probe-submission -- ABSTRACT- -- OPERATION ::= { ARGUMENT MSProbeSubmissionArgument RESULT MSProbeSubmissionResult ERRORS {submission-control-violated | element-of-service-not-subscribed | originator-invalid | recipient-improperly-specified | inconsistent-request | security-error | unsupported-critical-function | remote-bind-error, ... -- 1994 extension additions --, ms-extension-error | message-group-error | entry-class-error | service-error} LINKED {operationObject1, ...} CODE op-ms-probe-submission } MSProbeSubmissionArgument ::= SET { -- COMPONENTS OF -- ProbeSubmissionArgument - This imported type has IMPLICIT tags -, -- WS Expanded originator-name OriginatorName, original-encoded-information-types OriginalEncodedInformationTypes OPTIONAL, content-type ContentType, content-identifier ContentIdentifier OPTIONAL, content-length [0] ContentLength OPTIONAL, per-message-indicators PerMessageIndicators DEFAULT {}, extensions [2] SET OF ExtensionField --{{PerProbeSubmissionExtensions}}-- DEFAULT {} ,per-recipient-fields [3] SEQUENCE --SIZE (1..ub-recipients)-- OF PerRecipientProbeSubmissionFields, -- 1994 extension submission-options [4] MSSubmissionOptions OPTIONAL } MSProbeSubmissionResult ::= SET { -- COMPONENTS OF -- ProbeSubmissionResult - This imported type has IMPLICIT tags -, probe-submission-identifier ProbeSubmissionIdentifier, probe-submission-time [0] ProbeSubmissionTime, content-identifier ContentIdentifier OPTIONAL, extensions [1] SET OF ExtensionField --{{ProbeResultExtensions}}-- DEFAULT {}, -- 1994 extension ms-probe-result [4] CommonSubmissionResults OPTIONAL } ms-cancel-deferred-delivery ABSTRACT-OPERATION ::= cancel-deferred-delivery ms-submission-control ABSTRACT-OPERATION ::= submission-control -- Abstract-errors attribute-error -- ABSTRACT- -- ERROR ::= { PARAMETER SET {problems [0] SET SIZE (1..ub-per-entry) OF SET {problem [0] AttributeProblem, type [1] X413ATTRIBUTE.&id({AttributeTable}), value [2] X413ATTRIBUTE.&Type({AttributeTable}{@.type}) OPTIONAL}} CODE err-attribute-error } AttributeProblem ::= INTEGER { invalid-attribute-value(0), unavailable-attribute-type(1), inappropriate-matching(2), attribute-type-not-subscribed(3), inappropriate-for-operation(4), -- 1994 extensions inappropriate-modification(5), single-valued-attribute(6) }(0..ub-error-reasons) -- auto-action-request-error -- ABSTRACT- -- ERROR ::= { PARAMETER SET {problems [0] SET SIZE (1..ub-auto-registrations) OF SET {problem [0] AutoActionRequestProblem, type [1] AUTO-ACTION.&id({AutoActionTable}) }} CODE err-auto-action-request-error } AutoActionRequestProblem ::= INTEGER { unavailable-auto-action-type(0), auto-action-type-not-subscribed(1), -- 1994 extension not-willing-to-perform(2)}(0..ub-error-reasons) -- delete-error -- ABSTRACT- -- ERROR ::= { PARAMETER SET {problems [0] SET SIZE (1..ub-messages) OF SET {problem [0] DeleteProblem, sequence-number [1] SequenceNumber}, -- 1994 extension entries-deleted [1] SET SIZE (1..ub-messages) OF SequenceNumber OPTIONAL} CODE err-delete-error } DeleteProblem ::= INTEGER { child-entry-specified(0), delete-restriction-problem(1), -- 1994 extensions new-entry-specified(2), entry-class-restriction(3), stored-message-exists(4) }(0..ub-error-reasons) -- fetch-restriction-error -- ABSTRACT- -- ERROR ::= { PARAMETER SET {problems [0] SET SIZE (1..ub-default-registrations) OF SET {problem [3] FetchRestrictionProblem, restriction CHOICE {content-type [0] OBJECT IDENTIFIER, eit [1] MS-EITs, attribute-length [2] INTEGER}}} CODE err-fetch-restriction-error } FetchRestrictionProblem ::= INTEGER { content-type-problem(1), eit-problem(2), maximum-length-problem(3) }(0..ub-error-reasons) -- invalid-parameters-error -- ABSTRACT- -- ERROR ::= { PARAMETER NULL CODE err-invalid-parameters-error } -- range-error -- ABSTRACT- -- ERROR ::= { PARAMETER SET {problem [0] RangeProblem} CODE err-range-error } RangeProblem ::= INTEGER {reversed(0)}(0..ub-error-reasons) -- sequence-number-error -- ABSTRACT- -- ERROR ::= { PARAMETER SET {problems [1] SET SIZE (1..ub-messages) OF SET {problem [0] SequenceNumberProblem, sequence-number [1] SequenceNumber}} CODE err-sequence-number-error } SequenceNumberProblem ::= INTEGER {no-such-entry(0)}(0..ub-error-reasons) -- service-error -- ABSTRACT- -- ERROR ::= { PARAMETER ServiceErrorParameter CODE err-service-error } ServiceErrorParameter ::= SET { problem [0] ServiceProblem, -- 1994 extension supplementary-information [1] GeneralString(SIZE (1..ub-supplementary-info-length)) OPTIONAL } ServiceProblem ::= INTEGER {busy(0), unavailable(1), unwilling-to-perform(2) }(0..ub-error-reasons) -- message-group-error -- ABSTRACT- -- ERROR ::= { PARAMETER MessageGroupErrorParameter CODE err-message-group-error } MessageGroupErrorParameter ::= SET { problem [0] MessageGroupProblem, name [1] MessageGroupName } MessageGroupProblem ::= INTEGER { name-not-registered(0), name-already-registered(1), parent-not-registered(2), group-not-empty(3), name-in-use(4), child-group-registered(5), group-depth-exceeded(6)}(0..ub-error-reasons) -- ms-extension-error -- ABSTRACT- -- ERROR ::= { PARAMETER MSExtensionErrorParameter CODE err-ms-extension-error } MSExtensionErrorParameter ::= CHOICE { ms-extension-problem [0] MSExtensionItem, unknown-ms-extension [1] OBJECT IDENTIFIER } -- register-ms-error -- ABSTRACT- -- ERROR ::= { PARAMETER SET {problem [0] RegistrationProblem, registration-type [1] RegistrationTypes} CODE err-register-ms-error } RegistrationProblem ::= ENUMERATED { registration-not-supported(0), registration-improperly-specified(1), registration-limit-exceeded(2), ... -- For future extension additions -- } -- modify-error -- ABSTRACT- -- ERROR ::= { PARAMETER ModifyErrorParameter CODE err-modify-error } ModifyErrorParameter ::= SET { entries-modified [0] SEQUENCE SIZE (1..ub-messages) OF SequenceNumber OPTIONAL, failing-entry [1] SequenceNumber, modification-number [2] INTEGER, problem [3] ModifyProblem } ModifyProblem ::= INTEGER { attribute-not-present(0), value-not-present(1), attribute-or-value-already-exists(2), invalid-position(3), modify-restriction-problem(4)}(0..ub-error-reasons) -- entry-class-error -- ABSTRACT- -- ERROR ::= { PARAMETER EntryClassErrorParameter CODE err-entry-class-error } EntryClassErrorParameter ::= SET { entry-class [0] EntryClass, problem [1] BIT STRING {unsupported-entry-class(0), entry-class-not-subscribed(1), inappropriate-entry-class(2)} } END -- of MS Abstract Service -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p7/MSAccessProtocol.asn
-- http://www.itu.int/ITU-T/asn1/database/itu-t/x/x419/1999/index.html -- Module MSAccessProtocol (X.419:06/1999) MSAccessProtocol {joint-iso-itu-t mhs(6) protocols(0) modules(0) ms-access-protocol(2) version-1999(1)} DEFINITIONS ::= BEGIN -- Prologue IMPORTS -- MS Abstract Service ms-access-contract-88, ms-access-contract-94, ms-submission, retrieval, retrieval-88 --== FROM MSAbstractService {joint-iso-itu-t mhs(6) ms(4) modules(0) abstract-service(1) version-1999(1)} -- Remote Operations APPLICATION-CONTEXT --== FROM Remote-Operations-Information-Objects-extensions {joint-iso-itu-t remote-operations(4) informationObjects-extensions(8) version1(0)} Code --== FROM Remote-Operations-Information-Objects {joint-iso-itu-t remote-operations(4) informationObjects(5) version1(0)} Bind{}, InvokeId, Unbind{} --== FROM Remote-Operations-Generic-ROS-PDUs {joint-iso-itu-t remote-operations(4) generic-ROS-PDUs(6) version1(0)} ROS-SingleAS{} --== FROM Remote-Operations-Useful-Definitions {joint-iso-itu-t remote-operations(4) useful-definitions(7) version1(0)} acse, association-by-RTSE, pData, transfer-by-RTSE --== FROM Remote-Operations-Realizations {joint-iso-itu-t remote-operations(4) realizations(9) version1(0)} acse-abstract-syntax --== FROM Remote-Operations-Abstract-Syntaxes {joint-iso-itu-t remote-operations(4) remote-operations-abstract-syntaxes(12) version1(0)} -- Reliable Transfer RTORQapdu, RTOACapdu, RTORJapdu FROM Reliable-Transfer-APDU {joint-iso-itu-t reliable-transfer(3) apdus(0)} -- MTS Access Protocol message-administration-abstract-syntax-88, message-administration-abstract-syntax-94, message-submission-abstract-syntax --== FROM MTSAccessProtocol {joint-iso-itu-t mhs(6) protocols(0) modules(0) mts-access-protocol(1) version-1999(1)} -- Object Identifiers id-ac-ms-access-88, id-ac-ms-access-94, id-ac-ms-reliable-access-88, id-ac-ms-reliable-access-94, id-as-ms-msse, id-as-mase-88, id-as-mase-94, id-as-mdse-88, id-as-mdse-94, id-as-mrse-88, id-as-mrse-94, id-as-ms-88, id-as-ms-94, id-as-ms-rtse, id-as-msse --== FROM MHSProtocolObjectIdentifiers {joint-iso-itu-t mhs(6) protocols(0) modules(0) object-identifiers(0) version-1994(0)}; RTSE-apdus ::= CHOICE { rtorq-apdu [16] IMPLICIT RTORQapdu, rtoac-apdu [17] IMPLICIT RTOACapdu, rtorj-apdu [18] IMPLICIT RTORJapdu, rttp-apdu RTTPapdu, rttr-apdu RTTRapdu, rtab-apdu [22] IMPLICIT RTABapdu } RTTPapdu ::= -- priority-- INTEGER RTTRapdu ::= OCTET STRING RTABapdu ::= SET { abortReason [0] IMPLICIT AbortReason OPTIONAL, reflectedParameter [1] IMPLICIT BIT STRING OPTIONAL, -- 8 bits maximum, only if abortReason is invalidParameter userdataAB [2] TYPE-IDENTIFIER.&Type OPTIONAL -- only in normal mode and if abortReason-- -- is userError } AbortReason ::= INTEGER { localSystemProblem(0), invalidParameter(1), -- reflectedParameter supplied unrecognizedActivity(2), temporaryProblem(3), -- the RTSE cannot accept a session for a period of time protocolError(4), -- RTSE level protocol error permanentProblem(5), --provider-abort solely in normal mode userError(6), -- user-abort solely in normal mode transferCompleted(7) -- activity can't be discarded--} -- APPLICATION-CONTEXTS -- 1994 Application Context omitting RTSE ms-access-94 APPLICATION-CONTEXT ::= { CONTRACT ms-access-contract-94 ESTABLISHED BY acse INFORMATION TRANSFER BY pData ABSTRACT SYNTAXES {acse-abstract-syntax | ms-message-submission-abstract-syntax | message-retrieval-abstract-syntax-94 | message-administration-abstract-syntax-94 | ms-bind-unbind-abstract-syntax-94} APPLICATION CONTEXT NAME id-ac-ms-access-94 } -- 1994 Application Context including RTSE ms-reliable-access-94 APPLICATION-CONTEXT ::= { CONTRACT ms-access-contract-94 ESTABLISHED BY association-by-RTSE INFORMATION TRANSFER BY transfer-by-RTSE ABSTRACT SYNTAXES {acse-abstract-syntax | ms-message-submission-abstract-syntax | message-retrieval-abstract-syntax-94 | message-administration-abstract-syntax-94 | ms-bind-unbind-rtse-abstract-syntax} APPLICATION CONTEXT NAME id-ac-ms-reliable-access-94 } -- 1988 Application Context omitting RTSE ms-access-88 APPLICATION-CONTEXT ::= { CONTRACT ms-access-contract-88 ESTABLISHED BY acse INFORMATION TRANSFER BY pData ABSTRACT SYNTAXES {acse-abstract-syntax | message-submission-abstract-syntax | message-retrieval-abstract-syntax-88 | message-administration-abstract-syntax-88 | ms-bind-unbind-abstract-syntax-88} APPLICATION CONTEXT NAME id-ac-ms-access-88 } -- 1988 Application Context including RTSE ms-reliable-access-88 APPLICATION-CONTEXT ::= { CONTRACT ms-access-contract-88 ESTABLISHED BY association-by-RTSE INFORMATION TRANSFER BY transfer-by-RTSE ABSTRACT SYNTAXES {acse-abstract-syntax | message-submission-abstract-syntax | message-retrieval-abstract-syntax-88 | message-administration-abstract-syntax-88 | ms-bind-unbind-rtse-abstract-syntax} APPLICATION CONTEXT NAME id-ac-ms-reliable-access-88 } -- ABSTRACT SYNTAXES -- Abstract-syntax for 1994 MS-bind and MS-unbind ms-bind-unbind-abstract-syntax-94 ABSTRACT-SYNTAX ::= { MSBindUnbindPDUs94 IDENTIFIED BY id-as-ms-94 } --MSBindUnbindPDUs94 ::= CHOICE { -- bind Bind{ms-access-contract-94.&connection.&bind}, -- unbind Unbind{ms-access-contract-94.&connection.&unbind} --} -- Abstract-syntax for 1988 MS-bind and MS-unbind ms-bind-unbind-abstract-syntax-88 ABSTRACT-SYNTAX ::= { MSBindUnbindPDUs88 IDENTIFIED BY id-as-ms-88 } --MSBindUnbindPDUs88 ::= CHOICE { -- bind Bind{ms-access-contract-88.&connection.&bind}, -- unbind Unbind{ms-access-contract-88.&connection.&unbind} --} -- Abstract-syntax for MS-bind and MS-unbind with RTSE ms-bind-unbind-rtse-abstract-syntax ABSTRACT-SYNTAX ::= { RTSE-apdus -- With MS-bind and MS-unbind -- IDENTIFIED BY id-as-ms-rtse } -- Abstract Syntax for MS Message Submission Service Element ms-message-submission-abstract-syntax ABSTRACT-SYNTAX ::= { MSMessageSubmissionPDUs IDENTIFIED BY id-as-ms-msse } --MSMessageSubmissionPDUs ::= ROS-SingleAS{{MSInvokeIds}, ms-submission} --MSInvokeIds ::= InvokeId(ALL EXCEPT absent:NULL) -- Abstract Syntax for Message Retrieval Service Element 1994 --message-retrieval-abstract-syntax-94 ABSTRACT-SYNTAX ::= { -- MessageRetrievalPDUs -- IDENTIFIED BY id-as-mrse-94 --} -- Abstract Syntax for Message Retrieval Service Element 1988 --MessageRetrievalPDUs ::= -- ROS-SingleAS{{MSInvokeIds}, retrieval} --message-retrieval-abstract-syntax-88 ABSTRACT-SYNTAX ::= { -- MessageRetrievalPDUs88 -- IDENTIFIED BY id-as-mrse-88 --} --MessageRetrievalPDUs88 ::= ROS-SingleAS{{MSInvokeIds}, retrieval-88} -- Remote Operations op-ms-submission-control Code ::= local:2 op-ms-message-submission Code ::= local:3 op-ms-probe-submission Code ::= local:4 op-ms-cancel-deferred-delivery Code ::= local:7 op-summarize Code ::= local:20 op-list Code ::= local:21 op-fetch Code ::= local:22 op-delete Code ::= local:23 op-register-ms Code ::= local:24 op-alert Code ::= local:25 op-modify Code ::= local:26 -- Remote Errors err-attribute-error Code ::= local:21 err-auto-action-request-error Code ::= local:22 err-delete-error Code ::= local:23 err-fetch-restriction-error Code ::= local:24 err-range-error Code ::= local:25 -- 1988 Application Contexts only err-ub-security-error Code ::= local:26 -- Renamed to avoid duplicate in MTSAccessProtocol.asn err-service-error Code ::= local:27 err-sequence-number-error Code ::= local:28 err-invalid-parameters-error Code ::= local:29 err-message-group-error Code ::= local:30 err-ms-extension-error Code ::= local:31 err-register-ms-error Code ::= local:32 err-modify-error Code ::= local:33 err-entry-class-error Code ::= local:34 END -- of MSAccessProtocol -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p7/MSGeneralAttributeTypes.asn
-- Module MSGeneralAttributeTypes (X.413:06/1999) MSGeneralAttributeTypes {joint-iso-itu-t mhs(6) ms(4) modules(0) general-attribute-types(2) version-1999(1)} DEFINITIONS ::= BEGIN -- Prologue IMPORTS -- X413ATTRIBUTE information object class X413ATTRIBUTE, -- MS abstract-service data-types AutoActionError, AutoActionType, CreationTime, EntryClassErrorParameter, EntryType, MessageGroupName, MessageGroupErrorParameter, MS-EIT, MSExtensionErrorParameter, RetrievalStatus, SequenceNumber, ServiceErrorParameter FROM MSAbstractService {joint-iso-itu-t mhs(6) ms(4) modules(0) abstract-service(1) version-1999(1)} -- General-attribute-type Object Identifiers id-att-ac-correlated-report-list, id-att-ac-report-subject-entry, id-att-ac-report-summary, id-att-ac-uncorrelated-report-list, id-att-auto-action-error, id-att-auto-action-registration-identifier, id-att-auto-action-subject-entry, id-att-auto-action-type, id-att-certificate-selectors, id-att-child-sequence-numbers, id-att-content, id-att-content-confidentiality-algorithm-identifier, id-att-content-correlator, id-att-content-identifier, id-att-content-integrity-check, id-att-content-length, id-att-content-returned, id-att-content-type, id-att-conversion-with-loss-prohibited, id-att-converted-EITs, id-att-creation-time, id-att-deferred-delivery-cancellation-time, id-att-deferred-delivery-time, id-att-deletion-time, id-att-delivered-EITs, id-att-delivery-flags, id-att-dl-exempted-recipients, id-att-dl-expansion-history, id-att-dl-expansion-prohibited, id-att-entry-type, id-att-internal-trace-information, id-att-latest-delivery-time, id-att-locally-originated, id-att-marked-for-deletion, id-att-message-delivery-envelope, id-att-message-delivery-time, id-att-message-group-name, id-att-message-identifier, id-att-message-notes, id-att-message-origin-authentication-check, id-att-message-security-label, id-att-message-submission-envelope, id-att-message-submission-time, id-att-message-token, id-att-ms-originated, id-att-ms-submission-error, id-att-multiple-originator-certificates, id-att-original-EITs, id-att-originally-intended-recipient-name, id-att-originating-MTA-certificate, id-att-originator-certificate, id-att-originator-name, id-att-originator-report-request, id-att-originator-return-address, id-att-other-recipient-names, id-att-parent-sequence-number, id-att-per-message-indicators, id-att-per-recipient-message-submission-fields, id-att-per-recipient-probe-submission-fields, id-att-per-recipient-report-delivery-fields, id-att-priority, id-att-probe-origin-authentication-check, id-att-probe-submission-envelope, id-att-proof-of-delivery-request, id-att-proof-of-submission, id-att-recipient-certificate, id-att-recipient-names, id-att-recipient-reassignment-prohibited, id-att-redirection-history, id-att-report-delivery-envelope, id-att-reporting-DL-name, id-att-reporting-MTA-certificate, id-att-report-origin-authentication-check, id-att-retrieval-status, id-att-security-classification, id-att-sequence-number, id-att-signature-verification-status, id-att-storage-period, id-att-storage-time, id-att-subject-submission-identifier, id-att-this-recipient-name, id-att-trace-information FROM MSObjectIdentifiers {joint-iso-itu-t mhs(6) ms(4) modules(0) object-identifiers(0) version-1999(1)} -- Message Store matching-rules bitStringMatch, contentCorrelatorMatch, contentIdentifierMatch, mSSingleSubstringListElementsMatch, mSSingleSubstringListMatch, mSSingleSubstringMatch, mSSubstringsMatch, mSStringCaseSensitiveMatch, mSStringListElementsMatch, mSStringListMatch, mSStringMatch, mSStringOrderingMatch, mTSIdentifierMatch, oRAddressElementsMatch, oRAddressMatch, oRAddressSubstringElementsMatch, oRNameElementsMatch, oRNameMatch, oRNameSingleElementMatch, oRNameSubstringElementsMatch, redirectionOrDLExpansionElementsMatch, redirectionOrDLExpansionMatch, redirectionOrDLExpansionSingleElementMatch, redirectionOrDLExpansionSubstringElementsMatch, redirectionReasonMatch, valueCountMatch FROM MSMatchingRules {joint-iso-itu-t mhs(6) ms(4) modules(0) general-matching-rules(5) version-1999(1)} -- MS abstract-service upper bounds ub-entry-types, ub-message-notes-length FROM MSUpperBounds {joint-iso-itu-t mhs(6) ms(4) modules(0) upper-bounds(4) version-1994(0)} -- MTS abstract-service data-types CertificateSelectors, Content, ContentCorrelator, ContentIdentifier, ContentIntegrityCheck, ContentLength, ConversionWithLossProhibited, DeferredDeliveryTime, DeliveryFlags, DLExpansion, DLExpansionProhibited, ExtendedCertificates, ImproperlySpecifiedRecipients, LatestDeliveryTime, MessageDeliveryEnvelope, MessageDeliveryTime, MessageOriginAuthenticationCheck, MessageSecurityLabel, MessageSubmissionEnvelope, MessageSubmissionTime, MessageToken, MTSIdentifier, OriginatingMTACertificate, OriginatorCertificate, OriginatorReportRequest, OriginatorReturnAddress, ORName, PerMessageIndicators, PerRecipientMessageSubmissionFields, PerRecipientProbeSubmissionFields, PerRecipientReportDeliveryFields, Priority, ProbeOriginAuthenticationCheck, ProbeSubmissionEnvelope, ProofOfDeliveryRequest, ProofOfSubmission, RecipientReassignmentProhibited, Redirection, ReportDeliveryEnvelope, ReportingDLName, ReportingMTACertificate, ReportOriginAuthenticationCheck, SecurityClassification, SecurityProblem, SubjectSubmissionIdentifier FROM MTSAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mts-abstract-service(1) version-1999(1)} -- MTS abstract-service upper bound ub-recipients FROM MTSUpperBounds {joint-iso-itu-t mhs(6) mts(3) modules(0) upper-bounds(3) version-1999(1)} -- MTA abstract-service data-types InternalTraceInformationElement, TraceInformationElement FROM MTAAbstractService {joint-iso-itu-t mhs(6) mts(3) modules(0) mta-abstract-service(2) version-1999(1)} -- Directory matching-rules booleanMatch, integerMatch, integerOrderingMatch, uTCTimeMatch, uTCTimeOrderingMatch FROM SelectedAttributeTypes {joint-iso-itu-t ds(5) module(1) selectedAttributeTypes(5) 3} objectIdentifierMatch FROM InformationFramework {joint-iso-itu-t ds(5) module(1) informationFramework(1) 3} -- Authentication-service data-types AlgorithmIdentifier FROM AuthenticationFramework {joint-iso-itu-t ds(5) module(1) authenticationFramework(7) 3}; -- X413ATTRIBUTE table AttributeTable X413ATTRIBUTE ::= {GeneralAttributes | ContentSpecificAttributes} GeneralAttributes X413ATTRIBUTE ::= {ms-child-sequence-numbers | mt-content | mt-content-confidentiality-algorithm-identifier | mt-content-correlator | mt-content-identifier | mt-content-integrity-check | ms-content-length | ms-content-returned | mt-content-type | mt-conversion-with-loss-prohibited | mt-converted-EITs | ms-creation-time | ms-delivered-EITs | mt-delivery-flags | mt-dl-expansion-history | ms-entry-type | mt-message-delivery-envelope | mt-message-delivery-time | mt-message-identifier | mt-message-origin-authentication-check | mt-message-security-label | mt-message-submission-time | mt-message-token | mt-original-EITs | mt-originally-intended-recipient-name | mt-originator-certificate | mt-originator-name | mt-other-recipient-names | ms-parent-sequence-number | mt-per-recipient-report-delivery-fields | mt-priority | mt-proof-of-delivery-request | mt-redirection-history | mt-report-delivery-envelope | mt-reporting-DL-name | mt-reporting-MTA-certificate | mt-report-origin-authentication-check | ms-retrieval-status | mt-security-classification | ms-sequence-number | mt-subject-submission-identifier | mt-this-recipient-name, ... -- 1994 extension additions --, ms-ac-correlated-report-list | ms-ac-report-subject-entry | ms-ac-report-summary | ms-ac-uncorrelated-report-list | ms-auto-action-error | ms-auto-action-registration-identifier | ms-auto-action-subject-entry | ms-auto-action-type | mt-certificate-selectors | ms-deferred-delivery-cancellation-time | mt-deferred-delivery-time | ms-deletion-time | mt-dl-exempted-recipients | mt-dl-expansion-prohibited | mt-internal-trace-information | mt-latest-delivery-time | ms-locally-originated | ms-marked-for-deletion | ms-message-group-name | ms-message-notes | mt-message-submission-envelope | mt-multiple-originator-certificates | ms-originated | ms-submission-error | mt-originating-MTA-certificate | mt-originator-report-request | mt-originator-return-address | mt-per-message-indicators | mt-per-recipient-message-submission-fields | mt-per-recipient-probe-submission-fields | mt-probe-origin-authentication-check | mt-probe-submission-envelope | mt-proof-of-submission | mt-recipient-certificate | ms-recipient-names | mt-recipient-reassignment-prohibited | ms-signature-verification-status | ms-storage-period | ms-storage-time | mt-trace-information} --ContentSpecificAttributes X413ATTRIBUTE ::= -- {...} -- Attribute-types --ms-ac-correlated-report-list X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ReportLocation, -- NUMERATION multi-valued, -- ID id-att-ac-correlated-report-list --} ReportLocation ::= CHOICE { no-correlated-reports [0] NULL, location [1] SEQUENCE OF PerRecipientReport } PerRecipientReport ::= SEQUENCE { report-entry [0] SequenceNumber, position [1] INTEGER(1..ub-recipients) DEFAULT 1 } --ms-ac-report-subject-entry X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX SequenceNumber, -- EQUALITY MATCHING-RULE integerMatch, -- ORDERING MATCHING-RULE integerOrderingMatch, -- NUMERATION single-valued, -- ID id-att-ac-report-subject-entry --} --ms-ac-report-summary X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ReportSummary, -- EQUALITY MATCHING-RULE integerMatch, -- ORDERING MATCHING-RULE integerOrderingMatch, -- NUMERATION multi-valued, -- ID id-att-ac-report-summary --} ReportSummary ::= ENUMERATED { no-report-requested(0) -- non-delivery report suppressed --, no-report-received(1) -- non-delivery report requested --, report-outstanding(2) -- delivery report requested --, delivery-cancelled(3), delivery-report-from-another-recipient(4), non-delivery-report-from-another-recipient(5), delivery-report-from-intended-recipient(6), non-delivery-report-from-intended-recipient(7)} --ms-ac-uncorrelated-report-list X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX PerRecipientReport, -- NUMERATION multi-valued, -- ID id-att-ac-uncorrelated-report-list --} --ms-auto-action-error X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX AutoActionError, -- NUMERATION single-valued, -- ID id-att-auto-action-error --} --ms-auto-action-registration-identifier X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX INTEGER, -- EQUALITY MATCHING-RULE integerMatch, -- ORDERING MATCHING-RULE integerOrderingMatch, -- NUMERATION single-valued, -- ID id-att-auto-action-registration-identifier --} --ms-auto-action-subject-entry X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX SequenceNumber, -- EQUALITY MATCHING-RULE integerMatch, -- ORDERING MATCHING-RULE integerOrderingMatch, -- NUMERATION single-valued, -- ID id-att-auto-action-subject-entry --} --ms-auto-action-type X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX AutoActionType, -- EQUALITY MATCHING-RULE objectIdentifierMatch, -- NUMERATION single-valued, -- ID id-att-auto-action-type --} --mt-certificate-selectors X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX CertificateSelectors, -- NUMERATION single-valued, -- ID id-att-certificate-selectors --} --ms-child-sequence-numbers X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX SequenceNumber, -- NUMERATION multi-valued, -- ID id-att-child-sequence-numbers --} --mt-content X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX Content, -- NUMERATION single-valued, -- ID id-att-content --} --mt-content-confidentiality-algorithm-identifier X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX AlgorithmIdentifier, -- NUMERATION single-valued, -- ID id-att-content-confidentiality-algorithm-identifier --} --mt-content-correlator X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ContentCorrelator, -- EQUALITY MATCHING-RULE contentCorrelatorMatch, -- NUMERATION single-valued, -- ID id-att-content-correlator --} --mt-content-identifier X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ContentIdentifier, -- EQUALITY MATCHING-RULE contentIdentifierMatch, -- NUMERATION single-valued, -- ID id-att-content-identifier --} --mt-content-integrity-check X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ContentIntegrityCheck, -- NUMERATION single-valued, -- ID id-att-content-integrity-check --} --ms-content-length X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ContentLength, -- ORDERING MATCHING-RULE integerOrderingMatch, -- NUMERATION single-valued, -- ID id-att-content-length --} --ms-content-returned X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX BOOLEAN, -- EQUALITY MATCHING-RULE booleanMatch, -- NUMERATION single-valued, -- ID id-att-content-returned --} --mt-content-type X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX OBJECT IDENTIFIER, -- EQUALITY MATCHING-RULE objectIdentifierMatch, -- NUMERATION single-valued, -- ID id-att-content-type --} --mt-conversion-with-loss-prohibited X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ConversionWithLossProhibited, -- EQUALITY MATCHING-RULE integerMatch, -- NUMERATION single-valued, -- ID id-att-conversion-with-loss-prohibited --} --mt-converted-EITs X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MS-EIT, -- EQUALITY MATCHING-RULE objectIdentifierMatch, -- NUMERATION multi-valued, -- ID id-att-converted-EITs --} --ms-creation-time X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX CreationTime, -- EQUALITY MATCHING-RULE uTCTimeMatch, -- ORDERING MATCHING-RULE uTCTimeOrderingMatch, -- NUMERATION single-valued, -- ID id-att-creation-time --} --ms-deferred-delivery-cancellation-time X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX DeferredDeliveryCancellationTime, -- EQUALITY MATCHING-RULE uTCTimeMatch, -- ORDERING MATCHING-RULE uTCTimeOrderingMatch, -- NUMERATION single-valued, -- ID id-att-deferred-delivery-cancellation-time --} DeferredDeliveryCancellationTime ::= UTCTime --mt-deferred-delivery-time X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX DeferredDeliveryTime, -- EQUALITY MATCHING-RULE uTCTimeMatch, -- ORDERING MATCHING-RULE uTCTimeOrderingMatch, -- NUMERATION single-valued, -- ID id-att-deferred-delivery-time --} --ms-deletion-time X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX DeletionTime, -- EQUALITY MATCHING-RULE uTCTimeMatch, -- ORDERING MATCHING-RULE uTCTimeOrderingMatch, -- NUMERATION single-valued, -- ID id-att-deletion-time --} DeletionTime ::= UTCTime --ms-delivered-EITs X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MS-EIT, -- EQUALITY MATCHING-RULE objectIdentifierMatch, -- NUMERATION multi-valued, -- ID id-att-delivered-EITs --} --mt-delivery-flags X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX DeliveryFlags, -- EQUALITY MATCHING-RULE bitStringMatch, -- NUMERATION single-valued, -- ID id-att-delivery-flags --} --mt-dl-exempted-recipients X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ORName, -- EQUALITY MATCHING-RULE oRNameMatch, -- OTHER MATCHING-RULES -- {oRNameElementsMatch | oRNameSubstringElementsMatch | -- oRNameSingleElementMatch, ...}, -- NUMERATION multi-valued, -- ID id-att-dl-exempted-recipients --} --mt-dl-expansion-history X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX DLExpansion, -- OTHER MATCHING-RULES -- {redirectionOrDLExpansionMatch | redirectionOrDLExpansionElementsMatch | -- redirectionOrDLExpansionSubstringElementsMatch | -- redirectionOrDLExpansionSingleElementMatch, ...}, -- NUMERATION multi-valued, -- ID id-att-dl-expansion-history --} --mt-dl-expansion-prohibited X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX DLExpansionProhibited, -- EQUALITY MATCHING-RULE integerMatch, -- NUMERATION single-valued, -- ID id-att-dl-expansion-prohibited --} --ms-entry-type X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX EntryType, -- EQUALITY MATCHING-RULE integerMatch, -- ORDERING MATCHING-RULE -- integerOrderingMatch, - - rule not defined in 1988 Application Contexts -- -- NUMERATION single-valued, -- ID id-att-entry-type --} --mt-internal-trace-information X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX InternalTraceInformationElement, -- NUMERATION multi-valued, -- ID id-att-internal-trace-information --} --mt-latest-delivery-time X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX LatestDeliveryTime, -- EQUALITY MATCHING-RULE uTCTimeMatch, -- ORDERING MATCHING-RULE uTCTimeOrderingMatch, -- NUMERATION single-valued, -- ID id-att-latest-delivery-time --} --ms-locally-originated X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX NULL, -- NUMERATION single-valued, -- ID id-att-locally-originated --} --ms-marked-for-deletion X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX NULL, -- NUMERATION single-valued, -- ID id-att-marked-for-deletion --} --mt-message-delivery-envelope X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MessageDeliveryEnvelope, -- NUMERATION single-valued, -- ID id-att-message-delivery-envelope --} --mt-message-delivery-time X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MessageDeliveryTime, -- EQUALITY MATCHING-RULE uTCTimeMatch, -- ORDERING MATCHING-RULE uTCTimeOrderingMatch, -- NUMERATION single-valued, -- ID id-att-message-delivery-time --} --ms-message-group-name X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MessageGroupName, -- EQUALITY MATCHING-RULE mSStringListMatch, -- OTHER MATCHING-RULES -- {mSSingleSubstringListMatch | mSStringListElementsMatch | -- mSSingleSubstringListElementsMatch | valueCountMatch, ...}, -- NUMERATION multi-valued, -- ID id-att-message-group-name --} --mt-message-identifier X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MTSIdentifier, -- EQUALITY MATCHING-RULE -- mTSIdentifierMatch, - - rule not defined in 1988 Application Contexts -- -- NUMERATION single-valued, -- ID id-att-message-identifier --} --ms-message-notes X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX GeneralString(SIZE (1..ub-message-notes-length)), -- EQUALITY MATCHING-RULE mSStringMatch, -- SUBSTRINGS MATCHING-RULE mSSubstringsMatch, -- NUMERATION multi-valued, -- ID id-att-message-notes --} --mt-message-origin-authentication-check X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MessageOriginAuthenticationCheck, -- NUMERATION single-valued, -- ID id-att-message-origin-authentication-check --} --mt-message-security-label X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MessageSecurityLabel, -- NUMERATION single-valued, -- ID id-att-message-security-label --} --mt-message-submission-envelope X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MessageSubmissionEnvelope, -- NUMERATION single-valued, -- ID id-att-message-submission-envelope --} --mt-message-submission-time X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MessageSubmissionTime, -- EQUALITY MATCHING-RULE uTCTimeMatch, -- ORDERING MATCHING-RULE uTCTimeOrderingMatch, -- NUMERATION single-valued, -- ID id-att-message-submission-time --} --mt-message-token X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MessageToken, -- NUMERATION single-valued, -- ID id-att-message-token --} --ms-originated X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX NULL, -- NUMERATION single-valued, -- ID id-att-ms-originated --} --ms-submission-error X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX SubmissionError, -- NUMERATION single-valued, -- ID id-att-ms-submission-error --} SubmissionError ::= CHOICE { submission-control-violated [1] NULL, originator-invalid [2] NULL, recipient-improperly-specified [3] ImproperlySpecifiedRecipients, element-of-service-not-subscribed [4] NULL, inconsistent-request [11] NULL, security-error [12] SecurityProblem, unsupported-critical-function [13] NULL, remote-bind-error [15] NULL, service-error [27] ServiceErrorParameter, message-group-error [30] MessageGroupErrorParameter, ms-extension-error [31] MSExtensionErrorParameter, entry-class-error [34] EntryClassErrorParameter } --mt-multiple-originator-certificates X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ExtendedCertificates, -- NUMERATION single-valued, -- ID id-att-multiple-originator-certificates --} --mt-original-EITs X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX MS-EIT, -- EQUALITY MATCHING-RULE objectIdentifierMatch, -- NUMERATION multi-valued, -- ID id-att-original-EITs --} --mt-originally-intended-recipient-name X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ORName, -- EQUALITY MATCHING-RULE oRNameMatch, -- OTHER MATCHING-RULES -- {oRNameElementsMatch | oRNameSubstringElementsMatch | -- oRNameSingleElementMatch, ...}, -- NUMERATION single-valued, -- ID id-att-originally-intended-recipient-name --} --mt-originating-MTA-certificate X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX OriginatingMTACertificate, -- NUMERATION single-valued, -- ID id-att-originating-MTA-certificate --} --mt-originator-certificate X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX OriginatorCertificate, -- NUMERATION single-valued, -- ID id-att-originator-certificate --} --mt-originator-name X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ORName, -- EQUALITY MATCHING-RULE oRNameMatch, -- OTHER MATCHING-RULES -- {oRNameElementsMatch | oRNameSubstringElementsMatch | -- oRNameSingleElementMatch, ...}, -- NUMERATION single-valued, -- ID id-att-originator-name --} --mt-originator-report-request X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX OriginatorReportRequest, -- NUMERATION multi-valued, -- ID id-att-originator-report-request --} --mt-originator-return-address X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX OriginatorReturnAddress, -- NUMERATION single-valued, -- ID id-att-originator-return-address --} --mt-other-recipient-names X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ORName, -- EQUALITY MATCHING-RULE oRNameMatch, -- OTHER MATCHING-RULES -- {oRNameElementsMatch | oRNameSubstringElementsMatch | -- oRNameSingleElementMatch, ...}, -- NUMERATION multi-valued, -- ID id-att-other-recipient-names --} --ms-parent-sequence-number X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX SequenceNumber, -- EQUALITY MATCHING-RULE integerMatch, -- ORDERING MATCHING-RULE integerOrderingMatch, -- NUMERATION single-valued, -- ID id-att-parent-sequence-number --} --mt-per-message-indicators X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX PerMessageIndicators, -- EQUALITY MATCHING-RULE bitStringMatch, -- NUMERATION single-valued, -- ID id-att-per-message-indicators --} --mt-per-recipient-message-submission-fields X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX PerRecipientMessageSubmissionFields, -- NUMERATION multi-valued, -- ID id-att-per-recipient-message-submission-fields --} --mt-per-recipient-probe-submission-fields X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX PerRecipientProbeSubmissionFields, -- NUMERATION multi-valued, -- ID id-att-per-recipient-probe-submission-fields --} --mt-per-recipient-report-delivery-fields X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX PerRecipientReportDeliveryFields, -- NUMERATION multi-valued, -- ID id-att-per-recipient-report-delivery-fields --} --mt-priority X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX Priority, -- EQUALITY MATCHING-RULE integerMatch, -- ORDERING MATCHING-RULE -- integerOrderingMatch, - - rule not defined in 1988 Application Contexts -- -- NUMERATION single-valued, -- ID id-att-priority --} --mt-probe-origin-authentication-check X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ProbeOriginAuthenticationCheck, -- NUMERATION single-valued, -- ID id-att-probe-origin-authentication-check --} --mt-probe-submission-envelope X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ProbeSubmissionEnvelope, -- NUMERATION single-valued, -- ID id-att-probe-submission-envelope --} --mt-proof-of-delivery-request X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ProofOfDeliveryRequest, -- EQUALITY MATCHING-RULE -- integerMatch, - - rule not defined in 1988 Application Contexts -- -- NUMERATION single-valued, -- ID id-att-proof-of-delivery-request --} --mt-proof-of-submission X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ProofOfSubmission, -- NUMERATION single-valued, -- ID id-att-proof-of-submission --} --mt-recipient-certificate X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ExtendedCertificates, -- NUMERATION single-valued, -- ID id-att-recipient-certificate --} --ms-recipient-names X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ORName, -- EQUALITY MATCHING-RULE oRNameMatch, -- OTHER MATCHING-RULES -- {oRNameElementsMatch | oRNameSubstringElementsMatch | -- oRNameSingleElementMatch, ...}, -- NUMERATION multi-valued, -- ID id-att-recipient-names --} --mt-recipient-reassignment-prohibited X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX RecipientReassignmentProhibited, -- EQUALITY MATCHING-RULE integerMatch, -- NUMERATION single-valued, -- ID id-att-recipient-reassignment-prohibited --} --mt-redirection-history X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX Redirection, -- OTHER MATCHING-RULES -- {redirectionOrDLExpansionMatch | redirectionOrDLExpansionElementsMatch | -- redirectionOrDLExpansionSubstringElementsMatch | -- redirectionOrDLExpansionSingleElementMatch | redirectionReasonMatch, -- ...}, -- NUMERATION multi-valued, -- ID id-att-redirection-history --} --mt-report-delivery-envelope X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ReportDeliveryEnvelope, -- NUMERATION single-valued, -- ID id-att-report-delivery-envelope --} --mt-reporting-DL-name X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ReportingDLName, -- EQUALITY MATCHING-RULE -- oRNameMatch, - - rule not defined in 1988 Application Contexts -- OTHER MATCHING-RULES -- {oRNameElementsMatch | oRNameSubstringElementsMatch | -- oRNameSingleElementMatch, ...}, -- NUMERATION single-valued, -- ID id-att-reporting-DL-name --} --mt-reporting-MTA-certificate X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ReportingMTACertificate, -- NUMERATION single-valued, -- ID id-att-reporting-MTA-certificate --} --mt-report-origin-authentication-check X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ReportOriginAuthenticationCheck, -- NUMERATION single-valued, -- ID id-att-report-origin-authentication-check --} --ms-retrieval-status X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX RetrievalStatus, -- EQUALITY MATCHING-RULE integerMatch, -- NUMERATION single-valued, -- ID id-att-retrieval-status --} --mt-security-classification X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX SecurityClassification, -- EQUALITY MATCHING-RULE integerMatch, -- NUMERATION single-valued, -- ID id-att-security-classification --} --ms-sequence-number X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX SequenceNumber, -- EQUALITY MATCHING-RULE integerMatch, -- ORDERING MATCHING-RULE integerOrderingMatch, -- NUMERATION single-valued, -- ID id-att-sequence-number --} --ms-signature-verification-status X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX SignatureVerificationStatus, -- NUMERATION single-valued, -- ID id-att-signature-verification-status --} SignatureVerificationStatus ::= SET { content-integrity-check [0] SignatureStatus DEFAULT signature-absent, message-origin-authentication-check [1] SignatureStatus DEFAULT signature-absent, message-token [2] SignatureStatus DEFAULT signature-absent, report-origin-authentication-check [3] SignatureStatus DEFAULT signature-absent, proof-of-delivery [4] SignatureStatus DEFAULT signature-absent, proof-of-submission [5] SignatureStatus DEFAULT signature-absent } SignatureStatus ::= INTEGER { signature-absent(0), verification-in-progress(1), verification-succeeded(2), verification-not-possible(3), content-converted(4), signature-encrypted(5), algorithm-not-supported(6), certificate-not-obtainable(7), verification-failed(8)} --ms-storage-period X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX StoragePeriod, -- EQUALITY MATCHING-RULE integerMatch, -- ORDERING MATCHING-RULE integerOrderingMatch, -- NUMERATION single-valued, -- ID id-att-storage-period --} StoragePeriod ::= INTEGER -- seconds --ms-storage-time X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX StorageTime, -- EQUALITY MATCHING-RULE uTCTimeMatch, -- ORDERING MATCHING-RULE uTCTimeOrderingMatch, -- NUMERATION single-valued, -- ID id-att-storage-time --} StorageTime ::= UTCTime --mt-subject-submission-identifier X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX SubjectSubmissionIdentifier, -- EQUALITY MATCHING-RULE -- mTSIdentifierMatch, - - rule not defined in 1988 Application Contexts -- -- NUMERATION single-valued, -- ID id-att-subject-submission-identifier --} --mt-this-recipient-name X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX ORName, -- EQUALITY MATCHING-RULE oRNameMatch, -- OTHER MATCHING-RULES -- {oRNameElementsMatch | oRNameSubstringElementsMatch | -- oRNameSingleElementMatch, ...}, -- NUMERATION single-valued, -- ID id-att-this-recipient-name --} --mt-trace-information X413ATTRIBUTE ::= { -- WITH ATTRIBUTE-SYNTAX TraceInformationElement, -- NUMERATION multi-valued, -- ID id-att-trace-information --} END -- of MSGeneralAttributeTypes -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
ASN.1
wireshark/epan/dissectors/asn1/p7/MSUpperBounds.asn
-- Module MSUpperBounds (X.413:06/1999) -- See also ITU-T X.413 (06/1999) -- See also the index of all ASN.1 assignments needed in this document MSUpperBounds {joint-iso-itu-t mhs(6) ms(4) modules(0) upper-bounds(4) version-1994(0)} DEFINITIONS ::= BEGIN -- Exports everything IMPORTS -- nothing -- ; -- Upper Bounds ub-alert-addresses INTEGER ::= 16 ub-attribute-values INTEGER ::= 32767 -- (215 - 1) the largest integer -- representable in 16 bits ub-attributes-supported INTEGER ::= 1024 ub-auto-action-errors INTEGER ::= 32767 -- (215 - 1) the largest integer -- representable in 16 bits ub-auto-actions INTEGER ::= 128 ub-auto-registrations INTEGER ::= 1024 ub-default-registrations INTEGER ::= 1024 ub-entry-classes INTEGER ::= 128 ub-entry-types INTEGER ::= 16 ub-error-reasons INTEGER ::= 16 ub-extensions INTEGER ::= 32 ub-group-depth INTEGER ::= 64 ub-group-descriptor-length INTEGER ::= 256 ub-group-part-length INTEGER ::= 128 ub-information-bases INTEGER ::= 16 ub-matching-rules INTEGER ::= 1024 ub-message-groups INTEGER ::= 8192 ub-message-notes-length INTEGER ::= 1024 ub-messages INTEGER ::= 2147483647 -- (231 - 1) the largest integer -- representable in 32 bits ub-modifications INTEGER ::= 32767 -- (215 - 1) the largest integer -- representable in 16 bits ub-msstring-match INTEGER ::= 512 ub-per-auto-action INTEGER ::= 32767 -- (215 - 1) the largest integer -- representable in 16 bits ub-per-entry INTEGER ::= 1024 ub-service-information-length INTEGER ::= 2048 ub-summaries INTEGER ::= 16 ub-supplementary-info-length INTEGER ::= 256 ub-ua-registration-identifier-length INTEGER ::= 32 ub-ua-registrations INTEGER ::= 128 ub-ua-restrictions INTEGER ::= 16 -- renamed to avoid duplicate in MTSUpperBounds END -- of MSUpperBounds -- Generated by Asnp, the ASN.1 pretty-printer of France Telecom R&D
Configuration
wireshark/epan/dissectors/asn1/p7/p7.cnf
#.IMPORT ../p1/p1-exp.cnf #.IMPORT ../ros/ros-exp.cnf #.IMPORT ../rtse/rtse-exp.cnf #.MODULE Reliable-Transfer-APDU rtse #.EXPORTS SequenceNumber SignatureStatus #.END # Forward declaration of Classes # CONNECTION-PACKAGE CONTRACT from ROS #.CLASS CONNECTION-PACKAGE &bind ClassReference OPERATION &unbind ClassReference OPERATION &responderCanUnbind BooleanType &unbindCanFail BooleanType &id ObjectIdentifierType #.END #.CLASS CONTRACT &connection ClassReference CONNECTION-PACKAGE &OperationsOf ClassReference OPERATION-PACKAGE &InitiatorConsumerOf ClassReference OPERATION-PACKAGE &InitiatorSupplierOf ClassReference OPERATION-PACKAGE &id ObjectIdentifierType #.END #.CLASS MHS-OBJECT &Is ClassReference MHS-OBJECT &Initiates ClassReference CONTRACT &Responds ClassReference CONTRACT &InitiatesAndResponds ClassReference CONTRACT &id ObjectIdentifierType #.END # Ros OPERATION #.CLASS ABSTRACT-OPERATION &ArgumentType &argumentTypeOptional BooleanType &returnResult BooleanType &ResultType &resultTypeOptional BooleanType &Errors ClassReference ERROR &Linked ClassReference OPERATION &synchronous BooleanType &alwaysReturns BooleanType &InvokePriority _FixedTypeValueSetFieldSpec &ResultPriority _FixedTypeValueSetFieldSpec &operationCode TypeReference Code #.END # ros ERROR #.CLASS ABSTRACT-ERROR &ParameterType &parameterTypeOptional BooleanType &ErrorPriority _FixedTypeValueSetFieldSpec &errorCode TypeReference Code #.END #.CLASS MATCHING-RULE &ParentMatchingRules ClassReference MATCHING-RULE &AssertionType &uniqueMatchIndicator ClassReference ATTRIBUTE &id ObjectIdentifierType #.END #.CLASS APPLICATION-CONTEXT &associationContract ClassReference CONTRACT &associationRealization &transferRealization &AbstractSyntaxes ClassReference ABSTRACT-SYNTAX &applicationContextName ObjectIdentifierType #.END #.TYPE_RENAME PAR-fetch-restriction-error/problems FetchRestrictionProblems PAR-sequence-number-error/problems SequenceNumberProblems PAR-attribute-error/problems AttributeProblems PAR-auto-action-request-error/problems AutoActionRequestProblems PAR-delete-error/problems DeleteProblems PAR-fetch-restriction-error/problems/_item FetchRestrictionProblemItem PAR-sequence-number-error/problems/_item SequenceNumberProblemItem PAR-attribute-error/problems/_item AttributeProblemItem PAR-auto-action-request-error/problems/_item AutoActionRequestProblemItem PAR-delete-error/problems/_item DeleteProblemItem Attribute/attribute-values AttributeValues OrderedAttribute/attribute-values OrderedAttributeValues Attribute/attribute-values/_item AttributeItem OrderedAttribute/attribute-values/_item OrderedAttributeItem Summary/present/_item/value SummaryPresentItemValue OrderedAttribute/attribute-values/_item/value OrderedAttributeValue #.FIELD_RENAME PAR-sequence-number-error/problems/_item/problem sequence-number-problem PAR-register-ms-error/problem register-ms-problem PAR-delete-error/problems/_item/problem delete-problem PAR-auto-action-request-error/problems/_item/problem auto-action-request-problem PAR-attribute-error/problems/_item/problem attribute-problem PAR-sequence-number-error/problems sequence-number-problems PAR-fetch-restriction-error/problems fetch-restriction-problems PAR-attribute-error/problems attribute-problems PAR-auto-action-request-error/problems auto-action-request-problems PAR-delete-error/problems delete-problems PAR-fetch-restriction-error/problems/_item fetch-restriction-problem-item PAR-sequence-number-error/problems/_item sequence-number-problem-item PAR-attribute-error/problems/_item attribute-problem-item PAR-auto-action-request-error/problems/_item auto-action-request-problem-item PAR-delete-error/problems/_item delete-problem-item OrderedAttribute/attribute-values ordered-attribute-values OrderedAttribute/attribute-values/_item ordered-attribute-values-item OrderedAttribute/attribute-values/_item/position ordered-position Summary/present/_item/count summary-count AttributeSelection/count selection-count DeleteResult/delete-result-94/entries-deleted entries-deleted-94 Register-MSArgument/change-credentials/old-credentials register-old-credentials Register-MSResult/registered-information/fetch-attribute-defaults registered-fetch-attribute-defaults Register-MSResult/registered-information/list-attribute-defaults registered-list-attribute-defaults Register-MSResult/registered-information/message-group-registrations registered-message-group-registrations TimeRange/from from-time NumberRange/from from-number TimeRange/to to-time NumberRange/to to-number Filter/item filter-item Summary/present summary-present PAR-fetch-restriction-error/problems/_item/problem fetch-restriction-problem PAR-range-error/problem range-problem EntryClassErrorParameter/problem entry-class-problem MessageGroupErrorParameter/problem message-group-problem ServiceErrorParameter/problem service-problem ModifyErrorParameter/problem modify-problem OrderedAttribute/attribute-values/_item/value ordered-attribute-value PAR-fetch-restriction-error/problems/_item/restriction/content-type extended-content-type PAR-auto-action-request-error/problems/_item/type auto-action-type PAR-attribute-error/problems/_item/value attr-value #.FIELD_ATTR TimeRange/from ABBREV=timeRange.time NumberRange/from ABBREV=numberRange.number TimeRange/to ABBREV=timeRange.to NumberRange/to ABBREV=NumberRange.to Summary/present ABBREV=summary.present PAR-fetch-restriction-error/problems/_item/restriction/content-type ABBREV=extended-content-type PAR-fetch-restriction-error/problems/_item/problem ABBREV=fetch-restriction-problem PAR-range-error/problem ABBREV=pAR-range-error.problem EntryClassErrorParameter/problem ABBREV=entryClassErrorParameter.problem MessageGroupErrorParameter/problem ABBREV=messageGroupErrorParameter.group-problem ServiceErrorParameter/problem ABBREV=serviceErrorParameter.problem ModifyErrorParameter/problem ABBREV=modifyErrorParameter.problem # This table creates the value_sting to name P7 operation codes and errors # in file packet-p7-table.c which is included in the template file # #.TABLE_HDR /* P7 ABSTRACT-OPERATIONS */ const value_string p7_opr_code_string_vals[] = { #.TABLE_BODY OPERATION { %(&operationCode)s, "%(_ident)s" }, #.TABLE_FTR { 0, NULL } }; #.END #.TABLE_HDR /* P7 ERRORS */ static const value_string p7_err_code_string_vals[] = { #.TABLE_BODY ERROR { %(&errorCode)s, "%(_ident)s" }, #.TABLE_FTR { 0, NULL } }; #.END # Create a table of opcode and corresponding args and res #.TABLE11_HDR static const ros_opr_t p7_opr_tab[] = { #.TABLE11_BODY OPERATION /* %(_name)s */ { %(&operationCode)-25s, %(_argument_pdu)s, %(_result_pdu)s }, #.TABLE11_FTR { 0, (dissector_t)(-1), (dissector_t)(-1) }, }; #.END #.TABLE21_HDR static const ros_err_t p7_err_tab[] = { #.TABLE21_BODY ERROR /* %(_name)s*/ { %(&errorCode)s, %(_parameter_pdu)s }, #.TABLE21_FTR { 0, (dissector_t)(-1) }, }; #.END #.PDU ERROR.&ParameterType OPERATION.&ArgumentType OPERATION.&ResultType #.END #.REGISTER # MSGeneralAttributeTypes ReportLocation B "2.6.4.3.42" "id-att-ac-correlated-report-list" SequenceNumber B "2.6.4.3.76" "id-att-ac-report-subject-entry" ReportSummary B "2.6.4.3.43" "id-att-ac-report-summary" PerRecipientReport B "2.6.4.3.44" "id-att-ac-uncorrelated-report-list" AutoActionError B "2.6.4.3.46" "id-att-auto-action-error" #Integer B "2.6.4.3.47" "id-att-auto-action-registration-identifier" - see XXX SequenceNumber B "2.6.4.3.48" "id-att-auto-action-subject-entry" AutoActionType B "2.6.4.3.49" "id-att-auto-action-type" #CertificateSelectors B "2.6.4.3.80" "id-att-certificate-selectors" - see p1.cnf SequenceNumber B "2.6.4.3.0" "id-att-child-sequence-numbers" #Content B "2.6.4.3.1" "id-att-content" - see XXX #AlgorithmIdentifier B "2.6.4.3.2" "id-att-content-confidentiality-algorithm-identifier" - see XXX #ContentCorrelator B "2.6.4.3.3" "id-att-content-correlator" - see p1.cnf #ContentIdentifier B "2.6.4.3.4" "id-att-content-identifier" - see p1.cnf #ContentIntegrityCheck B "2.6.4.3.5" "id-att-content-inetgrity-check" - see p1.cnf #ContentLength B "2.6.4.3.6" "id-att-content-length" - see p1.cnf #Boolean B "2.6.4.3.7" "id-att-content-returned" - see XXX #ExtendedContentType B "2.6.4.3.8" "id-att-content-type" - see p1.cnf #ConversionWithLossProhibited B "2.6.4.3.9" "id-att-conversion-with-loss-prohibited" - see p1.cnf MS-EIT B "2.6.4.3.10" "id-att-converted-EITs" CreationTime B "2.6.4.3.11" "id-att-creation-time" DeferredDeliveryCancellationTime B "2.6.4.3.50" "id-att-deferred-delivery-cancellation-time" #DeferredDeliveryTime B "2.6.4.3.51" "id-att-deferred-delivery-time" - see p1.cnf DeletionTime B "2.6.4.3.52" "id-att-deletion-time" MS-EIT B "2.6.4.3.12" "id-att-delivered-EITs" #DeliveryFlags B "2.6.4.3.13" "id-att-delivery-flags" - see p1.cnf #ORName B "2.6.4.3.78" "id-att-dl-exempted-recipients" - see p1.cnf #DLExpansion B "2.6.4.3.14" "id-att-dl-expansion-history" - see p1.cnf #DLExpansionProhibited B "2.6.4.3.53" "id-att-dl-expansion-prohibited" - see p1.cnf EntryType B "2.6.4.3.16" "id-att-entry-type" #InternalTraceInformationElement B "2.6.4.3.54" "id-att-internal-trace-information" - see p1.cnf #LatestDeliveryTime B "2.6.4.3.55" "id-att-latest-delivery-time" - see p1.cnf #NULL B "2.6.4.3.77" "id-att-locally-originated - see XXX #NULL B "2.6.4.3.56" "id-att-marked-for-deletion" - see XXX #MessageDeliveryEnvelope B "2.6.4.3.18" "id-att-message-delivery-envelope" - see p1.cnf #MessageDeliveryTime B "2.6.4.3.20" "id-att-message-delivery-time" - see p1.cnf MessageGroupName B "2.6.4.3.57" "id-att-message-group-name" #MTSIdentifier B "2.6.4.3.19" "id-att-message-identifier" - see p1.cnf #GeneralString B "2.6.4.3.58" "id-att-message-notes" - see XXX #MessageOriginAuthenticationCheck B "2.6.4.3.21" "id-at-message-orgin-authentication-check" - see p1.cnf #MessageSecurityLabel B "2.6.4.3.22" "id-att-message-security-label" - see p1.cnf #MessageSubmissionEnvelope B "2.6.4.3.59" "id-att-message-submission-envelope" - see p1.cnf #MessageSubmissionTime B "2.6.4.3.23" "id-att-message-submission-time" #MessageToken B "2.6.4.3.24" "id-att-message-token" #NULL B "2.6.4.3.60" "id-att-ms-originated" SubmissionError B "2.6.4.3.61" "id-att-ms-submission-error" #ExtendedCertificates B "2.6.4.3.81" "id-att-multiple-originator-certificates" - see p1.cnf MS-EIT B "2.6.4.3.25" "id-att-original-EITs" #ORName B "2.6.4.3.17" "id-att-originally-intended-recipient-name" - see p1.cnf #OriginatingMTACertificate B "2.6.4.3.62" "id-att-originating-MTA-certificate" - see p1.cnf #OriginatorCertificate B "2.6.4.3.26" "id-att-originator-certificate" - see p1.cnf #ORName B "2.6.4.3.27" "id-att-originator-name" - see p1.cnf #OriginatorReportRequest B "2.6.4.3.63" "id-att-originator-report-request" - see p1.cnf #OriginatorReturnAddress B "2.6.4.3.64" "id-att-originator-return-address" - see p1.cnf #ORName B "2.6.4.3.28" "id-att-other-recipient-names" - see p1.cnf SequenceNumber B "2.6.4.3.29" "id-att-parent-sequence-number" #PerMessageIndicators B "2.6.4.3.65" "id-att-per-message-indicators" - see p1.cnf #PerRecipientMessageSubmissionFields B "2.6.4.3.66" "id-att-per-recipient-message-submission-fields" - see p1.cnf #PerRecipientProbeSubmissionFields B "2.6.4.3.67" "id-att-per-recipient-probe-submission-fields" - see p1.cnf #PerRecipientReportDeliveryFields B "2.6.4.3.30" "id-att-per-recipient-report-delivery-fields" - see p1.cnf #Priority B "2.6.4.3.31" "id-att-priority" - see p1.cnf #ProbeOriginAuthenticationCheck B "2.6.4.3.68" "id-att-probe-origin-authentication-check" - see p1.cnf #ProbeSubmissionEnvelope B "2.6.4.3.69" "id-att-probe-submission-envelope" - see p1.cnf #ProofOfDeliveryRequest B "2.6.4.3.32" "id-att-proof-of-delivery-request" - see p1.cnf #ProofOfSubmission B "2.6.4.3.70" "id-att-proof-of-submission" - see p1.cnf #ExtendedCertificates B "2.6.4.3.82" "id-att-recipient-certificate" - see p1.cnf #ORName B "2.6.4.3.71" "id-att-recipient-names" - see p1.cnf #RecipientReassignmentProhibited B "2.6.4.3.72" "id-att-recipient-reassignment-prohibited" - see p1.cnf #Redirection B "2.6.4.3.33" "id-at-redirection-history" - see p1.cnf #ReportDeliveryEnvelope B "2.6.4.3.34" "id-att-report-delivery-envelope" - see p1.cnf #ReportingDLName B "2.6.4.3.35" "id-att-reporting-DL-name" - see p1.cnf #ReportingMTACertificate B "2.6.4.3.36" "id-att-reporting-MTA-certificate" - see p1.cnf #ReportOriginAuthenticationCheck B "2.6.4.3.37" "id-att-report-origin-authentication-check" - see p1.cnf RetrievalStatus B "2.6.4.3.15" "id-att-retrieval-status" #SecurityClassification B "2.6.4.3.38" "id-att-security-classification" - see p1.cnf SequenceNumber B "2.6.4.3.39" "id-att-sequence-number" SignatureVerificationStatus B "2.6.4.3.79" "id-att-signature-verification-status" StoragePeriod B "2.6.4.3.73" "id-att-storage-period" StorageTime B "2.6.4.3.74" "id-att-storage-time" #SubjectSubmissionIdentifier B "2.6.4.3.40" "id-att-subject-submission-identifier" - see p1.cnf #ORName B "2.6.4.3.41" "id-att-this-recipient-name" - see p1.cnf #TraceInformationElement B "2.6.4.3.75" "id-att-trace-information" - see p1.cnf #MSExtensions ChangeCredentialsAlgorithms B "2.6.4.9.5" "id-ext-protected-change-credentials-capability" OriginatorToken B "2.6.4.9.3" "id-ext-originator-token" ProtectedChangeCredentials B "2.6.4.9.4" "id-ext-protected-change-credentials" RTSE-apdus B "2.6.0.2.10""id-as-ms-rtse" #.FN_PARS AttributeType FN_VARIANT = _str VAL_PTR = &actx->external.direct_reference #.FN_BODY Attribute/attribute-values/_item if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_BODY AttributeValueAssertion/attribute-value if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_BODY FilterItem/substrings/strings/_item/initial if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_BODY FilterItem/substrings/strings/_item/any if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_BODY FilterItem/substrings/strings/_item/final if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_BODY MatchingRuleAssertion/match-value if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_BODY Summary/present/_item/value if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_BODY OrderedAttribute/attribute-values/_item/value if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_PARS AutoActionType FN_VARIANT = _str VAL_PTR = &actx->external.direct_reference #.FN_BODY AutoActionRegistration/registration-parameter if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_BODY AutoActionError/error-code /* XXX: Is this really the best way to do this? */ offset = dissect_ros_Code(implicit_tag, tvb, offset, actx, tree, hf_index); #.FN_BODY RegistrationTypes/extended-registrations/_item /* XXX: Is this really the best way to do this? */ offset = dissect_ber_object_identifier_str(implicit_tag, actx, tree, tvb, offset, hf_index, &actx->external.direct_reference); #.FN_BODY RTABapdu/userdataAB offset = dissect_unknown_ber(actx->pinfo, tvb, offset, tree); #.END #.FN_BODY AutoActionError/error-parameter if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_BODY PAR-attribute-error/problems/_item/value if(actx->external.direct_reference) call_ber_oid_callback(actx->external.direct_reference, tvb, offset, actx->pinfo, tree, NULL); #.FN_BODY MSBindArgument/initiator-name const char *ora = NULL; %(DEFAULT_BODY)s if ((ora = p1_get_last_oraddress(actx))) { col_append_fstr(actx->pinfo->cinfo, COL_INFO, " (initiator=%%s)", ora); } #.FN_PARS SequenceNumber VAL_PTR = &seqno #.FN_BODY NumberRange col_append_str(actx->pinfo->cinfo, COL_INFO, " (range="); %(DEFAULT_BODY)s col_append_str(actx->pinfo->cinfo, COL_INFO, ")"); #.FN_FTR NumberRange/from col_append_fstr(actx->pinfo->cinfo, COL_INFO, " from %d", seqno); #.FN_FTR NumberRange/to col_append_fstr(actx->pinfo->cinfo, COL_INFO, " to %d", seqno); #.FN_PARS SummarizeResult/count VAL_PTR = &count #.FN_BODY SummarizeResult/count int count = 0; %(DEFAULT_BODY)s col_append_fstr(actx->pinfo->cinfo, COL_INFO, " (count=%%d)", count); #.FN_BODY MSMessageSubmissionArgument p1_initialize_content_globals (actx, tree, TRUE); %(DEFAULT_BODY)s p1_initialize_content_globals (actx, NULL, FALSE); #.FN_BODY EntryInformation p1_initialize_content_globals (actx, NULL, FALSE); %(DEFAULT_BODY)s p1_initialize_content_globals (actx, NULL, FALSE); #.FN_BODY EntryModification p1_initialize_content_globals (actx, NULL, FALSE); %(DEFAULT_BODY)s p1_initialize_content_globals (actx, NULL, FALSE);
C
wireshark/epan/dissectors/asn1/p7/packet-p7-template.c
/* packet-p7.c * Routines for X.413 (P7) packet dissection * Graeme Lunt 2007 * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #include "config.h" #include <epan/packet.h> #include <epan/prefs.h> #include <epan/oids.h> #include <epan/asn1.h> #include "packet-ber.h" #include "packet-acse.h" #include "packet-ros.h" #include "packet-rtse.h" #include "packet-p7.h" #include "packet-p1.h" #include <epan/strutil.h> #define PNAME "X.413 Message Store Service" #define PSNAME "P7" #define PFNAME "p7" void proto_register_p7(void); void proto_reg_handoff_p7(void); static int seqno = 0; /* Initialize the protocol and registered fields */ static int proto_p7 = -1; #include "packet-p7-val.h" #include "packet-p7-hf.c" /* Initialize the subtree pointers */ static gint ett_p7 = -1; #include "packet-p7-ett.c" #include "packet-p7-table.c" /* operation and error codes */ #include "packet-p7-fn.c" #include "packet-p7-table11.c" /* operation argument/result dissectors */ #include "packet-p7-table21.c" /* error dissector */ static const ros_info_t p7_ros_info = { "P7", &proto_p7, &ett_p7, p7_opr_code_string_vals, p7_opr_tab, p7_err_code_string_vals, p7_err_tab }; /*--- proto_register_p7 -------------------------------------------*/ void proto_register_p7(void) { /* List of fields */ static hf_register_info hf[] = { #include "packet-p7-hfarr.c" }; /* List of subtrees */ static gint *ett[] = { &ett_p7, #include "packet-p7-ettarr.c" }; module_t *p7_module; /* Register protocol */ proto_p7 = proto_register_protocol(PNAME, PSNAME, PFNAME); /* Register fields and subtrees */ proto_register_field_array(proto_p7, hf, array_length(hf)); proto_register_subtree_array(ett, array_length(ett)); /* Register our configuration options for P7, particularly our port */ p7_module = prefs_register_protocol_subtree("OSI/X.400", proto_p7, NULL); prefs_register_obsolete_preference(p7_module, "tcp.port"); prefs_register_static_text_preference(p7_module, "tcp_port_info", "The TCP ports used by the P7 protocol should be added to the TPKT preference \"TPKT TCP ports\", or by selecting \"TPKT\" as the \"Transport\" protocol in the \"Decode As\" dialog.", "P7 TCP Port preference moved information"); } /*--- proto_reg_handoff_p7 --- */ void proto_reg_handoff_p7(void) { #include "packet-p7-dis-tab.c" /* APPLICATION CONTEXT */ oid_add_from_string("id-ac-ms-access","2.6.0.1.11"); oid_add_from_string("id-ac-ms-reliable-access","2.6.0.1.12"); /* ABSTRACT SYNTAXES */ /* Register P7 with ROS (with no use of RTSE) */ register_ros_protocol_info("2.6.0.2.9", &p7_ros_info, 0, "id-as-ms", FALSE); register_ros_protocol_info("2.6.0.2.5", &p7_ros_info, 0, "id-as-mrse", FALSE); register_ros_protocol_info("2.6.0.2.1", &p7_ros_info, 0, "id-as-msse", FALSE); }
C/C++
wireshark/epan/dissectors/asn1/p7/packet-p7-template.h
/* packet-p7.h * Routines for X.413 (P7) packet dissection * Graeme Lunt 2007 * * Wireshark - Network traffic analyzer * By Gerald Combs <[email protected]> * Copyright 1998 Gerald Combs * * SPDX-License-Identifier: GPL-2.0-or-later */ #ifndef PACKET_P7_H #define PACKET_P7_H #include "packet-p7-exp.h" #endif /* PACKET_P7_H */
Text
wireshark/epan/dissectors/asn1/p772/CMakeLists.txt
# CMakeLists.txt # # Wireshark - Network traffic analyzer # By Gerald Combs <[email protected]> # Copyright 1998 Gerald Combs # # SPDX-License-Identifier: GPL-2.0-or-later # set( PROTOCOL_NAME p772 ) set( PROTO_OPT ) set( EXT_ASN_FILE_LIST ) set( ASN_FILE_LIST MMSAbstractService.asn MMSInformationObjects.asn MMSOtherNotificationTypeExtensions.asn MMSObjectIdentifiers.asn MMSHeadingExtensions.asn MMSUpperBounds.asn MMSExtendedBodyPartTypes.asn MMSPerRecipientSpecifierExtensions.asn ) set( EXTRA_DIST ${ASN_FILE_LIST} packet-${PROTOCOL_NAME}-template.c packet-${PROTOCOL_NAME}-template.h ${PROTOCOL_NAME}.cnf ) set( SRC_FILES ${EXTRA_DIST} ${EXT_ASN_FILE_LIST} ) set( A2W_FLAGS -b -C ) set( EXTRA_CNF "${CMAKE_CURRENT_BINARY_DIR}/../p1/p1-exp.cnf" "${CMAKE_CURRENT_BINARY_DIR}/../p22/p22-exp.cnf" ) ASN2WRS()